diff --git a/config/config.exs b/config/config.exs index f3102aea3..eaf20e8f9 100644 --- a/config/config.exs +++ b/config/config.exs @@ -16,6 +16,8 @@ config :pleroma, Pleroma.Upload, config :pleroma, :emoji, shortcode_globs: ["/emoji/custom/**/*.png"] +config :pleroma, :uri_schemes, additionnal_schemes: [] + # Configures the endpoint config :pleroma, Pleroma.Web.Endpoint, url: [host: "localhost"], @@ -71,11 +73,8 @@ config :pleroma, :fe, redirect_root_no_login: "/main/all", redirect_root_login: "/main/friends", show_instance_panel: true, - show_who_to_follow_panel: false, - who_to_follow_provider: - "https://vinayaka.distsn.org/cgi-bin/vinayaka-user-match-osa-api.cgi?{{host}}+{{user}}", - who_to_follow_link: "https://vinayaka.distsn.org/?{{host}}+{{user}}", - scope_options_enabled: false + scope_options_enabled: false, + collapse_message_with_subject: false config :pleroma, :activitypub, accept_blocks: true, @@ -112,6 +111,13 @@ config :pleroma, :gopher, ip: {0, 0, 0, 0}, port: 9999 +config :pleroma, :suggestions, + enabled: false, + third_party_engine: + "http://vinayaka.distsn.org/cgi-bin/vinayaka-user-match-suggestions-api.cgi?{{host}}+{{user}}", + timeout: 300_000, + web: "https://vinayaka.distsn.org/?{{host}}+{{user}}" + # Import environment specific config. This must remain at the bottom # of this file so it overrides the configuration defined above. import_config "#{Mix.env()}.exs" diff --git a/installation/caddyfile-pleroma.example b/installation/caddyfile-pleroma.example index e0f9dc917..ed24fc16c 100644 --- a/installation/caddyfile-pleroma.example +++ b/installation/caddyfile-pleroma.example @@ -1,8 +1,32 @@ social.domain.tld { - tls user@domain.tld + log /var/log/caddy/pleroma_access.log + errors /var/log/caddy/pleroma_error.log - log /var/log/caddy/pleroma.log + gzip + proxy / localhost:4000 { + websocket + transparent + } + + tls user@domain.tld { + # Remove the rest of the lines in here, if you want to support older devices + key_type p256 + ciphers ECDHE-ECDSA-WITH-CHACHA20-POLY1305 ECDHE-RSA-WITH-CHACHA20-POLY1305 ECDHE-ECDSA-AES256-GCM-SHA384 ECDHE-RSA-AES256-GCM-SHA384 ECDHE-ECDSA-AES128-GCM-SHA256 ECDHE-RSA-AES128-GCM-SHA256 + } + + header / { + X-XSS-Protection "1; mode=block" + X-Frame-Options "DENY" + X-Content-Type-Options "nosniff" + Referrer-Policy "same-origin" + Strict-Transport-Security "max-age=31536000; includeSubDomains;" + Expect-CT "enforce, max-age=2592000" + } + + # If you do not want remote frontends to be able to access your Pleroma backend server, remove these lines. + # If you want to allow all origins access, remove the origin lines. + # To use this directive, you need the http.cors plugin for Caddy. cors / { origin https://halcyon.domain.tld origin https://pinafore.domain.tld @@ -10,9 +34,13 @@ social.domain.tld { allowed_headers Authorization,Content-Type,Idempotency-Key exposed_headers Link,X-RateLimit-Reset,X-RateLimit-Limit,X-RateLimit-Remaining,X-Request-Id } + # Stop removing lines here. - proxy / localhost:4000 { - websocket - transparent + # If you do not want to use the mediaproxy function, remove these lines. + # To use this directive, you need the http.cache plugin for Caddy. + cache { + match_path /proxy + default_max_age 720m } + # Stop removing lines here. } diff --git a/installation/init.d/pleroma b/installation/init.d/pleroma new file mode 100755 index 000000000..9582d65d4 --- /dev/null +++ b/installation/init.d/pleroma @@ -0,0 +1,21 @@ +#!/sbin/openrc-run + +# Requires OpenRC >= 0.35 +directory=~pleroma/pleroma + +command=/usr/bin/mix +command_args="phx.server" +command_user=pleroma:pleroma +command_background=1 + +export PORT=4000 +export MIX_ENV=prod + +# Ask process to terminate within 30 seconds, otherwise kill it +retry="SIGTERM/30 SIGKILL/5" + +pidfile="/var/run/pleroma.pid" + +depend() { + need nginx postgresql +} \ No newline at end of file diff --git a/lib/mix/tasks/generate_invite_token.ex b/lib/mix/tasks/generate_invite_token.ex new file mode 100644 index 000000000..c4daa9a6c --- /dev/null +++ b/lib/mix/tasks/generate_invite_token.ex @@ -0,0 +1,25 @@ +defmodule Mix.Tasks.GenerateInviteToken do + use Mix.Task + + @shortdoc "Generate invite token for user" + def run([]) do + Mix.Task.run("app.start") + + with {:ok, token} <- Pleroma.UserInviteToken.create_token() do + IO.puts("Generated user invite token") + + IO.puts( + "Url: #{ + Pleroma.Web.Router.Helpers.redirect_url( + Pleroma.Web.Endpoint, + :registration_page, + token.token + ) + }" + ) + else + _ -> + IO.puts("Error creating token") + end + end +end diff --git a/lib/pleroma/formatter.ex b/lib/pleroma/formatter.ex index 0aaf21538..cf2944c38 100644 --- a/lib/pleroma/formatter.ex +++ b/lib/pleroma/formatter.ex @@ -16,7 +16,7 @@ defmodule Pleroma.Formatter do def parse_mentions(text) do # Modified from https://www.w3.org/TR/html5/forms.html#valid-e-mail-address regex = - ~r/@[a-zA-Z0-9.!#$%&'*+\/=?^_`{|}~-]+@?[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)*/u + ~r/@[a-zA-Z0-9.!#$%&'*+\/=?^_`{|}~-]*@?[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)*/u Regex.scan(regex, text) |> List.flatten() @@ -165,8 +165,29 @@ defmodule Pleroma.Formatter do @emoji end - @link_regex ~r/https?:\/\/[\w\.\/?=\-#\+%&@~'\(\):]+[\w\/]/u + @link_regex ~r/[0-9a-z+\-\.]+:[0-9a-z$-_.+!*'(),]+/ui + # IANA got a list https://www.iana.org/assignments/uri-schemes/ but + # Stuff like ipfs isn’t in it + # There is very niche stuff + @uri_schemes [ + "https://", + "http://", + "dat://", + "dweb://", + "gopher://", + "ipfs://", + "ipns://", + "irc:", + "ircs:", + "magnet:", + "mailto:", + "mumble:", + "ssb://", + "xmpp:" + ] + + # TODO: make it use something other than @link_regex def html_escape(text) do Regex.split(@link_regex, text, include_captures: true) |> Enum.map_every(2, fn chunk -> @@ -176,11 +197,18 @@ defmodule Pleroma.Formatter do |> Enum.join("") end - @doc "changes http:... links to html links" + @doc "changes scheme:... urls to html links" def add_links({subs, text}) do + additionnal_schemes = + Application.get_env(:pleroma, :uri_schemes, []) + |> Keyword.get(:additionnal_schemes, []) + links = - Regex.scan(@link_regex, text) - |> Enum.map(fn [url] -> {Ecto.UUID.generate(), url} end) + text + |> String.split([" ", "\t", "
"]) + |> Enum.filter(fn word -> String.starts_with?(word, @uri_schemes ++ additionnal_schemes) end) + |> Enum.filter(fn word -> Regex.match?(@link_regex, word) end) + |> Enum.map(fn url -> {Ecto.UUID.generate(), url} end) |> Enum.sort_by(fn {_, url} -> -String.length(url) end) uuid_text = @@ -244,8 +272,8 @@ defmodule Pleroma.Formatter do subs = subs ++ - Enum.map(tags, fn {_, tag, uuid} -> - url = "" + Enum.map(tags, fn {tag_text, tag, uuid} -> + url = "" {uuid, url} end) diff --git a/lib/pleroma/gopher/server.ex b/lib/pleroma/gopher/server.ex index f6abcd4d0..97a1dea77 100644 --- a/lib/pleroma/gopher/server.ex +++ b/lib/pleroma/gopher/server.ex @@ -54,7 +54,7 @@ defmodule Pleroma.Gopher.Server.ProtocolHandler do String.split(text, "\r") |> Enum.map(fn text -> - "i#{text}\tfake\(NULL)\t0\r\n" + "i#{text}\tfake\t(NULL)\t0\r\n" end) |> Enum.join("") end @@ -77,14 +77,14 @@ defmodule Pleroma.Gopher.Server.ProtocolHandler do link("Post ##{activity.id} by #{user.nickname}", "/notices/#{activity.id}") <> info("#{like_count} likes, #{announcement_count} repeats") <> - "\r\n" <> + "i\tfake\t(NULL)\t0\r\n" <> info( HtmlSanitizeEx.strip_tags( String.replace(activity.data["object"]["content"], "
", "\r") ) ) end) - |> Enum.join("\r\n") + |> Enum.join("i\tfake\t(NULL)\t0\r\n") end def response("") do diff --git a/lib/pleroma/http/http.ex b/lib/pleroma/http/http.ex index 84f34eb4a..c19bccf60 100644 --- a/lib/pleroma/http/http.ex +++ b/lib/pleroma/http/http.ex @@ -1,5 +1,23 @@ defmodule Pleroma.HTTP do - use HTTPoison.Base + require HTTPoison + + def request(method, url, body \\ "", headers \\ [], options \\ []) do + options = + process_request_options(options) + |> process_sni_options(url) + + HTTPoison.request(method, url, body, headers, options) + end + + defp process_sni_options(options, url) do + uri = URI.parse(url) + host = uri.host |> to_charlist() + + case uri.scheme do + "https" -> options ++ [ssl: [server_name_indication: host]] + _ -> options + end + end def process_request_options(options) do config = Application.get_env(:pleroma, :http, []) @@ -10,4 +28,9 @@ defmodule Pleroma.HTTP do _ -> options ++ [proxy: proxy] end end + + def get(url, headers \\ [], options \\ []), do: request(:get, url, "", headers, options) + + def post(url, body, headers \\ [], options \\ []), + do: request(:post, url, body, headers, options) end diff --git a/lib/pleroma/upload.ex b/lib/pleroma/upload.ex index 408a3fc56..e0cb545b0 100644 --- a/lib/pleroma/upload.ex +++ b/lib/pleroma/upload.ex @@ -124,20 +124,20 @@ defmodule Pleroma.Upload do if should_dedupe do create_name(uuid, List.last(String.split(file.filename, ".")), type) else - unless String.contains?(file.filename, ".") do - case type do - "image/png" -> file.filename <> ".png" - "image/jpeg" -> file.filename <> ".jpg" - "image/gif" -> file.filename <> ".gif" - "video/webm" -> file.filename <> ".webm" - "video/mp4" -> file.filename <> ".mp4" - "audio/mpeg" -> file.filename <> ".mp3" - "audio/ogg" -> file.filename <> ".ogg" - "audio/wav" -> file.filename <> ".wav" - _ -> file.filename + parts = String.split(file.filename, ".") + + new_filename = + if length(parts) > 1 do + Enum.drop(parts, -1) |> Enum.join(".") + else + Enum.join(parts) end - else - file.filename + + case type do + "application/octet-stream" -> file.filename + "audio/mpeg" -> new_filename <> ".mp3" + "image/jpeg" -> new_filename <> ".jpg" + _ -> Enum.join([new_filename, String.split(type, "/") |> List.last()], ".") end end end diff --git a/lib/pleroma/user.ex b/lib/pleroma/user.ex index 748fdbca4..3bcfcdd91 100644 --- a/lib/pleroma/user.ex +++ b/lib/pleroma/user.ex @@ -398,6 +398,7 @@ defmodule Pleroma.User do Enum.map(reqs, fn req -> req.actor end) |> Enum.uniq() |> Enum.map(fn ap_id -> get_by_ap_id(ap_id) end) + |> Enum.filter(fn u -> !following?(u, user) end) {:ok, users} end diff --git a/lib/pleroma/user_invite_token.ex b/lib/pleroma/user_invite_token.ex new file mode 100644 index 000000000..48ee1019a --- /dev/null +++ b/lib/pleroma/user_invite_token.ex @@ -0,0 +1,40 @@ +defmodule Pleroma.UserInviteToken do + use Ecto.Schema + + import Ecto.Changeset + + alias Pleroma.{User, UserInviteToken, Repo} + + schema "user_invite_tokens" do + field(:token, :string) + field(:used, :boolean, default: false) + + timestamps() + end + + def create_token do + token = :crypto.strong_rand_bytes(32) |> Base.url_encode64() + + token = %UserInviteToken{ + used: false, + token: token + } + + Repo.insert(token) + end + + def used_changeset(struct) do + struct + |> cast(%{}, []) + |> put_change(:used, true) + end + + def mark_as_used(token) do + with %{used: false} = token <- Repo.get_by(UserInviteToken, %{token: token}), + {:ok, token} <- Repo.update(used_changeset(token)) do + {:ok, token} + else + _e -> {:error, token} + end + end +end diff --git a/lib/pleroma/web/activity_pub/activity_pub.ex b/lib/pleroma/web/activity_pub/activity_pub.ex index a07bf1629..3a25f614e 100644 --- a/lib/pleroma/web/activity_pub/activity_pub.ex +++ b/lib/pleroma/web/activity_pub/activity_pub.ex @@ -576,7 +576,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do def fetch_and_prepare_user_from_ap_id(ap_id) do with {:ok, %{status_code: 200, body: body}} <- - @httpoison.get(ap_id, Accept: "application/activity+json"), + @httpoison.get(ap_id, [Accept: "application/activity+json"], follow_redirect: true), {:ok, data} <- Jason.decode(body) do user_data_from_user_object(data) else diff --git a/lib/pleroma/web/activity_pub/transmogrifier.ex b/lib/pleroma/web/activity_pub/transmogrifier.ex index 2ebc526df..1367bc7e3 100644 --- a/lib/pleroma/web/activity_pub/transmogrifier.ex +++ b/lib/pleroma/web/activity_pub/transmogrifier.ex @@ -18,12 +18,16 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do end def get_actor(%{"actor" => actor}) when is_list(actor) do - Enum.at(actor, 0) + if is_binary(Enum.at(actor, 0)) do + Enum.at(actor, 0) + else + Enum.find(actor, fn %{"type" => type} -> type == "Person" end) + |> Map.get("id") + end end - def get_actor(%{"actor" => actor_list}) do - Enum.find(actor_list, fn %{"type" => type} -> type == "Person" end) - |> Map.get("id") + def get_actor(%{"actor" => actor}) when is_map(actor) do + actor["id"] end @doc """ @@ -38,6 +42,25 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do |> fix_emoji |> fix_tag |> fix_content_map + |> fix_likes + |> fix_addressing + end + + def fix_addressing_list(map, field) do + if is_binary(map[field]) do + map + |> Map.put(field, [map[field]]) + else + map + end + end + + def fix_addressing(map) do + map + |> fix_addressing_list("to") + |> fix_addressing_list("cc") + |> fix_addressing_list("bto") + |> fix_addressing_list("bcc") end def fix_actor(%{"attributedTo" => actor} = object) do @@ -45,6 +68,20 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do |> Map.put("actor", get_actor(%{"actor" => actor})) end + def fix_likes(%{"likes" => likes} = object) + when is_bitstring(likes) do + # Check for standardisation + # This is what Peertube does + # curl -H 'Accept: application/activity+json' $likes | jq .totalItems + object + |> Map.put("likes", []) + |> Map.put("like_count", 0) + end + + def fix_likes(object) do + object + end + def fix_in_reply_to(%{"inReplyTo" => in_reply_to_id} = object) when not is_nil(in_reply_to_id) do case ActivityPub.fetch_object_from_id(in_reply_to_id) do @@ -72,8 +109,11 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do def fix_in_reply_to(object), do: object def fix_context(object) do + context = object["context"] || object["conversation"] || Utils.generate_context_id() + object - |> Map.put("context", object["conversation"]) + |> Map.put("context", context) + |> Map.put("conversation", context) end def fix_attachments(object) do @@ -137,13 +177,22 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do def fix_content_map(object), do: object + # disallow objects with bogus IDs + def handle_incoming(%{"id" => nil}), do: :error + def handle_incoming(%{"id" => ""}), do: :error + # length of https:// = 8, should validate better, but good enough for now. + def handle_incoming(%{"id" => id}) when not (is_binary(id) and length(id) > 8), do: :error + # TODO: validate those with a Ecto scheme # - tags # - emoji def handle_incoming(%{"type" => "Create", "object" => %{"type" => objtype} = object} = data) - when objtype in ["Article", "Note"] do + when objtype in ["Article", "Note", "Video"] do actor = get_actor(data) - data = Map.put(data, "actor", actor) + + data = + Map.put(data, "actor", actor) + |> fix_addressing with nil <- Activity.get_create_activity_by_object_ap_id(object["id"]), %User{} = user <- User.get_or_fetch_by_ap_id(data["actor"]) do diff --git a/lib/pleroma/web/activity_pub/utils.ex b/lib/pleroma/web/activity_pub/utils.ex index a2e5c5002..0664b5a2e 100644 --- a/lib/pleroma/web/activity_pub/utils.ex +++ b/lib/pleroma/web/activity_pub/utils.ex @@ -128,7 +128,7 @@ defmodule Pleroma.Web.ActivityPub.Utils do Inserts a full object if it is contained in an activity. """ def insert_full_object(%{"object" => %{"type" => type} = object_data}) - when is_map(object_data) and type in ["Article", "Note"] do + when is_map(object_data) and type in ["Article", "Note", "Video"] do with {:ok, _} <- Object.create(object_data) do :ok end @@ -204,13 +204,17 @@ defmodule Pleroma.Web.ActivityPub.Utils do end def add_like_to_object(%Activity{data: %{"actor" => actor}}, object) do - with likes <- [actor | object.data["likes"] || []] |> Enum.uniq() do + likes = if is_list(object.data["likes"]), do: object.data["likes"], else: [] + + with likes <- [actor | likes] |> Enum.uniq() do update_likes_in_object(likes, object) end end def remove_like_from_object(%Activity{data: %{"actor" => actor}}, object) do - with likes <- (object.data["likes"] || []) |> List.delete(actor) do + likes = if is_list(object.data["likes"]), do: object.data["likes"], else: [] + + with likes <- likes |> List.delete(actor) do update_likes_in_object(likes, object) end end @@ -380,7 +384,10 @@ defmodule Pleroma.Web.ActivityPub.Utils do }, object ) do - with announcements <- [actor | object.data["announcements"] || []] |> Enum.uniq() do + announcements = + if is_list(object.data["announcements"]), do: object.data["announcements"], else: [] + + with announcements <- [actor | announcements] |> Enum.uniq() do update_element_in_object("announcement", announcements, object) end end @@ -388,7 +395,10 @@ defmodule Pleroma.Web.ActivityPub.Utils do def add_announce_to_object(_, object), do: {:ok, object} def remove_announce_from_object(%Activity{data: %{"actor" => actor}}, object) do - with announcements <- (object.data["announcements"] || []) |> List.delete(actor) do + announcements = + if is_list(object.data["announcements"]), do: object.data["announcements"], else: [] + + with announcements <- announcements |> List.delete(actor) do update_element_in_object("announcement", announcements, object) end end diff --git a/lib/pleroma/web/activity_pub/views/user_view.ex b/lib/pleroma/web/activity_pub/views/user_view.ex index 6ecb8862e..b57cbb9ac 100644 --- a/lib/pleroma/web/activity_pub/views/user_view.ex +++ b/lib/pleroma/web/activity_pub/views/user_view.ex @@ -127,9 +127,6 @@ defmodule Pleroma.Web.ActivityPub.UserView do info = User.user_info(user) params = %{ - "type" => ["Create", "Announce"], - "actor_id" => user.ap_id, - "whole_db" => true, "limit" => "10" } @@ -140,10 +137,8 @@ defmodule Pleroma.Web.ActivityPub.UserView do params end - activities = ActivityPub.fetch_public_activities(params) - min_id = Enum.at(activities, 0).id - - activities = Enum.reverse(activities) + activities = ActivityPub.fetch_user_activities(user, nil, params) + min_id = Enum.at(Enum.reverse(activities), 0).id max_id = Enum.at(activities, 0).id collection = diff --git a/lib/pleroma/web/common_api/utils.ex b/lib/pleroma/web/common_api/utils.ex index 30089f553..869f4c566 100644 --- a/lib/pleroma/web/common_api/utils.ex +++ b/lib/pleroma/web/common_api/utils.ex @@ -64,7 +64,6 @@ defmodule Pleroma.Web.CommonAPI.Utils do def make_content_html(status, mentions, attachments, tags, no_attachment_links \\ false) do status - |> String.replace("\r", "") |> format_input(mentions, tags) |> maybe_add_attachments(attachments, no_attachment_links) end @@ -95,7 +94,7 @@ defmodule Pleroma.Web.CommonAPI.Utils do def format_input(text, mentions, tags) do text |> Formatter.html_escape() - |> String.replace("\n", "
") + |> String.replace(~r/\r?\n/, "
") |> (&{[], &1}).() |> Formatter.add_links() |> Formatter.add_user_links(mentions) @@ -109,7 +108,7 @@ defmodule Pleroma.Web.CommonAPI.Utils do |> Enum.sort_by(fn {tag, _} -> -String.length(tag) end) Enum.reduce(tags, text, fn {full, tag}, text -> - url = "#" + url = "" String.replace(text, full, url) end) end diff --git a/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex b/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex index 956787d5a..f482de6fd 100644 --- a/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex +++ b/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex @@ -5,21 +5,26 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do alias Pleroma.Web.MastodonAPI.{StatusView, AccountView, MastodonView, ListView} alias Pleroma.Web.ActivityPub.ActivityPub alias Pleroma.Web.ActivityPub.Utils - alias Pleroma.Web.{CommonAPI, OStatus} + alias Pleroma.Web.CommonAPI alias Pleroma.Web.OAuth.{Authorization, Token, App} alias Comeonin.Pbkdf2 import Ecto.Query require Logger + @httpoison Application.get_env(:pleroma, :httpoison) + action_fallback(:errors) def create_app(conn, params) do with cs <- App.register_changeset(%App{}, params) |> IO.inspect(), {:ok, app} <- Repo.insert(cs) |> IO.inspect() do res = %{ - id: app.id, + id: app.id |> to_string, + name: app.client_name, client_id: app.client_id, - client_secret: app.client_secret + client_secret: app.client_secret, + redirect_uri: app.redirect_uris, + website: app.website } json(conn, res) @@ -653,12 +658,8 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do fetched = if Regex.match?(~r/https?:/, query) do - with {:ok, activities} <- OStatus.fetch_activity_from_url(query) do - activities - |> Enum.filter(fn - %{data: %{"type" => "Create"}} -> true - _ -> false - end) + with {:ok, object} <- ActivityPub.fetch_object_from_id(query) do + [Activity.get_create_activity_by_object_ap_id(object.data["id"])] else _e -> [] end @@ -705,12 +706,8 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do fetched = if Regex.match?(~r/https?:/, query) do - with {:ok, activities} <- OStatus.fetch_activity_from_url(query) do - activities - |> Enum.filter(fn - %{data: %{"type" => "Create"}} -> true - _ -> false - end) + with {:ok, object} <- ActivityPub.fetch_object_from_id(query) do + [Activity.get_create_activity_by_object_ap_id(object.data["id"])] else _e -> [] end @@ -1097,4 +1094,45 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do |> put_status(500) |> json("Something went wrong") end + + @suggestions Application.get_env(:pleroma, :suggestions) + + def suggestions(%{assigns: %{user: user}} = conn, _) do + if Keyword.get(@suggestions, :enabled, false) do + api = Keyword.get(@suggestions, :third_party_engine, "") + timeout = Keyword.get(@suggestions, :timeout, 5000) + + host = + Application.get_env(:pleroma, Pleroma.Web.Endpoint) + |> Keyword.get(:url) + |> Keyword.get(:host) + + user = user.nickname + url = String.replace(api, "{{host}}", host) |> String.replace("{{user}}", user) + + with {:ok, %{status_code: 200, body: body}} <- + @httpoison.get(url, [], timeout: timeout, recv_timeout: timeout), + {:ok, data} <- Jason.decode(body) do + data2 = + Enum.slice(data, 0, 40) + |> Enum.map(fn x -> + Map.put( + x, + "id", + case User.get_or_fetch(x["acct"]) do + %{id: id} -> id + _ -> 0 + end + ) + end) + + conn + |> json(data2) + else + e -> Logger.error("Could not retrieve suggestions at fetch #{url}, #{inspect(e)}") + end + else + json(conn, []) + end + end end diff --git a/lib/pleroma/web/mastodon_api/views/account_view.ex b/lib/pleroma/web/mastodon_api/views/account_view.ex index f33d615cf..d9edcae7f 100644 --- a/lib/pleroma/web/mastodon_api/views/account_view.ex +++ b/lib/pleroma/web/mastodon_api/views/account_view.ex @@ -14,6 +14,18 @@ defmodule Pleroma.Web.MastodonAPI.AccountView do header = User.banner_url(user) |> MediaProxy.url() user_info = User.user_info(user) + emojis = + (user.info["source_data"]["tag"] || []) + |> Enum.filter(fn %{"type" => t} -> t == "Emoji" end) + |> Enum.map(fn %{"icon" => %{"url" => url}, "name" => name} -> + %{ + "shortcode" => String.trim(name, ":"), + "url" => MediaProxy.url(url), + "static_url" => MediaProxy.url(url), + "visible_in_picker" => false + } + end) + %{ id: to_string(user.id), username: hd(String.split(user.nickname, "@")), @@ -24,13 +36,13 @@ defmodule Pleroma.Web.MastodonAPI.AccountView do followers_count: user_info.follower_count, following_count: user_info.following_count, statuses_count: user_info.note_count, - note: user.bio || "", + note: HtmlSanitizeEx.basic_html(user.bio) || "", url: user.ap_id, avatar: image, avatar_static: image, header: header, header_static: header, - emojis: [], + emojis: emojis, fields: [], source: %{ note: "", diff --git a/lib/pleroma/web/mastodon_api/views/status_view.ex b/lib/pleroma/web/mastodon_api/views/status_view.ex index 5dbd59dd9..6962aa54f 100644 --- a/lib/pleroma/web/mastodon_api/views/status_view.ex +++ b/lib/pleroma/web/mastodon_api/views/status_view.ex @@ -99,8 +99,9 @@ defmodule Pleroma.Web.MastodonAPI.StatusView do repeated = opts[:for] && opts[:for].ap_id in (object["announcements"] || []) favorited = opts[:for] && opts[:for].ap_id in (object["likes"] || []) - attachments = - render_many(object["attachment"] || [], StatusView, "attachment.json", as: :attachment) + attachment_data = object["attachment"] || [] + attachment_data = attachment_data ++ if object["type"] == "Video", do: [object], else: [] + attachments = render_many(attachment_data, StatusView, "attachment.json", as: :attachment) created_at = Utils.to_masto_date(object["published"]) @@ -151,7 +152,9 @@ defmodule Pleroma.Web.MastodonAPI.StatusView do end def render("attachment.json", %{attachment: attachment}) do - [%{"mediaType" => media_type, "href" => href} | _] = attachment["url"] + [attachment_url | _] = attachment["url"] + media_type = attachment_url["mediaType"] || attachment_url["mimeType"] + href = attachment_url["href"] type = cond do @@ -208,6 +211,19 @@ defmodule Pleroma.Web.MastodonAPI.StatusView do end end + def render_content(%{"type" => "Video"} = object) do + name = object["name"] + + content = + if !!name and name != "" do + "

#{name}

#{object["content"]}" + else + object["content"] + end + + HtmlSanitizeEx.basic_html(content) + end + def render_content(%{"type" => "Article"} = object) do summary = object["name"] diff --git a/lib/pleroma/web/nodeinfo/nodeinfo_controller.ex b/lib/pleroma/web/nodeinfo/nodeinfo_controller.ex index 7c67bbf1c..2fab60274 100644 --- a/lib/pleroma/web/nodeinfo/nodeinfo_controller.ex +++ b/lib/pleroma/web/nodeinfo/nodeinfo_controller.ex @@ -21,6 +21,7 @@ defmodule Pleroma.Web.Nodeinfo.NodeinfoController do def nodeinfo(conn, %{"version" => "2.0"}) do instance = Application.get_env(:pleroma, :instance) media_proxy = Application.get_env(:pleroma, :media_proxy) + suggestions = Application.get_env(:pleroma, :suggestions) stats = Stats.get_stats() response = %{ @@ -45,7 +46,13 @@ defmodule Pleroma.Web.Nodeinfo.NodeinfoController do nodeName: Keyword.get(instance, :name), nodeDescription: Keyword.get(instance, :description), mediaProxy: Keyword.get(media_proxy, :enabled), - private: !Keyword.get(instance, :public, true) + private: !Keyword.get(instance, :public, true), + suggestions: %{ + enabled: Keyword.get(suggestions, :enabled, false), + thirdPartyEngine: Keyword.get(suggestions, :third_party_engine, ""), + timeout: Keyword.get(suggestions, :timeout, 5000), + web: Keyword.get(suggestions, :web, "") + } } } diff --git a/lib/pleroma/web/router.ex b/lib/pleroma/web/router.ex index eb9860864..7b4c81e00 100644 --- a/lib/pleroma/web/router.ex +++ b/lib/pleroma/web/router.ex @@ -142,6 +142,8 @@ defmodule Pleroma.Web.Router do get("/domain_blocks", MastodonAPIController, :domain_blocks) post("/domain_blocks", MastodonAPIController, :block_domain) delete("/domain_blocks", MastodonAPIController, :unblock_domain) + + get("/suggestions", MastodonAPIController, :suggestions) end scope "/api/web", Pleroma.Web.MastodonAPI do @@ -203,9 +205,7 @@ defmodule Pleroma.Web.Router do get("/statuses/show/:id", TwitterAPI.Controller, :fetch_status) get("/statusnet/conversation/:id", TwitterAPI.Controller, :fetch_conversation) - if @registrations_open do - post("/account/register", TwitterAPI.Controller, :register) - end + post("/account/register", TwitterAPI.Controller, :register) get("/search", TwitterAPI.Controller, :search) get("/statusnet/tags/timeline/:tag", TwitterAPI.Controller, :public_and_external_timeline) @@ -368,6 +368,7 @@ defmodule Pleroma.Web.Router do end scope "/", Fallback do + get("/registration/:token", RedirectController, :registration_page) get("/*path", RedirectController, :redirector) end end @@ -382,4 +383,8 @@ defmodule Fallback.RedirectController do |> send_file(200, "priv/static/index.html") end end + + def registration_page(conn, params) do + redirector(conn, params) + end end diff --git a/lib/pleroma/web/templates/mastodon_api/mastodon/index.html.eex b/lib/pleroma/web/templates/mastodon_api/mastodon/index.html.eex index 6a00b9e2c..0862412ea 100644 --- a/lib/pleroma/web/templates/mastodon_api/mastodon/index.html.eex +++ b/lib/pleroma/web/templates/mastodon_api/mastodon/index.html.eex @@ -19,7 +19,7 @@ - +
diff --git a/lib/pleroma/web/twitter_api/controllers/util_controller.ex b/lib/pleroma/web/twitter_api/controllers/util_controller.ex index 47fc79350..d1ecebf61 100644 --- a/lib/pleroma/web/twitter_api/controllers/util_controller.ex +++ b/lib/pleroma/web/twitter_api/controllers/util_controller.ex @@ -99,6 +99,10 @@ defmodule Pleroma.Web.TwitterAPI.UtilController do conn |> render("followed.html", %{error: false}) else + # Was already following user + {:error, "Could not follow user:" <> _rest} -> + render(conn, "followed.html", %{error: false}) + _e -> conn |> render("follow_login.html", %{ @@ -117,6 +121,11 @@ defmodule Pleroma.Web.TwitterAPI.UtilController do conn |> render("followed.html", %{error: false}) else + # Was already following user + {:error, "Could not follow user:" <> _rest} -> + conn + |> render("followed.html", %{error: false}) + e -> Logger.debug("Remote follow failed with error #{inspect(e)}") @@ -163,10 +172,9 @@ defmodule Pleroma.Web.TwitterAPI.UtilController do redirectRootLogin: Keyword.get(@instance_fe, :redirect_root_login), chatDisabled: !Keyword.get(@instance_chat, :enabled), showInstanceSpecificPanel: Keyword.get(@instance_fe, :show_instance_panel), - showWhoToFollowPanel: Keyword.get(@instance_fe, :show_who_to_follow_panel), scopeOptionsEnabled: Keyword.get(@instance_fe, :scope_options_enabled), - whoToFollowProvider: Keyword.get(@instance_fe, :who_to_follow_provider), - whoToFollowLink: Keyword.get(@instance_fe, :who_to_follow_link) + collapseMessageWithSubject: + Keyword.get(@instance_fe, :collapse_message_with_subject) } } }) diff --git a/lib/pleroma/web/twitter_api/representers/activity_representer.ex b/lib/pleroma/web/twitter_api/representers/activity_representer.ex index 26bfb79af..9abea59a7 100644 --- a/lib/pleroma/web/twitter_api/representers/activity_representer.ex +++ b/lib/pleroma/web/twitter_api/representers/activity_representer.ex @@ -170,6 +170,15 @@ defmodule Pleroma.Web.TwitterAPI.Representers.ActivityRepresenter do HtmlSanitizeEx.basic_html(content) |> Formatter.emojify(object["emoji"]) + video = + if object["type"] == "Video" do + vid = [object] + else + [] + end + + attachments = (object["attachment"] || []) ++ video + %{ "id" => activity.id, "uri" => activity.data["object"]["id"], @@ -181,7 +190,7 @@ defmodule Pleroma.Web.TwitterAPI.Representers.ActivityRepresenter do "created_at" => created_at, "in_reply_to_status_id" => object["inReplyToStatusId"], "statusnet_conversation_id" => conversation_id, - "attachments" => (object["attachment"] || []) |> ObjectRepresenter.enum_to_list(opts), + "attachments" => attachments |> ObjectRepresenter.enum_to_list(opts), "attentions" => attentions, "fave_num" => like_count, "repeat_num" => announcement_count, diff --git a/lib/pleroma/web/twitter_api/representers/object_representer.ex b/lib/pleroma/web/twitter_api/representers/object_representer.ex index 9af8a1691..6aa794a59 100644 --- a/lib/pleroma/web/twitter_api/representers/object_representer.ex +++ b/lib/pleroma/web/twitter_api/representers/object_representer.ex @@ -7,18 +7,20 @@ defmodule Pleroma.Web.TwitterAPI.Representers.ObjectRepresenter do %{ url: url["href"] |> Pleroma.Web.MediaProxy.url(), - mimetype: url["mediaType"], + mimetype: url["mediaType"] || url["mimeType"], id: data["uuid"], - oembed: false + oembed: false, + description: data["name"] } end def to_map(%Object{data: %{"url" => url} = data}, _opts) when is_binary(url) do %{ url: url |> Pleroma.Web.MediaProxy.url(), - mimetype: data["mediaType"], + mimetype: data["mediaType"] || url["mimeType"], id: data["uuid"], - oembed: false + oembed: false, + description: data["name"] } end diff --git a/lib/pleroma/web/twitter_api/twitter_api.ex b/lib/pleroma/web/twitter_api/twitter_api.ex index c23b3c2c4..dbad08e66 100644 --- a/lib/pleroma/web/twitter_api/twitter_api.ex +++ b/lib/pleroma/web/twitter_api/twitter_api.ex @@ -1,11 +1,13 @@ defmodule Pleroma.Web.TwitterAPI.TwitterAPI do - alias Pleroma.{User, Activity, Repo, Object} + alias Pleroma.{UserInviteToken, User, Activity, Repo, Object} alias Pleroma.Web.ActivityPub.ActivityPub alias Pleroma.Web.TwitterAPI.UserView alias Pleroma.Web.{OStatus, CommonAPI} import Ecto.Query + @instance Application.get_env(:pleroma, :instance) @httpoison Application.get_env(:pleroma, :httpoison) + @registrations_open Keyword.get(@instance, :registrations_open) def create_status(%User{} = user, %{"status" => _} = data) do CommonAPI.post(user, data) @@ -120,6 +122,8 @@ defmodule Pleroma.Web.TwitterAPI.TwitterAPI do end def register_user(params) do + tokenString = params["token"] + params = %{ nickname: params["nickname"], name: params["fullname"], @@ -129,17 +133,33 @@ defmodule Pleroma.Web.TwitterAPI.TwitterAPI do password_confirmation: params["confirm"] } - changeset = User.register_changeset(%User{}, params) + # no need to query DB if registration is open + token = + unless @registrations_open || is_nil(tokenString) do + Repo.get_by(UserInviteToken, %{token: tokenString}) + end - with {:ok, user} <- Repo.insert(changeset) do - {:ok, user} - else - {:error, changeset} -> - errors = - Ecto.Changeset.traverse_errors(changeset, fn {msg, _opts} -> msg end) - |> Jason.encode!() + cond do + @registrations_open || (!is_nil(token) && !token.used) -> + changeset = User.register_changeset(%User{}, params) - {:error, %{error: errors}} + with {:ok, user} <- Repo.insert(changeset) do + !@registrations_open && UserInviteToken.mark_as_used(token.token) + {:ok, user} + else + {:error, changeset} -> + errors = + Ecto.Changeset.traverse_errors(changeset, fn {msg, _opts} -> msg end) + |> Jason.encode!() + + {:error, %{error: errors}} + end + + !@registrations_open && is_nil(token) -> + {:error, "Invalid token"} + + !@registrations_open && token.used -> + {:error, "Expired token"} end end diff --git a/lib/pleroma/web/twitter_api/twitter_api_controller.ex b/lib/pleroma/web/twitter_api/twitter_api_controller.ex index 65e67396b..b3a56b27e 100644 --- a/lib/pleroma/web/twitter_api/twitter_api_controller.ex +++ b/lib/pleroma/web/twitter_api/twitter_api_controller.ex @@ -1,7 +1,9 @@ defmodule Pleroma.Web.TwitterAPI.Controller do use Pleroma.Web, :controller + alias Pleroma.Formatter alias Pleroma.Web.TwitterAPI.{TwitterAPI, UserView, ActivityView, NotificationView} alias Pleroma.Web.CommonAPI + alias Pleroma.Web.CommonAPI.Utils, as: CommonUtils alias Pleroma.{Repo, Activity, User, Notification} alias Pleroma.Web.ActivityPub.ActivityPub alias Pleroma.Web.ActivityPub.Utils @@ -411,8 +413,18 @@ defmodule Pleroma.Web.TwitterAPI.Controller do def update_profile(%{assigns: %{user: user}} = conn, params) do params = if bio = params["description"] do - bio_brs = Regex.replace(~r/\r?\n/, bio, "
") - Map.put(params, "bio", bio_brs) + mentions = Formatter.parse_mentions(bio) + tags = Formatter.parse_tags(bio) + + emoji = + (user.info["source_data"]["tag"] || []) + |> Enum.filter(fn %{"type" => t} -> t == "Emoji" end) + |> Enum.map(fn %{"icon" => %{"url" => url}, "name" => name} -> + {String.trim(name, ":"), url} + end) + + bio_html = CommonUtils.format_input(bio, mentions, tags) + Map.put(params, "bio", bio_html |> Formatter.emojify(emoji)) else params end diff --git a/lib/pleroma/web/twitter_api/views/user_view.ex b/lib/pleroma/web/twitter_api/views/user_view.ex index 9c8460378..32f93153d 100644 --- a/lib/pleroma/web/twitter_api/views/user_view.ex +++ b/lib/pleroma/web/twitter_api/views/user_view.ex @@ -1,6 +1,7 @@ defmodule Pleroma.Web.TwitterAPI.UserView do use Pleroma.Web, :view alias Pleroma.User + alias Pleroma.Formatter alias Pleroma.Web.CommonAPI.Utils alias Pleroma.Web.MediaProxy @@ -28,9 +29,18 @@ defmodule Pleroma.Web.TwitterAPI.UserView do user_info = User.get_cached_user_info(user) + emoji = + (user.info["source_data"]["tag"] || []) + |> Enum.filter(fn %{"type" => t} -> t == "Emoji" end) + |> Enum.map(fn %{"icon" => %{"url" => url}, "name" => name} -> + {String.trim(name, ":"), url} + end) + data = %{ "created_at" => user.inserted_at |> Utils.format_naive_asctime(), - "description" => HtmlSanitizeEx.strip_tags(user.bio), + "description" => + HtmlSanitizeEx.strip_tags((user.bio || "") |> String.replace("
", "\n")), + "description_html" => HtmlSanitizeEx.basic_html(user.bio), "favourites_count" => 0, "followers_count" => user_info[:follower_count], "following" => following, @@ -39,6 +49,7 @@ defmodule Pleroma.Web.TwitterAPI.UserView do "friends_count" => user_info[:following_count], "id" => user.id, "name" => user.name, + "name_html" => HtmlSanitizeEx.strip_tags(user.name) |> Formatter.emojify(emoji), "profile_image_url" => image, "profile_image_url_https" => image, "profile_image_url_profile_size" => image, diff --git a/mix.exs b/mix.exs index cc279a7f9..941b9c149 100644 --- a/mix.exs +++ b/mix.exs @@ -30,25 +30,25 @@ defmodule Pleroma.Mixfile do # Type `mix help deps` for examples and options. defp deps do [ - {:phoenix, "~> 1.3.0"}, - {:phoenix_pubsub, "~> 1.0"}, - {:phoenix_ecto, "~> 3.2"}, - {:postgrex, ">= 0.0.0"}, - {:gettext, "~> 0.11"}, - {:cowboy, "~> 1.0", override: true}, - {:comeonin, "~> 4.0"}, - {:pbkdf2_elixir, "~> 0.12"}, - {:trailing_format_plug, "~> 0.0.5"}, - {:html_sanitize_ex, "~> 1.3.0-rc1"}, + {:phoenix, "~> 1.3.3"}, + {:phoenix_pubsub, "~> 1.0.2"}, + {:phoenix_ecto, "~> 3.3"}, + {:postgrex, ">= 0.13.5"}, + {:gettext, "~> 0.15"}, + {:cowboy, "~> 1.1.2", override: true}, + {:comeonin, "~> 4.1.1"}, + {:pbkdf2_elixir, "~> 0.12.3"}, + {:trailing_format_plug, "~> 0.0.7"}, + {:html_sanitize_ex, "~> 1.3.0"}, {:phoenix_html, "~> 2.10"}, - {:calendar, "~> 0.16.1"}, - {:cachex, "~> 3.0"}, - {:httpoison, "~> 1.1.0"}, + {:calendar, "~> 0.17.4"}, + {:cachex, "~> 3.0.2"}, + {:httpoison, "~> 1.2.0"}, {:jason, "~> 1.0"}, - {:ex_machina, "~> 2.0", only: :test}, - {:credo, "~> 0.7", only: [:dev, :test]}, - {:mock, "~> 0.3.0", only: :test}, - {:mogrify, "~> 0.6.1"} + {:mogrify, "~> 0.6.1"}, + {:ex_machina, "~> 2.2", only: :test}, + {:credo, "~> 0.9.3", only: [:dev, :test]}, + {:mock, "~> 0.3.1", only: :test} ] end diff --git a/mix.lock b/mix.lock index 9ae8fe0ac..6ee82301f 100644 --- a/mix.lock +++ b/mix.lock @@ -1,45 +1,45 @@ %{ "bunt": {:hex, :bunt, "0.2.0", "951c6e801e8b1d2cbe58ebbd3e616a869061ddadcc4863d0a2182541acae9a38", [:mix], [], "hexpm"}, "cachex": {:hex, :cachex, "3.0.2", "1351caa4e26e29f7d7ec1d29b53d6013f0447630bbf382b4fb5d5bad0209f203", [:mix], [{:eternal, "~> 1.2", [hex: :eternal, repo: "hexpm", optional: false]}, {:unsafe, "~> 1.0", [hex: :unsafe, repo: "hexpm", optional: false]}], "hexpm"}, - "calendar": {:hex, :calendar, "0.16.1", "782327ad8bae7c797b887840dc4ddb933f05ce6e333e5b04964d7a5d5f79bde3", [:mix], [{:tzdata, "~> 0.5.8 or ~> 0.1.201603", [hex: :tzdata, repo: "hexpm", optional: false]}], "hexpm"}, + "calendar": {:hex, :calendar, "0.17.4", "22c5e8d98a4db9494396e5727108dffb820ee0d18fed4b0aa8ab76e4f5bc32f1", [:mix], [{:tzdata, "~> 0.5.8 or ~> 0.1.201603", [hex: :tzdata, repo: "hexpm", optional: false]}], "hexpm"}, "certifi": {:hex, :certifi, "2.3.1", "d0f424232390bf47d82da8478022301c561cf6445b5b5fb6a84d49a9e76d2639", [:rebar3], [{:parse_trans, "3.2.0", [hex: :parse_trans, repo: "hexpm", optional: false]}], "hexpm"}, "comeonin": {:hex, :comeonin, "4.1.1", "c7304fc29b45b897b34142a91122bc72757bc0c295e9e824999d5179ffc08416", [:mix], [{:argon2_elixir, "~> 1.2", [hex: :argon2_elixir, repo: "hexpm", optional: true]}, {:bcrypt_elixir, "~> 0.12.1 or ~> 1.0", [hex: :bcrypt_elixir, repo: "hexpm", optional: true]}, {:pbkdf2_elixir, "~> 0.12", [hex: :pbkdf2_elixir, repo: "hexpm", optional: true]}], "hexpm"}, "connection": {:hex, :connection, "1.0.4", "a1cae72211f0eef17705aaededacac3eb30e6625b04a6117c1b2db6ace7d5976", [:mix], [], "hexpm"}, "cowboy": {:hex, :cowboy, "1.1.2", "61ac29ea970389a88eca5a65601460162d370a70018afe6f949a29dca91f3bb0", [:rebar3], [{:cowlib, "~> 1.0.2", [hex: :cowlib, repo: "hexpm", optional: false]}, {:ranch, "~> 1.3.2", [hex: :ranch, repo: "hexpm", optional: false]}], "hexpm"}, "cowlib": {:hex, :cowlib, "1.0.2", "9d769a1d062c9c3ac753096f868ca121e2730b9a377de23dec0f7e08b1df84ee", [:make], [], "hexpm"}, - "credo": {:hex, :credo, "0.9.2", "841d316612f568beb22ba310d816353dddf31c2d94aa488ae5a27bb53760d0bf", [:mix], [{:bunt, "~> 0.2.0", [hex: :bunt, repo: "hexpm", optional: false]}, {:poison, ">= 0.0.0", [hex: :poison, repo: "hexpm", optional: false]}], "hexpm"}, + "credo": {:hex, :credo, "0.9.3", "76fa3e9e497ab282e0cf64b98a624aa11da702854c52c82db1bf24e54ab7c97a", [:mix], [{:bunt, "~> 0.2.0", [hex: :bunt, repo: "hexpm", optional: false]}, {:poison, ">= 0.0.0", [hex: :poison, repo: "hexpm", optional: false]}], "hexpm"}, "db_connection": {:hex, :db_connection, "1.1.3", "89b30ca1ef0a3b469b1c779579590688561d586694a3ce8792985d4d7e575a61", [:mix], [{:connection, "~> 1.0.2", [hex: :connection, repo: "hexpm", optional: false]}, {:poolboy, "~> 1.5", [hex: :poolboy, repo: "hexpm", optional: true]}, {:sbroker, "~> 1.0", [hex: :sbroker, repo: "hexpm", optional: true]}], "hexpm"}, "decimal": {:hex, :decimal, "1.5.0", "b0433a36d0e2430e3d50291b1c65f53c37d56f83665b43d79963684865beab68", [:mix], [], "hexpm"}, "ecto": {:hex, :ecto, "2.2.10", "e7366dc82f48f8dd78fcbf3ab50985ceeb11cb3dc93435147c6e13f2cda0992e", [:mix], [{:db_connection, "~> 1.1", [hex: :db_connection, repo: "hexpm", optional: true]}, {:decimal, "~> 1.2", [hex: :decimal, repo: "hexpm", optional: false]}, {:mariaex, "~> 0.8.0", [hex: :mariaex, repo: "hexpm", optional: true]}, {:poison, "~> 2.2 or ~> 3.0", [hex: :poison, repo: "hexpm", optional: true]}, {:poolboy, "~> 1.5", [hex: :poolboy, repo: "hexpm", optional: false]}, {:postgrex, "~> 0.13.0", [hex: :postgrex, repo: "hexpm", optional: true]}, {:sbroker, "~> 1.0", [hex: :sbroker, repo: "hexpm", optional: true]}], "hexpm"}, "eternal": {:hex, :eternal, "1.2.0", "e2a6b6ce3b8c248f7dc31451aefca57e3bdf0e48d73ae5043229380a67614c41", [:mix], [], "hexpm"}, "ex_machina": {:hex, :ex_machina, "2.2.0", "fec496331e04fc2db2a1a24fe317c12c0c4a50d2beb8ebb3531ed1f0d84be0ed", [:mix], [{:ecto, "~> 2.1", [hex: :ecto, repo: "hexpm", optional: true]}], "hexpm"}, "gettext": {:hex, :gettext, "0.15.0", "40a2b8ce33a80ced7727e36768499fc9286881c43ebafccae6bab731e2b2b8ce", [:mix], [], "hexpm"}, - "hackney": {:hex, :hackney, "1.12.1", "8bf2d0e11e722e533903fe126e14d6e7e94d9b7983ced595b75f532e04b7fdc7", [:rebar3], [{:certifi, "2.3.1", [hex: :certifi, repo: "hexpm", optional: false]}, {:idna, "5.1.1", [hex: :idna, repo: "hexpm", optional: false]}, {:metrics, "1.0.1", [hex: :metrics, repo: "hexpm", optional: false]}, {:mimerl, "1.0.2", [hex: :mimerl, repo: "hexpm", optional: false]}, {:ssl_verify_fun, "1.1.1", [hex: :ssl_verify_fun, repo: "hexpm", optional: false]}], "hexpm"}, + "hackney": {:hex, :hackney, "1.13.0", "24edc8cd2b28e1c652593833862435c80661834f6c9344e84b6a2255e7aeef03", [:rebar3], [{:certifi, "2.3.1", [hex: :certifi, repo: "hexpm", optional: false]}, {:idna, "5.1.2", [hex: :idna, repo: "hexpm", optional: false]}, {:metrics, "1.0.1", [hex: :metrics, repo: "hexpm", optional: false]}, {:mimerl, "1.0.2", [hex: :mimerl, repo: "hexpm", optional: false]}, {:ssl_verify_fun, "1.1.1", [hex: :ssl_verify_fun, repo: "hexpm", optional: false]}], "hexpm"}, "html_sanitize_ex": {:hex, :html_sanitize_ex, "1.3.0", "f005ad692b717691203f940c686208aa3d8ffd9dd4bb3699240096a51fa9564e", [:mix], [{:mochiweb, "~> 2.15", [hex: :mochiweb, repo: "hexpm", optional: false]}], "hexpm"}, - "httpoison": {:hex, :httpoison, "1.1.1", "96ed7ab79f78a31081bb523eefec205fd2900a02cda6dbc2300e7a1226219566", [:mix], [{:hackney, "~> 1.8", [hex: :hackney, repo: "hexpm", optional: false]}], "hexpm"}, - "idna": {:hex, :idna, "5.1.1", "cbc3b2fa1645113267cc59c760bafa64b2ea0334635ef06dbac8801e42f7279c", [:rebar3], [{:unicode_util_compat, "0.3.1", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm"}, + "httpoison": {:hex, :httpoison, "1.2.0", "2702ed3da5fd7a8130fc34b11965c8cfa21ade2f232c00b42d96d4967c39a3a3", [:mix], [{:hackney, "~> 1.8", [hex: :hackney, repo: "hexpm", optional: false]}], "hexpm"}, + "idna": {:hex, :idna, "5.1.2", "e21cb58a09f0228a9e0b95eaa1217f1bcfc31a1aaa6e1fdf2f53a33f7dbd9494", [:rebar3], [{:unicode_util_compat, "0.3.1", [hex: :unicode_util_compat, repo: "hexpm", optional: false]}], "hexpm"}, "jason": {:hex, :jason, "1.0.0", "0f7cfa9bdb23fed721ec05419bcee2b2c21a77e926bce0deda029b5adc716fe2", [:mix], [{:decimal, "~> 1.0", [hex: :decimal, repo: "hexpm", optional: true]}], "hexpm"}, "meck": {:hex, :meck, "0.8.9", "64c5c0bd8bcca3a180b44196265c8ed7594e16bcc845d0698ec6b4e577f48188", [:rebar3], [], "hexpm"}, "metrics": {:hex, :metrics, "1.0.1", "25f094dea2cda98213cecc3aeff09e940299d950904393b2a29d191c346a8486", [:rebar3], [], "hexpm"}, - "mime": {:hex, :mime, "1.2.0", "78adaa84832b3680de06f88f0997e3ead3b451a440d183d688085be2d709b534", [:mix], [], "hexpm"}, + "mime": {:hex, :mime, "1.3.0", "5e8d45a39e95c650900d03f897fbf99ae04f60ab1daa4a34c7a20a5151b7a5fe", [:mix], [], "hexpm"}, "mimerl": {:hex, :mimerl, "1.0.2", "993f9b0e084083405ed8252b99460c4f0563e41729ab42d9074fd5e52439be88", [:rebar3], [], "hexpm"}, "mochiweb": {:hex, :mochiweb, "2.15.0", "e1daac474df07651e5d17cc1e642c4069c7850dc4508d3db7263a0651330aacc", [:rebar3], [], "hexpm"}, "mock": {:hex, :mock, "0.3.1", "994f00150f79a0ea50dc9d86134cd9ebd0d177ad60bd04d1e46336cdfdb98ff9", [:mix], [{:meck, "~> 0.8.8", [hex: :meck, repo: "hexpm", optional: false]}], "hexpm"}, "mogrify": {:hex, :mogrify, "0.6.1", "de1b527514f2d95a7bbe9642eb556061afb337e220cf97adbf3a4e6438ed70af", [:mix], [], "hexpm"}, "parse_trans": {:hex, :parse_trans, "3.2.0", "2adfa4daf80c14dc36f522cf190eb5c4ee3e28008fc6394397c16f62a26258c2", [:rebar3], [], "hexpm"}, "pbkdf2_elixir": {:hex, :pbkdf2_elixir, "0.12.3", "6706a148809a29c306062862c803406e88f048277f6e85b68faf73291e820b84", [:mix], [], "hexpm"}, - "phoenix": {:hex, :phoenix, "1.3.2", "2a00d751f51670ea6bc3f2ba4e6eb27ecb8a2c71e7978d9cd3e5de5ccf7378bd", [:mix], [{:cowboy, "~> 1.0", [hex: :cowboy, repo: "hexpm", optional: true]}, {:phoenix_pubsub, "~> 1.0", [hex: :phoenix_pubsub, repo: "hexpm", optional: false]}, {:plug, "~> 1.3.3 or ~> 1.4", [hex: :plug, repo: "hexpm", optional: false]}, {:poison, "~> 2.2 or ~> 3.0", [hex: :poison, repo: "hexpm", optional: false]}], "hexpm"}, + "phoenix": {:hex, :phoenix, "1.3.4", "aaa1b55e5523083a877bcbe9886d9ee180bf2c8754905323493c2ac325903dc5", [:mix], [{:cowboy, "~> 1.0", [hex: :cowboy, repo: "hexpm", optional: true]}, {:phoenix_pubsub, "~> 1.0", [hex: :phoenix_pubsub, repo: "hexpm", optional: false]}, {:plug, "~> 1.3.3 or ~> 1.4", [hex: :plug, repo: "hexpm", optional: false]}, {:poison, "~> 2.2 or ~> 3.0", [hex: :poison, repo: "hexpm", optional: false]}], "hexpm"}, "phoenix_ecto": {:hex, :phoenix_ecto, "3.3.0", "702f6e164512853d29f9d20763493f2b3bcfcb44f118af2bc37bb95d0801b480", [:mix], [{:ecto, "~> 2.1", [hex: :ecto, repo: "hexpm", optional: false]}, {:phoenix_html, "~> 2.9", [hex: :phoenix_html, repo: "hexpm", optional: true]}, {:plug, "~> 1.0", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm"}, "phoenix_html": {:hex, :phoenix_html, "2.11.2", "86ebd768258ba60a27f5578bec83095bdb93485d646fc4111db8844c316602d6", [:mix], [{:plug, "~> 1.5", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm"}, "phoenix_pubsub": {:hex, :phoenix_pubsub, "1.0.2", "bfa7fd52788b5eaa09cb51ff9fcad1d9edfeb68251add458523f839392f034c1", [:mix], [], "hexpm"}, - "plug": {:hex, :plug, "1.5.1", "1ff35bdecfb616f1a2b1c935ab5e4c47303f866cb929d2a76f0541e553a58165", [:mix], [{:cowboy, "~> 1.0.1 or ~> 1.1 or ~> 2.3", [hex: :cowboy, repo: "hexpm", optional: true]}, {:mime, "~> 1.0", [hex: :mime, repo: "hexpm", optional: false]}], "hexpm"}, + "plug": {:hex, :plug, "1.6.2", "e06a7bd2bb6de5145da0dd950070110dce88045351224bd98e84edfdaaf5ffee", [:mix], [{:cowboy, "~> 1.0.1 or ~> 1.1 or ~> 2.4", [hex: :cowboy, repo: "hexpm", optional: true]}, {:mime, "~> 1.0", [hex: :mime, repo: "hexpm", optional: false]}], "hexpm"}, "poison": {:hex, :poison, "3.1.0", "d9eb636610e096f86f25d9a46f35a9facac35609a7591b3be3326e99a0484665", [:mix], [], "hexpm"}, "poolboy": {:hex, :poolboy, "1.5.1", "6b46163901cfd0a1b43d692657ed9d7e599853b3b21b95ae5ae0a777cf9b6ca8", [:rebar], [], "hexpm"}, "postgrex": {:hex, :postgrex, "0.13.5", "3d931aba29363e1443da167a4b12f06dcd171103c424de15e5f3fc2ba3e6d9c5", [:mix], [{:connection, "~> 1.0", [hex: :connection, repo: "hexpm", optional: false]}, {:db_connection, "~> 1.1", [hex: :db_connection, repo: "hexpm", optional: false]}, {:decimal, "~> 1.0", [hex: :decimal, repo: "hexpm", optional: false]}], "hexpm"}, "ranch": {:hex, :ranch, "1.3.2", "e4965a144dc9fbe70e5c077c65e73c57165416a901bd02ea899cfd95aa890986", [:rebar3], [], "hexpm"}, "ssl_verify_fun": {:hex, :ssl_verify_fun, "1.1.1", "28a4d65b7f59893bc2c7de786dec1e1555bd742d336043fe644ae956c3497fbe", [:make, :rebar], [], "hexpm"}, "trailing_format_plug": {:hex, :trailing_format_plug, "0.0.7", "64b877f912cf7273bed03379936df39894149e35137ac9509117e59866e10e45", [:mix], [{:plug, "> 0.12.0", [hex: :plug, repo: "hexpm", optional: false]}], "hexpm"}, - "tzdata": {:hex, :tzdata, "0.5.16", "13424d3afc76c68ff607f2df966c0ab4f3258859bbe3c979c9ed1606135e7352", [:mix], [{:hackney, "~> 1.0", [hex: :hackney, repo: "hexpm", optional: false]}], "hexpm"}, + "tzdata": {:hex, :tzdata, "0.5.17", "50793e3d85af49736701da1a040c415c97dc1caf6464112fd9bd18f425d3053b", [:mix], [{:hackney, "~> 1.0", [hex: :hackney, repo: "hexpm", optional: false]}], "hexpm"}, "unicode_util_compat": {:hex, :unicode_util_compat, "0.3.1", "a1f612a7b512638634a603c8f401892afbf99b8ce93a45041f8aaca99cadb85e", [:rebar3], [], "hexpm"}, "unsafe": {:hex, :unsafe, "1.0.0", "7c21742cd05380c7875546b023481d3a26f52df8e5dfedcb9f958f322baae305", [:mix], [], "hexpm"}, } diff --git a/priv/repo/migrations/20180612110515_create_user_invite_tokens.exs b/priv/repo/migrations/20180612110515_create_user_invite_tokens.exs new file mode 100644 index 000000000..d0a1cf784 --- /dev/null +++ b/priv/repo/migrations/20180612110515_create_user_invite_tokens.exs @@ -0,0 +1,12 @@ +defmodule Pleroma.Repo.Migrations.CreateUserInviteTokens do + use Ecto.Migration + + def change do + create table(:user_invite_tokens) do + add :token, :string + add :used, :boolean, default: false + + timestamps() + end + end +end diff --git a/priv/static/index.html b/priv/static/index.html index 380dd1687..416252d13 100644 --- a/priv/static/index.html +++ b/priv/static/index.html @@ -1 +1 @@ -Pleroma
\ No newline at end of file +Pleroma
\ No newline at end of file diff --git a/priv/static/packs/about.js b/priv/static/packs/about.js index 0a386cbba..6bb569c92 100644 --- a/priv/static/packs/about.js +++ b/priv/static/packs/about.js @@ -1,2 +1,2 @@ -webpackJsonp([28],{149:function(t,e,n){"use strict";n.d(e,"a",function(){return v});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),h=n.n(d),f=n(0),p=n.n(f),m=n(6),v=(r=o=function(t){function e(){return c()(this,e),u()(this,t.apply(this,arguments))}return h()(e,t),e.prototype.render=function(){var t=this.props,e=t.disabled,n=t.visible;return a()("button",{className:"load-more",disabled:e||!n,style:{visibility:n?"visible":"hidden"},onClick:this.props.onClick},void 0,a()(m.b,{id:"status.load_more",defaultMessage:"Load more"}))},e}(p.a.PureComponent),o.defaultProps={visible:!0},r)},283:function(t,e,n){"use strict";function o(t){return function(e){e({type:i,account:t}),e(Object(r.d)("MUTE"))}}e.a=o;var r=(n(14),n(22),n(15),n(26)),i="MUTES_INIT_MODAL"},285:function(t,e,n){"use strict";function o(t,e){return function(n){n({type:i,account:t,status:e}),n(Object(r.d)("REPORT"))}}e.a=o;var r=(n(14),n(26)),i="REPORT_INIT"},286:function(t,e,n){"use strict";var o=n(2),r=n.n(o),i=n(0),a=(n.n(i),n(9)),s=n(152),c=n(67),l=n(18),u=n(68),d=n(22),h=n(92),f=n(283),p=n(285),m=n(26),v=n(6),g=n(12),y=(n(36),Object(v.f)({deleteConfirm:{id:"confirmations.delete.confirm",defaultMessage:"Delete"},deleteMessage:{id:"confirmations.delete.message",defaultMessage:"Are you sure you want to delete this status?"},blockConfirm:{id:"confirmations.block.confirm",defaultMessage:"Block"}})),b=function(){var t=Object(c.e)();return function(e,n){return{status:t(e,n.id)}}},O=function(t,e){var n=e.intl;return{onReply:function(e,n){t(Object(l.T)(e,n))},onModalReblog:function(e){t(Object(u.l)(e))},onReblog:function(e,n){e.get("reblogged")?t(Object(u.n)(e)):n.shiftKey||!g.b?this.onModalReblog(e):t(Object(m.d)("BOOST",{status:e,onReblog:this.onModalReblog}))},onFavourite:function(e){t(e.get("favourited")?Object(u.m)(e):Object(u.i)(e))},onDelete:function(e){t(g.e?Object(m.d)("CONFIRM",{message:n.formatMessage(y.deleteMessage),confirm:n.formatMessage(y.deleteConfirm),onConfirm:function(){return t(Object(h.f)(e.get("id")))}}):Object(h.f)(e.get("id")))},onDirect:function(e,n){t(Object(l.N)(e,n))},onMention:function(e,n){t(Object(l.R)(e,n))},onOpenMedia:function(e,n){t(Object(m.d)("MEDIA",{media:e,index:n}))},onOpenVideo:function(e,n){t(Object(m.d)("VIDEO",{media:e,time:n}))},onBlock:function(e){t(Object(m.d)("CONFIRM",{message:r()(v.b,{id:"confirmations.block.message",defaultMessage:"Are you sure you want to block {name}?",values:{name:r()("strong",{},void 0,"@",e.get("acct"))}}),confirm:n.formatMessage(y.blockConfirm),onConfirm:function(){return t(Object(d.q)(e.get("id")))}}))},onReport:function(e){t(Object(p.a)(e.get("account"),e))},onMute:function(e){t(Object(f.a)(e))},onMuteConversation:function(e){t(e.get("muted")?Object(h.k)(e.get("id")):Object(h.i)(e.get("id")))},onToggleHidden:function(e){t(e.get("hidden")?Object(h.j)(e.get("id")):Object(h.h)(e.get("id")))}}};e.a=Object(v.g)(Object(a.connect)(b,O)(s.a))},288:function(t,e,n){"use strict";n.d(e,"a",function(){return w});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),h=n.n(d),f=n(94),p=n.n(f),m=n(0),v=n.n(m),g=n(151),y=n(5),b=n.n(y),O=n(289),M=n(149),j=n(294),_=n(8),k=(n.n(_),n(10)),C=n.n(k),I=n(153),w=(r=o=function(t){function e(){var n,o,r;c()(this,e);for(var i=arguments.length,a=Array(i),s=0;si&&o.props.onLoadMore&&!o.props.isLoading&&o.props.onLoadMore(),e<100&&o.props.onScrollToTop?o.props.onScrollToTop():o.props.onScroll&&o.props.onScroll()}},150,{trailing:!0}),o.handleMouseMove=p()(function(){o._lastMouseMove=new Date},300),o.handleMouseLeave=function(){o._lastMouseMove=null},o.onFullScreenChange=function(){o.setState({fullscreen:Object(I.d)()})},o.setRef=function(t){o.node=t},o.handleLoadMore=function(t){t.preventDefault(),o.props.onLoadMore()},r=n,u()(o,r)}return h()(e,t),e.prototype.componentDidMount=function(){this.attachScrollListener(),this.attachIntersectionObserver(),Object(I.a)(this.onFullScreenChange),this.handleScroll()},e.prototype.componentDidUpdate=function(t){if(v.a.Children.count(t.children)>0&&v.a.Children.count(t.children)0){var e=this.node.scrollHeight-this._oldScrollPosition;this.node.scrollTop!==e&&(this.node.scrollTop=e)}else this._oldScrollPosition=this.node.scrollHeight-this.node.scrollTop},e.prototype.componentWillUnmount=function(){this.detachScrollListener(),this.detachIntersectionObserver(),Object(I.b)(this.onFullScreenChange)},e.prototype.attachIntersectionObserver=function(){this.intersectionObserverWrapper.connect({root:this.node,rootMargin:"300% 0px"})},e.prototype.detachIntersectionObserver=function(){this.intersectionObserverWrapper.disconnect()},e.prototype.attachScrollListener=function(){this.node.addEventListener("scroll",this.handleScroll)},e.prototype.detachScrollListener=function(){this.node.removeEventListener("scroll",this.handleScroll)},e.prototype.getFirstChildKey=function(t){var e=t.children,n=e;return e instanceof _.List?n=e.get(0):Array.isArray(e)&&(n=e[0]),n&&n.key},e.prototype._recentlyMoved=function(){return null!==this._lastMouseMove&&new Date-this._lastMouseMove<600},e.prototype.render=function(){var t=this,e=this.props,n=e.children,o=e.scrollKey,r=e.trackScroll,i=e.shouldUpdateScroll,s=e.isLoading,c=e.hasMore,l=e.prepend,u=e.emptyMessage,d=e.onLoadMore,h=this.state.fullscreen,f=v.a.Children.count(n),p=c&&f>0&&d?a()(M.a,{visible:!s,onClick:this.handleLoadMore}):null,m=null;return m=s||f>0||!u?v.a.createElement("div",{className:C()("scrollable",{fullscreen:h}),ref:this.setRef,onMouseMove:this.handleMouseMove,onMouseLeave:this.handleMouseLeave},a()("div",{role:"feed",className:"item-list"},void 0,l,v.a.Children.map(this.props.children,function(e,n){return a()(O.a,{id:e.key,index:n,listLength:f,intersectionObserverWrapper:t.intersectionObserverWrapper,saveHeightKey:r?t.context.router.route.location.key+":"+o:null},e.key,e)}),p)):v.a.createElement("div",{className:"empty-column-indicator",ref:this.setRef},u),r?a()(g.a,{scrollKey:o,shouldUpdateScroll:i},void 0,m):m},e}(m.PureComponent),o.contextTypes={router:b.a.object},o.defaultProps={trackScroll:!0},r)},289:function(t,e,n){"use strict";var o=n(9),r=n(290),i=n(95),a=function(t,e){return{cachedHeight:t.getIn(["height_cache",e.saveHeightKey,e.id])}},s=function(t){return{onHeightChange:function(e,n,o){t(Object(i.d)(e,n,o))}}};e.a=Object(o.connect)(a,s)(r.a)},290:function(t,e,n){"use strict";n.d(e,"a",function(){return v});var o=n(1),r=n.n(o),i=n(3),a=n.n(i),s=n(4),c=n.n(s),l=n(0),u=n.n(l),d=n(291),h=n(293),f=n(8),p=(n.n(f),["id","index","listLength"]),m=["id","index","listLength","cachedHeight"],v=function(t){function e(){var n,o,i;r()(this,e);for(var s=arguments.length,c=Array(s),l=0;l0;)s.shift()();s.length?requestIdleCallback(o):c=!1}function r(t){s.push(t),c||(c=!0,requestIdleCallback(o))}var i=n(292),a=n.n(i),s=new a.a,c=!1;e.a=r},292:function(t,e,n){"use strict";function o(){this.length=0}o.prototype.push=function(t){var e={item:t};this.last?this.last=this.last.next=e:this.last=this.first=e,this.length++},o.prototype.shift=function(){var t=this.first;if(t)return this.first=t.next,--this.length||(this.last=void 0),t.item},o.prototype.slice=function(t,e){t=void 0===t?0:t,e=void 0===e?1/0:e;for(var n=[],o=0,r=this.first;r&&!(--e<0);r=r.next)++o>t&&n.push(r.item);return n},t.exports=o},293:function(t,e,n){"use strict";function o(t){if("boolean"!=typeof r){var e=t.target.getBoundingClientRect(),n=t.boundingClientRect;r=e.height!==n.height||e.top!==n.top||e.width!==n.width||e.bottom!==n.bottom||e.left!==n.left||e.right!==n.right}return r?t.target.getBoundingClientRect():t.boundingClientRect}var r=void 0;e.a=o},294:function(t,e,n){"use strict";var o=n(1),r=n.n(o),i=function(){function t(){r()(this,t),this.callbacks={},this.observerBacklog=[],this.observer=null}return t.prototype.connect=function(t){var e=this,n=function(t){t.forEach(function(t){var n=t.target.getAttribute("data-id");e.callbacks[n]&&e.callbacks[n](t)})};this.observer=new IntersectionObserver(n,t),this.observerBacklog.forEach(function(t){var n=t[0],o=t[1],r=t[2];e.observe(n,o,r)}),this.observerBacklog=null},t.prototype.observe=function(t,e,n){this.observer?(this.callbacks[t]=n,this.observer.observe(e)):this.observerBacklog.push([t,e,n])},t.prototype.unobserve=function(t,e){this.observer&&(delete this.callbacks[t],this.observer.unobserve(e))},t.prototype.disconnect=function(){this.observer&&(this.callbacks={},this.observer.disconnect(),this.observer=null)},t}();e.a=i},295:function(t,e,n){"use strict";n.d(e,"a",function(){return N});var o,r,i,a,s=n(29),c=n.n(s),l=n(30),u=n.n(l),d=n(2),h=n.n(d),f=n(1),p=n.n(f),m=n(3),v=n.n(m),g=n(4),y=n.n(g),b=n(34),O=n.n(b),M=n(0),j=n.n(M),_=n(13),k=n.n(_),C=n(5),I=n.n(C),w=n(286),x=n(11),T=n.n(x),L=n(149),S=n(288),P=n(6),R=(r=o=function(t){function e(){var n,o,r;p()(this,e);for(var i=arguments.length,a=Array(i),s=0;s0?n.map(function(e,r){return null===e?h()(R,{disabled:i,maxId:r>0?n.get(r-1):null,onClick:o},"gap:"+n.get(r+1)):h()(w.a,{id:e,onMoveUp:t.handleMoveUp,onMoveDown:t.handleMoveDown},e)}):null;return j.a.createElement(S.a,c()({},r,{onLoadMore:o&&this.handleLoadOlder,ref:this.setRef}),a)},e}(T.a),i.propTypes={scrollKey:I.a.string.isRequired,statusIds:k.a.list.isRequired,onLoadMore:I.a.func,onScrollToTop:I.a.func,onScroll:I.a.func,trackScroll:I.a.bool,shouldUpdateScroll:I.a.func,isLoading:I.a.bool,isPartial:I.a.bool,hasMore:I.a.bool,prepend:I.a.node,emptyMessage:I.a.node},i.defaultProps={trackScroll:!0},a)},340:function(t,e,n){"use strict";function o(){var t=n(341).default,e=n(0),o=n(20),r=document.getElementById("mastodon-timeline");if(null!==r){var i=JSON.parse(r.getAttribute("data-props"));o.render(e.createElement(t,i),r)}}function r(){(0,n(90).default)(o)}Object.defineProperty(e,"__esModule",{value:!0});var i=n(76);Object(i.a)().then(r).catch(function(t){console.error(t)})},341:function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),n.d(e,"default",function(){return x});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),h=n.n(d),f=n(0),p=n.n(f),m=n(9),v=n(122),g=n(33),y=n(6),b=n(7),O=n(486),M=n(656),j=n(657),_=n(12),k=Object(b.getLocale)(),C=k.localeData,I=k.messages;Object(y.e)(C);var w=Object(v.a)();_.d&&w.dispatch(Object(g.b)(_.d));var x=(r=o=function(t){function e(){return c()(this,e),u()(this,t.apply(this,arguments))}return h()(e,t),e.prototype.render=function(){var t=this.props,e=t.locale,n=t.hashtag,o=t.showPublicTimeline,r=void 0;return r=n?a()(j.a,{hashtag:n}):o?a()(O.a,{}):a()(M.a,{}),a()(y.d,{locale:e,messages:I},void 0,a()(m.Provider,{store:w},void 0,r))},e}(p.a.PureComponent),o.defaultProps={showPublicTimeline:_.d.settings.known_fediverse},r)},486:function(t,e,n){"use strict";n.d(e,"a",function(){return _});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),h=n.n(d),f=n(0),p=n.n(f),m=n(9),v=n(93),g=n(19),y=n(70),b=n(69),O=n(6),M=n(71),j=Object(O.f)({title:{id:"standalone.public_title",defaultMessage:"A look inside..."}}),_=(o=Object(m.connect)())(r=Object(O.g)(r=function(t){function e(){var n,o,r;c()(this,e);for(var i=arguments.length,a=Array(i),s=0;s0&&void 0!==arguments[0]?arguments[0]:[];(Array.isArray(t)?t:[t]).forEach(function(t){t&&t.locale&&(S.a.__addLocaleData(t),R.a.__addLocaleData(t))})}function r(t){for(var e=(t||"").split("-");e.length>0;){if(i(e.join("-")))return!0;e.pop()}return!1}function i(t){var e=t&&t.toLowerCase();return!(!S.a.__localeData__[e]||!R.a.__localeData__[e])}function a(t){return(""+t).replace(Ot,function(t){return bt[t]})}function s(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return e.reduce(function(e,o){return t.hasOwnProperty(o)?e[o]=t[o]:n.hasOwnProperty(o)&&(e[o]=n[o]),e},{})}function c(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.intl;H()(e,"[React Intl] Could not find required `intl` object. needs to exist in the component ancestry.")}function l(t,e){if(t===e)return!0;if("object"!==(void 0===t?"undefined":K(t))||null===t||"object"!==(void 0===e?"undefined":K(e))||null===e)return!1;var n=Object.keys(t),o=Object.keys(e);if(n.length!==o.length)return!1;for(var r=Object.prototype.hasOwnProperty.bind(e),i=0;i3&&void 0!==arguments[3]?arguments[3]:{},u=a.intl,d=void 0===u?{}:u,h=c.intl,f=void 0===h?{}:h;return!l(e,o)||!l(n,r)||!(f===d||l(s(f,yt),s(d,yt)))}function d(t){return t.displayName||t.name||"Component"}function h(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=e.intlPropName,o=void 0===n?"intl":n,r=e.withRef,i=void 0!==r&&r,a=function(e){function n(t,e){B(this,n);var o=Y(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,t,e));return c(e),o}return Z(n,e),z(n,[{key:"getWrappedInstance",value:function(){return H()(i,"[React Intl] To access the wrapped instance, the `{withRef: true}` option must be set when calling: `injectIntl()`"),this.refs.wrappedInstance}},{key:"render",value:function(){return E.a.createElement(t,J({},this.props,V({},o,this.context.intl),{ref:i?"wrappedInstance":null}))}}]),n}(F.Component);return a.displayName="InjectIntl("+d(t)+")",a.contextTypes={intl:ft},a.WrappedComponent=t,a}function f(t){return t}function p(t){return S.a.prototype._resolveLocale(t)}function m(t){return S.a.prototype._findPluralRuleFunction(t)}function v(t){var e=R.a.thresholds;e.second=t.second,e.minute=t.minute,e.hour=t.hour,e.day=t.day,e.month=t.month}function g(t,e,n){var o=t&&t[e]&&t[e][n];if(o)return o}function y(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=new Date(n),l=a&&g(i,"date",a),u=s(o,jt,l);try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function b(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=new Date(n),l=a&&g(i,"time",a),u=s(o,jt,l);u.hour||u.minute||u.second||(u=J({},u,{hour:"numeric",minute:"numeric"}));try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function O(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=new Date(n),l=new Date(o.now),u=a&&g(i,"relative",a),d=s(o,kt,u),h=J({},R.a.thresholds);v(It);try{return e.getRelativeFormat(r,d).format(c,{now:isFinite(l)?l:e.now()})}catch(t){}finally{v(h)}return String(c)}function M(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=a&&g(i,"number",a),l=s(o,_t,c);try{return e.getNumberFormat(r,l).format(n)}catch(t){}return String(n)}function j(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=s(o,Ct);try{return e.getPluralFormat(r,i).format(n)}catch(t){}return"other"}function _(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=t.messages,s=t.defaultLocale,c=t.defaultFormats,l=n.id,u=n.defaultMessage;H()(l,"[React Intl] An `id` must be provided to format a message.");var d=a&&a[l];if(!(Object.keys(o).length>0))return d||u||l;var h=void 0;if(d)try{h=e.getMessageFormat(d,r,i).format(o)}catch(t){}if(!h&&u)try{h=e.getMessageFormat(u,s,c).format(o)}catch(t){}return h||d||u||l}function k(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};return _(t,e,n,Object.keys(o).reduce(function(t,e){var n=o[e];return t[e]="string"==typeof n?a(n):n,t},{}))}function C(t){var e=Math.abs(t);return e=0||Object.prototype.hasOwnProperty.call(t,o)&&(n[o]=t[o]);return n},Y=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e},Q=function(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e":">","<":"<",'"':""","'":"'"},Ot=/[&><"']/g,Mt=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};B(this,t);var o="ordinal"===n.style,r=m(p(e));this.format=function(t){return r(t,o)}},jt=Object.keys(pt),_t=Object.keys(mt),kt=Object.keys(vt),Ct=Object.keys(gt),It={second:60,minute:60,hour:24,day:30,month:12},wt=Object.freeze({formatDate:y,formatTime:b,formatRelative:O,formatNumber:M,formatPlural:j,formatMessage:_,formatHTMLMessage:k}),xt=Object.keys(dt),Tt=Object.keys(ht),Lt={formats:{},messages:{},textComponent:"span",defaultLocale:"en",defaultFormats:{}},St=function(t){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};B(this,e);var o=Y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));H()("undefined"!=typeof Intl,"[React Intl] The `Intl` APIs must be available in the runtime, and do not appear to be built-in. An `Intl` polyfill should be loaded.\nSee: http://formatjs.io/guides/runtime-environments/");var r=n.intl,i=void 0;i=isFinite(t.initialNow)?Number(t.initialNow):r?r.now():Date.now();var a=r||{},s=a.formatters,c=void 0===s?{getDateTimeFormat:W()(Intl.DateTimeFormat),getNumberFormat:W()(Intl.NumberFormat),getMessageFormat:W()(S.a),getRelativeFormat:W()(R.a),getPluralFormat:W()(Mt)}:s;return o.state=J({},c,{now:function(){return o._didDisplay?Date.now():i}}),o}return Z(e,t),z(e,[{key:"getConfig",value:function(){var t=this.context.intl,e=s(this.props,xt,t);for(var n in Lt)void 0===e[n]&&(e[n]=Lt[n]);if(!r(e.locale)){var o=e,i=(o.locale,o.defaultLocale),a=o.defaultFormats;e=J({},e,{locale:i,formats:a,messages:Lt.messages})}return e}},{key:"getBoundFormatFns",value:function(t,e){return Tt.reduce(function(n,o){return n[o]=wt[o].bind(null,t,e),n},{})}},{key:"getChildContext",value:function(){var t=this.getConfig(),e=this.getBoundFormatFns(t,this.state),n=this.state,o=n.now,r=G(n,["now"]);return{intl:J({},t,e,{formatters:r,now:o})}}},{key:"shouldComponentUpdate",value:function(){for(var t=arguments.length,e=Array(t),n=0;n1?o-1:0),i=1;i0){var p=Math.floor(1099511627776*Math.random()).toString(16),m=function(){var t=0;return function(){return"ELEMENT-"+p+"-"+(t+=1)}}();d="@__"+p+"__@",h={},f={},Object.keys(s).forEach(function(t){var e=s[t];if(Object(F.isValidElement)(e)){var n=m();h[t]=d+n+d,f[n]=e}else h[t]=e})}var v={id:r,description:i,defaultMessage:a},g=e(v,h||s),y=void 0;return y=f&&Object.keys(f).length>0?g.split(d).filter(function(t){return!!t}).map(function(t){return f[t]||t}):[g],"function"==typeof u?u.apply(void 0,Q(y)):F.createElement.apply(void 0,[l,null].concat(Q(y)))}}]),e}(F.Component);qt.displayName="FormattedMessage",qt.contextTypes={intl:ft},qt.defaultProps={values:{}};var Kt=function(t){function e(t,n){B(this,e);var o=Y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return c(n),o}return Z(e,t),z(e,[{key:"shouldComponentUpdate",value:function(t){var e=this.props.values;if(!l(t.values,e))return!0;for(var n=J({},t,{values:e}),o=arguments.length,r=Array(o>1?o-1:0),i=1;i1&&void 0!==arguments[1]&&arguments[1];t(g.d?Object(m.d)("CONFIRM",{message:n.formatMessage(o?b.redraftMessage:b.deleteMessage),confirm:n.formatMessage(o?b.redraftConfirm:b.deleteConfirm),onConfirm:function(){return t(Object(f.g)(e.get("id"),o))}}):Object(f.g)(e.get("id"),o))},onDirect:function(e,n){t(Object(l.N)(e,n))},onMention:function(e,n){t(Object(l.R)(e,n))},onOpenMedia:function(e,n){t(Object(m.d)("MEDIA",{media:e,index:n}))},onOpenVideo:function(e,n){t(Object(m.d)("VIDEO",{media:e,time:n}))},onBlock:function(e){t(Object(m.d)("CONFIRM",{message:r()(v.b,{id:"confirmations.block.message",defaultMessage:"Are you sure you want to block {name}?",values:{name:r()("strong",{},void 0,"@",e.get("acct"))}}),confirm:n.formatMessage(b.blockConfirm),onConfirm:function(){return t(Object(d.q)(e.get("id")))}}))},onReport:function(e){t(Object(p.k)(e.get("account"),e))},onMute:function(e){t(Object(h.g)(e))},onMuteConversation:function(e){t(e.get("muted")?Object(f.l)(e.get("id")):Object(f.j)(e.get("id")))},onToggleHidden:function(e){t(e.get("hidden")?Object(f.k)(e.get("id")):Object(f.i)(e.get("id")))}}};e.a=Object(v.g)(Object(a.connect)(O,j)(s.a))},278:function(t,e,n){"use strict";n.d(e,"a",function(){return w});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),f=n.n(d),h=n(93),p=n.n(h),m=n(0),v=n.n(m),g=n(156),y=n(5),b=n.n(y),O=n(279),j=n(275),M=n(284),C=n(8),_=(n.n(C),n(10)),k=n.n(_),I=n(159),w=(r=o=function(t){function e(){var n,o,r;c()(this,e);for(var i=arguments.length,a=Array(i),s=0;st.scrollHeight-e-t.clientHeight&&o.props.onLoadMore&&!o.props.isLoading&&o.props.onLoadMore(),e<100&&o.props.onScrollToTop?o.props.onScrollToTop():o.props.onScroll&&o.props.onScroll()}},150,{trailing:!0}),o.onFullScreenChange=function(){o.setState({fullscreen:Object(I.d)()})},o.setRef=function(t){o.node=t},o.handleLoadMore=function(t){t.preventDefault(),o.props.onLoadMore()},r=n,u()(o,r)}return f()(e,t),e.prototype.componentDidMount=function(){this.attachScrollListener(),this.attachIntersectionObserver(),Object(I.a)(this.onFullScreenChange),this.handleScroll()},e.prototype.getSnapshotBeforeUpdate=function(t){return v.a.Children.count(t.children)>0&&v.a.Children.count(t.children)0?this.node.scrollHeight-this.node.scrollTop:null},e.prototype.componentDidUpdate=function(t,e,n){if(null!==n){var o=this.node.scrollHeight-n;this.node.scrollTop!==o&&(this.node.scrollTop=o)}},e.prototype.componentWillUnmount=function(){this.detachScrollListener(),this.detachIntersectionObserver(),Object(I.b)(this.onFullScreenChange)},e.prototype.attachIntersectionObserver=function(){this.intersectionObserverWrapper.connect({root:this.node,rootMargin:"300% 0px"})},e.prototype.detachIntersectionObserver=function(){this.intersectionObserverWrapper.disconnect()},e.prototype.attachScrollListener=function(){this.node.addEventListener("scroll",this.handleScroll)},e.prototype.detachScrollListener=function(){this.node.removeEventListener("scroll",this.handleScroll)},e.prototype.getFirstChildKey=function(t){var e=t.children,n=e;return e instanceof C.List?n=e.get(0):Array.isArray(e)&&(n=e[0]),n&&n.key},e.prototype.render=function(){var t=this,e=this.props,n=e.children,o=e.scrollKey,r=e.trackScroll,i=e.shouldUpdateScroll,s=e.isLoading,c=e.hasMore,l=e.prepend,u=e.alwaysPrepend,d=e.emptyMessage,f=e.onLoadMore,h=this.state.fullscreen,p=v.a.Children.count(n),m=c&&p>0&&f?a()(j.a,{visible:!s,onClick:this.handleLoadMore}):null,y=null;return y=s||p>0||!d?v.a.createElement("div",{className:k()("scrollable",{fullscreen:h}),ref:this.setRef},a()("div",{role:"feed",className:"item-list"},void 0,l,v.a.Children.map(this.props.children,function(e,n){return a()(O.a,{id:e.key,index:n,listLength:p,intersectionObserverWrapper:t.intersectionObserverWrapper,saveHeightKey:r?t.context.router.route.location.key+":"+o:null},e.key,e)}),m)):a()("div",{style:{flex:"1 1 auto",display:"flex",flexDirection:"column"}},void 0,u&&l,v.a.createElement("div",{className:"empty-column-indicator",ref:this.setRef},d)),r?a()(g.a,{scrollKey:o,shouldUpdateScroll:i},void 0,y):y},e}(m.PureComponent),o.contextTypes={router:b.a.object},o.defaultProps={trackScroll:!0},r)},279:function(t,e,n){"use strict";var o=n(9),r=n(280),i=n(94),a=function(t,e){return{cachedHeight:t.getIn(["height_cache",e.saveHeightKey,e.id])}},s=function(t){return{onHeightChange:function(e,n,o){t(Object(i.d)(e,n,o))}}};e.a=Object(o.connect)(a,s)(r.a)},280:function(t,e,n){"use strict";n.d(e,"a",function(){return v});var o=n(1),r=n.n(o),i=n(3),a=n.n(i),s=n(4),c=n.n(s),l=n(0),u=n.n(l),d=n(281),f=n(283),h=n(8),p=(n.n(h),["id","index","listLength"]),m=["id","index","listLength","cachedHeight"],v=function(t){function e(){var n,o,i;r()(this,e);for(var s=arguments.length,c=Array(s),l=0;l0;)s.shift()();s.length?requestIdleCallback(o):c=!1}function r(t){s.push(t),c||(c=!0,requestIdleCallback(o))}var i=n(282),a=n.n(i),s=new a.a,c=!1;e.a=r},282:function(t,e,n){"use strict";function o(){this.length=0}o.prototype.push=function(t){var e={item:t};this.last?this.last=this.last.next=e:this.last=this.first=e,this.length++},o.prototype.shift=function(){var t=this.first;if(t)return this.first=t.next,--this.length||(this.last=void 0),t.item},o.prototype.slice=function(t,e){t=void 0===t?0:t,e=void 0===e?1/0:e;for(var n=[],o=0,r=this.first;r&&!(--e<0);r=r.next)++o>t&&n.push(r.item);return n},t.exports=o},283:function(t,e,n){"use strict";function o(t){if("boolean"!=typeof r){var e=t.target.getBoundingClientRect(),n=t.boundingClientRect;r=e.height!==n.height||e.top!==n.top||e.width!==n.width||e.bottom!==n.bottom||e.left!==n.left||e.right!==n.right}return r?t.target.getBoundingClientRect():t.boundingClientRect}var r=void 0;e.a=o},284:function(t,e,n){"use strict";var o=n(1),r=n.n(o),i=function(){function t(){r()(this,t),this.callbacks={},this.observerBacklog=[],this.observer=null}return t.prototype.connect=function(t){var e=this,n=function(t){t.forEach(function(t){var n=t.target.getAttribute("data-id");e.callbacks[n]&&e.callbacks[n](t)})};this.observer=new IntersectionObserver(n,t),this.observerBacklog.forEach(function(t){var n=t[0],o=t[1],r=t[2];e.observe(n,o,r)}),this.observerBacklog=null},t.prototype.observe=function(t,e,n){this.observer?(this.callbacks[t]=n,this.observer.observe(e)):this.observerBacklog.push([t,e,n])},t.prototype.unobserve=function(t,e){this.observer&&(delete this.callbacks[t],this.observer.unobserve(e))},t.prototype.disconnect=function(){this.observer&&(this.callbacks={},this.observer.disconnect(),this.observer=null)},t}();e.a=i},285:function(t,e,n){"use strict";n.d(e,"a",function(){return v});var o,r=n(2),i=n.n(r),a=n(1),s=n.n(a),c=n(3),l=n.n(c),u=n(4),d=n.n(u),f=n(0),h=n.n(f),p=n(7),m=Object(p.f)({load_more:{id:"status.load_more",defaultMessage:"Load more"}}),v=Object(p.g)(o=function(t){function e(){var n,o,r;s()(this,e);for(var i=arguments.length,a=Array(i),c=0;c0?n.map(function(e,o){return null===e?c()(x.a,{disabled:s,maxId:o>0?n.get(o-1):null,onClick:r},"gap:"+n.get(o+1)):c()(k.a,{id:e,onMoveUp:t.handleMoveUp,onMoveDown:t.handleMoveDown},e)}):null;return l&&o&&(l=o.map(function(e){return c()(k.a,{id:e,featured:!0,onMoveUp:t.handleMoveUp,onMoveDown:t.handleMoveDown},"f-"+e)}).concat(l)),O.a.createElement(S.a,a()({},i,{onLoadMore:r&&this.handleLoadOlder,ref:this.setRef}),l)},e}(w.a),o.propTypes={scrollKey:_.a.string.isRequired,statusIds:M.a.list.isRequired,featuredStatusIds:M.a.list,onLoadMore:_.a.func,onScrollToTop:_.a.func,onScroll:_.a.func,trackScroll:_.a.bool,shouldUpdateScroll:_.a.func,isLoading:_.a.bool,isPartial:_.a.bool,hasMore:_.a.bool,prepend:_.a.node,emptyMessage:_.a.node,alwaysPrepend:_.a.bool},o.defaultProps={trackScroll:!0},r)},330:function(t,e,n){"use strict";function o(){var t=n(331).default,e=n(0),o=n(20),r=document.getElementById("mastodon-timeline");if(null!==r){var i=JSON.parse(r.getAttribute("data-props"));o.render(e.createElement(t,i),r)}}function r(){(0,n(89).default)(o)}Object.defineProperty(e,"__esModule",{value:!0});var i=n(77);Object(i.a)().then(r).catch(function(t){console.error(t)})},331:function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),n.d(e,"default",function(){return L});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),f=n.n(d),h=n(0),p=n.n(h),m=n(20),v=n.n(m),g=n(9),y=n(126),b=n(31),O=n(7),j=n(6),M=n(487),C=n(648),_=n(649),k=n(150),I=n(13),w=Object(j.getLocale)(),x=w.localeData,S=w.messages;Object(O.e)(x);var T=Object(y.a)();I.c&&T.dispatch(Object(b.b)(I.c));var L=(r=o=function(t){function e(){return c()(this,e),u()(this,t.apply(this,arguments))}return f()(e,t),e.prototype.render=function(){var t=this.props,e=t.locale,n=t.hashtag,o=t.showPublicTimeline,r=void 0;return r=n?a()(_.a,{hashtag:n}):o?a()(M.a,{}):a()(C.a,{}),a()(O.d,{locale:e,messages:S},void 0,a()(g.Provider,{store:T},void 0,a()(h.Fragment,{},void 0,r,v.a.createPortal(a()(k.a,{}),document.getElementById("modal-container")))))},e}(p.a.PureComponent),o.defaultProps={showPublicTimeline:I.c.settings.known_fediverse},r)},487:function(t,e,n){"use strict";n.d(e,"a",function(){return C});var o,r,i=n(2),a=n.n(i),s=n(1),c=n.n(s),l=n(3),u=n.n(l),d=n(4),f=n.n(d),h=n(0),p=n.n(h),m=n(9),v=n(92),g=n(19),y=n(71),b=n(70),O=n(7),j=n(72),M=Object(O.f)({title:{id:"standalone.public_title",defaultMessage:"A look inside..."}}),C=(o=Object(m.connect)())(r=Object(O.g)(r=function(t){function e(){var n,o,r;c()(this,e);for(var i=arguments.length,a=Array(i),s=0;s0&&void 0!==arguments[0]?arguments[0]:[];(Array.isArray(t)?t:[t]).forEach(function(t){t&&t.locale&&(L.a.__addLocaleData(t),N.a.__addLocaleData(t))})}function r(t){for(var e=(t||"").split("-");e.length>0;){if(i(e.join("-")))return!0;e.pop()}return!1}function i(t){var e=t&&t.toLowerCase();return!(!L.a.__localeData__[e]||!N.a.__localeData__[e])}function a(t){return(""+t).replace(Ot,function(t){return bt[t]})}function s(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return e.reduce(function(e,o){return t.hasOwnProperty(o)?e[o]=t[o]:n.hasOwnProperty(o)&&(e[o]=n[o]),e},{})}function c(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.intl;H()(e,"[React Intl] Could not find required `intl` object. needs to exist in the component ancestry.")}function l(t,e){if(t===e)return!0;if("object"!==(void 0===t?"undefined":K(t))||null===t||"object"!==(void 0===e?"undefined":K(e))||null===e)return!1;var n=Object.keys(t),o=Object.keys(e);if(n.length!==o.length)return!1;for(var r=Object.prototype.hasOwnProperty.bind(e),i=0;i3&&void 0!==arguments[3]?arguments[3]:{},u=a.intl,d=void 0===u?{}:u,f=c.intl,h=void 0===f?{}:f;return!l(e,o)||!l(n,r)||!(h===d||l(s(h,yt),s(d,yt)))}function d(t){return t.displayName||t.name||"Component"}function f(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=e.intlPropName,o=void 0===n?"intl":n,r=e.withRef,i=void 0!==r&&r,a=function(e){function n(t,e){q(this,n);var o=G(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,t,e));return c(e),o}return Y(n,e),z(n,[{key:"getWrappedInstance",value:function(){return H()(i,"[React Intl] To access the wrapped instance, the `{withRef: true}` option must be set when calling: `injectIntl()`"),this.refs.wrappedInstance}},{key:"render",value:function(){return E.a.createElement(t,J({},this.props,V({},o,this.context.intl),{ref:i?"wrappedInstance":null}))}}]),n}(R.Component);return a.displayName="InjectIntl("+d(t)+")",a.contextTypes={intl:ht},a.WrappedComponent=t,a}function h(t){return t}function p(t){return L.a.prototype._resolveLocale(t)}function m(t){return L.a.prototype._findPluralRuleFunction(t)}function v(t){var e=N.a.thresholds;e.second=t.second,e.minute=t.minute,e.hour=t.hour,e.day=t.day,e.month=t.month}function g(t,e,n){var o=t&&t[e]&&t[e][n];if(o)return o}function y(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=new Date(n),l=a&&g(i,"date",a),u=s(o,Mt,l);try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function b(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=new Date(n),l=a&&g(i,"time",a),u=s(o,Mt,l);u.hour||u.minute||u.second||(u=J({},u,{hour:"numeric",minute:"numeric"}));try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function O(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=new Date(n),l=new Date(o.now),u=a&&g(i,"relative",a),d=s(o,_t,u),f=J({},N.a.thresholds);v(It);try{return e.getRelativeFormat(r,d).format(c,{now:isFinite(l)?l:e.now()})}catch(t){}finally{v(f)}return String(c)}function j(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=o.format,c=a&&g(i,"number",a),l=s(o,Ct,c);try{return e.getNumberFormat(r,l).format(n)}catch(t){}return String(n)}function M(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=s(o,kt);try{return e.getPluralFormat(r,i).format(n)}catch(t){}return"other"}function C(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,i=t.formats,a=t.messages,s=t.defaultLocale,c=t.defaultFormats,l=n.id,u=n.defaultMessage;H()(l,"[React Intl] An `id` must be provided to format a message.");var d=a&&a[l];if(!(Object.keys(o).length>0))return d||u||l;var f=void 0;if(d)try{f=e.getMessageFormat(d,r,i).format(o)}catch(t){}if(!f&&u)try{f=e.getMessageFormat(u,s,c).format(o)}catch(t){}return f||d||u||l}function _(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};return C(t,e,n,Object.keys(o).reduce(function(t,e){var n=o[e];return t[e]="string"==typeof n?a(n):n,t},{}))}function k(t){var e=Math.abs(t);return e=0||Object.prototype.hasOwnProperty.call(t,o)&&(n[o]=t[o]);return n},G=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e},Q=function(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e":">","<":"<",'"':""","'":"'"},Ot=/[&><"']/g,jt=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};q(this,t);var o="ordinal"===n.style,r=m(p(e));this.format=function(t){return r(t,o)}},Mt=Object.keys(pt),Ct=Object.keys(mt),_t=Object.keys(vt),kt=Object.keys(gt),It={second:60,minute:60,hour:24,day:30,month:12},wt=Object.freeze({formatDate:y,formatTime:b,formatRelative:O,formatNumber:j,formatPlural:M,formatMessage:C,formatHTMLMessage:_}),xt=Object.keys(dt),St=Object.keys(ft),Tt={formats:{},messages:{},textComponent:"span",defaultLocale:"en",defaultFormats:{}},Lt=function(t){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};q(this,e);var o=G(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));H()("undefined"!=typeof Intl,"[React Intl] The `Intl` APIs must be available in the runtime, and do not appear to be built-in. An `Intl` polyfill should be loaded.\nSee: http://formatjs.io/guides/runtime-environments/");var r=n.intl,i=void 0;i=isFinite(t.initialNow)?Number(t.initialNow):r?r.now():Date.now();var a=r||{},s=a.formatters,c=void 0===s?{getDateTimeFormat:W()(Intl.DateTimeFormat),getNumberFormat:W()(Intl.NumberFormat),getMessageFormat:W()(L.a),getRelativeFormat:W()(N.a),getPluralFormat:W()(jt)}:s;return o.state=J({},c,{now:function(){return o._didDisplay?Date.now():i}}),o}return Y(e,t),z(e,[{key:"getConfig",value:function(){var t=this.context.intl,e=s(this.props,xt,t);for(var n in Tt)void 0===e[n]&&(e[n]=Tt[n]);if(!r(e.locale)){var o=e,i=(o.locale,o.defaultLocale),a=o.defaultFormats;e=J({},e,{locale:i,formats:a,messages:Tt.messages})}return e}},{key:"getBoundFormatFns",value:function(t,e){return St.reduce(function(n,o){return n[o]=wt[o].bind(null,t,e),n},{})}},{key:"getChildContext",value:function(){var t=this.getConfig(),e=this.getBoundFormatFns(t,this.state),n=this.state,o=n.now,r=Z(n,["now"]);return{intl:J({},t,e,{formatters:r,now:o})}}},{key:"shouldComponentUpdate",value:function(){for(var t=arguments.length,e=Array(t),n=0;n1?o-1:0),i=1;i0){var p=Math.floor(1099511627776*Math.random()).toString(16),m=function(){var t=0;return function(){return"ELEMENT-"+p+"-"+(t+=1)}}();d="@__"+p+"__@",f={},h={},Object.keys(s).forEach(function(t){var e=s[t];if(Object(R.isValidElement)(e)){var n=m();f[t]=d+n+d,h[n]=e}else f[t]=e})}var v={id:r,description:i,defaultMessage:a},g=e(v,f||s),y=void 0;return y=h&&Object.keys(h).length>0?g.split(d).filter(function(t){return!!t}).map(function(t){return h[t]||t}):[g],"function"==typeof u?u.apply(void 0,Q(y)):R.createElement.apply(void 0,[l,null].concat(Q(y)))}}]),e}(R.Component);Bt.displayName="FormattedMessage",Bt.contextTypes={intl:ht},Bt.defaultProps={values:{}};var Kt=function(t){function e(t,n){q(this,e);var o=G(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return c(n),o}return Y(e,t),z(e,[{key:"shouldComponentUpdate",value:function(t){var e=this.props.values;if(!l(t.values,e))return!0;for(var n=J({},t,{values:e}),o=arguments.length,r=Array(o>1?o-1:0),i=1;i","<","\"","'","IntlPluralFormat","useOrdinal","pluralFn","freeze","intlConfigPropNames$1","intlFormatPropNames","Intl","intlContext","initialNow","_ref$formatters","DateTimeFormat","NumberFormat","_didDisplay","propName","_config","boundFormatFns","getConfig","getBoundFormatFns","only","childContextTypes","Text","formattedDate","FormattedTime","formattedTime","FormattedRelative","clearTimeout","_timer","updateInterval","unitDelay","unitRemainder","delay","max","setTimeout","scheduleNextUpdate","formattedRelative","formattedNumber","FormattedPlural","pluralCategory","formattedPlural","nextPropsToCheck","description","_props$tagName","tokenDelimiter","tokenizedValues","elements","uid","floor","random","toString","generateToken","counter","token","nodes","filter","part","FormattedHTMLMessage","formattedHTMLMessage","html","__html","dangerouslySetInnerHTML","656","CommunityTimeline","657","HashtagTimeline","__WEBPACK_IMPORTED_MODULE_10__actions_streaming__","93","__WEBPACK_IMPORTED_MODULE_0_lodash_debounce__","__WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default","__WEBPACK_IMPORTED_MODULE_1_react_redux__","__WEBPACK_IMPORTED_MODULE_2__components_status_list__","__WEBPACK_IMPORTED_MODULE_3__actions_timelines__","__WEBPACK_IMPORTED_MODULE_4_immutable__","__WEBPACK_IMPORTED_MODULE_5_reselect__","__WEBPACK_IMPORTED_MODULE_6__initial_state__","makeGetStatusIds","columnSettings","statuses","rawRegex","trim","regex","RegExp","statusForId","showStatus","searchIndex","test","getStatusIds","_ref3","_ref4"],"mappings":"AAAAA,cAAc,KAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOG,IAC9E,IAgBjBC,GAAQC,EAhBaC,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpEE,EAA2ChB,EAAoB,GCbnEE,GDuBLE,EAAQD,EAAS,SAAUc,GAGzC,QAASf,KAGP,MAFAO,KAA6ES,KAAMhB,GAE5ES,IAAwFO,KAAMD,EAAqBE,MAAMD,KAAME,YAoBxI,MAzBAP,KAAuEX,EAAUe,GAQjFf,EAASmB,UCpBTC,ODoB4B,WCpBnB,GAAAC,GACuBL,KAAKM,MAA3BC,EADDF,EACCE,SAAUC,EADXH,EACWG,OAElB,OAAApB,KAAA,UAAAqB,UACoB,YADpBF,SAC0CA,IAAaC,EADvDE,OACyEC,WAAYH,EAAU,UAAY,UAD3GI,QACgIZ,KAAKM,MAAMM,aAD3I,GAAAxB,IAEKU,EAAA,GAFLe,GAEyB,mBAFzBC,eAE2D,gBDgCtD9B,GCjD6Ba,EAAAkB,EAAMC,eDkDoB/B,EC1CvDgC,cACLT,SAAS,GD2CVtB,IAKGgC,IACA,SAAUtC,EAAQC,EAAqBC,GAE7C,YE0BO,SAASqC,GAAcC,GAC5B,MAAO,UAAAC,GACLA,GACEC,KAAMC,EACNH,YAGFC,EAASG,OAAAC,EAAA,GAAU,UFhBU5C,EAAuB,EAAIsC,CAEvC,IAGIM,IAHqC3C,EAAoB,IACfA,EAAoB,IACpBA,EAAoB,IACvBA,EAAoB,KEzEvEyC,EAAmB,oBFmM1BG,IACA,SAAU9C,EAAQC,EAAqBC,GAE7C,YGrMO,SAAS6C,GAAWP,EAASQ,GAClC,MAAO,UAAAP,GACLA,GACEC,KAAMO,EACNT,UACAQ,WAGFP,EAASG,OAAAM,EAAA,GAAU,YHsMUjD,EAAuB,EAAI8C,CASvC,IACIG,IADqChD,EAAoB,IAClBA,EAAoB,KGnOvE+C,EAAgB,eHkUvBE,IACA,SAAUnD,EAAQC,EAAqBC,GAE7C,YACqB,IAAIK,GAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxF6C,EAAsClD,EAAoB,GAE1DmD,GAD8CnD,EAAoBO,EAAE2C,GACxBlD,EAAoB,IAChEoD,EAAmDpD,EAAoB,KACvEqD,EAA2CrD,EAAoB,IAC/DsD,EAAiDtD,EAAoB,IACrEuD,EAAsDvD,EAAoB,IAC1EwD,EAAkDxD,EAAoB,IACtEyD,EAAkDzD,EAAoB,IACtE0D,EAA+C1D,EAAoB,KACnE2D,EAAkD3D,EAAoB,KACtE4D,EAAgD5D,EAAoB,IACpE6D,EAA4C7D,EAAoB,GAChE8D,EAAgD9D,EAAoB,II1TvF+D,GJ2ToE/D,EAAoB,II3T7E0C,OAAAmB,EAAA,IACfG,eAAAjC,GAAA,+BAAAC,eAAA,UACAiC,eAAAlC,GAAA,+BAAAC,eAAA,gDACAkC,cAAAnC,GAAA,8BAAAC,eAAA,YAGImC,EAAsB,WAC1B,GAAMC,GAAY1B,OAAAW,EAAA,IAMlB,OAJwB,UAACgB,EAAO7C,GAAR,OACtBsB,OAAQsB,EAAUC,EAAO7C,EAAMO,OAM7BuC,EAAqB,SAAC/B,EAADgC,GAAA,GAAaC,GAAbD,EAAaC,IAAb,QAEzBC,QAFkD,SAEzC3B,EAAQ4B,GACfnC,EAASG,OAAAY,EAAA,GAAaR,EAAQ4B,KAGhCC,cANkD,SAMnC7B,GACbP,EAASG,OAAAa,EAAA,GAAOT,KAGlB8B,SAVkD,SAUxC9B,EAAQ+B,GACZ/B,EAAOgC,IAAI,aACbvC,EAASG,OAAAa,EAAA,GAAST,IAEd+B,EAAEE,WAAajB,EAAA,EACjB5C,KAAKyD,cAAc7B,GAEnBP,EAASG,OAAAkB,EAAA,GAAU,SAAWd,SAAQ8B,SAAU1D,KAAKyD,kBAK3DK,YAtBkD,SAsBrClC,GAETP,EADEO,EAAOgC,IAAI,cACJpC,OAAAa,EAAA,GAAYT,GAEZJ,OAAAa,EAAA,GAAUT,KAIvBmC,SA9BkD,SA8BxCnC,GAINP,EAHGuB,EAAA,EAGMpB,OAAAkB,EAAA,GAAU,WACjBsB,QAASV,EAAKW,cAAcpB,EAASE,eACrCmB,QAASZ,EAAKW,cAAcpB,EAASC,eACrCqB,UAAW,iBAAM9C,GAASG,OAAAe,EAAA,GAAaX,EAAOgC,IAAI,WAL3CpC,OAAAe,EAAA,GAAaX,EAAOgC,IAAI,SAUrCQ,SA1CkD,SA0CxChD,EAASoC,GACjBnC,EAASG,OAAAY,EAAA,GAAchB,EAASoC,KAGlCa,UA9CkD,SA8CvCjD,EAASoC,GAClBnC,EAASG,OAAAY,EAAA,GAAehB,EAASoC,KAGnCc,YAlDkD,SAkDrCC,EAAOC,GAClBnD,EAASG,OAAAkB,EAAA,GAAU,SAAW6B,QAAOC,YAGvCC,YAtDkD,SAsDrCF,EAAOG,GAClBrD,EAASG,OAAAkB,EAAA,GAAU,SAAW6B,QAAOG,WAGvCC,QA1DkD,SA0DzCvD,GACPC,EAASG,OAAAkB,EAAA,GAAU,WACjBsB,QAAA5E,IAAUuD,EAAA,GAAV9B,GAA8B,8BAA9BC,eAA2E,yCAA3E8D,QAA8HC,KAAAzF,IAAAyF,uBAAgBzD,EAAQwC,IAAI,YAC1JM,QAASZ,EAAKW,cAAcpB,EAASG,cACrCmB,UAAW,iBAAM9C,GAASG,OAAAc,EAAA,GAAalB,EAAQwC,IAAI,aAIvDkB,SAlEkD,SAkExClD,GACRP,EAASG,OAAAiB,EAAA,GAAWb,EAAOgC,IAAI,WAAYhC,KAG7CmD,OAtEkD,SAsE1C3D,GACNC,EAASG,OAAAgB,EAAA,GAAcpB,KAGzB4D,mBA1EkD,SA0E9BpD,GAEhBP,EADEO,EAAOgC,IAAI,SACJpC,OAAAe,EAAA,GAAaX,EAAOgC,IAAI,OAExBpC,OAAAe,EAAA,GAAWX,EAAOgC,IAAI,SAInCqB,eAlFkD,SAkFlCrD,GAEZP,EADEO,EAAOgC,IAAI,UACJpC,OAAAe,EAAA,GAAaX,EAAOgC,IAAI,OAExBpC,OAAAe,EAAA,GAAWX,EAAOgC,IAAI,UAMrC/E,GAAA,EAAe2C,OAAAmB,EAAA,GAAWnB,OAAAS,EAAA,SAAQgB,EAAqBG,GAAoBlB,EAAA,KJuVrEgD,IACA,SAAUtG,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOsG,IAC9E,IA6BjBlG,GAAQmG,EA7BajG,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7F2F,EAAgDvG,EAAoB,IACpEwG,EAAwDxG,EAAoBO,EAAEgG,GAC9EE,EAAsCzG,EAAoB,GAC1D0G,EAA8C1G,EAAoBO,EAAEkG,GACpEE,EAAsD3G,EAAoB,KAC1E4G,EAA2C5G,EAAoB,GAC/D6G,EAAmD7G,EAAoBO,EAAEqG,GACzEE,EAAoF9G,EAAoB,KACxG+G,EAA2C/G,EAAoB,KAC/DgH,EAAiFhH,EAAoB,KACrGiH,EAA2CjH,EAAoB,GAE/DkH,GADmDlH,EAAoBO,EAAE0G,GAC7BjH,EAAoB,KAChEmH,EAAoDnH,EAAoBO,EAAE2G,GAC1EE,EAA8DpH,EAAoB,KKjftFqG,GLqgBCC,EAASnG,EAAS,SAAUkH,GAGhD,QAAShB,KACP,GAAIjG,GAAOkH,EAAOC,CAElB9G,KAA6ES,KAAMmF,EAEnF,KAAK,GAAImB,GAAOpG,UAAUqG,OAAQC,EAAOC,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EF,EAAKE,GAAQxG,UAAUwG,EAGzB,OAAexH,GAASkH,EAAQ3G,IAAwFO,KAAMmG,EAAeQ,KAAK1G,MAAMkG,GAAiBnG,MAAM4G,OAAOJ,KAAiBJ,EKzfzMjD,OACE0D,cAAe,ML0fZT,EKvfLU,4BAA8B,GAAIhB,GAAA,ELufgHM,EKrflJW,aAAezB,IAAS,WACtB,GAAIc,EAAKY,KAAM,IAAAC,GACqCb,EAAKY,KAA/CE,EADKD,EACLC,UAAWC,EADNF,EACME,aAAcC,EADpBH,EACoBG,aAC3BC,EAASF,EAAeD,EAAYE,CAC1ChB,GAAKkB,mBAAqBH,EAAeD,EAErC,IAAMG,GAAUjB,EAAK9F,MAAMiH,aAAenB,EAAK9F,MAAMkH,WACvDpB,EAAK9F,MAAMiH,aAGTL,EAAY,KAAOd,EAAK9F,MAAMmH,cAChCrB,EAAK9F,MAAMmH,gBACFrB,EAAK9F,MAAMoH,UACpBtB,EAAK9F,MAAMoH,aAGd,KACDC,UAAU,IL0fNvB,EKvfNwB,gBAAkBtC,IAAS,WACzBc,EAAKyB,eAAiB,GAAIC,OACzB,KLufQ1B,EKrfX2B,iBAAmB,WACjB3B,EAAKyB,eAAiB,MLsfnBzB,EKldL4B,mBAAqB,WACnB5B,EAAK6B,UAAWC,WAAY1G,OAAA0E,EAAA,QLmdzBE,EKlbL+B,OAAS,SAACC,GACRhC,EAAKY,KAAOoB,GLmbThC,EKhbLiC,eAAiB,SAAC1E,GAChBA,EAAE2E,iBACFlC,EAAK9F,MAAMiH,cL8YJlB,EAmCJnH,EAAQO,IAAwF2G,EAAOC,GA+H5G,MA7KA1G,KAAuEwF,EAAgBgB,GAiDvFhB,EAAehF,UK7ffoI,kBL6f6C,WK5f3CvI,KAAKwI,uBACLxI,KAAKyI,6BACLjH,OAAA0E,EAAA,GAAyBlG,KAAKgI,oBAG9BhI,KAAK+G,gBLggBP5B,EAAehF,UK7ffuI,mBL6f8C,SK7f1BC,GAOlB,GANyBnD,EAAAzE,EAAM6H,SAASC,MAAMF,EAAUG,UAAY,GAClEtD,EAAAzE,EAAM6H,SAASC,MAAMF,EAAUG,UAAYtD,EAAAzE,EAAM6H,SAASC,MAAM7I,KAAKM,MAAMwI,WAC3E9I,KAAK+I,iBAAiBJ,KAAe3I,KAAK+I,iBAAiB/I,KAAKM,QAI1CN,KAAKsH,oBAAsBtH,KAAKgH,KAAKE,UAAY,EAAG,CAC1E,GAAM8B,GAAehJ,KAAKgH,KAAKG,aAAenH,KAAKsH,kBAE/CtH,MAAKgH,KAAKE,YAAc8B,IAC1BhJ,KAAKgH,KAAKE,UAAY8B,OAGxBhJ,MAAKsH,mBAAqBtH,KAAKgH,KAAKG,aAAenH,KAAKgH,KAAKE,WL+fjE/B,EAAehF,UK3ff8I,qBL2fgD,WK1f9CjJ,KAAKkJ,uBACLlJ,KAAKmJ,6BACL3H,OAAA0E,EAAA,GAAyBlG,KAAKgI,qBL8fhC7C,EAAehF,UKvffsI,2BLufsD,WKtfpDzI,KAAK8G,4BAA4BsC,SAC/BC,KAAMrJ,KAAKgH,KACXsC,WAAY,cL2fhBnE,EAAehF,UKvffgJ,2BLufsD,WKtfpDnJ,KAAK8G,4BAA4ByC,cL0fnCpE,EAAehF,UKvffqI,qBLufgD,WKtf9CxI,KAAKgH,KAAKwC,iBAAiB,SAAUxJ,KAAK+G,eL0f5C5B,EAAehF,UKvff+I,qBLufgD,WKtf9ClJ,KAAKgH,KAAKyC,oBAAoB,SAAUzJ,KAAK+G,eL0f/C5B,EAAehF,UKvff4I,iBLuf4C,SKvf1BzI,GAAO,GACfwI,GAAaxI,EAAbwI,SACJY,EAAaZ,CAMjB,OALIA,aAAoB/C,GAAA,KACtB2D,EAAaZ,EAASlF,IAAI,GACjB6C,MAAMkD,QAAQb,KACvBY,EAAaZ,EAAS,IAEjBY,GAAcA,EAAWE,KL2flCzE,EAAehF,UK/ef0J,eL+e0C,WK9exC,MAA+B,QAAxB7J,KAAK6H,gBAA6B,GAAIC,MAAU9H,KAAK6H,eAAiB,KLkf/E1C,EAAehF,UK/efC,OL+ekC,WK/exB,GAAA0J,GAAA9J,KAAAK,EACgHL,KAAKM,MAArHwI,EADAzI,EACAyI,SAAUiB,EADV1J,EACU0J,UAAWC,EADrB3J,EACqB2J,YAAaC,EADlC5J,EACkC4J,mBAAoBzC,EADtDnH,EACsDmH,UAAW0C,EADjE7J,EACiE6J,QAASC,EAD1E9J,EAC0E8J,QAASC,EADnF/J,EACmF+J,aAAc7C,EADjGlH,EACiGkH,WACjGW,EAAelI,KAAKmD,MAApB+E,WACFmC,EAAgB7E,EAAAzE,EAAM6H,SAASC,MAAMC,GAErCwB,EAAgBJ,GAAWG,EAAgB,GAAK9C,EAAjCnI,IAAgDyG,EAAA,GAAhDrF,SAAmEgH,EAAnE5G,QAAuFZ,KAAKqI,iBAAqB,KAClIkC,EAAiB,IAiCrB,OA9BEA,GADE/C,GAAa6C,EAAgB,IAAMD,EAEnC5E,EAAAzE,EAAAyJ,cAAA,OAAK/J,UAAWwF,IAAW,cAAgBiC,eAAeuC,IAAKzK,KAAKmI,OAAQuC,YAAa1K,KAAK4H,gBAAiB+C,aAAc3K,KAAK+H,kBAAlI3I,IAAA,OAAAwL,KACY,OADZnK,UAC6B,iBAD7B,GAEK0J,EAEA3E,EAAAzE,EAAM6H,SAASiC,IAAI7K,KAAKM,MAAMwI,SAAU,SAACgC,EAAOtG,GAAR,MAAApF,KACtCwG,EAAA,GADsC/E,GAGjCiK,EAAMlB,IAH2BpF,MAI9BA,EAJ8BuG,WAKzBV,EALyBvD,4BAMRgD,EAAKhD,4BANGkE,cAOtBhB,EAAiBF,EAAKmB,QAAQzH,OAAO0H,MAAMC,SAASvB,IAApD,IAA2DG,EAAc,MALnFe,EAAMlB,IAOVkB,KAIJR,IAML9E,EAAAzE,EAAAyJ,cAAA,OAAK/J,UAAU,yBAAyBgK,IAAKzK,KAAKmI,QAC/CiC,GAKHJ,EACF5K,IACGqG,EAAA,GADHsE,UAC8BA,EAD9BE,mBAC6DA,OAD7D,GAEKM,GAIEA,GL2fJpF,GKnrBmCI,EAAA,eLorBatG,EKlrBhDmM,cACL5H,OAAQmC,EAAA5E,EAAUsK,QLmrBnBpM,EKlqBMgC,cACL+I,aAAa,GLmqBd5E,IAKGkG,IACA,SAAU1M,EAAQC,EAAqBC,GAE7C,YACqB,IAAIyM,GAA4CzM,EAAoB,GAChE0M,EAA0E1M,EAAoB,KAC9F2M,EAAsD3M,EAAoB,IM1sB7FmE,EAAsB,SAACE,EAAO7C,GAAR,OAC1BoL,aAAcvI,EAAMwI,OAAO,eAAgBrL,EAAM0K,cAAe1K,EAAMO,OAGlEuC,EAAqB,SAAC/B,GAAD,OAEzBuK,eAFwC,SAExBhC,EAAK/I,EAAIgL,GACvBxK,EAASG,OAAAiK,EAAA,GAAU7B,EAAK/I,EAAIgL,MAKhChN,GAAA,EAAe2C,OAAA+J,EAAA,SAAQtI,EAAqBG,GAAoBoI,EAAA,INqtB1DM,IACA,SAAUlN,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOkN,IAC9E,IAAIC,GAAqElN,EAAoB,GACzFmN,EAA6EnN,EAAoBO,EAAE2M,GACnGE,EAAgFpN,EAAoB,GACpGqN,EAAwFrN,EAAoBO,EAAE6M,GAC9GE,EAA+DtN,EAAoB,GACnFuN,EAAuEvN,EAAoBO,EAAE+M,GAC7FE,EAAsCxN,EAAoB,GAC1DyN,EAA8CzN,EAAoBO,EAAEiN,GACpEE,EAAqE1N,EAAoB,KACzF2N,EAAsE3N,EAAoB,KAC1F4N,EAA0C5N,EAAoB,GO7uBjF6N,GP8uBqE7N,EAAoBO,EAAEqN,IO9uB/D,KAAM,QAAS,eAE3CE,GAA8B,KAAM,QAAS,aAAc,gBAE5Cb,EPyvBa,SAAUc,GAG1C,QAASd,KACP,GAAI7M,GAAOkH,EAAOC,CAElB4F,KAA6EjM,KAAM+L,EAEnF,KAAK,GAAIzF,GAAOpG,UAAUqG,OAAQC,EAAOC,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EF,EAAKE,GAAQxG,UAAUwG,EAGzB,OAAexH,GAASkH,EAAQ+F,IAAwFnM,KAAM6M,EAAiBlG,KAAK1G,MAAM4M,GAAmB7M,MAAM4G,OAAOJ,KAAiBJ,EOxvB7MjD,OACE2J,UAAU,GPyvBP1G,EOvtBL2G,mBAAqB,SAACC,GACpB5G,EAAK4G,MAAQA,EAEbxL,OAAAgL,EAAA,GAAiBpG,EAAK6G,iBACtB7G,EAAK6B,SAAS7B,EAAK8G,+BPwtBhB9G,EOrtBL8G,6BAA+B,SAACC,GAI9B,MAHIA,GAAUC,iBAAmBhH,EAAK4G,MAAMI,gBAC1C5L,OAAAgL,EAAA,GAAiBpG,EAAKiH,wBAGtBD,eAAgBhH,EAAK4G,MAAMI,eAC3BN,UAAU,IPutBT1G,EOntBL6G,gBAAkB,WAAM,GAAAK,GACwBlH,EAAK9F,MAA3CsL,EADc0B,EACd1B,eAAgBZ,EADFsC,EACEtC,cAAenK,EADjByM,EACiBzM,EAGvCuF,GAAKyF,OAASrK,OAAAiL,EAAA,GAAiBrG,EAAK4G,OAAOnB,OAEvCD,GAAkBZ,GACpBY,EAAeZ,EAAenK,EAAIuF,EAAKyF,SPytBtCzF,EOrtBLiH,sBAAwB,WACjBjH,EAAKmH,kBAQVnH,EAAK6B,SAAS,SAACkF,GAAD,OAAkBL,UAAWK,EAAUC,mBPwtBlDhH,EOrtBLoH,UAAY,SAACxG,GACXZ,EAAKY,KAAOA,GP4qBLX,EA0CJnH,EAAQiN,IAAwF/F,EAAOC,GA0E5G,MA/HAgG,KAAuEN,EAA6Bc,GAwDpGd,EAA4B5L,UOjyB5BsN,sBPiyB8D,SOjyBvCC,EAAWC,GAAW,GAAA7D,GAAA9J,KACrC4N,GAAgB5N,KAAKmD,MAAMiK,iBAAmBpN,KAAKmD,MAAM2J,UAAY9M,KAAKM,MAAMoL,aAEtF,SAAMkC,KADoBD,EAAUP,iBAAmBO,EAAUb,WAAYY,EAAUhC,iBAMnEkC,EAAehB,EAA6BD,GAC5CkB,MAAM,SAAAC,GAAA,MAAQtM,QAAAkL,EAAA,IAAGgB,EAAUI,GAAOhE,EAAKxJ,MAAMwN,OPwyBnE/B,EAA4B5L,UOryB5BoI,kBPqyB0D,WOryBrC,GAAAlI,GACyBL,KAAKM,MAAzCwG,EADWzG,EACXyG,4BAA6BjG,EADlBR,EACkBQ,EAErCiG,GAA4BiH,QAC1BlN,EACAb,KAAKgH,KACLhH,KAAK+M,oBAGP/M,KAAKuN,kBAAmB,GPuyB1BxB,EAA4B5L,UOpyB5B8I,qBPoyB6D,WOpyBrC,GAAA+E,GACsBhO,KAAKM,MAAzCwG,EADckH,EACdlH,4BAA6BjG,EADfmN,EACenN,EACrCiG,GAA4BmH,UAAUpN,EAAIb,KAAKgH,MAE/ChH,KAAKuN,kBAAmB,GP0yB1BxB,EAA4B5L,UO3vB5BC,OP2vB+C,WO3vBrC,GAAA8N,GACkDlO,KAAKM,MAAvDwI,EADAoF,EACApF,SAAUjI,EADVqN,EACUrN,GAAI2D,EADd0J,EACc1J,MAAOuG,EADrBmD,EACqBnD,WAAYW,EADjCwC,EACiCxC,aADjCyC,EAE6BnO,KAAKmD,MAAlCiK,EAFAe,EAEAf,eAAgBN,EAFhBqB,EAEgBrB,QAExB,OAAKM,KAAmBN,IAAYpB,EAgBlCa,EAAAxL,EAAAyJ,cAAA,WAASC,IAAKzK,KAAKwN,UAAWY,gBAAe5J,EAAO6J,eAActD,EAAYuD,UAASzN,EAAI0N,SAAS,KACjGzF,GAAYyD,EAAAxL,EAAMyN,aAAa1F,GAAY2F,QAAQ,KAfpDlC,EAAAxL,EAAAyJ,cAAA,WACEC,IAAKzK,KAAKwN,UACVY,gBAAe5J,EACf6J,eAActD,EACdrK,OAASmL,QAAW7L,KAAK6L,QAAUH,GAA1B,KAA4CgD,QAAS,EAAGC,SAAU,UAC3EL,UAASzN,EACT0N,SAAS,KAERzF,GAAYyD,EAAAxL,EAAMyN,aAAa1F,GAAY2F,QAAQ,MP+wBrD1C,GOz3BgDQ,EAAAxL,EAAM6N,YPg4BzDC,IACA,SAAUjQ,EAAQC,EAAqBC,GAE7C,YQr4BA,SAASgQ,GAASC,GAChB,KAAOC,EAAUzI,QAAUwI,EAASE,gBAAkB,GACpDD,EAAUE,SAERF,GAAUzI,OACZ4I,oBAAoBL,GAEpBM,GAA6B,EAIjC,QAASC,GAAiBC,GACxBN,EAAUO,KAAKD,GACVF,IACHA,GAA6B,EAC7BD,oBAAoBL,IAxBxB,GAAAU,GAAA1Q,EAAA,KAAA2Q,EAAA3Q,EAAAO,EAAAmQ,GAMMR,EAAY,GAAIS,GAAA1O,EAClBqO,GAA6B,CAqBjCvQ,GAAA,KRq5BM6Q,IACA,SAAU9Q,EAAQ+Q,EAAS7Q,GAEjC,YS/6BA,SAAS8Q,KACP5P,KAAKuG,OAAS,EAGhBqJ,EAAMzP,UAAUoP,KAAO,SAAUM,GAC/B,GAAI7I,IAAQ6I,KAAMA,EACd7P,MAAK8P,KACP9P,KAAK8P,KAAO9P,KAAK8P,KAAKC,KAAO/I,EAE7BhH,KAAK8P,KAAO9P,KAAKgQ,MAAQhJ,EAE3BhH,KAAKuG,UAGPqJ,EAAMzP,UAAU+O,MAAQ,WACtB,GAAIlI,GAAOhH,KAAKgQ,KAChB,IAAIhJ,EAKF,MAJAhH,MAAKgQ,MAAQhJ,EAAK+I,OACV/P,KAAKuG,SACXvG,KAAK8P,SAAOG,IAEPjJ,EAAK6I,MAIhBD,EAAMzP,UAAU+P,MAAQ,SAAUC,EAAOC,GACvCD,MAAyB,KAAVA,EAAwB,EAAIA,EAC3CC,MAAqB,KAARA,EAAsBC,IAAWD,CAK9C,KAAK,GAHDE,MAEAC,EAAI,EACCvJ,EAAOhH,KAAKgQ,MAAOhJ,OACpBoJ,EAAM,GADoBpJ,EAAOA,EAAK+I,OAG/BQ,EAAIJ,GACfG,EAAOf,KAAKvI,EAAK6I,KAGrB,OAAOS,IAGT1R,EAAO+Q,QAAUC,GTy7BXY,IACA,SAAU5R,EAAQC,EAAqBC,GAE7C,YUr+BA,SAAS2R,GAAiBzD,GACxB,GAAkC,iBAAvB0D,GAAkC,CAC3C,GAAMC,GAAe3D,EAAM4D,OAAOC,wBAC5BC,EAAe9D,EAAM+D,kBAC3BL,GAAqBC,EAAa9E,SAAWiF,EAAajF,QACxD8E,EAAaK,MAAQF,EAAaE,KAClCL,EAAaM,QAAUH,EAAaG,OACpCN,EAAaO,SAAWJ,EAAaI,QACrCP,EAAaQ,OAASL,EAAaK,MACnCR,EAAaS,QAAUN,EAAaM,MAExC,MAAOV,GAAqB1D,EAAM4D,OAAOC,wBAA0B7D,EAAM+D,mBAb3E,GAAIL,SAgBJ7R,GAAA,KV2+BMwS,IACA,SAAUzS,EAAQC,EAAqBC,GAE7C,YACqB,IAAIkN,GAAqElN,EAAoB,GACzFmN,EAA6EnN,EAAoBO,EAAE2M,GW7/BtHsF,EXugC4B,WAChC,QAASA,KACPrF,IAA6EjM,KAAMsR,GAEnFtR,KWzgCFuR,aX0gCEvR,KWzgCFwR,mBX0gCExR,KWzgCFyR,SAAW,KX2jCX,MA/CAH,GAA4BnR,UW1gC5BiJ,QX0gCgD,SW1gCvCsI,GAAS,GAAAtL,GAAApG,KACV2R,EAAiB,SAACC,GACtBA,EAAQC,QAAQ,SAAA7E,GACd,GAAMnM,GAAKmM,EAAM4D,OAAOkB,aAAa,UACjC1L,GAAKmL,UAAU1Q,IACjBuF,EAAKmL,UAAU1Q,GAAImM,KAKzBhN,MAAKyR,SAAW,GAAIM,sBAAqBJ,EAAgBD,GACzD1R,KAAKwR,gBAAgBK,QAAQ,SAAAxO,GAA4B,GAAzBxC,GAAyBwC,EAAA,GAArB2D,EAAqB3D,EAAA,GAAf2O,EAAe3O,EAAA,EACvD+C,GAAK2H,QAAQlN,EAAImG,EAAMgL,KAEzBhS,KAAKwR,gBAAkB,MXmhCzBF,EAA4BnR,UWhhC5B4N,QXghCgD,SWhhCvClN,EAAImG,EAAMgL,GACZhS,KAAKyR,UAGRzR,KAAKuR,UAAU1Q,GAAMmR,EACrBhS,KAAKyR,SAAS1D,QAAQ/G,IAHtBhH,KAAKwR,gBAAgBjC,MAAO1O,EAAImG,EAAMgL,KXuhC1CV,EAA4BnR,UWhhC5B8N,UXghCkD,SWhhCvCpN,EAAImG,GACThH,KAAKyR,iBACAzR,MAAKuR,UAAU1Q,GACtBb,KAAKyR,SAASxD,UAAUjH,KXohC5BsK,EAA4BnR,UWhhC5BoJ,WXghCmD,WW/gC7CvJ,KAAKyR,WACPzR,KAAKuR,aACLvR,KAAKyR,SAASlI,aACdvJ,KAAKyR,SAAW,OXohCbH,IW9gCTzS,GAAA,KXqhCMoT,IACA,SAAUrT,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOqT,IAC9E,IAkCjBjT,GAAQmG,EAAQ+M,EAASC,EAlCJC,EAA8DvT,EAAoB,IAClFwT,EAAsExT,EAAoBO,EAAEgT,GAC5FE,EAA8EzT,EAAoB,IAClG0T,EAAsF1T,EAAoBO,EAAEkT,GAC5GE,EAA0D3T,EAAoB,GAC9E4T,EAAkE5T,EAAoBO,EAAEoT,GACxFE,EAAqE7T,EAAoB,GACzF8T,EAA6E9T,EAAoBO,EAAEsT,GACnGE,EAAgF/T,EAAoB,GACpGgU,EAAwFhU,EAAoBO,EAAEwT,GAC9GE,EAA+DjU,EAAoB,GACnFkU,EAAuElU,EAAoBO,EAAE0T,GAC7FE,EAAgDnU,EAAoB,IACpEoU,EAAwDpU,EAAoBO,EAAE4T,GAC9EE,EAAsCrU,EAAoB,GAC1DsU,EAA8CtU,EAAoBO,EAAE8T,GACpEE,EAA0DvU,EAAoB,IAC9EwU,EAAkExU,EAAoBO,EAAEgU,GACxFE,EAA2CzU,EAAoB,GAC/D0U,EAAmD1U,EAAoBO,EAAEkU,GACzEE,EAA8D3U,EAAoB,KAClF4U,EAAgE5U,EAAoB,IACpF6U,EAAwE7U,EAAoBO,EAAEqU,GAC9FE,EAA4C9U,EAAoB,KAChE+U,EAAkD/U,EAAoB,KACtEgV,EAA4ChV,EAAoB,GYjmCnFiV,GZqnCS3O,EAASnG,EAAS,SAAU+U,GAGzC,QAASD,KACP,GAAI7U,GAAOkH,EAAOC,CAElBuM,KAA6E5S,KAAM+T,EAEnF,KAAK,GAAIzN,GAAOpG,UAAUqG,OAAQC,EAAOC,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EF,EAAKE,GAAQxG,UAAUwG,EAGzB,OAAexH,GAASkH,EAAQ0M,IAAwF9S,KAAMgU,EAAsBrN,KAAK1G,MAAM+T,GAAwBhU,MAAM4G,OAAOJ,KAAiBJ,EYznCvN6N,YAAc,WACZ7N,EAAK9F,MAAMM,QAAQwF,EAAK9F,MAAM4T,QZwnCvB7N,EAEJnH,EAAQ4T,IAAwF1M,EAAOC,GAU5G,MAvBA2M,KAAuEe,EAASC,GAgBhFD,EAAQ5T,UY1nCRC,OZ0nC2B,WYznCzB,MAAAsS,KAAQkB,EAAA,GAARhT,QAA0BZ,KAAKiU,YAA/B1T,SAAsDP,KAAKM,MAAMC,YZgoC5DwT,GY7oCaJ,EAAA5S,GZ8oCsD9B,EY5oCnEkV,WACL5T,SAAUiT,EAAAzS,EAAUqT,KACpBF,MAAOV,EAAAzS,EAAUsT,OACjBzT,QAAS4S,EAAAzS,EAAUuT,KAAKC,YZ6oCzBnP,GYhoCkB8M,GZioCHE,EAASD,EAAU,SAAUqC,GAG7C,QAAStC,KACP,GAAIuC,GAAQ3K,EAAQ4K,CAEpB9B,KAA6E5S,KAAMkS,EAEnF,KAAK,GAAIyC,GAAQzU,UAAUqG,OAAQC,EAAOC,MAAMkO,GAAQC,EAAQ,EAAGA,EAAQD,EAAOC,IAChFpO,EAAKoO,GAAS1U,UAAU0U,EAG1B,OAAgBH,GAAU3K,EAASgJ,IAAwF9S,KAAMwU,EAAuB7N,KAAK1G,MAAMuU,GAAyBxU,MAAM4G,OAAOJ,KAAkBsD,EYxnC7N+K,aAAe,SAAAhU,GACb,GAAMiU,GAAehL,EAAKxJ,MAAMyU,UAAUC,QAAQnU,GAAM,CACxDiJ,GAAKmL,aAAaH,IZynCfhL,EYtnCLoL,eAAiB,SAAArU,GACf,GAAMiU,GAAehL,EAAKxJ,MAAMyU,UAAUC,QAAQnU,GAAM,CACxDiJ,GAAKmL,aAAaH,IZunCfhL,EYpnCLqL,gBAAkBjC,IAAS,WACzBpJ,EAAKxJ,MAAMiH,WAAWuC,EAAKxJ,MAAMyU,UAAUjF,SAC1C,KAAOsF,SAAS,IZonCWtL,EY1mC9B3B,OAAS,SAAAC,GACP0B,EAAK9C,KAAOoB,GZimCLsM,EAUJD,EAAS3B,IAAwFhJ,EAAQ4K,GAyD9G,MA9EA1B,KAAuEd,EAAYsC,GAwBnFtC,EAAW/R,UYvnCX8U,aZunCoC,SYvnCtBzQ,GACZ,GAAM6Q,GAAUrV,KAAKgH,KAAKA,KAAKsO,cAAf,wBAAoD9Q,EAAQ,GAA5D,eAEZ6Q,IACFA,EAAQE,SZ2nCZrD,EAAW/R,UYnnCXC,OZmnC8B,WYnnCpB,GAAAoV,GAAAxV,KAAAK,EACqCL,KAAKM,MAA1CyU,EADA1U,EACA0U,UAAWxN,EADXlH,EACWkH,WAAekO,EAD1BjD,IAAAnS,GAAA,2BAEAmH,EAAyBiO,EAAzBjO,SAER,IAFiCiO,EAAdC,UAGjB,MAAAhD,KAAA,OAAAjS,UACiB,8BADjB,GAAAiS,IAAA,gBAAAA,IAAA,OAAAjS,UAGqB,qCAHrB,GAAAiS,IAISoB,EAAA,GAJTjT,GAI6B,+BAJ7B8U,QAIoE,SAJpE7U,eAI4F,aAJ5F4R,IAKSoB,EAAA,GALTjT,GAK6B,kCAL7BC,eAK8E,wCAOhF,IAAI8U,GAAqBpO,GAAauN,EAAUc,KAAO,EACrDd,EAAUlK,IAAI,SAACiL,EAAUtR,GAAX,MAAkC,QAAbsR,EAAApD,IAChCqB,GADgCxT,SAGrBiH,EAHqB0M,MAIxB1P,EAAQ,EAAIuQ,EAAUnR,IAAIY,EAAQ,GAAK,KAJf5D,QAKtB2G,GAHJ,OAASwN,EAAUnR,IAAIY,EAAQ,IAFLkO,IAQhCe,EAAA,GARgC5S,GAU3BiV,EAV2BC,SAWrBP,EAAKX,aAXgBmB,WAYnBR,EAAKN,gBAHZY,KAMP,IAEJ,OACE1C,GAAArS,EAAAyJ,cAACqJ,EAAA,EAADvB,OAAoBmD,GAAOlO,WAAYA,GAAcvH,KAAKmV,gBAAiB1K,IAAKzK,KAAKmI,SAClFyN,IZ4nCA1D,GYhtC+ByB,EAAA5S,GZitCoCoR,EY/sCnEgC,WACLpK,UAAWyJ,EAAAzS,EAAUsT,OAAOE,WAC5BQ,UAAWzB,EAAAvS,EAAmBkV,KAAK1B,WACnChN,WAAYiM,EAAAzS,EAAUuT,KACtB7M,cAAe+L,EAAAzS,EAAUuT,KACzB5M,SAAU8L,EAAAzS,EAAUuT,KACpBtK,YAAawJ,EAAAzS,EAAUqT,KACvBnK,mBAAoBuJ,EAAAzS,EAAUuT,KAC9B9M,UAAWgM,EAAAzS,EAAUqT,KACrBsB,UAAWlC,EAAAzS,EAAUqT,KACrBlK,QAASsJ,EAAAzS,EAAUqT,KACnBjK,QAASqJ,EAAAzS,EAAUiG,KACnBoD,aAAcoJ,EAAAzS,EAAUiG,MZgtCzBmL,EY7sCMlR,cACL+I,aAAa,GZ8sCdoI,IAKG8D,IACA,SAAUtX,EAAQC,EAAqBC,GAE7C,YalwCA,SAASqX,KACP,GAAMC,GAAoBtX,EAAQ,KAA6CuX,QACzEC,EAAoBxX,EAAQ,GAC5ByX,EAAoBzX,EAAQ,IAC5B0X,EAAoBC,SAASC,eAAe,oBAElD,IAAkB,OAAdF,EAAoB,CACtB,GAAMlW,GAAQqW,KAAKC,MAAMJ,EAAU1E,aAAa,cAChDyE,GAASnW,OAAOkW,EAAA9L,cAAC4L,EAAsB9V,GAAWkW,IAItD,QAASK,MAEPC,EADchY,EAAQ,IAAqBuX,SACrCF,GbqvCR3U,OAAOuV,eAAelY,EAAqB,cAAgBmY,OAAO,GAC7C,IAAIC,GAAyDnY,EAAoB,GanvCtG0C,QAAAyV,EAAA,KAAgBC,KAAKL,GAAMM,MAAM,SAAAC,GAC/BC,QAAQD,MAAMA,Mb4wCVE,IACA,SAAU1Y,EAAQC,EAAqBC,GAE7C,YACA0C,QAAOuV,eAAelY,EAAqB,cAAgBmY,OAAO,IACnClY,EAAoBC,EAAEF,EAAqB,UAAW,WAAa,MAAOuX,IACpF,IAwBjBnX,GAAQC,EAxBaC,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE2X,EAA4CzY,EAAoB,GAChE0Y,EAAsD1Y,EAAoB,KAC1E2Y,EAA+C3Y,EAAoB,IACnE4Y,EAA2C5Y,EAAoB,GAC/D6Y,EAAyC7Y,EAAoB,GAC7D8Y,EAAsE9Y,EAAoB,KAC1F+Y,EAAyE/Y,EAAoB,KAC7FgZ,EAAuEhZ,EAAoB,KAC3F8D,EAAgD9D,EAAoB,IAoBzFiZ,Ech0C6BvW,OAAAmW,EAAA,aAAzBK,Edi0CSD,Ecj0CTC,WAAYnV,Edk0CLkV,Ecl0CKlV,QACpBrB,QAAAkW,EAAA,GAAcM,EAEd,IAAMC,GAAQzW,OAAAgW,EAAA,IAEV5U,GAAA,GACFqV,EAAM5W,SAASG,OAAAiW,EAAA,GAAa7U,EAAA,Gds0C9B,Icn0CqBwT,Idm0CIlX,EAAQD,EAAS,SAAUc,GAGlD,QAASqW,KAGP,MAFA7W,KAA6ES,KAAMoW,GAE5E3W,IAAwFO,KAAMD,EAAqBE,MAAMD,KAAME,YA8BxI,MAnCAP,KAAuEyW,EAAmBrW,GAQ1FqW,EAAkBjW,Uch0ClBC,Odg0CqC,Wch0C3B,GAAAC,GACwCL,KAAKM,MAA7C4X,EADA7X,EACA6X,OAAQC,EADR9X,EACQ8X,QAASC,EADjB/X,EACiB+X,mBAErBC,QAUJ,OAPEA,GADEF,EACF/Y,IAAY0Y,EAAA,GAAZK,QAAqCA,IAC5BC,EACThZ,IAAYwY,EAAA,MAEZxY,IAAYyY,EAAA,MAGdzY,IACGsY,EAAA,GADHQ,OACwBA,EADxBrV,SAC0CA,OAD1C,GAAAzD,IAEKmY,EAAA,UAFLU,MAEqBA,OAFrB,GAGOI,Kd20CFjC,Gcv2CsCvW,EAAAkB,EAAMC,edw2CW/B,Ech2CvDgC,cACLmX,mBAAoBxV,EAAA,EAAa0V,SAASC,iBdi2C3CrZ,IAKGsZ,IACA,SAAU5Z,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4Z,IAC9E,IAsBjBC,GAAMzZ,EAtBeE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE2X,EAA4CzY,EAAoB,GAChE6Z,EAAqE7Z,EAAoB,IACzF8Z,EAAmD9Z,EAAoB,IACvE+Z,EAAmD/Z,EAAoB,IACvEga,EAA0Dha,EAAoB,IAC9Eia,EAA4Cja,EAAoB,GAChEka,EAAoDla,EAAoB,Ie/4C3F+D,EAAWrB,OAAAuX,EAAA,IACfE,OAAApY,GAAA,0BAAAC,eAAA,sBAKmB2X,Gfk6CCC,Eep6CrBlX,OAAA+V,EAAA,Yfo6CiGtY,Een6CjGuC,OAAAuX,EAAA,Gfm6CkL9Z,EAAS,SAAUc,GAGpM,QAAS0Y,KACP,GAAIvZ,GAAOkH,EAAOC,CAElB9G,KAA6ES,KAAMyY,EAEnF,KAAK,GAAInS,GAAOpG,UAAUqG,OAAQC,EAAOC,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EF,EAAKE,GAAQxG,UAAUwG,EAGzB,OAAexH,GAASkH,EAAQ3G,IAAwFO,KAAMD,EAAqB4G,KAAK1G,MAAMF,GAAuBC,MAAM4G,OAAOJ,KAAiBJ,Eev6CrN8S,kBAAoB,WAClB9S,EAAK+S,OAAOjS,afw6CTd,Eer6CL+B,OAAS,SAAAC,GACPhC,EAAK+S,OAAS/Q,Gfs6CXhC,Eer5CLiC,eAAiB,SAAA6L,GACf9N,EAAK9F,MAAMe,SAASG,OAAAoX,EAAA,IAAuB1E,Yfg5CpC7N,EAMJnH,EAAQO,IAAwF2G,EAAOC,GAuC5G,MAxDA1G,KAAuE8Y,EAAgB1Y,GAoBvF0Y,EAAetY,Uex6CfoI,kBfw6C6C,Wex6CxB,GACXlH,GAAarB,KAAKM,MAAlBe,QAERA,GAASG,OAAAoX,EAAA,MACT5Y,KAAKuJ,WAAalI,EAASG,OAAAwX,EAAA,Of46C7BP,EAAetY,Uez6Cf8I,qBfy6CgD,Wex6C1CjJ,KAAKuJ,aACPvJ,KAAKuJ,aACLvJ,KAAKuJ,WAAa,Of66CtBkP,EAAetY,Uer6CfC,Ofq6CkC,Wer6CxB,GACAkD,GAAStD,KAAKM,MAAdgD,IAER,OACEzD,GAAAkB,EAAAyJ,cAACqO,EAAA,GAAOpO,IAAKzK,KAAKmI,QAAlB/I,IACG0Z,EAAA,GADHM,KAES,QAFTH,MAGW3V,EAAKW,cAAcpB,EAASoW,OAHvCrY,QAIaZ,KAAKkZ,oBAJlB9Z,IAOGuZ,EAAA,GAPHU,WAQe,SARf9R,WASgBvH,KAAKqI,eATrB0B,UAUc,6BAVdC,aAWiB,Mf26CdyO,Ge39CmC5Y,EAAAkB,EAAMC,iBf49CiB/B,IAAWA,GAKxEqa,EACA,SAAU1a,EAAQC,EAAqBC,GAE7C,YgBv9CA,SAASya,KACP,GAAIC,GAAOtZ,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,OAE5DuG,MAAMkD,QAAQ6P,GAAQA,GAAQA,IAEpC3H,QAAQ,SAAUmG,GACpBA,GAAcA,EAAWE,SAC3BuB,EAAA1Y,EAAkB2Y,gBAAgB1B,GAClC2B,EAAA5Y,EAAmB2Y,gBAAgB1B,MAKzC,QAAS4B,GAAc1B,GAGrB,IAFA,GAAI2B,IAAe3B,GAAU,IAAI4B,MAAM,KAEhCD,EAAYtT,OAAS,GAAG,CAC7B,GAAIwT,EAAuBF,EAAYG,KAAK,MAC1C,OAAO,CAGTH,GAAYI,MAGd,OAAO,EAGT,QAASF,GAAuB7B,GAC9B,GAAIgC,GAAmBhC,GAAUA,EAAOiC,aAExC,UAAUV,EAAA1Y,EAAkBqZ,eAAeF,KAAqBP,EAAA5Y,EAAmBqZ,eAAeF,IA2QpG,QAASG,GAAOC,GACd,OAAQ,GAAKA,GAAKC,QAAQC,GAAoB,SAAUC,GACtD,MAAOC,IAAcD,KAIzB,QAASE,GAAYra,EAAOsa,GAC1B,GAAIC,GAAc3a,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,KAEjF,OAAO0a,GAAUE,OAAO,SAAUC,EAAUlW,GAO1C,MANIvE,GAAM0a,eAAenW,GACvBkW,EAASlW,GAAQvE,EAAMuE,GACdgW,EAAYG,eAAenW,KACpCkW,EAASlW,GAAQgW,EAAYhW,IAGxBkW,OAIX,QAASE,KACP,GAAI5X,GAAOnD,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACtEoD,EAAOD,EAAKC,IAEhB4X,KAAU5X,EAAM,gHAGlB,QAAS6X,GAAcC,EAAMC,GAC3B,GAAID,IAASC,EACX,OAAO,CAGT,IAAoE,gBAA/C,KAATD,EAAuB,YAAcE,EAAQF,KAAgC,OAATA,GAAiF,gBAA/C,KAATC,EAAuB,YAAcC,EAAQD,KAAgC,OAATA,EAC3K,OAAO,CAGT,IAAIE,GAAQ/Z,OAAOga,KAAKJ,GACpBK,EAAQja,OAAOga,KAAKH,EAExB,IAAIE,EAAMhV,SAAWkV,EAAMlV,OACzB,OAAO,CAKT,KAAK,GADDmV,GAAkBla,OAAOrB,UAAU6a,eAAeW,KAAKN,GAClD9K,EAAI,EAAGA,EAAIgL,EAAMhV,OAAQgK,IAChC,IAAKmL,EAAgBH,EAAMhL,KAAO6K,EAAKG,EAAMhL,MAAQ8K,EAAKE,EAAMhL,IAC9D,OAAO,CAIX,QAAO,EAGT,QAASqL,GAA0BC,EAAOnO,EAAWC,GACnD,GAAIrN,GAAQub,EAAMvb,MACd6C,EAAQ0Y,EAAM1Y,MACd2Y,EAAgBD,EAAM5Q,QACtBA,MAA4BgF,KAAlB6L,KAAmCA,EAC7CC,EAAc7b,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MAC7E8b,EAAgB/Q,EAAQ3H,KACxBA,MAAyB2M,KAAlB+L,KAAmCA,EAC1CC,EAAoBF,EAAYzY,KAChC4Y,MAAiCjM,KAAtBgM,KAAuCA,CAGtD,QAAQd,EAAczN,EAAWpN,KAAW6a,EAAcxN,EAAWxK,MAAY+Y,IAAa5Y,GAAQ6X,EAAcR,EAAYuB,EAAUC,IAAsBxB,EAAYrX,EAAM6Y,MAYpL,QAASC,GAAeC,GACtB,MAAOA,GAAaC,aAAeD,EAAaxX,MAAQ,YAG1D,QAAS0X,GAAWC,GAClB,GAAI9K,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACzEuc,EAAwB/K,EAAQgL,aAChCA,MAAyCzM,KAA1BwM,EAAsC,OAASA,EAC9DE,EAAmBjL,EAAQkL,QAC3BA,MAA+B3M,KAArB0M,GAAyCA,EAEnDE,EAAa,SAAUC,GAGzB,QAASD,GAAWvc,EAAO2K,GACzB8R,EAAe/c,KAAM6c,EAErB,IAAIzW,GAAQ4W,EAA0Bhd,MAAO6c,EAAWI,WAAazb,OAAO0b,eAAeL,IAAalW,KAAK3G,KAAMM,EAAO2K,GAG1H,OADAgQ,GAAqBhQ,GACd7E,EAkBT,MA1BA+W,GAASN,EAAYC,GAWrBM,EAAYP,IACVjT,IAAK,qBACLoN,MAAO,WAGL,MAFAkE,KAAU0B,EAAS,sHAEZ5c,KAAKqd,KAAKC,mBAGnB1T,IAAK,SACLoN,MAAO,WACL,MAAOnX,GAAAkB,EAAMyJ,cAAcgS,EAAkBe,KAAavd,KAAKM,MAAOyW,KAAmB2F,EAAc1c,KAAKiL,QAAQ3H,OAClHmH,IAAKmS,EAAU,kBAAoB,YAIlCC,GACPjd,EAAA,UASF,OAPAid,GAAWP,YAAc,cAAgBF,EAAeI,GAAoB,IAC5EK,EAAWzR,cACT9H,KAAMka,IAERX,EAAWL,iBAAmBA,EAGvBK,EAST,QAASY,GAAeC,GAGtB,MAAOA,GAWT,QAASC,GAAcC,GAErB,MAAOnE,GAAA1Y,EAAkBZ,UAAU0d,eAAeD,GAGpD,QAASE,GAAmB5F,GAE1B,MAAOuB,GAAA1Y,EAAkBZ,UAAU4d,wBAAwB7F,GAkC7D,QAAS8F,GAA+BC,GACtC,GAAIC,GAAavE,EAAA5Y,EAAmBmd,UACpCA,GAAWC,OAASF,EAAcE,OAClCD,EAAWE,OAASH,EAAcG,OAClCF,EAAWG,KAAOJ,EAAcI,KAChCH,EAAWI,IAAML,EAAcK,IAC/BJ,EAAWK,MAAQN,EAAcM,MAGnC,QAASC,GAAeC,EAASnd,EAAMuD,GACrC,GAAI6Z,GAASD,GAAWA,EAAQnd,IAASmd,EAAQnd,GAAMuD,EACvD,IAAI6Z,EACF,MAAOA,GAQX,QAASC,GAAWC,EAAQzb,EAAO6T,GACjC,GAAItF,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACzEgY,EAAS0G,EAAO1G,OAChBuG,EAAUG,EAAOH,QACjBC,EAAShN,EAAQgN,OAGjBG,EAAO,GAAI/W,MAAKkP,GAChB6D,EAAc6D,GAAUF,EAAeC,EAAS,OAAQC,GACxDI,EAAkBnE,EAAYjJ,EAASqN,GAA0BlE,EAErE,KACE,MAAO1X,GAAM6b,kBAAkB9G,EAAQ4G,GAAiBJ,OAAOG,GAC/D,MAAOlb,IAMT,MAAOsb,QAAOJ,GAGhB,QAASK,GAAWN,EAAQzb,EAAO6T,GACjC,GAAItF,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACzEgY,EAAS0G,EAAO1G,OAChBuG,EAAUG,EAAOH,QACjBC,EAAShN,EAAQgN,OAGjBG,EAAO,GAAI/W,MAAKkP,GAChB6D,EAAc6D,GAAUF,EAAeC,EAAS,OAAQC,GACxDI,EAAkBnE,EAAYjJ,EAASqN,GAA0BlE,EAEhEiE,GAAgBT,MAASS,EAAgBV,QAAWU,EAAgBX,SAEvEW,EAAkBvB,KAAauB,GAAmBT,KAAM,UAAWD,OAAQ,YAG7E,KACE,MAAOjb,GAAM6b,kBAAkB9G,EAAQ4G,GAAiBJ,OAAOG,GAC/D,MAAOlb,IAMT,MAAOsb,QAAOJ,GAGhB,QAASM,GAAeP,EAAQzb,EAAO6T,GACrC,GAAItF,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACzEgY,EAAS0G,EAAO1G,OAChBuG,EAAUG,EAAOH,QACjBC,EAAShN,EAAQgN,OAGjBG,EAAO,GAAI/W,MAAKkP,GAChBoI,EAAM,GAAItX,MAAK4J,EAAQ0N,KACvBvE,EAAc6D,GAAUF,EAAeC,EAAS,WAAYC,GAC5DI,EAAkBnE,EAAYjJ,EAAS2N,GAAyBxE,GAIhEyE,EAAgB/B,KAAa5D,EAAA5Y,EAAmBmd,WACpDF,GAA+BuB,GAE/B,KACE,MAAOpc,GAAMqc,kBAAkBtH,EAAQ4G,GAAiBJ,OAAOG,GAC7DO,IAAKK,SAASL,GAAOA,EAAMjc,EAAMic,QAEnC,MAAOzb,IAJT,QASEqa,EAA+BsB,GAGjC,MAAOL,QAAOJ,GAGhB,QAASa,GAAad,EAAQzb,EAAO6T,GACnC,GAAItF,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACzEgY,EAAS0G,EAAO1G,OAChBuG,EAAUG,EAAOH,QACjBC,EAAShN,EAAQgN,OAGjB7D,EAAc6D,GAAUF,EAAeC,EAAS,SAAUC,GAC1DI,EAAkBnE,EAAYjJ,EAASiO,GAAuB9E,EAElE,KACE,MAAO1X,GAAMyc,gBAAgB1H,EAAQ4G,GAAiBJ,OAAO1H,GAC7D,MAAOrT,IAMT,MAAOsb,QAAOjI,GAGhB,QAAS6I,GAAajB,EAAQzb,EAAO6T,GACnC,GAAItF,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACzEgY,EAAS0G,EAAO1G,OAGhB4G,EAAkBnE,EAAYjJ,EAASoO,GAE3C,KACE,MAAO3c,GAAM4c,gBAAgB7H,EAAQ4G,GAAiBJ,OAAO1H,GAC7D,MAAOrT,IAMT,MAAO,QAGT,QAASM,GAAc2a,EAAQzb,GAC7B,GAAI6c,GAAoB9f,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACnF0E,EAAS1E,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,MACxEgY,EAAS0G,EAAO1G,OAChBuG,EAAUG,EAAOH,QACjB5b,EAAW+b,EAAO/b,SAClBod,EAAgBrB,EAAOqB,cACvBC,EAAiBtB,EAAOsB,eACxBrf,EAAKmf,EAAkBnf,GACvBC,EAAiBkf,EAAkBlf,cAIvCoa,KAAUra,EAAI,6DAEd,IAAImD,GAAUnB,GAAYA,EAAShC,EAKnC,MAJgBW,OAAOga,KAAK5W,GAAQ2B,OAAS,GAK3C,MAAOvC,IAAWlD,GAAkBD,CAGtC,IAAIsf,OAAmB,EAEvB,IAAInc,EACF,IAGEmc,EAFgBhd,EAAMid,iBAAiBpc,EAASkU,EAAQuG,GAE3BC,OAAO9Z,GACpC,MAAOjB,IAgBX,IAAKwc,GAAoBrf,EACvB,IAGEqf,EAFiBhd,EAAMid,iBAAiBtf,EAAgBmf,EAAeC,GAEzCxB,OAAO9Z,GACrC,MAAOjB,IAaX,MAAOwc,IAAoBnc,GAAWlD,GAAkBD,EAG1D,QAASwf,GAAkBzB,EAAQzb,EAAO6c,GACxC,GAAIM,GAAYpgB,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,KAW/E,OAAO+D,GAAc2a,EAAQzb,EAAO6c,EANhBxe,OAAOga,KAAK8E,GAAWxF,OAAO,SAAUyF,EAAS1b,GACnE,GAAImS,GAAQsJ,EAAUzb,EAEtB,OADA0b,GAAQ1b,GAAyB,gBAAVmS,GAAqBqD,EAAOrD,GAASA,EACrDuJ,QAmVX,QAASC,GAAYC,GACnB,GAAIC,GAAWC,KAAKC,IAAIH,EAExB,OAAIC,GAAWG,GACN,SAGLH,EAAWI,GACN,SAGLJ,EAAWK,GACN,OAKF,MAGT,QAASC,GAAaC,GACpB,OAAQA,GACN,IAAK,SACH,MAAOC,GACT,KAAK,SACH,MAAOL,GACT,KAAK,OACH,MAAOC,GACT,KAAK,MACH,MAAOC,GACT,SACE,MAAOI,KAIb,QAASC,GAAWrgB,EAAGsgB,GACrB,GAAItgB,IAAMsgB,EACR,OAAO,CAGT,IAAIC,GAAQ,GAAIxZ,MAAK/G,GAAGwgB,UACpBC,EAAQ,GAAI1Z,MAAKuZ,GAAGE,SAExB,OAAO9B,UAAS6B,IAAU7B,SAAS+B,IAAUF,IAAUE,EhB0Z1B1iB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO0a,KAEpEza,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO0d,KACpEzd,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4e,KACpE3e,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4iB,MACpE3iB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO6iB,MAGpE5iB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO8iB,MAEpE7iB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+iB,KAE9E,IAAIC,GAAsD/iB,EAAoB,IAC1EgjB,EAA8DhjB,EAAoBO,EAAEwiB,GACpFE,EAAmDjjB,EAAoB,IACvE2a,EAA2D3a,EAAoBO,EAAE0iB,GACjFC,EAAoDljB,EAAoB,IACxE6a,EAA4D7a,EAAoBO,EAAE2iB,GAClFC,EAA2CnjB,EAAoB,GAC/DojB,EAAmDpjB,EAAoBO,EAAE4iB,GACzEriB,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpEuiB,EAA0CrjB,EAAoB,IAC9Doc,EAAkDpc,EAAoBO,EAAE8iB,GgB5gDjGC,EAAAtjB,EAAA,IAAAujB,EAAAvjB,EAAAO,EAAA+iB,GAeIE,GAAsBpK,OAAU,KAAMqK,mBAAsB,SAA4BljB,EAAGmjB,GAC3F,GAAIC,GAAIxD,OAAO5f,GAAGya,MAAM,KACpB4I,GAAMD,EAAE,GACRE,EAAKC,OAAOH,EAAE,KAAOpjB,EACrBwjB,EAAMF,GAAMF,EAAE,GAAGvS,OAAO,GACxB4S,EAAOH,GAAMF,EAAE,GAAGvS,OAAO,EAAG,OAAIsS,GAAmB,GAAPK,GAAoB,IAARC,EAAa,MAAe,GAAPD,GAAoB,IAARC,EAAa,MAAe,GAAPD,GAAoB,IAARC,EAAa,MAAQ,QAAoB,GAALzjB,GAAUqjB,EAAK,MAAQ,SACxLK,QAAYC,MAAU1G,YAAe,OAAQ2G,UAAcC,EAAK,YAAaC,EAAK,YAAaC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,cAAe9N,MAAS,gBAAkB+N,MAAUD,IAAO,eAAgB9N,MAAS,mBAAuB8I,OAAWjC,YAAe,QAAS2G,UAAcC,EAAK,aAAcC,EAAK,aAAcC,KAAM,cAAgBC,cAAkBC,QAAYC,IAAO,eAAgB9N,MAAS,iBAAmB+N,MAAUD,IAAO,gBAAiB9N,MAAS,oBAAwB6I,KAAShC,YAAe,MAAO2G,UAAcC,EAAK,QAASC,EAAK,WAAYC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,aAAc9N,MAAS,eAAiB+N,MAAUD,IAAO,cAAe9N,MAAS,kBAAsB4I,MAAU/B,YAAe,OAAQ2G,UAAcC,EAAK,aAAeG,cAAkBC,QAAYC,IAAO,cAAe9N,MAAS,gBAAkB+N,MAAUD,IAAO,eAAgB9N,MAAS,mBAAuB2I,QAAY9B,YAAe,SAAU2G,UAAcC,EAAK,eAAiBG,cAAkBC,QAAYC,IAAO,gBAAiB9N,MAAS,kBAAoB+N,MAAUD,IAAO,iBAAkB9N,MAAS,qBAAyB0I,QAAY7B,YAAe,SAAU2G,UAAcC,EAAK,OAASG,cAAkBC,QAAYC,IAAO,gBAAiB9N,MAAS,kBAAoB+N,MAAUD,IAAO,iBAAkB9N,MAAS,uBAyCv2C6F,EAA4B,kBAAXmI,SAAoD,gBAApBA,QAAOC,SAAwB,SAAUC,GAC5F,aAAcA,IACZ,SAAUA,GACZ,MAAOA,IAAyB,kBAAXF,SAAyBE,EAAIC,cAAgBH,QAAUE,IAAQF,OAAOtjB,UAAY,eAAkBwjB,IAavH5G,EAAiB,SAAU8G,EAAUC,GACvC,KAAMD,YAAoBC,IACxB,KAAM,IAAIC,WAAU,sCAIpB3G,EAAc,WAChB,QAAS4G,GAAiBpT,EAAQtQ,GAChC,IAAK,GAAIiQ,GAAI,EAAGA,EAAIjQ,EAAMiG,OAAQgK,IAAK,CACrC,GAAI0T,GAAa3jB,EAAMiQ,EACvB0T,GAAWC,WAAaD,EAAWC,aAAc,EACjDD,EAAWE,cAAe,EACtB,SAAWF,KAAYA,EAAWG,UAAW,GACjD5iB,OAAOuV,eAAenG,EAAQqT,EAAWra,IAAKqa,IAIlD,MAAO,UAAUH,EAAaO,EAAYC,GAGxC,MAFID,IAAYL,EAAiBF,EAAY3jB,UAAWkkB,GACpDC,GAAaN,EAAiBF,EAAaQ,GACxCR,MAQP/M,EAAiB,SAAU4M,EAAK/Z,EAAKoN,GAYvC,MAXIpN,KAAO+Z,GACTniB,OAAOuV,eAAe4M,EAAK/Z,GACzBoN,MAAOA,EACPkN,YAAY,EACZC,cAAc,EACdC,UAAU,IAGZT,EAAI/Z,GAAOoN,EAGN2M,GAGLpG,EAAW/b,OAAO+iB,QAAU,SAAU3T,GACxC,IAAK,GAAIL,GAAI,EAAGA,EAAIrQ,UAAUqG,OAAQgK,IAAK,CACzC,GAAIiU,GAAStkB,UAAUqQ,EAEvB,KAAK,GAAI3G,KAAO4a,GACVhjB,OAAOrB,UAAU6a,eAAerU,KAAK6d,EAAQ5a,KAC/CgH,EAAOhH,GAAO4a,EAAO5a,IAK3B,MAAOgH,IAKLuM,EAAW,SAAUsH,EAAUC,GACjC,GAA0B,kBAAfA,IAA4C,OAAfA,EACtC,KAAM,IAAIX,WAAU,iEAAoEW,GAG1FD,GAAStkB,UAAYqB,OAAOmjB,OAAOD,GAAcA,EAAWvkB,WAC1DyjB,aACE5M,MAAOyN,EACPP,YAAY,EACZE,UAAU,EACVD,cAAc,KAGdO,IAAYljB,OAAOojB,eAAiBpjB,OAAOojB,eAAeH,EAAUC,GAAcD,EAASxH,UAAYyH,IAWzGG,EAA0B,SAAUlB,EAAKnI,GAC3C,GAAI5K,KAEJ,KAAK,GAAIL,KAAKoT,GACRnI,EAAKxG,QAAQzE,IAAM,GAClB/O,OAAOrB,UAAU6a,eAAerU,KAAKgd,EAAKpT,KAC/CK,EAAOL,GAAKoT,EAAIpT,GAGlB,OAAOK,IAGLoM,EAA4B,SAAU8H,EAAMne,GAC9C,IAAKme,EACH,KAAM,IAAIC,gBAAe,4DAG3B,QAAOpe,GAAyB,gBAATA,IAAqC,kBAATA,GAA8Bme,EAAPne,GAqBxEqe,EAAoB,SAAUC,GAChC,GAAIxe,MAAMkD,QAAQsb,GAAM,CACtB,IAAK,GAAI1U,GAAI,EAAG2U,EAAOze,MAAMwe,EAAI1e,QAASgK,EAAI0U,EAAI1e,OAAQgK,IAAK2U,EAAK3U,GAAK0U,EAAI1U,EAE7E,OAAO2U,GAEP,MAAOze,OAAM0e,KAAKF,IAUlB7Q,EAAO8N,EAAAnhB,EAAUqT,KACjBgR,EAASlD,EAAAnhB,EAAUqkB,OACnB/Q,GAAS6N,EAAAnhB,EAAUsT,OACnBC,GAAO4N,EAAAnhB,EAAUuT,KACjBjJ,GAAS6W,EAAAnhB,EAAUsK,OACnBga,GAAQnD,EAAAnhB,EAAUskB,MAClBC,GAAQpD,EAAAnhB,EAAUukB,MAClBC,GAAMrD,EAAAnhB,EAAUwkB,IAChBC,GAAYtD,EAAAnhB,EAAUykB,UAEtBC,GAAgBJ,IAAO,WAAY,WACnCK,GAAkBL,IAAO,SAAU,QAAS,SAC5CM,GAAgBN,IAAO,UAAW,YAClCO,GAAUtR,GAAKC,WAEfsR,IACF3N,OAAQ7D,GACRoK,QAASpT,GACTxI,SAAUwI,GACVya,cAAeP,GAEftF,cAAe5L,GACf6L,eAAgB7U,IAGd0a,IACFpH,WAAYiH,GACZ1G,WAAY0G,GACZzG,eAAgByG,GAChBlG,aAAckG,GACd/F,aAAc+F,GACd3hB,cAAe2hB,GACfvF,kBAAmBuF,IAGjBpI,GAAY8H,GAAM/H,KAAasI,GAAqBE,IACtDC,WAAY3a,GACZ+T,IAAKwG,MASHK,IALE5R,GAAOE,WACEiR,IAAWnR,GAAQhJ,MAKhCoa,cAAeA,GACfS,cAAeb,IAAO,QAAS,aAE/Bc,SAAU9R,GACV+R,OAAQhS,EAERiS,QAASX,GACTY,IAAKZ,GACL1C,KAAM2C,GACNpH,MAAO8G,IAAO,UAAW,UAAW,SAAU,QAAS,SACvD/G,IAAKqH,GACLtH,KAAMsH,GACNvH,OAAQuH,GACRxH,OAAQwH,GACRY,aAAclB,IAAO,QAAS,WAG5BmB,IACFf,cAAeA,GAEf/kB,MAAO2kB,IAAO,UAAW,WAAY,YACrCoB,SAAUpS,GACVqS,gBAAiBrB,IAAO,SAAU,OAAQ,SAC1CsB,YAAavS,EAEbwS,qBAAsBxB,EACtByB,sBAAuBzB,EACvB0B,sBAAuB1B,EACvB2B,yBAA0B3B,EAC1B4B,yBAA0B5B,GAGxB6B,IACFvmB,MAAO2kB,IAAO,WAAY,YAC1BpE,MAAOoE,IAAO,SAAU,SAAU,OAAQ,MAAO,QAAS,UAGxD6B,IACFxmB,MAAO2kB,IAAO,WAAY,aAcxBlJ,GAAsB3a,OAAOga,KAAKqK,IAElCnL,IACFyM,IAAK,QACLC,IAAK,OACLC,IAAK,OACLC,IAAK,SACLC,IAAK,UAGH/M,GAAqB,WAiKrBgN,GAAmB,QAASA,GAAiB5J,GAC/C,GAAIlM,GAAUxR,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,KAC7E6c,GAAe/c,KAAMwnB,EAErB,IAAIC,GAA+B,YAAlB/V,EAAQhR,MACrBgnB,EAAW5J,EAAmBH,EAAcC,GAEhD5d,MAAK0e,OAAS,SAAU1H,GACtB,MAAO0Q,GAAS1Q,EAAOyQ,KAUvB1I,GAA2Bvd,OAAOga,KAAKyK,IACvCtG,GAAwBne,OAAOga,KAAKgL,IACpCnH,GAA0B7d,OAAOga,KAAKyL,IACtCnH,GAAwBte,OAAOga,KAAK0L,IAEpC3H,IACFpB,OAAQ,GACRC,OAAQ,GACRC,KAAM,GACNC,IAAK,GACLC,MAAO,IAoOLG,GAASld,OAAOmmB,QACnBhJ,WAAYA,EACZO,WAAYA,EACZC,eAAgBA,EAChBO,aAAcA,EACdG,aAAcA,EACd5b,cAAeA,EACfoc,kBAAmBA,IAShBuH,GAAwBpmB,OAAOga,KAAKqK,IACpCgC,GAAsBrmB,OAAOga,KAAKuK,IAIlC9kB,IACFwd,WACA5b,YACAijB,cAAe,OAEf7F,cAAe,KACfC,mBAGEuB,GAAe,SAAU3E,GAG3B,QAAS2E,GAAanhB,GACpB,GAAI2K,GAAU/K,UAAUqG,OAAS,OAAsB0J,KAAjB/P,UAAU,GAAmBA,UAAU,KAC7E6c,GAAe/c,KAAMyhB,EAErB,IAAIrb,GAAQ4W,EAA0Bhd,MAAOyhB,EAAaxE,WAAazb,OAAO0b,eAAeuE,IAAe9a,KAAK3G,KAAMM,EAAO2K,GAE9HiQ,KAA0B,mBAAT4M,MAAsB,8LAEvC,IAAIC,GAAc9c,EAAQ3H,KAKtB0kB,MAAa,EAEfA,GADEvI,SAASnf,EAAM0nB,YACJpF,OAAOtiB,EAAM0nB,YAKbD,EAAcA,EAAY3I,MAAQtX,KAAKsX,KAQtD,IAAI/b,GAAO0kB,MACPE,EAAkB5kB,EAAK2iB,WACvBA,MAAiC/V,KAApBgY,GACfjJ,kBAAmBqD,IAAuByF,KAAKI,gBAC/CtI,gBAAiByC,IAAuByF,KAAKK,cAC7C/H,iBAAkBiC,IAAuB5I,EAAA1Y,GACzCye,kBAAmB6C,IAAuB1I,EAAA5Y,GAC1Cgf,gBAAiBsC,IAAuBmF,KACtCS,CASJ,OAPA7hB,GAAMjD,MAAQoa,KAAayI,GAGzB5G,IAAK,WACH,MAAOhZ,GAAMgiB,YAActgB,KAAKsX,MAAQ4I,KAGrC5hB,EA+FT,MA9IA+W,GAASsE,EAAc3E,GAkDvBM,EAAYqE,IACV7X,IAAK,YACLoN,MAAO,WACL,GAAI+Q,GAAc/nB,KAAKiL,QAAQ3H,KAK3Bsb,EAASjE,EAAY3a,KAAKM,MAAOsnB,GAAuBG,EAK5D,KAAK,GAAIM,KAAYpnB,QACMgP,KAArB2O,EAAOyJ,KACTzJ,EAAOyJ,GAAYpnB,GAAaonB,GAIpC,KAAKzO,EAAcgF,EAAO1G,QAAS,CACjC,GAAIoQ,GAAU1J,EAEVqB,GADSqI,EAAQpQ,OACDoQ,EAAQrI,eACxBC,EAAiBoI,EAAQpI,cAY7BtB,GAASrB,KAAaqB,GACpB1G,OAAQ+H,EACRxB,QAASyB,EACTrd,SAAU5B,GAAa4B,WAI3B,MAAO+b,MAGThV,IAAK,oBACLoN,MAAO,SAA2B4H,EAAQzb,GACxC,MAAO0kB,IAAoB/M,OAAO,SAAUyN,EAAgB1jB,GAE1D,MADA0jB,GAAe1jB,GAAQ6Z,GAAO7Z,GAAM8W,KAAK,KAAMiD,EAAQzb,GAChDolB,UAIX3e,IAAK,kBACLoN,MAAO,WACL,GAAI4H,GAAS5e,KAAKwoB,YAGdD,EAAiBvoB,KAAKyoB,kBAAkB7J,EAAQ5e,KAAKmD,OAErDgL,EAASnO,KAAKmD,MACdic,EAAMjR,EAAOiR,IACb4G,EAAanB,EAAwB1W,GAAS,OAGlD,QACE7K,KAAMia,KAAaqB,EAAQ2J,GACzBvC,WAAYA,EACZ5G,IAAKA,QAKXxV,IAAK,wBACLoN,MAAO,WACL,IAAK,GAAI1Q,GAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EqJ,EAAKrJ,GAAQxG,UAAUwG,EAGzB,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,MAAM4G,OAAOmJ,OAGlEnG,IAAK,oBACLoN,MAAO,WACLhX,KAAKooB,aAAc,KAGrBxe,IAAK,SACLoN,MAAO,WACL,MAAOpX,GAAA,SAAS8oB,KAAK1oB,KAAKM,MAAMwI,cAG7B2Y,GACP7hB,EAAA,UAEF6hB,IAAanF,YAAc,eAC3BmF,GAAarW,cACX9H,KAAMka,IAERiE,GAAakH,mBACXrlB,KAAMka,GAAUjJ,WAalB,IAAImN,IAAgB,SAAU5E,GAG5B,QAAS4E,GAAcphB,EAAO2K,GAC5B8R,EAAe/c,KAAM0hB,EAErB,IAAItb,GAAQ4W,EAA0Bhd,MAAO0hB,EAAczE,WAAazb,OAAO0b,eAAewE,IAAgB/a,KAAK3G,KAAMM,EAAO2K,GAGhI,OADAgQ,GAAqBhQ,GACd7E,EAoCT,MA5CA+W,GAASuE,EAAe5E,GAWxBM,EAAYsE,IACV9X,IAAK,wBACLoN,MAAO,WACL,IAAK,GAAI1Q,GAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EqJ,EAAKrJ,GAAQxG,UAAUwG,EAGzB,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,MAAM4G,OAAOmJ,OAGlEnG,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7Bqb,EAAa3C,EAAc2C,WAC3BiK,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACd0W,EAAQ3W,EAAO2W,MACflO,EAAWzI,EAAOyI,SAGlB+f,EAAgBlK,EAAW3H,EAAOhX,KAAKM,MAE3C,OAAwB,kBAAbwI,GACFA,EAAS+f,GAGXhpB,EAAAkB,EAAMyJ,cACXoe,EACA,KACAC,OAICnH,GACP9hB,EAAA,UAEF8hB,IAAcpF,YAAc,gBAC5BoF,GAActW,cACZ9H,KAAMka,GAcR,IAAIsL,IAAgB,SAAUhM,GAG5B,QAASgM,GAAcxoB,EAAO2K,GAC5B8R,EAAe/c,KAAM8oB,EAErB,IAAI1iB,GAAQ4W,EAA0Bhd,MAAO8oB,EAAc7L,WAAazb,OAAO0b,eAAe4L,IAAgBniB,KAAK3G,KAAMM,EAAO2K,GAGhI,OADAgQ,GAAqBhQ,GACd7E,EAoCT,MA5CA+W,GAAS2L,EAAehM,GAWxBM,EAAY0L,IACVlf,IAAK,wBACLoN,MAAO,WACL,IAAK,GAAI1Q,GAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EqJ,EAAKrJ,GAAQxG,UAAUwG,EAGzB,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,MAAM4G,OAAOmJ,OAGlEnG,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7B4b,EAAalD,EAAckD,WAC3B0J,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACd0W,EAAQ3W,EAAO2W,MACflO,EAAWzI,EAAOyI,SAGlBigB,EAAgB7J,EAAWlI,EAAOhX,KAAKM,MAE3C,OAAwB,kBAAbwI,GACFA,EAASigB,GAGXlpB,EAAAkB,EAAMyJ,cACXoe,EACA,KACAG,OAICD,GACPlpB,EAAA,UAEFkpB,IAAcxM,YAAc,gBAC5BwM,GAAc1d,cACZ9H,KAAMka,GAcR,IAAI0D,IAAS,IACTL,GAAS,IACTC,GAAO,KACPC,GAAM,MAINI,GAAkB,WAgDlB6H,GAAoB,SAAUlM,GAGhC,QAASkM,GAAkB1oB,EAAO2K,GAChC8R,EAAe/c,KAAMgpB,EAErB,IAAI5iB,GAAQ4W,EAA0Bhd,MAAOgpB,EAAkB/L,WAAazb,OAAO0b,eAAe8L,IAAoBriB,KAAK3G,KAAMM,EAAO2K,GAExIgQ,GAAqBhQ,EAErB,IAAImU,GAAMK,SAASnf,EAAM0nB,YAAcpF,OAAOtiB,EAAM0nB,YAAc/c,EAAQ3H,KAAK8b,KAK/E,OADAhZ,GAAMjD,OAAUic,IAAKA,GACdhZ,EAiGT,MA/GA+W,GAAS6L,EAAmBlM,GAiB5BM,EAAY4L,IACVpf,IAAK,qBACLoN,MAAO,SAA4B1W,EAAO6C,GACxC,GAAI2G,GAAS9J,IAGbipB,cAAajpB,KAAKkpB,OAElB,IAAIlS,GAAQ1W,EAAM0W,MACdiK,EAAQ3gB,EAAM2gB,MACdkI,EAAiB7oB,EAAM6oB,eAEvBzkB,EAAO,GAAIoD,MAAKkP,GAAOuK,SAK3B,IAAK4H,GAAmB1J,SAAS/a,GAAjC,CAIA,GAAI+b,GAAQ/b,EAAOvB,EAAMic,IACrBgK,EAAYpI,EAAaC,GAAST,EAAYC,IAC9C4I,EAAgB1I,KAAKC,IAAIH,EAAQ2I,GAMjCE,EAAQ7I,EAAQ,EAAIE,KAAK4I,IAAIJ,EAAgBC,EAAYC,GAAiB1I,KAAK4I,IAAIJ,EAAgBE,EAEvGrpB,MAAKkpB,OAASM,WAAW,WACvB1f,EAAO7B,UAAWmX,IAAKtV,EAAOmB,QAAQ3H,KAAK8b,SAC1CkK,OAGL1f,IAAK,oBACLoN,MAAO,WACLhX,KAAKypB,mBAAmBzpB,KAAKM,MAAON,KAAKmD,UAG3CyG,IAAK,4BACLoN,MAAO,SAAmC3T,GAKnC+d,EAJW/d,EAAK2T,MAIMhX,KAAKM,MAAM0W,QACpChX,KAAKiI,UAAWmX,IAAKpf,KAAKiL,QAAQ3H,KAAK8b,WAI3CxV,IAAK,wBACLoN,MAAO,WACL,IAAK,GAAI1Q,GAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EqJ,EAAKrJ,GAAQxG,UAAUwG,EAGzB,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,MAAM4G,OAAOmJ,OAGlEnG,IAAK,sBACLoN,MAAO,SAA6BtJ,EAAWC,GAC7C3N,KAAKypB,mBAAmB/b,EAAWC,MAGrC/D,IAAK,uBACLoN,MAAO,WACLiS,aAAajpB,KAAKkpB,WAGpBtf,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7B6b,EAAiBnD,EAAcmD,eAC/ByJ,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACd0W,EAAQ3W,EAAO2W,MACflO,EAAWzI,EAAOyI,SAGlB4gB,EAAoBvK,EAAenI,EAAOuG,KAAavd,KAAKM,MAAON,KAAKmD,OAE5E,OAAwB,kBAAb2F,GACFA,EAAS4gB,GAGX7pB,EAAAkB,EAAMyJ,cACXoe,EACA,KACAc,OAICV,GACPppB,EAAA,UAEFopB,IAAkB1M,YAAc,oBAChC0M,GAAkB5d,cAChB9H,KAAMka,IAERwL,GAAkB/nB,cAChBkoB,eAAgB,IAgBlB,IAAIxH,IAAkB,SAAU7E,GAG9B,QAAS6E,GAAgBrhB,EAAO2K,GAC9B8R,EAAe/c,KAAM2hB,EAErB,IAAIvb,GAAQ4W,EAA0Bhd,MAAO2hB,EAAgB1E,WAAazb,OAAO0b,eAAeyE,IAAkBhb,KAAK3G,KAAMM,EAAO2K,GAGpI,OADAgQ,GAAqBhQ,GACd7E,EAoCT,MA5CA+W,GAASwE,EAAiB7E,GAW1BM,EAAYuE,IACV/X,IAAK,wBACLoN,MAAO,WACL,IAAK,GAAI1Q,GAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EqJ,EAAKrJ,GAAQxG,UAAUwG,EAGzB,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,MAAM4G,OAAOmJ,OAGlEnG,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7Boc,EAAe1D,EAAc0D,aAC7BkJ,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACd0W,EAAQ3W,EAAO2W,MACflO,EAAWzI,EAAOyI,SAGlB6gB,EAAkBjK,EAAa1I,EAAOhX,KAAKM,MAE/C,OAAwB,kBAAbwI,GACFA,EAAS6gB,GAGX9pB,EAAAkB,EAAMyJ,cACXoe,EACA,KACAe,OAIChI,GACP/hB,EAAA,UAEF+hB,IAAgBrF,YAAc,kBAC9BqF,GAAgBvW,cACd9H,KAAMka,GAcR,IAAIoM,IAAkB,SAAU9M,GAG9B,QAAS8M,GAAgBtpB,EAAO2K,GAC9B8R,EAAe/c,KAAM4pB,EAErB,IAAIxjB,GAAQ4W,EAA0Bhd,MAAO4pB,EAAgB3M,WAAazb,OAAO0b,eAAe0M,IAAkBjjB,KAAK3G,KAAMM,EAAO2K,GAGpI,OADAgQ,GAAqBhQ,GACd7E,EAsCT,MA9CA+W,GAASyM,EAAiB9M,GAW1BM,EAAYwM,IACVhgB,IAAK,wBACLoN,MAAO,WACL,IAAK,GAAI1Q,GAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EqJ,EAAKrJ,GAAQxG,UAAUwG,EAGzB,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,MAAM4G,OAAOmJ,OAGlEnG,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7Buc,EAAe7D,EAAc6D,aAC7B+I,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACd0W,EAAQ3W,EAAO2W,MACfvB,EAAQpV,EAAOoV,MACf3M,EAAWzI,EAAOyI,SAGlB+gB,EAAiBhK,EAAa7I,EAAOhX,KAAKM,OAC1CwpB,EAAkB9pB,KAAKM,MAAMupB,IAAmBpU,CAEpD,OAAwB,kBAAb3M,GACFA,EAASghB,GAGXjqB,EAAAkB,EAAMyJ,cACXoe,EACA,KACAkB,OAICF,GACPhqB,EAAA,UAEFgqB,IAAgBtN,YAAc,kBAC9BsN,GAAgBxe,cACd9H,KAAMka,IAERoM,GAAgB3oB,cACdP,MAAO,WAqBT,IAAIkhB,IAAmB,SAAU9E,GAG/B,QAAS8E,GAAiBthB,EAAO2K,GAC/B8R,EAAe/c,KAAM4hB,EAErB,IAAIxb,GAAQ4W,EAA0Bhd,MAAO4hB,EAAiB3E,WAAazb,OAAO0b,eAAe0E,IAAmBjb,KAAK3G,KAAMM,EAAO2K,GAGtI,OADAgQ,GAAqBhQ,GACd7E,EAkHT,MA1HA+W,GAASyE,EAAkB9E,GAW3BM,EAAYwE,IACVhY,IAAK,wBACLoN,MAAO,SAA+BtJ,GACpC,GAAI9I,GAAS5E,KAAKM,MAAMsE,MAIxB,KAAKuW,EAHYzN,EAAU9I,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDmlB,GAAmBxM,KAAa7P,GAClC9I,OAAQA,IAGD0B,EAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,EAAO,EAAIA,EAAO,EAAI,GAAII,EAAO,EAAGA,EAAOJ,EAAMI,IAC9FqJ,EAAKrJ,EAAO,GAAKxG,UAAUwG,EAG7B,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,KAAM+pB,GAAkBnjB,OAAOmJ,OAGpFnG,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7BW,EAAgB+X,EAAc/X,cAC9B2kB,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACdO,EAAKR,EAAOQ,GACZmpB,EAAc3pB,EAAO2pB,YACrBlpB,EAAiBT,EAAOS,eACxB8D,EAASvE,EAAOuE,OAChBqlB,EAAiB5pB,EAAOsV,QACxB0G,MAAkCpM,KAAnBga,EAA+BrB,EAAOqB,EACrDnhB,EAAWzI,EAAOyI,SAGlBohB,MAAiB,GACjBC,MAAkB,GAClBC,MAAW,EAGf,IADgBxlB,GAAUpD,OAAOga,KAAK5W,GAAQ2B,OAAS,EACxC,CAGb,GAAI8jB,GAAM1J,KAAK2J,MAAsB,cAAhB3J,KAAK4J,UAA0BC,SAAS,IAEzDC,EAAgB,WAClB,GAAIC,GAAU,CACd,OAAO,YACL,MAAO,WAAaL,EAAM,KAAOK,GAAW,MAOhDR,GAAiB,MAAQG,EAAM,MAC/BF,KACAC,KAOA5oB,OAAOga,KAAK5W,GAAQiN,QAAQ,SAAUhN,GACpC,GAAImS,GAAQpS,EAAOC,EAEnB,IAAIrD,OAAA5B,EAAA,gBAAeoX,GAAQ,CACzB,GAAI2T,GAAQF,GACZN,GAAgBtlB,GAAQqlB,EAAiBS,EAAQT,EACjDE,EAASO,GAAS3T,MAElBmT,GAAgBtlB,GAAQmS,IAK9B,GAAIiN,IAAepjB,GAAIA,EAAImpB,YAAaA,EAAalpB,eAAgBA,GACjEqf,EAAmBlc,EAAcggB,EAAYkG,GAAmBvlB,GAEhEgmB,MAAQ,EAiBZ,OATEA,GANgBR,GAAY5oB,OAAOga,KAAK4O,GAAU7jB,OAAS,EAMnD4Z,EAAiBrG,MAAMoQ,GAAgBW,OAAO,SAAUC,GAC9D,QAASA,IACRjgB,IAAI,SAAUigB,GACf,MAAOV,GAASU,IAASA,KAGlB3K,GAGa,kBAAbrX,GACFA,EAAS7I,UAAMgQ,GAAW+U,EAAkB4F,IAK9ChrB,EAAA,cAAcK,UAAMgQ,IAAYoM,EAAc,MAAMzV,OAAOoe,EAAkB4F,SAGjFhJ,GACPhiB,EAAA,UAEFgiB,IAAiBtF,YAAc,mBAC/BsF,GAAiBxW,cACf9H,KAAMka,IAERoE,GAAiB3gB,cACf2D,UAcF,IAAImmB,IAAuB,SAAUjO,GAGnC,QAASiO,GAAqBzqB,EAAO2K,GACnC8R,EAAe/c,KAAM+qB,EAErB,IAAI3kB,GAAQ4W,EAA0Bhd,MAAO+qB,EAAqB9N,WAAazb,OAAO0b,eAAe6N,IAAuBpkB,KAAK3G,KAAMM,EAAO2K,GAG9I,OADAgQ,GAAqBhQ,GACd7E,EA8DT,MAtEA+W,GAAS4N,EAAsBjO,GAW/BM,EAAY2N,IACVnhB,IAAK,wBACLoN,MAAO,SAA+BtJ,GACpC,GAAI9I,GAAS5E,KAAKM,MAAMsE,MAIxB,KAAKuW,EAHYzN,EAAU9I,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDmlB,GAAmBxM,KAAa7P,GAClC9I,OAAQA,IAGD0B,EAAOpG,UAAUqG,OAAQwJ,EAAOtJ,MAAMH,EAAO,EAAIA,EAAO,EAAI,GAAII,EAAO,EAAGA,EAAOJ,EAAMI,IAC9FqJ,EAAKrJ,EAAO,GAAKxG,UAAUwG,EAG7B,OAAOkV,GAA0B3b,UAAMgQ,IAAYjQ,KAAM+pB,GAAkBnjB,OAAOmJ,OAGpFnG,IAAK,SACLoN,MAAO,WACL,GAAIgF,GAAgBhc,KAAKiL,QAAQ3H,KAC7B+c,EAAoBrE,EAAcqE,kBAClCuI,EAAO5M,EAAc8J,cACrBzlB,EAASL,KAAKM,MACdO,EAAKR,EAAOQ,GACZmpB,EAAc3pB,EAAO2pB,YACrBlpB,EAAiBT,EAAOS,eACxBwf,EAAYjgB,EAAOuE,OACnBqlB,EAAiB5pB,EAAOsV,QACxB0G,MAAkCpM,KAAnBga,EAA+BrB,EAAOqB,EACrDnhB,EAAWzI,EAAOyI,SAGlBmb,GAAepjB,GAAIA,EAAImpB,YAAaA,EAAalpB,eAAgBA,GACjEkqB,EAAuB3K,EAAkB4D,EAAY3D,EAEzD,IAAwB,kBAAbxX,GACT,MAAOA,GAASkiB,EAWlB,IAAIC,IAASC,OAAQF,EACrB,OAAOnrB,GAAAkB,EAAMyJ,cAAc6R,GAAgB8O,wBAAyBF,QAGjEF,GACPnrB,EAAA,UAEFmrB,IAAqBzO,YAAc,uBACnCyO,GAAqB3f,cACnB9H,KAAMka,IAERuN,GAAqB9pB,cACnB2D,WAcF2U,EAAc+I,GAQd/I,EAAcuI,EAAA/gB,IhBk6CRqqB,IACA,SAAUxsB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOwsB,IAC9E,IAsBjB3S,GAAMzZ,EAtBeE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE2X,EAA4CzY,EAAoB,GAChE6Z,EAAqE7Z,EAAoB,IACzF8Z,EAAmD9Z,EAAoB,IACvE+Z,EAAmD/Z,EAAoB,IACvEga,EAA0Dha,EAAoB,IAC9Eia,EAA4Cja,EAAoB,GAChEka,EAAoDla,EAAoB,IiBrhG3F+D,EAAWrB,OAAAuX,EAAA,IACfE,OAAApY,GAAA,0BAAAC,eAAA,sBAKmBuqB,GjBwiGI3S,EiB1iGxBlX,OAAA+V,EAAA,YjB0iGoGtY,EiBziGpGuC,OAAAuX,EAAA,GjByiGqL9Z,EAAS,SAAUc,GAGvM,QAASsrB,KACP,GAAInsB,GAAOkH,EAAOC,CAElB9G,KAA6ES,KAAMqrB,EAEnF,KAAK,GAAI/kB,GAAOpG,UAAUqG,OAAQC,EAAOC,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EF,EAAKE,GAAQxG,UAAUwG,EAGzB,OAAexH,GAASkH,EAAQ3G,IAAwFO,KAAMD,EAAqB4G,KAAK1G,MAAMF,GAAuBC,MAAM4G,OAAOJ,KAAiBJ,EiB7iGrN8S,kBAAoB,WAClB9S,EAAK+S,OAAOjS,ajB8iGTd,EiB3iGL+B,OAAS,SAAAC,GACPhC,EAAK+S,OAAS/Q,GjB4iGXhC,EiB3hGLiC,eAAiB,SAAA6L,GACf9N,EAAK9F,MAAMe,SAASG,OAAAoX,EAAA,IAA0B1E,YjBshGvC7N,EAMJnH,EAAQO,IAAwF2G,EAAOC,GAuC5G,MAxDA1G,KAAuE0rB,EAAmBtrB,GAoB1FsrB,EAAkBlrB,UiB9iGlBoI,kBjB8iGgD,WiB9iG3B,GACXlH,GAAarB,KAAKM,MAAlBe,QAERA,GAASG,OAAAoX,EAAA,MACT5Y,KAAKuJ,WAAalI,EAASG,OAAAwX,EAAA,OjBkjG7BqS,EAAkBlrB,UiB/iGlB8I,qBjB+iGmD,WiB9iG7CjJ,KAAKuJ,aACPvJ,KAAKuJ,aACLvJ,KAAKuJ,WAAa,OjBmjGtB8hB,EAAkBlrB,UiB3iGlBC,OjB2iGqC,WiB3iG3B,GACAkD,GAAStD,KAAKM,MAAdgD,IAER,OACEzD,GAAAkB,EAAAyJ,cAACqO,EAAA,GAAOpO,IAAKzK,KAAKmI,QAAlB/I,IACG0Z,EAAA,GADHM,KAES,QAFTH,MAGW3V,EAAKW,cAAcpB,EAASoW,OAHvCrY,QAIaZ,KAAKkZ,oBAJlB9Z,IAOGuZ,EAAA,GAPHU,WAQe,YARf9R,WASgBvH,KAAKqI,eATrB0B,UAUc,6BAVdC,aAWiB,MjBijGdqhB,GiBjmGsCxrB,EAAAkB,EAAMC,iBjBkmGc/B,IAAWA,GAKxEqsB,IACA,SAAU1sB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO0sB,IAC9E,IAqBjB7S,GAAMzZ,EArBeE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE2X,EAA4CzY,EAAoB,GAChE6Z,EAAqE7Z,EAAoB,IACzF8Z,EAAmD9Z,EAAoB,IACvE+Z,EAAmD/Z,EAAoB,IACvEga,EAA0Dha,EAAoB,IAC9E0sB,EAAoD1sB,EAAoB,IkBjoG5EysB,GlBkpGE7S,EkBnpGtBlX,OAAA+V,EAAA,YlBmpGkGtY,EAAS,SAAUc,GAGpH,QAASwrB,KACP,GAAIrsB,GAAOkH,EAAOC,CAElB9G,KAA6ES,KAAMurB,EAEnF,KAAK,GAAIjlB,GAAOpG,UAAUqG,OAAQC,EAAOC,MAAMH,GAAOI,EAAO,EAAGA,EAAOJ,EAAMI,IAC3EF,EAAKE,GAAQxG,UAAUwG,EAGzB,OAAexH,GAASkH,EAAQ3G,IAAwFO,KAAMD,EAAqB4G,KAAK1G,MAAMF,GAAuBC,MAAM4G,OAAOJ,KAAiBJ,EkBvpGrN8S,kBAAoB,WAClB9S,EAAK+S,OAAOjS,alBwpGTd,EkBrpGL+B,OAAS,SAAAC,GACPhC,EAAK+S,OAAS/Q,GlBspGXhC,EkBroGLiC,eAAiB,SAAA6L,GACf9N,EAAK9F,MAAMe,SAASG,OAAAoX,EAAA,GAAsBxS,EAAK9F,MAAM6X,SAAWjE,YlBgoGzD7N,EAMJnH,EAAQO,IAAwF2G,EAAOC,GAyC5G,MA1DA1G,KAAuE4rB,EAAiBxrB,GAoBxFwrB,EAAgBprB,UkBxpGhBoI,kBlBwpG8C,WkBxpGzB,GAAAlI,GACWL,KAAKM,MAA3Be,EADWhB,EACXgB,SAAU8W,EADC9X,EACD8X,OAElB9W,GAASG,OAAAoX,EAAA,GAAsBT,IAC/BnY,KAAKuJ,WAAalI,EAASG,OAAAgqB,EAAA,GAAqBrT,KlB8pGlDoT,EAAgBprB,UkB3pGhB8I,qBlB2pGiD,WkB1pG3CjJ,KAAKuJ,aACPvJ,KAAKuJ,aACLvJ,KAAKuJ,WAAa,OlB+pGtBgiB,EAAgBprB,UkBvpGhBC,OlBupGmC,WkBvpGzB,GACA+X,GAAYnY,KAAKM,MAAjB6X,OAER,OACEtY,GAAAkB,EAAAyJ,cAACqO,EAAA,GAAOpO,IAAKzK,KAAKmI,QAAlB/I,IACG0Z,EAAA,GADHM,KAES,UAFTH,MAGWd,EAHXvX,QAIaZ,KAAKkZ,oBAJlB9Z,IAOGuZ,EAAA,GAPH3O,aAQiB,EARjBD,UASc,8BATdsP,WAAA,WAU2BlB,EAV3B5Q,WAWgBvH,KAAKqI,mBlB6pGlBkjB,GkB7sGoC1rB,EAAAkB,EAAMC,iBlB8sGgB/B,GAK7DwsB,GACA,SAAU7sB,EAAQC,EAAqBC,GAE7C,YACqB,IAAI4sB,GAAgD5sB,EAAoB,IACpE6sB,EAAwD7sB,EAAoBO,EAAEqsB,GAC9EE,EAA4C9sB,EAAoB,GAChE+sB,EAAwD/sB,EAAoB,KAC5EgtB,EAAmDhtB,EAAoB,IACvEitB,EAA0CjtB,EAAoB,GAE9DktB,GADkDltB,EAAoBO,EAAE0sB,GAC/BjtB,EAAoB,KAE7DmtB,GADiDntB,EAAoBO,EAAE2sB,GACxBltB,EAAoB,KmBluGtFotB,EAAmB,iBAAM1qB,QAAAwqB,EAAA,iBAC7B,SAAC7oB,EAADE,GAAA,GAAU/B,GAAV+B,EAAU/B,IAAV,OAAqB6B,GAAMwI,OAAO,WAAYrK,GAAOE,OAAAuqB,EAAA,SACrD,SAAC5oB,EAAD0Y,GAAA,GAAUva,GAAVua,EAAUva,IAAV,OAAqB6B,GAAMwI,OAAO,YAAarK,EAAM,SAAUE,OAAAuqB,EAAA,UAC/D,SAAC5oB,GAAD,MAAqBA,GAAMS,IAAI,cAC9B,SAACuoB,EAAgBpX,EAAWqX,GAC7B,GAAMC,GAAWF,EAAexgB,OAAO,QAAS,QAAS,IAAI2gB,OACzDC,EAAa,IAEjB,KACEA,EAAQF,GAAY,GAAIG,QAAOH,EAAU,KACzC,MAAO1oB,IAIT,MAAOoR,GAAU8V,OAAO,SAAAhqB,GACtB,GAAM4rB,GAAcL,EAASxoB,IAAI/C,GAC7B6rB,GAAgB,CAUpB,KARkD,IAA9CP,EAAexgB,OAAO,QAAS,aACjC+gB,EAAaA,GAA4C,OAA9BD,EAAY7oB,IAAI,YAGI,IAA7CuoB,EAAexgB,OAAO,QAAS,YACjC+gB,EAAaA,IAAqD,OAAtCD,EAAY7oB,IAAI,mBAA8B6oB,EAAY7oB,IAAI,4BAA8BqoB,EAAA,IAGtHS,GAAcH,GAASE,EAAY7oB,IAAI,aAAeqoB,EAAA,EAAI,CAC5D,GAAMU,GAAcF,EAAY7oB,IAAI,UAAYwoB,EAASzgB,OAAO8gB,EAAY7oB,IAAI,UAAW,iBAAmB6oB,EAAY7oB,IAAI,eAC9H8oB,IAAcH,EAAMK,KAAKD,GAG3B,MAAOD,QAILzpB,EAAsB,WAC1B,GAAM4pB,GAAeX,GASrB,OAPwB,UAAC/oB,EAAD2pB,GAAA,GAAUzT,GAAVyT,EAAUzT,UAAV,QACtBtE,UAAW8X,EAAa1pB,GAAS7B,KAAM+X,IACvC7R,UAAWrE,EAAMwI,OAAO,YAAa0N,EAAY,cAAc,GAC/D3D,UAAWvS,EAAMwI,OAAO,YAAa0N,EAAY,cAAc,GAC/DnP,QAAW/G,EAAMwI,OAAO,YAAa0N,EAAY,eAM/CjW,EAAqB,SAAC/B,EAAD0rB,GAAA,GAAa1T,GAAb0T,EAAa1T,UAAb,QAEzB5R,cAAekkB,IAAS,WACtBtqB,EAASG,OAAAsqB,EAAA,GAAkBzS,GAAY,KACtC,KAEH3R,SAAUikB,IAAS,WACjBtqB,EAASG,OAAAsqB,EAAA,GAAkBzS,GAAY,KACtC,MAILxa,GAAA,EAAe2C,OAAAoqB,EAAA,SAAQ3oB,EAAqBG,GAAoByoB,EAAA,MnB4vG7D","file":"about.js","sourcesContent":["webpackJsonp([28],{\n\n/***/ 149:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return LoadMore; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(6);\n\n\n\n\n\nvar _class, _temp;\n\n\n\nvar LoadMore = (_temp = _class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(LoadMore, _React$PureComponent);\n\n function LoadMore() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, LoadMore);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n LoadMore.prototype.render = function render() {\n var _props = this.props,\n disabled = _props.disabled,\n visible = _props.visible;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n className: 'load-more',\n disabled: disabled || !visible,\n style: { visibility: visible ? 'visible' : 'hidden' },\n onClick: this.props.onClick\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'status.load_more',\n defaultMessage: 'Load more'\n }));\n };\n\n return LoadMore;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent), _class.defaultProps = {\n visible: true\n}, _temp);\n\n\n/***/ }),\n\n/***/ 283:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* unused harmony export MUTES_FETCH_REQUEST */\n/* unused harmony export MUTES_FETCH_SUCCESS */\n/* unused harmony export MUTES_FETCH_FAIL */\n/* unused harmony export MUTES_EXPAND_REQUEST */\n/* unused harmony export MUTES_EXPAND_SUCCESS */\n/* unused harmony export MUTES_EXPAND_FAIL */\n/* unused harmony export MUTES_INIT_MODAL */\n/* unused harmony export MUTES_TOGGLE_HIDE_NOTIFICATIONS */\n/* unused harmony export fetchMutes */\n/* unused harmony export fetchMutesRequest */\n/* unused harmony export fetchMutesSuccess */\n/* unused harmony export fetchMutesFail */\n/* unused harmony export expandMutes */\n/* unused harmony export expandMutesRequest */\n/* unused harmony export expandMutesSuccess */\n/* unused harmony export expandMutesFail */\n/* harmony export (immutable) */ __webpack_exports__[\"a\"] = initMuteModal;\n/* unused harmony export toggleHideNotifications */\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__api__ = __webpack_require__(14);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__accounts__ = __webpack_require__(22);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__importer__ = __webpack_require__(15);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__modal__ = __webpack_require__(26);\n\n\n\n\n\nvar MUTES_FETCH_REQUEST = 'MUTES_FETCH_REQUEST';\nvar MUTES_FETCH_SUCCESS = 'MUTES_FETCH_SUCCESS';\nvar MUTES_FETCH_FAIL = 'MUTES_FETCH_FAIL';\n\nvar MUTES_EXPAND_REQUEST = 'MUTES_EXPAND_REQUEST';\nvar MUTES_EXPAND_SUCCESS = 'MUTES_EXPAND_SUCCESS';\nvar MUTES_EXPAND_FAIL = 'MUTES_EXPAND_FAIL';\n\nvar MUTES_INIT_MODAL = 'MUTES_INIT_MODAL';\nvar MUTES_TOGGLE_HIDE_NOTIFICATIONS = 'MUTES_TOGGLE_HIDE_NOTIFICATIONS';\n\nfunction fetchMutes() {\n return function (dispatch, getState) {\n dispatch(fetchMutesRequest());\n\n Object(__WEBPACK_IMPORTED_MODULE_0__api__[\"a\" /* default */])(getState).get('/api/v1/mutes').then(function (response) {\n var next = Object(__WEBPACK_IMPORTED_MODULE_0__api__[\"b\" /* getLinks */])(response).refs.find(function (link) {\n return link.rel === 'next';\n });\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_2__importer__[\"g\" /* importFetchedAccounts */])(response.data));\n dispatch(fetchMutesSuccess(response.data, next ? next.uri : null));\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__accounts__[\"y\" /* fetchRelationships */])(response.data.map(function (item) {\n return item.id;\n })));\n }).catch(function (error) {\n return dispatch(fetchMutesFail(error));\n });\n };\n};\n\nfunction fetchMutesRequest() {\n return {\n type: MUTES_FETCH_REQUEST\n };\n};\n\nfunction fetchMutesSuccess(accounts, next) {\n return {\n type: MUTES_FETCH_SUCCESS,\n accounts: accounts,\n next: next\n };\n};\n\nfunction fetchMutesFail(error) {\n return {\n type: MUTES_FETCH_FAIL,\n error: error\n };\n};\n\nfunction expandMutes() {\n return function (dispatch, getState) {\n var url = getState().getIn(['user_lists', 'mutes', 'next']);\n\n if (url === null) {\n return;\n }\n\n dispatch(expandMutesRequest());\n\n Object(__WEBPACK_IMPORTED_MODULE_0__api__[\"a\" /* default */])(getState).get(url).then(function (response) {\n var next = Object(__WEBPACK_IMPORTED_MODULE_0__api__[\"b\" /* getLinks */])(response).refs.find(function (link) {\n return link.rel === 'next';\n });\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_2__importer__[\"g\" /* importFetchedAccounts */])(response.data));\n dispatch(expandMutesSuccess(response.data, next ? next.uri : null));\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__accounts__[\"y\" /* fetchRelationships */])(response.data.map(function (item) {\n return item.id;\n })));\n }).catch(function (error) {\n return dispatch(expandMutesFail(error));\n });\n };\n};\n\nfunction expandMutesRequest() {\n return {\n type: MUTES_EXPAND_REQUEST\n };\n};\n\nfunction expandMutesSuccess(accounts, next) {\n return {\n type: MUTES_EXPAND_SUCCESS,\n accounts: accounts,\n next: next\n };\n};\n\nfunction expandMutesFail(error) {\n return {\n type: MUTES_EXPAND_FAIL,\n error: error\n };\n};\n\nfunction initMuteModal(account) {\n return function (dispatch) {\n dispatch({\n type: MUTES_INIT_MODAL,\n account: account\n });\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_3__modal__[\"d\" /* openModal */])('MUTE'));\n };\n}\n\nfunction toggleHideNotifications() {\n return function (dispatch) {\n dispatch({ type: MUTES_TOGGLE_HIDE_NOTIFICATIONS });\n };\n}\n\n/***/ }),\n\n/***/ 285:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* unused harmony export REPORT_INIT */\n/* unused harmony export REPORT_CANCEL */\n/* unused harmony export REPORT_SUBMIT_REQUEST */\n/* unused harmony export REPORT_SUBMIT_SUCCESS */\n/* unused harmony export REPORT_SUBMIT_FAIL */\n/* unused harmony export REPORT_STATUS_TOGGLE */\n/* unused harmony export REPORT_COMMENT_CHANGE */\n/* unused harmony export REPORT_FORWARD_CHANGE */\n/* harmony export (immutable) */ __webpack_exports__[\"a\"] = initReport;\n/* unused harmony export cancelReport */\n/* unused harmony export toggleStatusReport */\n/* unused harmony export submitReport */\n/* unused harmony export submitReportRequest */\n/* unused harmony export submitReportSuccess */\n/* unused harmony export submitReportFail */\n/* unused harmony export changeReportComment */\n/* unused harmony export changeReportForward */\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__api__ = __webpack_require__(14);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__modal__ = __webpack_require__(26);\n\n\n\nvar REPORT_INIT = 'REPORT_INIT';\nvar REPORT_CANCEL = 'REPORT_CANCEL';\n\nvar REPORT_SUBMIT_REQUEST = 'REPORT_SUBMIT_REQUEST';\nvar REPORT_SUBMIT_SUCCESS = 'REPORT_SUBMIT_SUCCESS';\nvar REPORT_SUBMIT_FAIL = 'REPORT_SUBMIT_FAIL';\n\nvar REPORT_STATUS_TOGGLE = 'REPORT_STATUS_TOGGLE';\nvar REPORT_COMMENT_CHANGE = 'REPORT_COMMENT_CHANGE';\nvar REPORT_FORWARD_CHANGE = 'REPORT_FORWARD_CHANGE';\n\nfunction initReport(account, status) {\n return function (dispatch) {\n dispatch({\n type: REPORT_INIT,\n account: account,\n status: status\n });\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__modal__[\"d\" /* openModal */])('REPORT'));\n };\n};\n\nfunction cancelReport() {\n return {\n type: REPORT_CANCEL\n };\n};\n\nfunction toggleStatusReport(statusId, checked) {\n return {\n type: REPORT_STATUS_TOGGLE,\n statusId: statusId,\n checked: checked\n };\n};\n\nfunction submitReport() {\n return function (dispatch, getState) {\n dispatch(submitReportRequest());\n\n Object(__WEBPACK_IMPORTED_MODULE_0__api__[\"a\" /* default */])(getState).post('/api/v1/reports', {\n account_id: getState().getIn(['reports', 'new', 'account_id']),\n status_ids: getState().getIn(['reports', 'new', 'status_ids']),\n comment: getState().getIn(['reports', 'new', 'comment']),\n forward: getState().getIn(['reports', 'new', 'forward'])\n }).then(function (response) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__modal__[\"c\" /* closeModal */])());\n dispatch(submitReportSuccess(response.data));\n }).catch(function (error) {\n return dispatch(submitReportFail(error));\n });\n };\n};\n\nfunction submitReportRequest() {\n return {\n type: REPORT_SUBMIT_REQUEST\n };\n};\n\nfunction submitReportSuccess(report) {\n return {\n type: REPORT_SUBMIT_SUCCESS,\n report: report\n };\n};\n\nfunction submitReportFail(error) {\n return {\n type: REPORT_SUBMIT_FAIL,\n error: error\n };\n};\n\nfunction changeReportComment(comment) {\n return {\n type: REPORT_COMMENT_CHANGE,\n comment: comment\n };\n};\n\nfunction changeReportForward(forward) {\n return {\n type: REPORT_FORWARD_CHANGE,\n forward: forward\n };\n};\n\n/***/ }),\n\n/***/ 286:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__components_status__ = __webpack_require__(152);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__selectors__ = __webpack_require__(67);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__actions_compose__ = __webpack_require__(18);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__actions_interactions__ = __webpack_require__(68);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_accounts__ = __webpack_require__(22);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__actions_statuses__ = __webpack_require__(92);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__actions_mutes__ = __webpack_require__(283);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__actions_reports__ = __webpack_require__(285);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_modal__ = __webpack_require__(26);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__initial_state__ = __webpack_require__(12);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__actions_alerts__ = __webpack_require__(36);\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_12_react_intl__[\"f\" /* defineMessages */])({\n deleteConfirm: {\n 'id': 'confirmations.delete.confirm',\n 'defaultMessage': 'Delete'\n },\n deleteMessage: {\n 'id': 'confirmations.delete.message',\n 'defaultMessage': 'Are you sure you want to delete this status?'\n },\n blockConfirm: {\n 'id': 'confirmations.block.confirm',\n 'defaultMessage': 'Block'\n }\n});\n\nvar makeMapStateToProps = function makeMapStateToProps() {\n var getStatus = Object(__WEBPACK_IMPORTED_MODULE_4__selectors__[\"e\" /* makeGetStatus */])();\n\n var mapStateToProps = function mapStateToProps(state, props) {\n return {\n status: getStatus(state, props.id)\n };\n };\n\n return mapStateToProps;\n};\n\nvar mapDispatchToProps = function mapDispatchToProps(dispatch, _ref) {\n var intl = _ref.intl;\n return {\n onReply: function onReply(status, router) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_5__actions_compose__[\"T\" /* replyCompose */])(status, router));\n },\n onModalReblog: function onModalReblog(status) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"l\" /* reblog */])(status));\n },\n onReblog: function onReblog(status, e) {\n if (status.get('reblogged')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"n\" /* unreblog */])(status));\n } else {\n if (e.shiftKey || !__WEBPACK_IMPORTED_MODULE_13__initial_state__[\"b\" /* boostModal */]) {\n this.onModalReblog(status);\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('BOOST', { status: status, onReblog: this.onModalReblog }));\n }\n }\n },\n onFavourite: function onFavourite(status) {\n if (status.get('favourited')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"m\" /* unfavourite */])(status));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"i\" /* favourite */])(status));\n }\n },\n onDelete: function onDelete(status) {\n if (!__WEBPACK_IMPORTED_MODULE_13__initial_state__[\"e\" /* deleteModal */]) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"f\" /* deleteStatus */])(status.get('id')));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('CONFIRM', {\n message: intl.formatMessage(messages.deleteMessage),\n confirm: intl.formatMessage(messages.deleteConfirm),\n onConfirm: function onConfirm() {\n return dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"f\" /* deleteStatus */])(status.get('id')));\n }\n }));\n }\n },\n onDirect: function onDirect(account, router) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_5__actions_compose__[\"N\" /* directCompose */])(account, router));\n },\n onMention: function onMention(account, router) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_5__actions_compose__[\"R\" /* mentionCompose */])(account, router));\n },\n onOpenMedia: function onOpenMedia(media, index) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('MEDIA', { media: media, index: index }));\n },\n onOpenVideo: function onOpenVideo(media, time) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('VIDEO', { media: media, time: time }));\n },\n onBlock: function onBlock(account) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('CONFIRM', {\n message: __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'confirmations.block.message',\n defaultMessage: 'Are you sure you want to block {name}?',\n values: { name: __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('strong', {}, void 0, '@', account.get('acct')) }\n }),\n confirm: intl.formatMessage(messages.blockConfirm),\n onConfirm: function onConfirm() {\n return dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_accounts__[\"q\" /* blockAccount */])(account.get('id')));\n }\n }));\n },\n onReport: function onReport(status) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_10__actions_reports__[\"a\" /* initReport */])(status.get('account'), status));\n },\n onMute: function onMute(account) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_9__actions_mutes__[\"a\" /* initMuteModal */])(account));\n },\n onMuteConversation: function onMuteConversation(status) {\n if (status.get('muted')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"k\" /* unmuteStatus */])(status.get('id')));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"i\" /* muteStatus */])(status.get('id')));\n }\n },\n onToggleHidden: function onToggleHidden(status) {\n if (status.get('hidden')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"j\" /* revealStatus */])(status.get('id')));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"h\" /* hideStatus */])(status.get('id')));\n }\n }\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_12_react_intl__[\"g\" /* injectIntl */])(Object(__WEBPACK_IMPORTED_MODULE_2_react_redux__[\"connect\"])(makeMapStateToProps, mapDispatchToProps)(__WEBPACK_IMPORTED_MODULE_3__components_status__[\"a\" /* default */])));\n\n/***/ }),\n\n/***/ 288:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ScrollableList; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_throttle__ = __webpack_require__(94);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_throttle___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_throttle__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_router_scroll_4__ = __webpack_require__(151);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__containers_intersection_observer_article_container__ = __webpack_require__(289);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__load_more__ = __webpack_require__(149);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__features_ui_util_intersection_observer_wrapper__ = __webpack_require__(294);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_immutable__ = __webpack_require__(8);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_immutable___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_11_immutable__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_classnames__ = __webpack_require__(10);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_12_classnames__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__ = __webpack_require__(153);\n\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\n\n\n\n\n\n\n\nvar ScrollableList = (_temp2 = _class = function (_PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ScrollableList, _PureComponent);\n\n function ScrollableList() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ScrollableList);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _PureComponent.call.apply(_PureComponent, [this].concat(args))), _this), _this.state = {\n lastMouseMove: null\n }, _this.intersectionObserverWrapper = new __WEBPACK_IMPORTED_MODULE_10__features_ui_util_intersection_observer_wrapper__[\"a\" /* default */](), _this.handleScroll = __WEBPACK_IMPORTED_MODULE_4_lodash_throttle___default()(function () {\n if (_this.node) {\n var _this$node = _this.node,\n scrollTop = _this$node.scrollTop,\n scrollHeight = _this$node.scrollHeight,\n clientHeight = _this$node.clientHeight;\n\n var offset = scrollHeight - scrollTop - clientHeight;\n _this._oldScrollPosition = scrollHeight - scrollTop;\n\n if (400 > offset && _this.props.onLoadMore && !_this.props.isLoading) {\n _this.props.onLoadMore();\n }\n\n if (scrollTop < 100 && _this.props.onScrollToTop) {\n _this.props.onScrollToTop();\n } else if (_this.props.onScroll) {\n _this.props.onScroll();\n }\n }\n }, 150, {\n trailing: true\n }), _this.handleMouseMove = __WEBPACK_IMPORTED_MODULE_4_lodash_throttle___default()(function () {\n _this._lastMouseMove = new Date();\n }, 300), _this.handleMouseLeave = function () {\n _this._lastMouseMove = null;\n }, _this.onFullScreenChange = function () {\n _this.setState({ fullscreen: Object(__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__[\"d\" /* isFullscreen */])() });\n }, _this.setRef = function (c) {\n _this.node = c;\n }, _this.handleLoadMore = function (e) {\n e.preventDefault();\n _this.props.onLoadMore();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ScrollableList.prototype.componentDidMount = function componentDidMount() {\n this.attachScrollListener();\n this.attachIntersectionObserver();\n Object(__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__[\"a\" /* attachFullscreenListener */])(this.onFullScreenChange);\n\n // Handle initial scroll posiiton\n this.handleScroll();\n };\n\n ScrollableList.prototype.componentDidUpdate = function componentDidUpdate(prevProps) {\n var someItemInserted = __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(prevProps.children) > 0 && __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(prevProps.children) < __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(this.props.children) && this.getFirstChildKey(prevProps) !== this.getFirstChildKey(this.props);\n\n // Reset the scroll position when a new child comes in in order not to\n // jerk the scrollbar around if you're already scrolled down the page.\n if (someItemInserted && this._oldScrollPosition && this.node.scrollTop > 0) {\n var newScrollTop = this.node.scrollHeight - this._oldScrollPosition;\n\n if (this.node.scrollTop !== newScrollTop) {\n this.node.scrollTop = newScrollTop;\n }\n } else {\n this._oldScrollPosition = this.node.scrollHeight - this.node.scrollTop;\n }\n };\n\n ScrollableList.prototype.componentWillUnmount = function componentWillUnmount() {\n this.detachScrollListener();\n this.detachIntersectionObserver();\n Object(__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__[\"b\" /* detachFullscreenListener */])(this.onFullScreenChange);\n };\n\n ScrollableList.prototype.attachIntersectionObserver = function attachIntersectionObserver() {\n this.intersectionObserverWrapper.connect({\n root: this.node,\n rootMargin: '300% 0px'\n });\n };\n\n ScrollableList.prototype.detachIntersectionObserver = function detachIntersectionObserver() {\n this.intersectionObserverWrapper.disconnect();\n };\n\n ScrollableList.prototype.attachScrollListener = function attachScrollListener() {\n this.node.addEventListener('scroll', this.handleScroll);\n };\n\n ScrollableList.prototype.detachScrollListener = function detachScrollListener() {\n this.node.removeEventListener('scroll', this.handleScroll);\n };\n\n ScrollableList.prototype.getFirstChildKey = function getFirstChildKey(props) {\n var children = props.children;\n\n var firstChild = children;\n if (children instanceof __WEBPACK_IMPORTED_MODULE_11_immutable__[\"List\"]) {\n firstChild = children.get(0);\n } else if (Array.isArray(children)) {\n firstChild = children[0];\n }\n return firstChild && firstChild.key;\n };\n\n ScrollableList.prototype._recentlyMoved = function _recentlyMoved() {\n return this._lastMouseMove !== null && new Date() - this._lastMouseMove < 600;\n };\n\n ScrollableList.prototype.render = function render() {\n var _this2 = this;\n\n var _props = this.props,\n children = _props.children,\n scrollKey = _props.scrollKey,\n trackScroll = _props.trackScroll,\n shouldUpdateScroll = _props.shouldUpdateScroll,\n isLoading = _props.isLoading,\n hasMore = _props.hasMore,\n prepend = _props.prepend,\n emptyMessage = _props.emptyMessage,\n onLoadMore = _props.onLoadMore;\n var fullscreen = this.state.fullscreen;\n\n var childrenCount = __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(children);\n\n var loadMore = hasMore && childrenCount > 0 && onLoadMore ? __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__load_more__[\"a\" /* default */], {\n visible: !isLoading,\n onClick: this.handleLoadMore\n }) : null;\n var scrollableArea = null;\n\n if (isLoading || childrenCount > 0 || !emptyMessage) {\n scrollableArea = __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n { className: __WEBPACK_IMPORTED_MODULE_12_classnames___default()('scrollable', { fullscreen: fullscreen }), ref: this.setRef, onMouseMove: this.handleMouseMove, onMouseLeave: this.handleMouseLeave },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n role: 'feed',\n className: 'item-list'\n }, void 0, prepend, __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.map(this.props.children, function (child, index) {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8__containers_intersection_observer_article_container__[\"a\" /* default */], {\n id: child.key,\n index: index,\n listLength: childrenCount,\n intersectionObserverWrapper: _this2.intersectionObserverWrapper,\n saveHeightKey: trackScroll ? _this2.context.router.route.location.key + ':' + scrollKey : null\n }, child.key, child);\n }), loadMore)\n );\n } else {\n scrollableArea = __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n { className: 'empty-column-indicator', ref: this.setRef },\n emptyMessage\n );\n }\n\n if (trackScroll) {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_scroll_4__[\"a\" /* ScrollContainer */], {\n scrollKey: scrollKey,\n shouldUpdateScroll: shouldUpdateScroll\n }, void 0, scrollableArea);\n } else {\n return scrollableArea;\n }\n };\n\n return ScrollableList;\n}(__WEBPACK_IMPORTED_MODULE_5_react__[\"PureComponent\"]), _class.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_7_prop_types___default.a.object\n}, _class.defaultProps = {\n trackScroll: true\n}, _temp2);\n\n\n/***/ }),\n\n/***/ 289:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__components_intersection_observer_article__ = __webpack_require__(290);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__actions_height_cache__ = __webpack_require__(95);\n\n\n\n\nvar makeMapStateToProps = function makeMapStateToProps(state, props) {\n return {\n cachedHeight: state.getIn(['height_cache', props.saveHeightKey, props.id])\n };\n};\n\nvar mapDispatchToProps = function mapDispatchToProps(dispatch) {\n return {\n onHeightChange: function onHeightChange(key, id, height) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_2__actions_height_cache__[\"d\" /* setHeight */])(key, id, height));\n }\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_0_react_redux__[\"connect\"])(makeMapStateToProps, mapDispatchToProps)(__WEBPACK_IMPORTED_MODULE_1__components_intersection_observer_article__[\"a\" /* default */]));\n\n/***/ }),\n\n/***/ 290:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return IntersectionObserverArticle; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__ = __webpack_require__(291);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__features_ui_util_get_rect_from_entry__ = __webpack_require__(293);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_immutable__ = __webpack_require__(8);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_immutable___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_immutable__);\n\n\n\n\n\n\n\n\n\n// Diff these props in the \"rendered\" state\nvar updateOnPropsForRendered = ['id', 'index', 'listLength'];\n// Diff these props in the \"unrendered\" state\nvar updateOnPropsForUnrendered = ['id', 'index', 'listLength', 'cachedHeight'];\n\nvar IntersectionObserverArticle = function (_React$Component) {\n __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default()(IntersectionObserverArticle, _React$Component);\n\n function IntersectionObserverArticle() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, IntersectionObserverArticle);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$Component.call.apply(_React$Component, [this].concat(args))), _this), _this.state = {\n isHidden: false // set to true in requestIdleCallback to trigger un-render\n }, _this.handleIntersection = function (entry) {\n _this.entry = entry;\n\n Object(__WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__[\"a\" /* default */])(_this.calculateHeight);\n _this.setState(_this.updateStateAfterIntersection);\n }, _this.updateStateAfterIntersection = function (prevState) {\n if (prevState.isIntersecting && !_this.entry.isIntersecting) {\n Object(__WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__[\"a\" /* default */])(_this.hideIfNotIntersecting);\n }\n return {\n isIntersecting: _this.entry.isIntersecting,\n isHidden: false\n };\n }, _this.calculateHeight = function () {\n var _this$props = _this.props,\n onHeightChange = _this$props.onHeightChange,\n saveHeightKey = _this$props.saveHeightKey,\n id = _this$props.id;\n // save the height of the fully-rendered element (this is expensive\n // on Chrome, where we need to fall back to getBoundingClientRect)\n\n _this.height = Object(__WEBPACK_IMPORTED_MODULE_5__features_ui_util_get_rect_from_entry__[\"a\" /* default */])(_this.entry).height;\n\n if (onHeightChange && saveHeightKey) {\n onHeightChange(saveHeightKey, id, _this.height);\n }\n }, _this.hideIfNotIntersecting = function () {\n if (!_this.componentMounted) {\n return;\n }\n\n // When the browser gets a chance, test if we're still not intersecting,\n // and if so, set our isHidden to true to trigger an unrender. The point of\n // this is to save DOM nodes and avoid using up too much memory.\n // See: https://github.com/tootsuite/mastodon/issues/2900\n _this.setState(function (prevState) {\n return { isHidden: !prevState.isIntersecting };\n });\n }, _this.handleRef = function (node) {\n _this.node = node;\n }, _temp), __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n IntersectionObserverArticle.prototype.shouldComponentUpdate = function shouldComponentUpdate(nextProps, nextState) {\n var _this2 = this;\n\n var isUnrendered = !this.state.isIntersecting && (this.state.isHidden || this.props.cachedHeight);\n var willBeUnrendered = !nextState.isIntersecting && (nextState.isHidden || nextProps.cachedHeight);\n if (!!isUnrendered !== !!willBeUnrendered) {\n // If we're going from rendered to unrendered (or vice versa) then update\n return true;\n }\n // Otherwise, diff based on props\n var propsToDiff = isUnrendered ? updateOnPropsForUnrendered : updateOnPropsForRendered;\n return !propsToDiff.every(function (prop) {\n return Object(__WEBPACK_IMPORTED_MODULE_6_immutable__[\"is\"])(nextProps[prop], _this2.props[prop]);\n });\n };\n\n IntersectionObserverArticle.prototype.componentDidMount = function componentDidMount() {\n var _props = this.props,\n intersectionObserverWrapper = _props.intersectionObserverWrapper,\n id = _props.id;\n\n\n intersectionObserverWrapper.observe(id, this.node, this.handleIntersection);\n\n this.componentMounted = true;\n };\n\n IntersectionObserverArticle.prototype.componentWillUnmount = function componentWillUnmount() {\n var _props2 = this.props,\n intersectionObserverWrapper = _props2.intersectionObserverWrapper,\n id = _props2.id;\n\n intersectionObserverWrapper.unobserve(id, this.node);\n\n this.componentMounted = false;\n };\n\n IntersectionObserverArticle.prototype.render = function render() {\n var _props3 = this.props,\n children = _props3.children,\n id = _props3.id,\n index = _props3.index,\n listLength = _props3.listLength,\n cachedHeight = _props3.cachedHeight;\n var _state = this.state,\n isIntersecting = _state.isIntersecting,\n isHidden = _state.isHidden;\n\n\n if (!isIntersecting && (isHidden || cachedHeight)) {\n return __WEBPACK_IMPORTED_MODULE_3_react___default.a.createElement(\n 'article',\n {\n ref: this.handleRef,\n 'aria-posinset': index,\n 'aria-setsize': listLength,\n style: { height: (this.height || cachedHeight) + 'px', opacity: 0, overflow: 'hidden' },\n 'data-id': id,\n tabIndex: '0'\n },\n children && __WEBPACK_IMPORTED_MODULE_3_react___default.a.cloneElement(children, { hidden: true })\n );\n }\n\n return __WEBPACK_IMPORTED_MODULE_3_react___default.a.createElement(\n 'article',\n { ref: this.handleRef, 'aria-posinset': index, 'aria-setsize': listLength, 'data-id': id, tabIndex: '0' },\n children && __WEBPACK_IMPORTED_MODULE_3_react___default.a.cloneElement(children, { hidden: false })\n );\n };\n\n return IntersectionObserverArticle;\n}(__WEBPACK_IMPORTED_MODULE_3_react___default.a.Component);\n\n\n\n/***/ }),\n\n/***/ 291:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_tiny_queue__ = __webpack_require__(292);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_tiny_queue___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_tiny_queue__);\n// Wrapper to call requestIdleCallback() to schedule low-priority work.\n// See https://developer.mozilla.org/en-US/docs/Web/API/Background_Tasks_API\n// for a good breakdown of the concepts behind this.\n\n\n\nvar taskQueue = new __WEBPACK_IMPORTED_MODULE_0_tiny_queue___default.a();\nvar runningRequestIdleCallback = false;\n\nfunction runTasks(deadline) {\n while (taskQueue.length && deadline.timeRemaining() > 0) {\n taskQueue.shift()();\n }\n if (taskQueue.length) {\n requestIdleCallback(runTasks);\n } else {\n runningRequestIdleCallback = false;\n }\n}\n\nfunction scheduleIdleTask(task) {\n taskQueue.push(task);\n if (!runningRequestIdleCallback) {\n runningRequestIdleCallback = true;\n requestIdleCallback(runTasks);\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (scheduleIdleTask);\n\n/***/ }),\n\n/***/ 292:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n// Simple FIFO queue implementation to avoid having to do shift()\n// on an array, which is slow.\n\nfunction Queue() {\n this.length = 0;\n}\n\nQueue.prototype.push = function (item) {\n var node = { item: item };\n if (this.last) {\n this.last = this.last.next = node;\n } else {\n this.last = this.first = node;\n }\n this.length++;\n};\n\nQueue.prototype.shift = function () {\n var node = this.first;\n if (node) {\n this.first = node.next;\n if (! --this.length) {\n this.last = undefined;\n }\n return node.item;\n }\n};\n\nQueue.prototype.slice = function (start, end) {\n start = typeof start === 'undefined' ? 0 : start;\n end = typeof end === 'undefined' ? Infinity : end;\n\n var output = [];\n\n var i = 0;\n for (var node = this.first; node; node = node.next) {\n if (--end < 0) {\n break;\n } else if (++i > start) {\n output.push(node.item);\n }\n }\n return output;\n};\n\nmodule.exports = Queue;\n\n/***/ }),\n\n/***/ 293:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n\n// Get the bounding client rect from an IntersectionObserver entry.\n// This is to work around a bug in Chrome: https://crbug.com/737228\n\nvar hasBoundingRectBug = void 0;\n\nfunction getRectFromEntry(entry) {\n if (typeof hasBoundingRectBug !== 'boolean') {\n var boundingRect = entry.target.getBoundingClientRect();\n var observerRect = entry.boundingClientRect;\n hasBoundingRectBug = boundingRect.height !== observerRect.height || boundingRect.top !== observerRect.top || boundingRect.width !== observerRect.width || boundingRect.bottom !== observerRect.bottom || boundingRect.left !== observerRect.left || boundingRect.right !== observerRect.right;\n }\n return hasBoundingRectBug ? entry.target.getBoundingClientRect() : entry.boundingClientRect;\n}\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (getRectFromEntry);\n\n/***/ }),\n\n/***/ 294:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__);\n\n\n// Wrapper for IntersectionObserver in order to make working with it\n// a bit easier. We also follow this performance advice:\n// \"If you need to observe multiple elements, it is both possible and\n// advised to observe multiple elements using the same IntersectionObserver\n// instance by calling observe() multiple times.\"\n// https://developers.google.com/web/updates/2016/04/intersectionobserver\n\nvar IntersectionObserverWrapper = function () {\n function IntersectionObserverWrapper() {\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, IntersectionObserverWrapper);\n\n this.callbacks = {};\n this.observerBacklog = [];\n this.observer = null;\n }\n\n IntersectionObserverWrapper.prototype.connect = function connect(options) {\n var _this = this;\n\n var onIntersection = function onIntersection(entries) {\n entries.forEach(function (entry) {\n var id = entry.target.getAttribute('data-id');\n if (_this.callbacks[id]) {\n _this.callbacks[id](entry);\n }\n });\n };\n\n this.observer = new IntersectionObserver(onIntersection, options);\n this.observerBacklog.forEach(function (_ref) {\n var id = _ref[0],\n node = _ref[1],\n callback = _ref[2];\n\n _this.observe(id, node, callback);\n });\n this.observerBacklog = null;\n };\n\n IntersectionObserverWrapper.prototype.observe = function observe(id, node, callback) {\n if (!this.observer) {\n this.observerBacklog.push([id, node, callback]);\n } else {\n this.callbacks[id] = callback;\n this.observer.observe(node);\n }\n };\n\n IntersectionObserverWrapper.prototype.unobserve = function unobserve(id, node) {\n if (this.observer) {\n delete this.callbacks[id];\n this.observer.unobserve(node);\n }\n };\n\n IntersectionObserverWrapper.prototype.disconnect = function disconnect() {\n if (this.observer) {\n this.callbacks = {};\n this.observer.disconnect();\n this.observer = null;\n }\n };\n\n return IntersectionObserverWrapper;\n}();\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (IntersectionObserverWrapper);\n\n/***/ }),\n\n/***/ 295:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return StatusList; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__ = __webpack_require__(29);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_objectWithoutProperties__ = __webpack_require__(30);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_objectWithoutProperties___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_objectWithoutProperties__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_lodash_debounce__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__ = __webpack_require__(13);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_9_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__containers_status_container__ = __webpack_require__(286);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component__ = __webpack_require__(11);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__load_more__ = __webpack_require__(149);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__scrollable_list__ = __webpack_require__(288);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14_react_intl__ = __webpack_require__(6);\n\n\n\n\n\n\n\n\nvar _class, _temp2, _class2, _temp4;\n\n\n\n\n\n\n\n\n\n\nvar LoadGap = (_temp2 = _class = function (_ImmutablePureCompone) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(LoadGap, _ImmutablePureCompone);\n\n function LoadGap() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, LoadGap);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone.call.apply(_ImmutablePureCompone, [this].concat(args))), _this), _this.handleClick = function () {\n _this.props.onClick(_this.props.maxId);\n }, _temp), __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n LoadGap.prototype.render = function render() {\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12__load_more__[\"a\" /* default */], {\n onClick: this.handleClick,\n disabled: this.props.disabled\n });\n };\n\n return LoadGap;\n}(__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component___default.a), _class.propTypes = {\n disabled: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n maxId: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.string,\n onClick: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func.isRequired\n}, _temp2);\nvar StatusList = (_temp4 = _class2 = function (_ImmutablePureCompone2) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(StatusList, _ImmutablePureCompone2);\n\n function StatusList() {\n var _temp3, _this2, _ret2;\n\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, StatusList);\n\n for (var _len2 = arguments.length, args = Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {\n args[_key2] = arguments[_key2];\n }\n\n return _ret2 = (_temp3 = (_this2 = __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone2.call.apply(_ImmutablePureCompone2, [this].concat(args))), _this2), _this2.handleMoveUp = function (id) {\n var elementIndex = _this2.props.statusIds.indexOf(id) - 1;\n _this2._selectChild(elementIndex);\n }, _this2.handleMoveDown = function (id) {\n var elementIndex = _this2.props.statusIds.indexOf(id) + 1;\n _this2._selectChild(elementIndex);\n }, _this2.handleLoadOlder = __WEBPACK_IMPORTED_MODULE_6_lodash_debounce___default()(function () {\n _this2.props.onLoadMore(_this2.props.statusIds.last());\n }, 300, { leading: true }), _this2.setRef = function (c) {\n _this2.node = c;\n }, _temp3), __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(_this2, _ret2);\n }\n\n StatusList.prototype._selectChild = function _selectChild(index) {\n var element = this.node.node.querySelector('article:nth-of-type(' + (index + 1) + ') .focusable');\n\n if (element) {\n element.focus();\n }\n };\n\n StatusList.prototype.render = function render() {\n var _this3 = this;\n\n var _props = this.props,\n statusIds = _props.statusIds,\n onLoadMore = _props.onLoadMore,\n other = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_objectWithoutProperties___default()(_props, ['statusIds', 'onLoadMore']);\n\n var isLoading = other.isLoading,\n isPartial = other.isPartial;\n\n\n if (isPartial) {\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()('div', {\n className: 'regeneration-indicator'\n }, void 0, __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()('div', {}, void 0, __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()('div', {\n className: 'regeneration-indicator__label'\n }, void 0, __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'regeneration_indicator.label',\n tagName: 'strong',\n defaultMessage: 'Loading\\u2026'\n }), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'regeneration_indicator.sublabel',\n defaultMessage: 'Your home feed is being prepared!'\n }))));\n }\n\n var scrollableContent = isLoading || statusIds.size > 0 ? statusIds.map(function (statusId, index) {\n return statusId === null ? __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(LoadGap, {\n disabled: isLoading,\n maxId: index > 0 ? statusIds.get(index - 1) : null,\n onClick: onLoadMore\n }, 'gap:' + statusIds.get(index + 1)) : __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__containers_status_container__[\"a\" /* default */], {\n id: statusId,\n onMoveUp: _this3.handleMoveUp,\n onMoveDown: _this3.handleMoveDown\n }, statusId);\n }) : null;\n\n return __WEBPACK_IMPORTED_MODULE_7_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_13__scrollable_list__[\"a\" /* default */],\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default()({}, other, { onLoadMore: onLoadMore && this.handleLoadOlder, ref: this.setRef }),\n scrollableContent\n );\n };\n\n return StatusList;\n}(__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component___default.a), _class2.propTypes = {\n scrollKey: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.string.isRequired,\n statusIds: __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default.a.list.isRequired,\n onLoadMore: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n onScrollToTop: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n onScroll: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n trackScroll: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n shouldUpdateScroll: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n isLoading: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n isPartial: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n hasMore: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n prepend: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.node,\n emptyMessage: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.node\n}, _class2.defaultProps = {\n trackScroll: true\n}, _temp4);\n\n\n/***/ }),\n\n/***/ 340:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__ = __webpack_require__(76);\n\n\nfunction loaded() {\n var TimelineContainer = __webpack_require__(341).default;\n var React = __webpack_require__(0);\n var ReactDOM = __webpack_require__(20);\n var mountNode = document.getElementById('mastodon-timeline');\n\n if (mountNode !== null) {\n var props = JSON.parse(mountNode.getAttribute('data-props'));\n ReactDOM.render(React.createElement(TimelineContainer, props), mountNode);\n }\n}\n\nfunction main() {\n var ready = __webpack_require__(90).default;\n ready(loaded);\n}\n\nObject(__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__[\"a\" /* default */])().then(main).catch(function (error) {\n console.error(error);\n});\n\n/***/ }),\n\n/***/ 341:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return TimelineContainer; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__store_configureStore__ = __webpack_require__(122);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_store__ = __webpack_require__(33);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__locales__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__features_standalone_public_timeline__ = __webpack_require__(486);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__features_standalone_community_timeline__ = __webpack_require__(656);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__features_standalone_hashtag_timeline__ = __webpack_require__(657);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__initial_state__ = __webpack_require__(12);\n\n\n\n\n\nvar _class, _temp;\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar _getLocale = Object(__WEBPACK_IMPORTED_MODULE_9__locales__[\"getLocale\"])(),\n localeData = _getLocale.localeData,\n messages = _getLocale.messages;\n\nObject(__WEBPACK_IMPORTED_MODULE_8_react_intl__[\"e\" /* addLocaleData */])(localeData);\n\nvar store = Object(__WEBPACK_IMPORTED_MODULE_6__store_configureStore__[\"a\" /* default */])();\n\nif (__WEBPACK_IMPORTED_MODULE_13__initial_state__[\"d\" /* default */]) {\n store.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_store__[\"b\" /* hydrateStore */])(__WEBPACK_IMPORTED_MODULE_13__initial_state__[\"d\" /* default */]));\n}\n\nvar TimelineContainer = (_temp = _class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(TimelineContainer, _React$PureComponent);\n\n function TimelineContainer() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, TimelineContainer);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n TimelineContainer.prototype.render = function render() {\n var _props = this.props,\n locale = _props.locale,\n hashtag = _props.hashtag,\n showPublicTimeline = _props.showPublicTimeline;\n\n\n var timeline = void 0;\n\n if (hashtag) {\n timeline = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12__features_standalone_hashtag_timeline__[\"a\" /* default */], {\n hashtag: hashtag\n });\n } else if (showPublicTimeline) {\n timeline = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__features_standalone_public_timeline__[\"a\" /* default */], {});\n } else {\n timeline = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_11__features_standalone_community_timeline__[\"a\" /* default */], {});\n }\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8_react_intl__[\"d\" /* IntlProvider */], {\n locale: locale,\n messages: messages\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"Provider\"], {\n store: store\n }, void 0, timeline));\n };\n\n return TimelineContainer;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent), _class.defaultProps = {\n showPublicTimeline: __WEBPACK_IMPORTED_MODULE_13__initial_state__[\"d\" /* default */].settings.known_fediverse\n}, _temp);\n\n\n/***/ }),\n\n/***/ 486:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return PublicTimeline; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__ = __webpack_require__(93);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_column_header__ = __webpack_require__(69);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_streaming__ = __webpack_require__(71);\n\n\n\n\n\nvar _dec, _class;\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"f\" /* defineMessages */])({\n title: {\n 'id': 'standalone.public_title',\n 'defaultMessage': 'A look inside...'\n }\n});\n\nvar PublicTimeline = (_dec = Object(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"connect\"])(), _dec(_class = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"g\" /* injectIntl */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(PublicTimeline, _React$PureComponent);\n\n function PublicTimeline() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, PublicTimeline);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n _this.column.scrollTop();\n }, _this.setRef = function (c) {\n _this.column = c;\n }, _this.handleLoadMore = function (maxId) {\n _this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"q\" /* expandPublicTimeline */])({ maxId: maxId }));\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n PublicTimeline.prototype.componentDidMount = function componentDidMount() {\n var dispatch = this.props.dispatch;\n\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"q\" /* expandPublicTimeline */])());\n this.disconnect = dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_streaming__[\"d\" /* connectPublicStream */])());\n };\n\n PublicTimeline.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n PublicTimeline.prototype.render = function render() {\n var intl = this.props.intl;\n\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_8__components_column__[\"a\" /* default */],\n { ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_column_header__[\"a\" /* default */], {\n icon: 'globe',\n title: intl.formatMessage(messages.title),\n onClick: this.handleHeaderClick\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__[\"a\" /* default */], {\n timelineId: 'public',\n onLoadMore: this.handleLoadMore,\n scrollKey: 'standalone_public_timeline',\n trackScroll: false\n })\n );\n };\n\n return PublicTimeline;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class) || _class);\n\n\n/***/ }),\n\n/***/ 6:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"e\", function() { return addLocaleData; });\n/* unused harmony export intlShape */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"g\", function() { return injectIntl; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"f\", function() { return defineMessages; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"d\", function() { return IntlProvider; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return FormattedDate; });\n/* unused harmony export FormattedTime */\n/* unused harmony export FormattedRelative */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"c\", function() { return FormattedNumber; });\n/* unused harmony export FormattedPlural */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return FormattedMessage; });\n/* unused harmony export FormattedHTMLMessage */\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__ = __webpack_require__(81);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat__ = __webpack_require__(54);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__ = __webpack_require__(62);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant__ = __webpack_require__(16);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_invariant__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache__ = __webpack_require__(82);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_intl_format_cache__);\n/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n\n\n\n\n\n\n\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__addLocaleData(localeData);\n __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__localeData__[normalizedLocale] && __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.bool;\nvar number = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.number;\nvar string = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.string;\nvar func = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.func;\nvar object = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.object;\nvar oneOf = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOf;\nvar shape = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.shape;\nvar any = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.any;\nvar oneOfType = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (false) {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && \"production\" === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (false) {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (false) {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\nvar format = Object.freeze({\n formatDate: formatDate,\n formatTime: formatTime,\n formatRelative: formatRelative,\n formatNumber: formatNumber,\n formatPlural: formatPlural,\n formatMessage: formatMessage,\n formatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.DateTimeFormat),\n getNumberFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.NumberFormat),\n getMessageFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a),\n getRelativeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a),\n getPluralFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n if (false) {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"Children\"].only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\n false ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedDate);\n }\n }]);\n return FormattedDate;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedTime);\n }\n }]);\n return FormattedTime;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedRelative);\n }\n }]);\n return FormattedRelative;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedNumber);\n }\n }]);\n return FormattedNumber;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedPlural);\n }\n }]);\n return FormattedPlural;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (Object(__WEBPACK_IMPORTED_MODULE_4_react__[\"isValidElement\"])(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"createElement\"].apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\n false ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default.a);\n\n\n\n/***/ }),\n\n/***/ 656:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return CommunityTimeline; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__ = __webpack_require__(93);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_column_header__ = __webpack_require__(69);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_streaming__ = __webpack_require__(71);\n\n\n\n\n\nvar _dec, _class;\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"f\" /* defineMessages */])({\n title: {\n 'id': 'standalone.public_title',\n 'defaultMessage': 'A look inside...'\n }\n});\n\nvar CommunityTimeline = (_dec = Object(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"connect\"])(), _dec(_class = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"g\" /* injectIntl */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(CommunityTimeline, _React$PureComponent);\n\n function CommunityTimeline() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, CommunityTimeline);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n _this.column.scrollTop();\n }, _this.setRef = function (c) {\n _this.column = c;\n }, _this.handleLoadMore = function (maxId) {\n _this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"m\" /* expandCommunityTimeline */])({ maxId: maxId }));\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n CommunityTimeline.prototype.componentDidMount = function componentDidMount() {\n var dispatch = this.props.dispatch;\n\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"m\" /* expandCommunityTimeline */])());\n this.disconnect = dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_streaming__[\"a\" /* connectCommunityStream */])());\n };\n\n CommunityTimeline.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n CommunityTimeline.prototype.render = function render() {\n var intl = this.props.intl;\n\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_8__components_column__[\"a\" /* default */],\n { ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_column_header__[\"a\" /* default */], {\n icon: 'users',\n title: intl.formatMessage(messages.title),\n onClick: this.handleHeaderClick\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__[\"a\" /* default */], {\n timelineId: 'community',\n onLoadMore: this.handleLoadMore,\n scrollKey: 'standalone_public_timeline',\n trackScroll: false\n })\n );\n };\n\n return CommunityTimeline;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class) || _class);\n\n\n/***/ }),\n\n/***/ 657:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return HashtagTimeline; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__ = __webpack_require__(93);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_column_header__ = __webpack_require__(69);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__actions_streaming__ = __webpack_require__(71);\n\n\n\n\n\nvar _dec, _class;\n\n\n\n\n\n\n\n\n\n\nvar HashtagTimeline = (_dec = Object(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"connect\"])(), _dec(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(HashtagTimeline, _React$PureComponent);\n\n function HashtagTimeline() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, HashtagTimeline);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n _this.column.scrollTop();\n }, _this.setRef = function (c) {\n _this.column = c;\n }, _this.handleLoadMore = function (maxId) {\n _this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"n\" /* expandHashtagTimeline */])(_this.props.hashtag, { maxId: maxId }));\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n HashtagTimeline.prototype.componentDidMount = function componentDidMount() {\n var _props = this.props,\n dispatch = _props.dispatch,\n hashtag = _props.hashtag;\n\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"n\" /* expandHashtagTimeline */])(hashtag));\n this.disconnect = dispatch(Object(__WEBPACK_IMPORTED_MODULE_10__actions_streaming__[\"b\" /* connectHashtagStream */])(hashtag));\n };\n\n HashtagTimeline.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n HashtagTimeline.prototype.render = function render() {\n var hashtag = this.props.hashtag;\n\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_8__components_column__[\"a\" /* default */],\n { ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_column_header__[\"a\" /* default */], {\n icon: 'hashtag',\n title: hashtag,\n onClick: this.handleHeaderClick\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__[\"a\" /* default */], {\n trackScroll: false,\n scrollKey: 'standalone_hashtag_timeline',\n timelineId: 'hashtag:' + hashtag,\n onLoadMore: this.handleLoadMore\n })\n );\n };\n\n return HashtagTimeline;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class);\n\n\n/***/ }),\n\n/***/ 93:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_lodash_debounce__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__components_status_list__ = __webpack_require__(295);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_immutable__ = __webpack_require__(8);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_immutable___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_immutable__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_reselect__ = __webpack_require__(96);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_reselect___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_reselect__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__initial_state__ = __webpack_require__(12);\n\n\n\n\n\n\n\n\n\nvar makeGetStatusIds = function makeGetStatusIds() {\n return Object(__WEBPACK_IMPORTED_MODULE_5_reselect__[\"createSelector\"])([function (state, _ref) {\n var type = _ref.type;\n return state.getIn(['settings', type], Object(__WEBPACK_IMPORTED_MODULE_4_immutable__[\"Map\"])());\n }, function (state, _ref2) {\n var type = _ref2.type;\n return state.getIn(['timelines', type, 'items'], Object(__WEBPACK_IMPORTED_MODULE_4_immutable__[\"List\"])());\n }, function (state) {\n return state.get('statuses');\n }], function (columnSettings, statusIds, statuses) {\n var rawRegex = columnSettings.getIn(['regex', 'body'], '').trim();\n var regex = null;\n\n try {\n regex = rawRegex && new RegExp(rawRegex, 'i');\n } catch (e) {\n // Bad regex, don't affect filters\n }\n\n return statusIds.filter(function (id) {\n var statusForId = statuses.get(id);\n var showStatus = true;\n\n if (columnSettings.getIn(['shows', 'reblog']) === false) {\n showStatus = showStatus && statusForId.get('reblog') === null;\n }\n\n if (columnSettings.getIn(['shows', 'reply']) === false) {\n showStatus = showStatus && (statusForId.get('in_reply_to_id') === null || statusForId.get('in_reply_to_account_id') === __WEBPACK_IMPORTED_MODULE_6__initial_state__[\"g\" /* me */]);\n }\n\n if (showStatus && regex && statusForId.get('account') !== __WEBPACK_IMPORTED_MODULE_6__initial_state__[\"g\" /* me */]) {\n var searchIndex = statusForId.get('reblog') ? statuses.getIn([statusForId.get('reblog'), 'search_index']) : statusForId.get('search_index');\n showStatus = !regex.test(searchIndex);\n }\n\n return showStatus;\n });\n });\n};\n\nvar makeMapStateToProps = function makeMapStateToProps() {\n var getStatusIds = makeGetStatusIds();\n\n var mapStateToProps = function mapStateToProps(state, _ref3) {\n var timelineId = _ref3.timelineId;\n return {\n statusIds: getStatusIds(state, { type: timelineId }),\n isLoading: state.getIn(['timelines', timelineId, 'isLoading'], true),\n isPartial: state.getIn(['timelines', timelineId, 'isPartial'], false),\n hasMore: state.getIn(['timelines', timelineId, 'hasMore'])\n };\n };\n\n return mapStateToProps;\n};\n\nvar mapDispatchToProps = function mapDispatchToProps(dispatch, _ref4) {\n var timelineId = _ref4.timelineId;\n return {\n\n onScrollToTop: __WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default()(function () {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_3__actions_timelines__[\"r\" /* scrollTopTimeline */])(timelineId, true));\n }, 100),\n\n onScroll: __WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default()(function () {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_3__actions_timelines__[\"r\" /* scrollTopTimeline */])(timelineId, false));\n }, 100)\n\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_1_react_redux__[\"connect\"])(makeMapStateToProps, mapDispatchToProps)(__WEBPACK_IMPORTED_MODULE_2__components_status_list__[\"a\" /* default */]));\n\n/***/ })\n\n},[340]);\n\n\n// WEBPACK FOOTER //\n// about.js","import React from 'react';\nimport { FormattedMessage } from 'react-intl';\nimport PropTypes from 'prop-types';\n\nexport default class LoadMore extends React.PureComponent {\n\n static propTypes = {\n onClick: PropTypes.func,\n disabled: PropTypes.bool,\n visible: PropTypes.bool,\n }\n\n static defaultProps = {\n visible: true,\n }\n\n render() {\n const { disabled, visible } = this.props;\n\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/load_more.js","import api, { getLinks } from '../api';\nimport { fetchRelationships } from './accounts';\nimport { importFetchedAccounts } from './importer';\nimport { openModal } from './modal';\n\nexport const MUTES_FETCH_REQUEST = 'MUTES_FETCH_REQUEST';\nexport const MUTES_FETCH_SUCCESS = 'MUTES_FETCH_SUCCESS';\nexport const MUTES_FETCH_FAIL = 'MUTES_FETCH_FAIL';\n\nexport const MUTES_EXPAND_REQUEST = 'MUTES_EXPAND_REQUEST';\nexport const MUTES_EXPAND_SUCCESS = 'MUTES_EXPAND_SUCCESS';\nexport const MUTES_EXPAND_FAIL = 'MUTES_EXPAND_FAIL';\n\nexport const MUTES_INIT_MODAL = 'MUTES_INIT_MODAL';\nexport const MUTES_TOGGLE_HIDE_NOTIFICATIONS = 'MUTES_TOGGLE_HIDE_NOTIFICATIONS';\n\nexport function fetchMutes() {\n return (dispatch, getState) => {\n dispatch(fetchMutesRequest());\n\n api(getState).get('/api/v1/mutes').then(response => {\n const next = getLinks(response).refs.find(link => link.rel === 'next');\n dispatch(importFetchedAccounts(response.data));\n dispatch(fetchMutesSuccess(response.data, next ? next.uri : null));\n dispatch(fetchRelationships(response.data.map(item => item.id)));\n }).catch(error => dispatch(fetchMutesFail(error)));\n };\n};\n\nexport function fetchMutesRequest() {\n return {\n type: MUTES_FETCH_REQUEST,\n };\n};\n\nexport function fetchMutesSuccess(accounts, next) {\n return {\n type: MUTES_FETCH_SUCCESS,\n accounts,\n next,\n };\n};\n\nexport function fetchMutesFail(error) {\n return {\n type: MUTES_FETCH_FAIL,\n error,\n };\n};\n\nexport function expandMutes() {\n return (dispatch, getState) => {\n const url = getState().getIn(['user_lists', 'mutes', 'next']);\n\n if (url === null) {\n return;\n }\n\n dispatch(expandMutesRequest());\n\n api(getState).get(url).then(response => {\n const next = getLinks(response).refs.find(link => link.rel === 'next');\n dispatch(importFetchedAccounts(response.data));\n dispatch(expandMutesSuccess(response.data, next ? next.uri : null));\n dispatch(fetchRelationships(response.data.map(item => item.id)));\n }).catch(error => dispatch(expandMutesFail(error)));\n };\n};\n\nexport function expandMutesRequest() {\n return {\n type: MUTES_EXPAND_REQUEST,\n };\n};\n\nexport function expandMutesSuccess(accounts, next) {\n return {\n type: MUTES_EXPAND_SUCCESS,\n accounts,\n next,\n };\n};\n\nexport function expandMutesFail(error) {\n return {\n type: MUTES_EXPAND_FAIL,\n error,\n };\n};\n\nexport function initMuteModal(account) {\n return dispatch => {\n dispatch({\n type: MUTES_INIT_MODAL,\n account,\n });\n\n dispatch(openModal('MUTE'));\n };\n}\n\nexport function toggleHideNotifications() {\n return dispatch => {\n dispatch({ type: MUTES_TOGGLE_HIDE_NOTIFICATIONS });\n };\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/actions/mutes.js","import api from '../api';\nimport { openModal, closeModal } from './modal';\n\nexport const REPORT_INIT = 'REPORT_INIT';\nexport const REPORT_CANCEL = 'REPORT_CANCEL';\n\nexport const REPORT_SUBMIT_REQUEST = 'REPORT_SUBMIT_REQUEST';\nexport const REPORT_SUBMIT_SUCCESS = 'REPORT_SUBMIT_SUCCESS';\nexport const REPORT_SUBMIT_FAIL = 'REPORT_SUBMIT_FAIL';\n\nexport const REPORT_STATUS_TOGGLE = 'REPORT_STATUS_TOGGLE';\nexport const REPORT_COMMENT_CHANGE = 'REPORT_COMMENT_CHANGE';\nexport const REPORT_FORWARD_CHANGE = 'REPORT_FORWARD_CHANGE';\n\nexport function initReport(account, status) {\n return dispatch => {\n dispatch({\n type: REPORT_INIT,\n account,\n status,\n });\n\n dispatch(openModal('REPORT'));\n };\n};\n\nexport function cancelReport() {\n return {\n type: REPORT_CANCEL,\n };\n};\n\nexport function toggleStatusReport(statusId, checked) {\n return {\n type: REPORT_STATUS_TOGGLE,\n statusId,\n checked,\n };\n};\n\nexport function submitReport() {\n return (dispatch, getState) => {\n dispatch(submitReportRequest());\n\n api(getState).post('/api/v1/reports', {\n account_id: getState().getIn(['reports', 'new', 'account_id']),\n status_ids: getState().getIn(['reports', 'new', 'status_ids']),\n comment: getState().getIn(['reports', 'new', 'comment']),\n forward: getState().getIn(['reports', 'new', 'forward']),\n }).then(response => {\n dispatch(closeModal());\n dispatch(submitReportSuccess(response.data));\n }).catch(error => dispatch(submitReportFail(error)));\n };\n};\n\nexport function submitReportRequest() {\n return {\n type: REPORT_SUBMIT_REQUEST,\n };\n};\n\nexport function submitReportSuccess(report) {\n return {\n type: REPORT_SUBMIT_SUCCESS,\n report,\n };\n};\n\nexport function submitReportFail(error) {\n return {\n type: REPORT_SUBMIT_FAIL,\n error,\n };\n};\n\nexport function changeReportComment(comment) {\n return {\n type: REPORT_COMMENT_CHANGE,\n comment,\n };\n};\n\nexport function changeReportForward(forward) {\n return {\n type: REPORT_FORWARD_CHANGE,\n forward,\n };\n};\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/actions/reports.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport Status from '../components/status';\nimport { makeGetStatus } from '../selectors';\nimport {\n replyCompose,\n mentionCompose,\n directCompose,\n} from '../actions/compose';\nimport {\n reblog,\n favourite,\n unreblog,\n unfavourite,\n} from '../actions/interactions';\nimport { blockAccount } from '../actions/accounts';\nimport {\n muteStatus,\n unmuteStatus,\n deleteStatus,\n hideStatus,\n revealStatus,\n} from '../actions/statuses';\nimport { initMuteModal } from '../actions/mutes';\nimport { initReport } from '../actions/reports';\nimport { openModal } from '../actions/modal';\nimport { defineMessages, injectIntl, FormattedMessage } from 'react-intl';\nimport { boostModal, deleteModal } from '../initial_state';\nimport { showAlertForError } from '../actions/alerts';\n\nconst messages = defineMessages({\n deleteConfirm: { id: 'confirmations.delete.confirm', defaultMessage: 'Delete' },\n deleteMessage: { id: 'confirmations.delete.message', defaultMessage: 'Are you sure you want to delete this status?' },\n blockConfirm: { id: 'confirmations.block.confirm', defaultMessage: 'Block' },\n});\n\nconst makeMapStateToProps = () => {\n const getStatus = makeGetStatus();\n\n const mapStateToProps = (state, props) => ({\n status: getStatus(state, props.id),\n });\n\n return mapStateToProps;\n};\n\nconst mapDispatchToProps = (dispatch, { intl }) => ({\n\n onReply (status, router) {\n dispatch(replyCompose(status, router));\n },\n\n onModalReblog (status) {\n dispatch(reblog(status));\n },\n\n onReblog (status, e) {\n if (status.get('reblogged')) {\n dispatch(unreblog(status));\n } else {\n if (e.shiftKey || !boostModal) {\n this.onModalReblog(status);\n } else {\n dispatch(openModal('BOOST', { status, onReblog: this.onModalReblog }));\n }\n }\n },\n\n onFavourite (status) {\n if (status.get('favourited')) {\n dispatch(unfavourite(status));\n } else {\n dispatch(favourite(status));\n }\n },\n\n onDelete (status) {\n if (!deleteModal) {\n dispatch(deleteStatus(status.get('id')));\n } else {\n dispatch(openModal('CONFIRM', {\n message: intl.formatMessage(messages.deleteMessage),\n confirm: intl.formatMessage(messages.deleteConfirm),\n onConfirm: () => dispatch(deleteStatus(status.get('id'))),\n }));\n }\n },\n\n onDirect (account, router) {\n dispatch(directCompose(account, router));\n },\n\n onMention (account, router) {\n dispatch(mentionCompose(account, router));\n },\n\n onOpenMedia (media, index) {\n dispatch(openModal('MEDIA', { media, index }));\n },\n\n onOpenVideo (media, time) {\n dispatch(openModal('VIDEO', { media, time }));\n },\n\n onBlock (account) {\n dispatch(openModal('CONFIRM', {\n message: @{account.get('acct')} }} />,\n confirm: intl.formatMessage(messages.blockConfirm),\n onConfirm: () => dispatch(blockAccount(account.get('id'))),\n }));\n },\n\n onReport (status) {\n dispatch(initReport(status.get('account'), status));\n },\n\n onMute (account) {\n dispatch(initMuteModal(account));\n },\n\n onMuteConversation (status) {\n if (status.get('muted')) {\n dispatch(unmuteStatus(status.get('id')));\n } else {\n dispatch(muteStatus(status.get('id')));\n }\n },\n\n onToggleHidden (status) {\n if (status.get('hidden')) {\n dispatch(revealStatus(status.get('id')));\n } else {\n dispatch(hideStatus(status.get('id')));\n }\n },\n\n});\n\nexport default injectIntl(connect(makeMapStateToProps, mapDispatchToProps)(Status));\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/status_container.js","import React, { PureComponent } from 'react';\nimport { ScrollContainer } from 'react-router-scroll-4';\nimport PropTypes from 'prop-types';\nimport IntersectionObserverArticleContainer from '../containers/intersection_observer_article_container';\nimport LoadMore from './load_more';\nimport IntersectionObserverWrapper from '../features/ui/util/intersection_observer_wrapper';\nimport { throttle } from 'lodash';\nimport { List as ImmutableList } from 'immutable';\nimport classNames from 'classnames';\nimport { attachFullscreenListener, detachFullscreenListener, isFullscreen } from '../features/ui/util/fullscreen';\n\nexport default class ScrollableList extends PureComponent {\n\n static contextTypes = {\n router: PropTypes.object,\n };\n\n static propTypes = {\n scrollKey: PropTypes.string.isRequired,\n onLoadMore: PropTypes.func,\n onScrollToTop: PropTypes.func,\n onScroll: PropTypes.func,\n trackScroll: PropTypes.bool,\n shouldUpdateScroll: PropTypes.func,\n isLoading: PropTypes.bool,\n hasMore: PropTypes.bool,\n prepend: PropTypes.node,\n emptyMessage: PropTypes.node,\n children: PropTypes.node,\n };\n\n static defaultProps = {\n trackScroll: true,\n };\n\n state = {\n lastMouseMove: null,\n };\n\n intersectionObserverWrapper = new IntersectionObserverWrapper();\n\n handleScroll = throttle(() => {\n if (this.node) {\n const { scrollTop, scrollHeight, clientHeight } = this.node;\n const offset = scrollHeight - scrollTop - clientHeight;\n this._oldScrollPosition = scrollHeight - scrollTop;\n\n if (400 > offset && this.props.onLoadMore && !this.props.isLoading) {\n this.props.onLoadMore();\n }\n\n if (scrollTop < 100 && this.props.onScrollToTop) {\n this.props.onScrollToTop();\n } else if (this.props.onScroll) {\n this.props.onScroll();\n }\n }\n }, 150, {\n trailing: true,\n });\n\n handleMouseMove = throttle(() => {\n this._lastMouseMove = new Date();\n }, 300);\n\n handleMouseLeave = () => {\n this._lastMouseMove = null;\n }\n\n componentDidMount () {\n this.attachScrollListener();\n this.attachIntersectionObserver();\n attachFullscreenListener(this.onFullScreenChange);\n\n // Handle initial scroll posiiton\n this.handleScroll();\n }\n\n componentDidUpdate (prevProps) {\n const someItemInserted = React.Children.count(prevProps.children) > 0 &&\n React.Children.count(prevProps.children) < React.Children.count(this.props.children) &&\n this.getFirstChildKey(prevProps) !== this.getFirstChildKey(this.props);\n\n // Reset the scroll position when a new child comes in in order not to\n // jerk the scrollbar around if you're already scrolled down the page.\n if (someItemInserted && this._oldScrollPosition && this.node.scrollTop > 0) {\n const newScrollTop = this.node.scrollHeight - this._oldScrollPosition;\n\n if (this.node.scrollTop !== newScrollTop) {\n this.node.scrollTop = newScrollTop;\n }\n } else {\n this._oldScrollPosition = this.node.scrollHeight - this.node.scrollTop;\n }\n }\n\n componentWillUnmount () {\n this.detachScrollListener();\n this.detachIntersectionObserver();\n detachFullscreenListener(this.onFullScreenChange);\n }\n\n onFullScreenChange = () => {\n this.setState({ fullscreen: isFullscreen() });\n }\n\n attachIntersectionObserver () {\n this.intersectionObserverWrapper.connect({\n root: this.node,\n rootMargin: '300% 0px',\n });\n }\n\n detachIntersectionObserver () {\n this.intersectionObserverWrapper.disconnect();\n }\n\n attachScrollListener () {\n this.node.addEventListener('scroll', this.handleScroll);\n }\n\n detachScrollListener () {\n this.node.removeEventListener('scroll', this.handleScroll);\n }\n\n getFirstChildKey (props) {\n const { children } = props;\n let firstChild = children;\n if (children instanceof ImmutableList) {\n firstChild = children.get(0);\n } else if (Array.isArray(children)) {\n firstChild = children[0];\n }\n return firstChild && firstChild.key;\n }\n\n setRef = (c) => {\n this.node = c;\n }\n\n handleLoadMore = (e) => {\n e.preventDefault();\n this.props.onLoadMore();\n }\n\n _recentlyMoved () {\n return this._lastMouseMove !== null && ((new Date()) - this._lastMouseMove < 600);\n }\n\n render () {\n const { children, scrollKey, trackScroll, shouldUpdateScroll, isLoading, hasMore, prepend, emptyMessage, onLoadMore } = this.props;\n const { fullscreen } = this.state;\n const childrenCount = React.Children.count(children);\n\n const loadMore = (hasMore && childrenCount > 0 && onLoadMore) ? : null;\n let scrollableArea = null;\n\n if (isLoading || childrenCount > 0 || !emptyMessage) {\n scrollableArea = (\n
\n
\n {prepend}\n\n {React.Children.map(this.props.children, (child, index) => (\n \n {child}\n \n ))}\n\n {loadMore}\n
\n
\n );\n } else {\n scrollableArea = (\n
\n {emptyMessage}\n
\n );\n }\n\n if (trackScroll) {\n return (\n \n {scrollableArea}\n \n );\n } else {\n return scrollableArea;\n }\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/scrollable_list.js","import { connect } from 'react-redux';\nimport IntersectionObserverArticle from '../components/intersection_observer_article';\nimport { setHeight } from '../actions/height_cache';\n\nconst makeMapStateToProps = (state, props) => ({\n cachedHeight: state.getIn(['height_cache', props.saveHeightKey, props.id]),\n});\n\nconst mapDispatchToProps = (dispatch) => ({\n\n onHeightChange (key, id, height) {\n dispatch(setHeight(key, id, height));\n },\n\n});\n\nexport default connect(makeMapStateToProps, mapDispatchToProps)(IntersectionObserverArticle);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/intersection_observer_article_container.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport scheduleIdleTask from '../features/ui/util/schedule_idle_task';\nimport getRectFromEntry from '../features/ui/util/get_rect_from_entry';\nimport { is } from 'immutable';\n\n// Diff these props in the \"rendered\" state\nconst updateOnPropsForRendered = ['id', 'index', 'listLength'];\n// Diff these props in the \"unrendered\" state\nconst updateOnPropsForUnrendered = ['id', 'index', 'listLength', 'cachedHeight'];\n\nexport default class IntersectionObserverArticle extends React.Component {\n\n static propTypes = {\n intersectionObserverWrapper: PropTypes.object.isRequired,\n id: PropTypes.oneOfType([PropTypes.string, PropTypes.number]),\n index: PropTypes.oneOfType([PropTypes.string, PropTypes.number]),\n listLength: PropTypes.oneOfType([PropTypes.string, PropTypes.number]),\n saveHeightKey: PropTypes.string,\n cachedHeight: PropTypes.number,\n onHeightChange: PropTypes.func,\n children: PropTypes.node,\n };\n\n state = {\n isHidden: false, // set to true in requestIdleCallback to trigger un-render\n }\n\n shouldComponentUpdate (nextProps, nextState) {\n const isUnrendered = !this.state.isIntersecting && (this.state.isHidden || this.props.cachedHeight);\n const willBeUnrendered = !nextState.isIntersecting && (nextState.isHidden || nextProps.cachedHeight);\n if (!!isUnrendered !== !!willBeUnrendered) {\n // If we're going from rendered to unrendered (or vice versa) then update\n return true;\n }\n // Otherwise, diff based on props\n const propsToDiff = isUnrendered ? updateOnPropsForUnrendered : updateOnPropsForRendered;\n return !propsToDiff.every(prop => is(nextProps[prop], this.props[prop]));\n }\n\n componentDidMount () {\n const { intersectionObserverWrapper, id } = this.props;\n\n intersectionObserverWrapper.observe(\n id,\n this.node,\n this.handleIntersection\n );\n\n this.componentMounted = true;\n }\n\n componentWillUnmount () {\n const { intersectionObserverWrapper, id } = this.props;\n intersectionObserverWrapper.unobserve(id, this.node);\n\n this.componentMounted = false;\n }\n\n handleIntersection = (entry) => {\n this.entry = entry;\n\n scheduleIdleTask(this.calculateHeight);\n this.setState(this.updateStateAfterIntersection);\n }\n\n updateStateAfterIntersection = (prevState) => {\n if (prevState.isIntersecting && !this.entry.isIntersecting) {\n scheduleIdleTask(this.hideIfNotIntersecting);\n }\n return {\n isIntersecting: this.entry.isIntersecting,\n isHidden: false,\n };\n }\n\n calculateHeight = () => {\n const { onHeightChange, saveHeightKey, id } = this.props;\n // save the height of the fully-rendered element (this is expensive\n // on Chrome, where we need to fall back to getBoundingClientRect)\n this.height = getRectFromEntry(this.entry).height;\n\n if (onHeightChange && saveHeightKey) {\n onHeightChange(saveHeightKey, id, this.height);\n }\n }\n\n hideIfNotIntersecting = () => {\n if (!this.componentMounted) {\n return;\n }\n\n // When the browser gets a chance, test if we're still not intersecting,\n // and if so, set our isHidden to true to trigger an unrender. The point of\n // this is to save DOM nodes and avoid using up too much memory.\n // See: https://github.com/tootsuite/mastodon/issues/2900\n this.setState((prevState) => ({ isHidden: !prevState.isIntersecting }));\n }\n\n handleRef = (node) => {\n this.node = node;\n }\n\n render () {\n const { children, id, index, listLength, cachedHeight } = this.props;\n const { isIntersecting, isHidden } = this.state;\n\n if (!isIntersecting && (isHidden || cachedHeight)) {\n return (\n \n {children && React.cloneElement(children, { hidden: true })}\n \n );\n }\n\n return (\n
\n {children && React.cloneElement(children, { hidden: false })}\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/intersection_observer_article.js","// Wrapper to call requestIdleCallback() to schedule low-priority work.\n// See https://developer.mozilla.org/en-US/docs/Web/API/Background_Tasks_API\n// for a good breakdown of the concepts behind this.\n\nimport Queue from 'tiny-queue';\n\nconst taskQueue = new Queue();\nlet runningRequestIdleCallback = false;\n\nfunction runTasks(deadline) {\n while (taskQueue.length && deadline.timeRemaining() > 0) {\n taskQueue.shift()();\n }\n if (taskQueue.length) {\n requestIdleCallback(runTasks);\n } else {\n runningRequestIdleCallback = false;\n }\n}\n\nfunction scheduleIdleTask(task) {\n taskQueue.push(task);\n if (!runningRequestIdleCallback) {\n runningRequestIdleCallback = true;\n requestIdleCallback(runTasks);\n }\n}\n\nexport default scheduleIdleTask;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/schedule_idle_task.js","'use strict';\n\n// Simple FIFO queue implementation to avoid having to do shift()\n// on an array, which is slow.\n\nfunction Queue() {\n this.length = 0;\n}\n\nQueue.prototype.push = function (item) {\n var node = {item: item};\n if (this.last) {\n this.last = this.last.next = node;\n } else {\n this.last = this.first = node;\n }\n this.length++;\n};\n\nQueue.prototype.shift = function () {\n var node = this.first;\n if (node) {\n this.first = node.next;\n if (!(--this.length)) {\n this.last = undefined;\n }\n return node.item;\n }\n};\n\nQueue.prototype.slice = function (start, end) {\n start = typeof start === 'undefined' ? 0 : start;\n end = typeof end === 'undefined' ? Infinity : end;\n\n var output = [];\n\n var i = 0;\n for (var node = this.first; node; node = node.next) {\n if (--end < 0) {\n break;\n } else if (++i > start) {\n output.push(node.item);\n }\n }\n return output;\n}\n\nmodule.exports = Queue;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/tiny-queue/index.js","\n// Get the bounding client rect from an IntersectionObserver entry.\n// This is to work around a bug in Chrome: https://crbug.com/737228\n\nlet hasBoundingRectBug;\n\nfunction getRectFromEntry(entry) {\n if (typeof hasBoundingRectBug !== 'boolean') {\n const boundingRect = entry.target.getBoundingClientRect();\n const observerRect = entry.boundingClientRect;\n hasBoundingRectBug = boundingRect.height !== observerRect.height ||\n boundingRect.top !== observerRect.top ||\n boundingRect.width !== observerRect.width ||\n boundingRect.bottom !== observerRect.bottom ||\n boundingRect.left !== observerRect.left ||\n boundingRect.right !== observerRect.right;\n }\n return hasBoundingRectBug ? entry.target.getBoundingClientRect() : entry.boundingClientRect;\n}\n\nexport default getRectFromEntry;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/get_rect_from_entry.js","// Wrapper for IntersectionObserver in order to make working with it\n// a bit easier. We also follow this performance advice:\n// \"If you need to observe multiple elements, it is both possible and\n// advised to observe multiple elements using the same IntersectionObserver\n// instance by calling observe() multiple times.\"\n// https://developers.google.com/web/updates/2016/04/intersectionobserver\n\nclass IntersectionObserverWrapper {\n\n callbacks = {};\n observerBacklog = [];\n observer = null;\n\n connect (options) {\n const onIntersection = (entries) => {\n entries.forEach(entry => {\n const id = entry.target.getAttribute('data-id');\n if (this.callbacks[id]) {\n this.callbacks[id](entry);\n }\n });\n };\n\n this.observer = new IntersectionObserver(onIntersection, options);\n this.observerBacklog.forEach(([ id, node, callback ]) => {\n this.observe(id, node, callback);\n });\n this.observerBacklog = null;\n }\n\n observe (id, node, callback) {\n if (!this.observer) {\n this.observerBacklog.push([ id, node, callback ]);\n } else {\n this.callbacks[id] = callback;\n this.observer.observe(node);\n }\n }\n\n unobserve (id, node) {\n if (this.observer) {\n delete this.callbacks[id];\n this.observer.unobserve(node);\n }\n }\n\n disconnect () {\n if (this.observer) {\n this.callbacks = {};\n this.observer.disconnect();\n this.observer = null;\n }\n }\n\n}\n\nexport default IntersectionObserverWrapper;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/intersection_observer_wrapper.js","import { debounce } from 'lodash';\nimport React from 'react';\nimport ImmutablePropTypes from 'react-immutable-proptypes';\nimport PropTypes from 'prop-types';\nimport StatusContainer from '../containers/status_container';\nimport ImmutablePureComponent from 'react-immutable-pure-component';\nimport LoadMore from './load_more';\nimport ScrollableList from './scrollable_list';\nimport { FormattedMessage } from 'react-intl';\n\nclass LoadGap extends ImmutablePureComponent {\n\n static propTypes = {\n disabled: PropTypes.bool,\n maxId: PropTypes.string,\n onClick: PropTypes.func.isRequired,\n };\n\n handleClick = () => {\n this.props.onClick(this.props.maxId);\n }\n\n render () {\n return ;\n }\n\n}\n\nexport default class StatusList extends ImmutablePureComponent {\n\n static propTypes = {\n scrollKey: PropTypes.string.isRequired,\n statusIds: ImmutablePropTypes.list.isRequired,\n onLoadMore: PropTypes.func,\n onScrollToTop: PropTypes.func,\n onScroll: PropTypes.func,\n trackScroll: PropTypes.bool,\n shouldUpdateScroll: PropTypes.func,\n isLoading: PropTypes.bool,\n isPartial: PropTypes.bool,\n hasMore: PropTypes.bool,\n prepend: PropTypes.node,\n emptyMessage: PropTypes.node,\n };\n\n static defaultProps = {\n trackScroll: true,\n };\n\n handleMoveUp = id => {\n const elementIndex = this.props.statusIds.indexOf(id) - 1;\n this._selectChild(elementIndex);\n }\n\n handleMoveDown = id => {\n const elementIndex = this.props.statusIds.indexOf(id) + 1;\n this._selectChild(elementIndex);\n }\n\n handleLoadOlder = debounce(() => {\n this.props.onLoadMore(this.props.statusIds.last());\n }, 300, { leading: true })\n\n _selectChild (index) {\n const element = this.node.node.querySelector(`article:nth-of-type(${index + 1}) .focusable`);\n\n if (element) {\n element.focus();\n }\n }\n\n setRef = c => {\n this.node = c;\n }\n\n render () {\n const { statusIds, onLoadMore, ...other } = this.props;\n const { isLoading, isPartial } = other;\n\n if (isPartial) {\n return (\n
\n
\n
\n \n \n
\n
\n
\n );\n }\n\n let scrollableContent = (isLoading || statusIds.size > 0) ? (\n statusIds.map((statusId, index) => statusId === null ? (\n 0 ? statusIds.get(index - 1) : null}\n onClick={onLoadMore}\n />\n ) : (\n \n ))\n ) : null;\n\n return (\n \n {scrollableContent}\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/status_list.js","import loadPolyfills from '../mastodon/load_polyfills';\n\nfunction loaded() {\n const TimelineContainer = require('../mastodon/containers/timeline_container').default;\n const React = require('react');\n const ReactDOM = require('react-dom');\n const mountNode = document.getElementById('mastodon-timeline');\n\n if (mountNode !== null) {\n const props = JSON.parse(mountNode.getAttribute('data-props'));\n ReactDOM.render(, mountNode);\n }\n}\n\nfunction main() {\n const ready = require('../mastodon/ready').default;\n ready(loaded);\n}\n\nloadPolyfills().then(main).catch(error => {\n console.error(error);\n});\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/packs/about.js","import React from 'react';\nimport { Provider } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport configureStore from '../store/configureStore';\nimport { hydrateStore } from '../actions/store';\nimport { IntlProvider, addLocaleData } from 'react-intl';\nimport { getLocale } from '../locales';\nimport PublicTimeline from '../features/standalone/public_timeline';\nimport CommunityTimeline from '../features/standalone/community_timeline';\nimport HashtagTimeline from '../features/standalone/hashtag_timeline';\nimport initialState from '../initial_state';\n\nconst { localeData, messages } = getLocale();\naddLocaleData(localeData);\n\nconst store = configureStore();\n\nif (initialState) {\n store.dispatch(hydrateStore(initialState));\n}\n\nexport default class TimelineContainer extends React.PureComponent {\n\n static propTypes = {\n locale: PropTypes.string.isRequired,\n hashtag: PropTypes.string,\n showPublicTimeline: PropTypes.bool.isRequired,\n };\n\n static defaultProps = {\n showPublicTimeline: initialState.settings.known_fediverse,\n };\n\n render () {\n const { locale, hashtag, showPublicTimeline } = this.props;\n\n let timeline;\n\n if (hashtag) {\n timeline = ;\n } else if (showPublicTimeline) {\n timeline = ;\n } else {\n timeline = ;\n }\n\n return (\n \n \n {timeline}\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/timeline_container.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport StatusListContainer from '../../ui/containers/status_list_container';\nimport { expandPublicTimeline } from '../../../actions/timelines';\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport { defineMessages, injectIntl } from 'react-intl';\nimport { connectPublicStream } from '../../../actions/streaming';\n\nconst messages = defineMessages({\n title: { id: 'standalone.public_title', defaultMessage: 'A look inside...' },\n});\n\n@connect()\n@injectIntl\nexport default class PublicTimeline extends React.PureComponent {\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n };\n\n handleHeaderClick = () => {\n this.column.scrollTop();\n }\n\n setRef = c => {\n this.column = c;\n }\n\n componentDidMount () {\n const { dispatch } = this.props;\n\n dispatch(expandPublicTimeline());\n this.disconnect = dispatch(connectPublicStream());\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n handleLoadMore = maxId => {\n this.props.dispatch(expandPublicTimeline({ maxId }));\n }\n\n render () {\n const { intl } = this.props;\n\n return (\n \n \n\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/standalone/public_timeline/index.js","/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nimport allLocaleData from '../locale-data/index.js';\nimport IntlMessageFormat from 'intl-messageformat';\nimport IntlRelativeFormat from 'intl-relativeformat';\nimport PropTypes from 'prop-types';\nimport React, { Children, Component, createElement, isValidElement } from 'react';\nimport invariant from 'invariant';\nimport memoizeIntlConstructor from 'intl-format-cache';\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n IntlMessageFormat.__addLocaleData(localeData);\n IntlRelativeFormat.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(IntlMessageFormat.__localeData__[normalizedLocale] && IntlRelativeFormat.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\n\n\n\n\n\n\n\n\n\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\n\n\n\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\n\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\n\n\n\n\n\n\n\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = PropTypes.bool;\nvar number = PropTypes.number;\nvar string = PropTypes.string;\nvar func = PropTypes.func;\nvar object = PropTypes.object;\nvar oneOf = PropTypes.oneOf;\nvar shape = PropTypes.shape;\nvar any = PropTypes.any;\nvar oneOfType = PropTypes.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n invariant(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n invariant(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return React.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(Component);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return IntlMessageFormat.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return IntlMessageFormat.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = IntlRelativeFormat.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, IntlRelativeFormat.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n invariant(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && process.env.NODE_ENV === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (process.env.NODE_ENV !== 'production') {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\n\n\nvar format = Object.freeze({\n\tformatDate: formatDate,\n\tformatTime: formatTime,\n\tformatRelative: formatRelative,\n\tformatNumber: formatNumber,\n\tformatPlural: formatPlural,\n\tformatMessage: formatMessage,\n\tformatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n invariant(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: memoizeIntlConstructor(Intl.DateTimeFormat),\n getNumberFormat: memoizeIntlConstructor(Intl.NumberFormat),\n getMessageFormat: memoizeIntlConstructor(IntlMessageFormat),\n getRelativeFormat: memoizeIntlConstructor(IntlRelativeFormat),\n getPluralFormat: memoizeIntlConstructor(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return Children.only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(Component);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\nprocess.env.NODE_ENV !== \"production\" ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return React.createElement(\n Text,\n null,\n formattedDate\n );\n }\n }]);\n return FormattedDate;\n}(Component);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedDate.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return React.createElement(\n Text,\n null,\n formattedTime\n );\n }\n }]);\n return FormattedTime;\n}(Component);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedTime.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return React.createElement(\n Text,\n null,\n formattedRelative\n );\n }\n }]);\n return FormattedRelative;\n}(Component);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedRelative.propTypes = _extends({}, relativeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n updateInterval: PropTypes.number,\n initialNow: PropTypes.any,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return React.createElement(\n Text,\n null,\n formattedNumber\n );\n }\n }]);\n return FormattedNumber;\n}(Component);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedNumber.propTypes = _extends({}, numberFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return React.createElement(\n Text,\n null,\n formattedPlural\n );\n }\n }]);\n return FormattedPlural;\n}(Component);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedPlural.propTypes = _extends({}, pluralFormatPropTypes, {\n value: PropTypes.any.isRequired,\n\n other: PropTypes.node.isRequired,\n zero: PropTypes.node,\n one: PropTypes.node,\n two: PropTypes.node,\n few: PropTypes.node,\n many: PropTypes.node,\n\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (isValidElement(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return createElement.apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(Component);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return React.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(Component);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedHTMLMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(allLocaleData);\n\nexport { addLocaleData, intlShape, injectIntl, defineMessages, IntlProvider, FormattedDate, FormattedTime, FormattedRelative, FormattedNumber, FormattedPlural, FormattedMessage, FormattedHTMLMessage };\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/react-intl/lib/index.es.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport StatusListContainer from '../../ui/containers/status_list_container';\nimport { expandCommunityTimeline } from '../../../actions/timelines';\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport { defineMessages, injectIntl } from 'react-intl';\nimport { connectCommunityStream } from '../../../actions/streaming';\n\nconst messages = defineMessages({\n title: { id: 'standalone.public_title', defaultMessage: 'A look inside...' },\n});\n\n@connect()\n@injectIntl\nexport default class CommunityTimeline extends React.PureComponent {\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n };\n\n handleHeaderClick = () => {\n this.column.scrollTop();\n }\n\n setRef = c => {\n this.column = c;\n }\n\n componentDidMount () {\n const { dispatch } = this.props;\n\n dispatch(expandCommunityTimeline());\n this.disconnect = dispatch(connectCommunityStream());\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n handleLoadMore = maxId => {\n this.props.dispatch(expandCommunityTimeline({ maxId }));\n }\n\n render () {\n const { intl } = this.props;\n\n return (\n \n \n\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/standalone/community_timeline/index.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport StatusListContainer from '../../ui/containers/status_list_container';\nimport { expandHashtagTimeline } from '../../../actions/timelines';\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport { connectHashtagStream } from '../../../actions/streaming';\n\n@connect()\nexport default class HashtagTimeline extends React.PureComponent {\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n hashtag: PropTypes.string.isRequired,\n };\n\n handleHeaderClick = () => {\n this.column.scrollTop();\n }\n\n setRef = c => {\n this.column = c;\n }\n\n componentDidMount () {\n const { dispatch, hashtag } = this.props;\n\n dispatch(expandHashtagTimeline(hashtag));\n this.disconnect = dispatch(connectHashtagStream(hashtag));\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n handleLoadMore = maxId => {\n this.props.dispatch(expandHashtagTimeline(this.props.hashtag, { maxId }));\n }\n\n render () {\n const { hashtag } = this.props;\n\n return (\n \n \n\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/standalone/hashtag_timeline/index.js","import { connect } from 'react-redux';\nimport StatusList from '../../../components/status_list';\nimport { scrollTopTimeline } from '../../../actions/timelines';\nimport { Map as ImmutableMap, List as ImmutableList } from 'immutable';\nimport { createSelector } from 'reselect';\nimport { debounce } from 'lodash';\nimport { me } from '../../../initial_state';\n\nconst makeGetStatusIds = () => createSelector([\n (state, { type }) => state.getIn(['settings', type], ImmutableMap()),\n (state, { type }) => state.getIn(['timelines', type, 'items'], ImmutableList()),\n (state) => state.get('statuses'),\n], (columnSettings, statusIds, statuses) => {\n const rawRegex = columnSettings.getIn(['regex', 'body'], '').trim();\n let regex = null;\n\n try {\n regex = rawRegex && new RegExp(rawRegex, 'i');\n } catch (e) {\n // Bad regex, don't affect filters\n }\n\n return statusIds.filter(id => {\n const statusForId = statuses.get(id);\n let showStatus = true;\n\n if (columnSettings.getIn(['shows', 'reblog']) === false) {\n showStatus = showStatus && statusForId.get('reblog') === null;\n }\n\n if (columnSettings.getIn(['shows', 'reply']) === false) {\n showStatus = showStatus && (statusForId.get('in_reply_to_id') === null || statusForId.get('in_reply_to_account_id') === me);\n }\n\n if (showStatus && regex && statusForId.get('account') !== me) {\n const searchIndex = statusForId.get('reblog') ? statuses.getIn([statusForId.get('reblog'), 'search_index']) : statusForId.get('search_index');\n showStatus = !regex.test(searchIndex);\n }\n\n return showStatus;\n });\n});\n\nconst makeMapStateToProps = () => {\n const getStatusIds = makeGetStatusIds();\n\n const mapStateToProps = (state, { timelineId }) => ({\n statusIds: getStatusIds(state, { type: timelineId }),\n isLoading: state.getIn(['timelines', timelineId, 'isLoading'], true),\n isPartial: state.getIn(['timelines', timelineId, 'isPartial'], false),\n hasMore: state.getIn(['timelines', timelineId, 'hasMore']),\n });\n\n return mapStateToProps;\n};\n\nconst mapDispatchToProps = (dispatch, { timelineId }) => ({\n\n onScrollToTop: debounce(() => {\n dispatch(scrollTopTimeline(timelineId, true));\n }, 100),\n\n onScroll: debounce(() => {\n dispatch(scrollTopTimeline(timelineId, false));\n }, 100),\n\n});\n\nexport default connect(makeMapStateToProps, mapDispatchToProps)(StatusList);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/containers/status_list_container.js"],"sourceRoot":""} \ No newline at end of file +{"version":3,"sources":["webpack:///about.js","webpack:///./app/javascript/mastodon/components/load_more.js","webpack:///./app/javascript/mastodon/containers/status_container.js","webpack:///./app/javascript/mastodon/components/scrollable_list.js","webpack:///./app/javascript/mastodon/containers/intersection_observer_article_container.js","webpack:///./app/javascript/mastodon/components/intersection_observer_article.js","webpack:///./app/javascript/mastodon/features/ui/util/schedule_idle_task.js","webpack:///./node_modules/tiny-queue/index.js","webpack:///./app/javascript/mastodon/features/ui/util/get_rect_from_entry.js","webpack:///./app/javascript/mastodon/features/ui/util/intersection_observer_wrapper.js","webpack:///./app/javascript/mastodon/components/load_gap.js","webpack:///./app/javascript/mastodon/components/status_list.js","webpack:///./app/javascript/packs/about.js","webpack:///./app/javascript/mastodon/containers/timeline_container.js","webpack:///./app/javascript/mastodon/features/standalone/public_timeline/index.js","webpack:///./app/javascript/mastodon/features/standalone/community_timeline/index.js","webpack:///./app/javascript/mastodon/features/standalone/hashtag_timeline/index.js","webpack:///./node_modules/react-intl/lib/index.es.js","webpack:///./app/javascript/mastodon/features/ui/containers/status_list_container.js"],"names":["webpackJsonp","275","module","__webpack_exports__","__webpack_require__","d","LoadMore","_class","_temp","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default","n","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_4_react__","__WEBPACK_IMPORTED_MODULE_4_react___default","__WEBPACK_IMPORTED_MODULE_5_react_intl__","_React$PureComponent","this","apply","arguments","prototype","render","_props","props","disabled","visible","className","style","visibility","onClick","id","defaultMessage","a","PureComponent","defaultProps","277","__WEBPACK_IMPORTED_MODULE_1_react__","__WEBPACK_IMPORTED_MODULE_2_react_redux__","__WEBPACK_IMPORTED_MODULE_3__components_status__","__WEBPACK_IMPORTED_MODULE_4__selectors__","__WEBPACK_IMPORTED_MODULE_5__actions_compose__","__WEBPACK_IMPORTED_MODULE_6__actions_interactions__","__WEBPACK_IMPORTED_MODULE_7__actions_accounts__","__WEBPACK_IMPORTED_MODULE_8__actions_statuses__","__WEBPACK_IMPORTED_MODULE_9__actions_mutes__","__WEBPACK_IMPORTED_MODULE_10__actions_reports__","__WEBPACK_IMPORTED_MODULE_11__actions_modal__","__WEBPACK_IMPORTED_MODULE_12_react_intl__","__WEBPACK_IMPORTED_MODULE_13__initial_state__","__WEBPACK_IMPORTED_MODULE_14__actions_alerts__","messages","Object","deleteConfirm","deleteMessage","redraftConfirm","redraftMessage","blockConfirm","makeMapStateToProps","getStatus","state","status","mapDispatchToProps","dispatch","_ref","intl","onReply","router","onModalReblog","onReblog","e","get","shiftKey","onFavourite","onPin","onEmbed","url","onError","error","onDelete","withRedraft","length","undefined","message","formatMessage","confirm","onConfirm","onDirect","account","onMention","onOpenMedia","media","index","onOpenVideo","time","onBlock","values","name","onReport","onMute","onMuteConversation","onToggleHidden","278","ScrollableList","_temp2","__WEBPACK_IMPORTED_MODULE_4_lodash_throttle__","__WEBPACK_IMPORTED_MODULE_4_lodash_throttle___default","__WEBPACK_IMPORTED_MODULE_5_react__","__WEBPACK_IMPORTED_MODULE_5_react___default","__WEBPACK_IMPORTED_MODULE_6_react_router_scroll_4__","__WEBPACK_IMPORTED_MODULE_7_prop_types__","__WEBPACK_IMPORTED_MODULE_7_prop_types___default","__WEBPACK_IMPORTED_MODULE_8__containers_intersection_observer_article_container__","__WEBPACK_IMPORTED_MODULE_9__load_more__","__WEBPACK_IMPORTED_MODULE_10__features_ui_util_intersection_observer_wrapper__","__WEBPACK_IMPORTED_MODULE_11_immutable__","__WEBPACK_IMPORTED_MODULE_12_classnames__","__WEBPACK_IMPORTED_MODULE_12_classnames___default","__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__","_PureComponent","_this","_ret","_len","args","Array","_key","call","concat","fullscreen","intersectionObserverWrapper","handleScroll","node","_this$node","scrollTop","scrollHeight","clientHeight","onLoadMore","isLoading","onScrollToTop","onScroll","trailing","onFullScreenChange","setState","setRef","c","handleLoadMore","preventDefault","componentDidMount","attachScrollListener","attachIntersectionObserver","getSnapshotBeforeUpdate","prevProps","Children","count","children","getFirstChildKey","componentDidUpdate","prevState","snapshot","newScrollTop","componentWillUnmount","detachScrollListener","detachIntersectionObserver","connect","root","rootMargin","disconnect","addEventListener","removeEventListener","firstChild","isArray","key","_this2","scrollKey","trackScroll","shouldUpdateScroll","hasMore","prepend","alwaysPrepend","emptyMessage","childrenCount","loadMore","scrollableArea","createElement","ref","role","map","child","listLength","saveHeightKey","context","route","location","flex","display","flexDirection","contextTypes","object","279","__WEBPACK_IMPORTED_MODULE_0_react_redux__","__WEBPACK_IMPORTED_MODULE_1__components_intersection_observer_article__","__WEBPACK_IMPORTED_MODULE_2__actions_height_cache__","cachedHeight","getIn","onHeightChange","height","280","IntersectionObserverArticle","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_3_react__","__WEBPACK_IMPORTED_MODULE_3_react___default","__WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__","__WEBPACK_IMPORTED_MODULE_5__features_ui_util_get_rect_from_entry__","__WEBPACK_IMPORTED_MODULE_6_immutable__","updateOnPropsForRendered","updateOnPropsForUnrendered","_React$Component","isHidden","handleIntersection","entry","calculateHeight","updateStateAfterIntersection","isIntersecting","hideIfNotIntersecting","_this$props","componentMounted","handleRef","shouldComponentUpdate","nextProps","nextState","isUnrendered","every","prop","observe","_props2","unobserve","_props3","_state","aria-posinset","aria-setsize","data-id","tabIndex","cloneElement","hidden","opacity","overflow","Component","281","runTasks","deadline","taskQueue","timeRemaining","shift","requestIdleCallback","runningRequestIdleCallback","scheduleIdleTask","task","push","__WEBPACK_IMPORTED_MODULE_0_tiny_queue__","__WEBPACK_IMPORTED_MODULE_0_tiny_queue___default","282","exports","Queue","item","last","next","first","slice","start","end","Infinity","output","i","283","getRectFromEntry","hasBoundingRectBug","boundingRect","target","getBoundingClientRect","observerRect","boundingClientRect","top","width","bottom","left","right","284","IntersectionObserverWrapper","callbacks","observerBacklog","observer","options","onIntersection","entries","forEach","getAttribute","IntersectionObserver","callback","285","LoadGap","load_more","handleClick","maxId","aria-label","286","StatusList","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_objectWithoutProperties__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_objectWithoutProperties___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_6_lodash_debounce__","__WEBPACK_IMPORTED_MODULE_6_lodash_debounce___default","__WEBPACK_IMPORTED_MODULE_7_react__","__WEBPACK_IMPORTED_MODULE_7_react___default","__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__","__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default","__WEBPACK_IMPORTED_MODULE_9_prop_types__","__WEBPACK_IMPORTED_MODULE_9_prop_types___default","__WEBPACK_IMPORTED_MODULE_10__containers_status_container__","__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component__","__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component___default","__WEBPACK_IMPORTED_MODULE_12__load_gap__","__WEBPACK_IMPORTED_MODULE_13__scrollable_list__","__WEBPACK_IMPORTED_MODULE_14_react_intl__","_ImmutablePureCompone","getFeaturedStatusCount","featuredStatusIds","size","getCurrentStatusIndex","featured","indexOf","statusIds","handleMoveUp","elementIndex","_selectChild","handleMoveDown","handleLoadOlder","leading","element","querySelector","focus","other","isPartial","tagName","scrollableContent","statusId","onMoveUp","onMoveDown","propTypes","string","isRequired","list","func","bool","330","loaded","TimelineContainer","default","React","ReactDOM","mountNode","document","getElementById","JSON","parse","main","ready","defineProperty","value","__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__","then","catch","console","331","__WEBPACK_IMPORTED_MODULE_5_react_dom__","__WEBPACK_IMPORTED_MODULE_5_react_dom___default","__WEBPACK_IMPORTED_MODULE_6_react_redux__","__WEBPACK_IMPORTED_MODULE_7__store_configureStore__","__WEBPACK_IMPORTED_MODULE_8__actions_store__","__WEBPACK_IMPORTED_MODULE_9_react_intl__","__WEBPACK_IMPORTED_MODULE_10__locales__","__WEBPACK_IMPORTED_MODULE_11__features_standalone_public_timeline__","__WEBPACK_IMPORTED_MODULE_12__features_standalone_community_timeline__","__WEBPACK_IMPORTED_MODULE_13__features_standalone_hashtag_timeline__","__WEBPACK_IMPORTED_MODULE_14__features_ui_containers_modal_container__","__WEBPACK_IMPORTED_MODULE_15__initial_state__","_getLocale","localeData","store","locale","hashtag","showPublicTimeline","timeline","createPortal","settings","known_fediverse","487","PublicTimeline","_dec","__WEBPACK_IMPORTED_MODULE_5_react_redux__","__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__","__WEBPACK_IMPORTED_MODULE_7__actions_timelines__","__WEBPACK_IMPORTED_MODULE_8__components_column__","__WEBPACK_IMPORTED_MODULE_9__components_column_header__","__WEBPACK_IMPORTED_MODULE_10_react_intl__","__WEBPACK_IMPORTED_MODULE_11__actions_streaming__","title","handleHeaderClick","column","icon","timelineId","648","CommunityTimeline","649","HashtagTimeline","__WEBPACK_IMPORTED_MODULE_10__actions_streaming__","7","addLocaleData","data","__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default","__addLocaleData","__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default","hasLocaleData","localeParts","split","hasIMFAndIRFLocaleData","join","pop","normalizedLocale","toLowerCase","__localeData__","escape","str","replace","UNSAFE_CHARS_REGEX","match","ESCAPED_CHARS","filterProps","whitelist","defaults$$1","reduce","filtered","hasOwnProperty","invariantIntlContext","__WEBPACK_IMPORTED_MODULE_5_invariant___default","shallowEquals","objA","objB","_typeof","keysA","keys","keysB","bHasOwnProperty","bind","shouldIntlComponentUpdate","_ref2","_ref2$context","nextContext","_context$intl","_nextContext$intl","nextIntl","intlConfigPropNames","getDisplayName","Component$$1","displayName","injectIntl","WrappedComponent","_options$intlPropName","intlPropName","_options$withRef","withRef","InjectIntl","_Component","classCallCheck","possibleConstructorReturn","__proto__","getPrototypeOf","inherits","createClass","refs","wrappedInstance","_extends","intlShape","defineMessages","messageDescriptors","resolveLocale","locales","_resolveLocale","findPluralFunction","_findPluralRuleFunction","updateRelativeFormatThresholds","newThresholds","thresholds","second","minute","hour","day","month","getNamedFormat","formats","type","format","formatDate","config","date","Date","filteredOptions","DATE_TIME_FORMAT_OPTIONS","getDateTimeFormat","String","formatTime","formatRelative","now","RELATIVE_FORMAT_OPTIONS","oldThresholds","RELATIVE_FORMAT_THRESHOLDS","getRelativeFormat","isFinite","formatNumber","NUMBER_FORMAT_OPTIONS","getNumberFormat","formatPlural","PLURAL_FORMAT_OPTIONS","getPluralFormat","messageDescriptor","defaultLocale","defaultFormats","formattedMessage","getMessageFormat","formatHTMLMessage","rawValues","escaped","selectUnits","delta","absDelta","Math","abs","MINUTE","HOUR","DAY","getUnitDelay","units","SECOND","MAX_TIMER_DELAY","isSameDate","b","aTime","getTime","bTime","IntlProvider","FormattedDate","FormattedNumber","FormattedMessage","__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__","__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default","__WEBPACK_IMPORTED_MODULE_1_intl_messageformat__","__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__","__WEBPACK_IMPORTED_MODULE_3_prop_types__","__WEBPACK_IMPORTED_MODULE_3_prop_types___default","__WEBPACK_IMPORTED_MODULE_5_invariant__","__WEBPACK_IMPORTED_MODULE_6_intl_format_cache__","__WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default","defaultLocaleData","pluralRuleFunction","ord","s","v0","t0","Number","n10","n100","fields","year","relative","0","1","-1","relativeTime","future","one","past","Symbol","iterator","obj","constructor","instance","Constructor","TypeError","defineProperties","descriptor","enumerable","configurable","writable","protoProps","staticProps","assign","source","subClass","superClass","create","setPrototypeOf","objectWithoutProperties","self","ReferenceError","toConsumableArray","arr","arr2","from","number","oneOf","shape","any","oneOfType","localeMatcher","narrowShortLong","numeric2digit","funcReq","intlConfigPropTypes","textComponent","intlFormatPropTypes","formatters","dateTimeFormatPropTypes","formatMatcher","timeZone","hour12","weekday","era","timeZoneName","numberFormatPropTypes","currency","currencyDisplay","useGrouping","minimumIntegerDigits","minimumFractionDigits","maximumFractionDigits","minimumSignificantDigits","maximumSignificantDigits","relativeFormatPropTypes","pluralFormatPropTypes","&",">","<","\"","'","IntlPluralFormat","useOrdinal","pluralFn","freeze","intlConfigPropNames$1","intlFormatPropNames","Intl","intlContext","initialNow","_ref$formatters","DateTimeFormat","NumberFormat","_didDisplay","propName","_config","boundFormatFns","getConfig","getBoundFormatFns","only","childContextTypes","Text","formattedDate","FormattedTime","formattedTime","FormattedRelative","clearTimeout","_timer","updateInterval","unitDelay","unitRemainder","delay","max","setTimeout","scheduleNextUpdate","formattedRelative","formattedNumber","FormattedPlural","pluralCategory","formattedPlural","nextPropsToCheck","description","_props$tagName","tokenDelimiter","tokenizedValues","elements","uid","floor","random","toString","generateToken","counter","token","nodes","filter","part","FormattedHTMLMessage","formattedHTMLMessage","html","__html","dangerouslySetInnerHTML","92","__WEBPACK_IMPORTED_MODULE_0_lodash_debounce__","__WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default","__WEBPACK_IMPORTED_MODULE_1_react_redux__","__WEBPACK_IMPORTED_MODULE_2__components_status_list__","__WEBPACK_IMPORTED_MODULE_3__actions_timelines__","__WEBPACK_IMPORTED_MODULE_4_immutable__","__WEBPACK_IMPORTED_MODULE_5_reselect__","__WEBPACK_IMPORTED_MODULE_6__initial_state__","makeGetStatusIds","columnSettings","statuses","rawRegex","trim","regex","RegExp","statusForId","showStatus","searchIndex","test","getStatusIds","_ref3","_ref4"],"mappings":"AAAAA,cAAc,KAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOG,IAC9E,IAgBjBC,GAAQC,EAhBaC,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpEE,EAA2ChB,EAAoB,GCbnEE,GDuBLE,EAAQD,EAAS,SAAUc,GAGzC,QAASf,KAGP,MAFAO,KAA6ES,KAAMhB,GAE5ES,IAAwFO,KAAMD,EAAqBE,MAAMD,KAAME,YAoBxI,MAzBAP,KAAuEX,EAAUe,GAQjFf,EAASmB,UCpBTC,ODoB4B,WCpBnB,GAAAC,GACuBL,KAAKM,MAA3BC,EADDF,EACCE,SAAUC,EADXH,EACWG,OAElB,OAAApB,KAAA,UAAAqB,UACoB,YADpBF,SAC0CA,IAAaC,EADvDE,OACyEC,WAAYH,EAAU,UAAY,UAD3GI,QACgIZ,KAAKM,MAAMM,aAD3I,GAAAxB,IAEKU,EAAA,GAFLe,GAEyB,mBAFzBC,eAE2D,gBDgCtD9B,GCjD6Ba,EAAAkB,EAAMC,eDkDoB/B,EC1CvDgC,cACLT,SAAS,GD2CVtB,IAKGgC,IACA,SAAUtC,EAAQC,EAAqBC,GAE7C,YACqB,IAAIK,GAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFgC,EAAsCrC,EAAoB,GAE1DsC,GAD8CtC,EAAoBO,EAAE8B,GACxBrC,EAAoB,IAChEuC,EAAmDvC,EAAoB,KACvEwC,EAA2CxC,EAAoB,IAC/DyC,EAAiDzC,EAAoB,IACrE0C,EAAsD1C,EAAoB,IAC1E2C,EAAkD3C,EAAoB,IACtE4C,EAAkD5C,EAAoB,IACtE6C,EAA+C7C,EAAoB,IACnE8C,EAAkD9C,EAAoB,KACtE+C,EAAgD/C,EAAoB,IACpEgD,EAA4ChD,EAAoB,GAChEiD,EAAgDjD,EAAoB,IACpEkD,EAAiDlD,EAAoB,IEjDxFmD,EAAWC,OAAAJ,EAAA,IACfK,eAAAtB,GAAA,+BAAAC,eAAA,UACAsB,eAAAvB,GAAA,+BAAAC,eAAA,gDACAuB,gBAAAxB,GAAA,gCAAAC,eAAA,oBACAwB,gBAAAzB,GAAA,gCAAAC,eAAA,wHACAyB,cAAA1B,GAAA,8BAAAC,eAAA,WAGI0B,EAAsB,WAC1B,GAAMC,GAAYP,OAAAZ,EAAA,IAMlB,OAJwB,UAACoB,EAAOpC,GAAR,OACtBqC,OAAQF,EAAUC,EAAOpC,EAAMO,OAM7B+B,EAAqB,SAACC,EAADC,GAAA,GAAaC,GAAbD,EAAaC,IAAb,QAEzBC,QAFkD,SAEzCL,EAAQM,GACfJ,EAASX,OAAAX,EAAA,GAAaoB,EAAQM,KAGhCC,cANkD,SAMnCP,GACbE,EAASX,OAAAV,EAAA,GAAOmB,KAGlBQ,SAVkD,SAUxCR,EAAQS,GACZT,EAAOU,IAAI,aACbR,EAASX,OAAAV,EAAA,GAASmB,IAEdS,EAAEE,WAAavB,EAAA,EACjB/B,KAAKkD,cAAcP,GAEnBE,EAASX,OAAAL,EAAA,GAAU,SAAWc,SAAQQ,SAAUnD,KAAKkD,kBAK3DK,YAtBkD,SAsBrCZ,GAETE,EADEF,EAAOU,IAAI,cACJnB,OAAAV,EAAA,GAAYmB,GAEZT,OAAAV,EAAA,GAAUmB,KAIvBa,MA9BkD,SA8B3Cb,GAEHE,EADEF,EAAOU,IAAI,UACJnB,OAAAV,EAAA,GAAMmB,GAENT,OAAAV,EAAA,GAAImB,KAIjBc,QAtCkD,SAsCzCd,GACPE,EAASX,OAAAL,EAAA,GAAU,SACjB6B,IAAKf,EAAOU,IAAI,OAChBM,QAAS,SAAAC,GAAA,MAASf,GAASX,OAAAF,EAAA,GAAkB4B,SAIjDC,SA7CkD,SA6CxClB,GAA6B,GAArBmB,GAAqB5D,UAAA6D,OAAA,OAAAC,KAAA9D,UAAA,IAAAA,UAAA,EAInC2C,GAHGd,EAAA,EAGMG,OAAAL,EAAA,GAAU,WACjBoC,QAASlB,EAAKmB,cAAcJ,EAAc7B,EAASK,eAAiBL,EAASG,eAC7E+B,QAASpB,EAAKmB,cAAcJ,EAAc7B,EAASI,eAAiBJ,EAASE,eAC7EiC,UAAW,iBAAMvB,GAASX,OAAAR,EAAA,GAAaiB,EAAOU,IAAI,MAAOS,OALlD5B,OAAAR,EAAA,GAAaiB,EAAOU,IAAI,MAAOS,KAU5CO,SAzDkD,SAyDxCC,EAASrB,GACjBJ,EAASX,OAAAX,EAAA,GAAc+C,EAASrB,KAGlCsB,UA7DkD,SA6DvCD,EAASrB,GAClBJ,EAASX,OAAAX,EAAA,GAAe+C,EAASrB,KAGnCuB,YAjEkD,SAiErCC,EAAOC,GAClB7B,EAASX,OAAAL,EAAA,GAAU,SAAW4C,QAAOC,YAGvCC,YArEkD,SAqErCF,EAAOG,GAClB/B,EAASX,OAAAL,EAAA,GAAU,SAAW4C,QAAOG,WAGvCC,QAzEkD,SAyEzCP,GACPzB,EAASX,OAAAL,EAAA,GAAU,WACjBoC,QAAA7E,IAAU0C,EAAA,GAAVjB,GAA8B,8BAA9BC,eAA2E,yCAA3EgE,QAA8HC,KAAA3F,IAAA2F,uBAAgBT,EAAQjB,IAAI,YAC1Jc,QAASpB,EAAKmB,cAAcjC,EAASM,cACrC6B,UAAW,iBAAMvB,GAASX,OAAAT,EAAA,GAAa6C,EAAQjB,IAAI,aAIvD2B,SAjFkD,SAiFxCrC,GACRE,EAASX,OAAAN,EAAA,GAAWe,EAAOU,IAAI,WAAYV,KAG7CsC,OArFkD,SAqF1CX,GACNzB,EAASX,OAAAP,EAAA,GAAc2C,KAGzBY,mBAzFkD,SAyF9BvC,GAEhBE,EADEF,EAAOU,IAAI,SACJnB,OAAAR,EAAA,GAAaiB,EAAOU,IAAI,OAExBnB,OAAAR,EAAA,GAAWiB,EAAOU,IAAI,SAInC8B,eAjGkD,SAiGlCxC,GAEZE,EADEF,EAAOU,IAAI,UACJnB,OAAAR,EAAA,GAAaiB,EAAOU,IAAI,OAExBnB,OAAAR,EAAA,GAAWiB,EAAOU,IAAI,UAMrCxE,GAAA,EAAeqD,OAAAJ,EAAA,GAAWI,OAAAd,EAAA,SAAQoB,EAAqBI,GAAoBvB,EAAA,KFqFrE+D,IACA,SAAUxG,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOwG,IAC9E,IA6BjBpG,GAAQqG,EA7BanG,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7F6F,EAAgDzG,EAAoB,IACpE0G,EAAwD1G,EAAoBO,EAAEkG,GAC9EE,EAAsC3G,EAAoB,GAC1D4G,EAA8C5G,EAAoBO,EAAEoG,GACpEE,EAAsD7G,EAAoB,KAC1E8G,EAA2C9G,EAAoB,GAC/D+G,EAAmD/G,EAAoBO,EAAEuG,GACzEE,EAAoFhH,EAAoB,KACxGiH,EAA2CjH,EAAoB,KAC/DkH,EAAiFlH,EAAoB,KACrGmH,EAA2CnH,EAAoB,GAE/DoH,GADmDpH,EAAoBO,EAAE4G,GAC7BnH,EAAoB,KAChEqH,EAAoDrH,EAAoBO,EAAE6G,GAC1EE,EAA8DtH,EAAoB,KGlQtFuG,GHsRCC,EAASrG,EAAS,SAAUoH,GAGhD,QAAShB,KACP,GAAInG,GAAOoH,EAAOC,CAElBhH,KAA6ES,KAAMqF,EAEnF,KAAK,GAAImB,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQ7G,IAAwFO,KAAMqG,EAAeO,KAAK3G,MAAMoG,GAAiBrG,MAAM6G,OAAOJ,KAAiBH,EGzQzM5D,OACEoE,WAAY,MH0QTR,EGvQLS,4BAA8B,GAAIf,GAAA,EHuQgHM,EGrQlJU,aAAexB,IAAS,WACtB,GAAIc,EAAKW,KAAM,IAAAC,GACqCZ,EAAKW,KAA/CE,EADKD,EACLC,SAGJ,KAJSD,EACME,aACWD,EAFjBD,EACoBG,cAGbf,EAAKhG,MAAMgH,aAAehB,EAAKhG,MAAMiH,WACvDjB,EAAKhG,MAAMgH,aAGTH,EAAY,KAAOb,EAAKhG,MAAMkH,cAChClB,EAAKhG,MAAMkH,gBACFlB,EAAKhG,MAAMmH,UACpBnB,EAAKhG,MAAMmH,aAGd,KACDC,UAAU,IH0QNpB,EGjONqB,mBAAqB,WACnBrB,EAAKsB,UAAWd,WAAY5E,OAAAkE,EAAA,QHkOzBE,EGjMLuB,OAAS,SAACC,GACRxB,EAAKW,KAAOa,GHkMTxB,EG/LLyB,eAAiB,SAAC3E,GAChBA,EAAE4E,iBACF1B,EAAKhG,MAAMgH,cHkKJf,EA8BJrH,EAAQO,IAAwF6G,EAAOC,GAmI5G,MA5KA5G,KAAuE0F,EAAgBgB,GA4CvFhB,EAAelF,UGjRf8H,kBHiR6C,WGhR3CjI,KAAKkI,uBACLlI,KAAKmI,6BACLjG,OAAAkE,EAAA,GAAyBpG,KAAK2H,oBAG9B3H,KAAKgH,gBHoRP3B,EAAelF,UGjRfiI,wBHiRmD,SGjR1BC,GAIvB,MAHyB3C,GAAA3E,EAAMuH,SAASC,MAAMF,EAAUG,UAAY,GAClE9C,EAAA3E,EAAMuH,SAASC,MAAMF,EAAUG,UAAY9C,EAAA3E,EAAMuH,SAASC,MAAMvI,KAAKM,MAAMkI,WAC3ExI,KAAKyI,iBAAiBJ,KAAerI,KAAKyI,iBAAiBzI,KAAKM,QAC1CN,KAAKiH,KAAKE,UAAY,EACrCnH,KAAKiH,KAAKG,aAAepH,KAAKiH,KAAKE,UAEnC,MHmRX9B,EAAelF,UG/QfuI,mBH+Q8C,SG/Q1BL,EAAWM,EAAWC,GAGxC,GAAiB,OAAbA,EAAmB,CACrB,GAAMC,GAAe7I,KAAKiH,KAAKG,aAAewB,CAE1C5I,MAAKiH,KAAKE,YAAc0B,IAC1B7I,KAAKiH,KAAKE,UAAY0B,KHoR5BxD,EAAelF,UG/Qf2I,qBH+QgD,WG9Q9C9I,KAAK+I,uBACL/I,KAAKgJ,6BACL9G,OAAAkE,EAAA,GAAyBpG,KAAK2H,qBHkRhCtC,EAAelF,UG3QfgI,2BH2QsD,WG1QpDnI,KAAK+G,4BAA4BkC,SAC/BC,KAAMlJ,KAAKiH,KACXkC,WAAY,cH+QhB9D,EAAelF,UG3Qf6I,2BH2QsD,WG1QpDhJ,KAAK+G,4BAA4BqC,cH8QnC/D,EAAelF,UG3Qf+H,qBH2QgD,WG1Q9ClI,KAAKiH,KAAKoC,iBAAiB,SAAUrJ,KAAKgH,eH8Q5C3B,EAAelF,UG3Qf4I,qBH2QgD,WG1Q9C/I,KAAKiH,KAAKqC,oBAAoB,SAAUtJ,KAAKgH,eH8Q/C3B,EAAelF,UG3QfsI,iBH2Q4C,SG3Q1BnI,GAAO,GACfkI,GAAalI,EAAbkI,SACJe,EAAaf,CAMjB,OALIA,aAAoBvC,GAAA,KACtBsD,EAAaf,EAASnF,IAAI,GACjBqD,MAAM8C,QAAQhB,KACvBe,EAAaf,EAAS,IAEjBe,GAAcA,EAAWE,KH+QlCpE,EAAelF,UGnQfC,OHmQkC,WGnQxB,GAAAsJ,GAAA1J,KAAAK,EAC+HL,KAAKM,MAApIkI,EADAnI,EACAmI,SAAUmB,EADVtJ,EACUsJ,UAAWC,EADrBvJ,EACqBuJ,YAAaC,EADlCxJ,EACkCwJ,mBAAoBtC,EADtDlH,EACsDkH,UAAWuC,EADjEzJ,EACiEyJ,QAASC,EAD1E1J,EAC0E0J,QAASC,EADnF3J,EACmF2J,cAAeC,EADlG5J,EACkG4J,aAAc3C,EADhHjH,EACgHiH,WAChHR,EAAe9G,KAAK0C,MAApBoE,WACFoD,EAAgBxE,EAAA3E,EAAMuH,SAASC,MAAMC,GAErC2B,EAAgBL,GAAWI,EAAgB,GAAK5C,EAAjClI,IAAgD2G,EAAA,GAAhDvF,SAAmE+G,EAAnE3G,QAAuFZ,KAAK+H,iBAAqB,KAClIqC,EAAiB,IAqCrB,OAlCEA,GADE7C,GAAa2C,EAAgB,IAAMD,EAEnCvE,EAAA3E,EAAAsJ,cAAA,OAAK5J,UAAW0F,IAAW,cAAgBW,eAAewD,IAAKtK,KAAK6H,QAApEzI,IAAA,OAAAmL,KACY,OADZ9J,UAC6B,iBAD7B,GAEKsJ,EAEArE,EAAA3E,EAAMuH,SAASkC,IAAIxK,KAAKM,MAAMkI,SAAU,SAACiC,EAAO/F,GAAR,MAAAtF,KACtC0G,EAAA,GADsCjF,GAGjC4J,EAAMhB,IAH2B/E,MAI9BA,EAJ8BgG,WAKzBR,EALyBnD,4BAMR2C,EAAK3C,4BANG4D,cAOtBf,EAAiBF,EAAKkB,QAAQ3H,OAAO4H,MAAMC,SAASrB,IAApD,IAA2DE,EAAc,MALnFc,EAAMhB,IAOVgB,KAIJN,IAKP/K,IAAAgL,OAAA1J,OACgBqK,KAAM,WAAYC,QAAS,OAAQC,cAAe,eADlE,GAEKjB,GAAiBD,EAElBrE,EAAA3E,EAAAsJ,cAAA,OAAK5J,UAAU,yBAAyB6J,IAAKtK,KAAK6H,QAC/CoC,IAMLL,EACFxK,IACGuG,EAAA,GADHgE,UAC8BA,EAD9BE,mBAC6DA,OAD7D,GAEKO,GAIEA,GH8QJ/E,GGncmCI,EAAA,eHocaxG,EGlchDiM,cACLjI,OAAQ4C,EAAA9E,EAAUoK,QHmcnBlM,EGjbMgC,cACL2I,aAAa,GHkbdtE,IAKG8F,IACA,SAAUxM,EAAQC,EAAqBC,GAE7C,YACqB,IAAIuM,GAA4CvM,EAAoB,GAChEwM,EAA0ExM,EAAoB,KAC9FyM,EAAsDzM,EAAoB,II1d7F0D,EAAsB,SAACE,EAAOpC,GAAR,OAC1BkL,aAAc9I,EAAM+I,OAAO,eAAgBnL,EAAMqK,cAAerK,EAAMO,OAGlE+B,EAAqB,SAACC,GAAD,OAEzB6I,eAFwC,SAExBjC,EAAK5I,EAAI8K,GACvB9I,EAASX,OAAAqJ,EAAA,GAAU9B,EAAK5I,EAAI8K,MAKhC9M,GAAA,EAAeqD,OAAAmJ,EAAA,SAAQ7I,EAAqBI,GAAoB0I,EAAA,IJqe1DM,IACA,SAAUhN,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOgN,IAC9E,IAAIC,GAAqEhN,EAAoB,GACzFiN,EAA6EjN,EAAoBO,EAAEyM,GACnGE,EAAgFlN,EAAoB,GACpGmN,EAAwFnN,EAAoBO,EAAE2M,GAC9GE,EAA+DpN,EAAoB,GACnFqN,EAAuErN,EAAoBO,EAAE6M,GAC7FE,EAAsCtN,EAAoB,GAC1DuN,EAA8CvN,EAAoBO,EAAE+M,GACpEE,EAAqExN,EAAoB,KACzFyN,EAAsEzN,EAAoB,KAC1F0N,EAA0C1N,EAAoB,GK7fjF2N,GL8fqE3N,EAAoBO,EAAEmN,IK9f/D,KAAM,QAAS,eAE3CE,GAA8B,KAAM,QAAS,aAAc,gBAE5Cb,ELygBa,SAAUc,GAG1C,QAASd,KACP,GAAI3M,GAAOoH,EAAOC,CAElBwF,KAA6E/L,KAAM6L,EAEnF,KAAK,GAAIrF,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQ2F,IAAwFjM,KAAM2M,EAAiB/F,KAAK3G,MAAM0M,GAAmB3M,MAAM6G,OAAOJ,KAAiBH,EKxgB7M5D,OACEkK,UAAU,GLygBPtG,EKveLuG,mBAAqB,SAACC,GACpBxG,EAAKwG,MAAQA,EAEb5K,OAAAoK,EAAA,GAAiBhG,EAAKyG,iBACtBzG,EAAKsB,SAAStB,EAAK0G,+BLwehB1G,EKreL0G,6BAA+B,SAACrE,GAI9B,MAHIA,GAAUsE,iBAAmB3G,EAAKwG,MAAMG,gBAC1C/K,OAAAoK,EAAA,GAAiBhG,EAAK4G,wBAGtBD,eAAgB3G,EAAKwG,MAAMG,eAC3BL,UAAU,ILueTtG,EKneLyG,gBAAkB,WAAM,GAAAI,GACwB7G,EAAKhG,MAA3CoL,EADcyB,EACdzB,eAAgBf,EADFwC,EACExC,cAAe9J,EADjBsM,EACiBtM,EAGvCyF,GAAKqF,OAASzJ,OAAAqK,EAAA,GAAiBjG,EAAKwG,OAAOnB,OAEvCD,GAAkBf,GACpBe,EAAef,EAAe9J,EAAIyF,EAAKqF,SLyetCrF,EKreL4G,sBAAwB,WACjB5G,EAAK8G,kBAQV9G,EAAKsB,SAAS,SAACe,GAAD,OAAkBiE,UAAWjE,EAAUsE,mBLwelD3G,EKreL+G,UAAY,SAACpG,GACXX,EAAKW,KAAOA,GL4bLV,EA0CJrH,EAAQ+M,IAAwF3F,EAAOC,GA0E5G,MA/HA4F,KAAuEN,EAA6Bc,GAwDpGd,EAA4B1L,UKjjB5BmN,sBLijB8D,SKjjBvCC,EAAWC,GAAW,GAAA9D,GAAA1J,KACrCyN,GAAgBzN,KAAK0C,MAAMuK,iBAAmBjN,KAAK0C,MAAMkK,UAAY5M,KAAKM,MAAMkL,aAEtF,SAAMiC,KADoBD,EAAUP,iBAAmBO,EAAUZ,WAAYW,EAAU/B,iBAMnEiC,EAAef,EAA6BD,GAC5CiB,MAAM,SAAAC,GAAA,MAAQzL,QAAAsK,EAAA,IAAGe,EAAUI,GAAOjE,EAAKpJ,MAAMqN,OLwjBnE9B,EAA4B1L,UKrjB5B8H,kBLqjB0D,WKrjBrC,GAAA5H,GACyBL,KAAKM,MAAzCyG,EADW1G,EACX0G,4BAA6BlG,EADlBR,EACkBQ,EAErCkG,GAA4B6G,QAC1B/M,EACAb,KAAKiH,KACLjH,KAAK6M,oBAGP7M,KAAKoN,kBAAmB,GLujB1BvB,EAA4B1L,UKpjB5B2I,qBLojB6D,WKpjBrC,GAAA+E,GACsB7N,KAAKM,MAAzCyG,EADc8G,EACd9G,4BAA6BlG,EADfgN,EACehN,EACrCkG,GAA4B+G,UAAUjN,EAAIb,KAAKiH,MAE/CjH,KAAKoN,kBAAmB,GL0jB1BvB,EAA4B1L,UK3gB5BC,OL2gB+C,WK3gBrC,GAAA2N,GACkD/N,KAAKM,MAAvDkI,EADAuF,EACAvF,SAAU3H,EADVkN,EACUlN,GAAI6D,EADdqJ,EACcrJ,MAAOgG,EADrBqD,EACqBrD,WAAYc,EADjCuC,EACiCvC,aADjCwC,EAE6BhO,KAAK0C,MAAlCuK,EAFAe,EAEAf,eAAgBL,EAFhBoB,EAEgBpB,QAExB,OAAKK,KAAmBL,IAAYpB,EAgBlCa,EAAAtL,EAAAsJ,cAAA,WAASC,IAAKtK,KAAKqN,UAAWY,gBAAevJ,EAAOwJ,eAAcxD,EAAYyD,UAAStN,EAAIuN,SAAS,KACjG5F,GAAY6D,EAAAtL,EAAMsN,aAAa7F,GAAY8F,QAAQ,KAfpDjC,EAAAtL,EAAAsJ,cAAA,WACEC,IAAKtK,KAAKqN,UACVY,gBAAevJ,EACfwJ,eAAcxD,EACdhK,OAASiL,QAAW3L,KAAK2L,QAAUH,GAA1B,KAA4C+C,QAAS,EAAGC,SAAU,UAC3EL,UAAStN,EACTuN,SAAS,KAER5F,GAAY6D,EAAAtL,EAAMsN,aAAa7F,GAAY8F,QAAQ,ML+hBrDzC,GKzoBgDQ,EAAAtL,EAAM0N,YLgpBzDC,IACA,SAAU9P,EAAQC,EAAqBC,GAE7C,YMrpBA,SAAS6P,GAASC,GAChB,KAAOC,EAAU9K,QAAU6K,EAASE,gBAAkB,GACpDD,EAAUE,SAERF,GAAU9K,OACZiL,oBAAoBL,GAEpBM,GAA6B,EAIjC,QAASC,GAAiBC,GACxBN,EAAUO,KAAKD,GACVF,IACHA,GAA6B,EAC7BD,oBAAoBL,IAxBxB,GAAAU,GAAAvQ,EAAA,KAAAwQ,EAAAxQ,EAAAO,EAAAgQ,GAMMR,EAAY,GAAIS,GAAAvO,EAClBkO,GAA6B,CAqBjCpQ,GAAA,KNqqBM0Q,IACA,SAAU3Q,EAAQ4Q,EAAS1Q,GAEjC,YO/rBA,SAAS2Q,KACPzP,KAAK+D,OAAS,EAGhB0L,EAAMtP,UAAUiP,KAAO,SAAUM,GAC/B,GAAIzI,IAAQyI,KAAMA,EACd1P,MAAK2P,KACP3P,KAAK2P,KAAO3P,KAAK2P,KAAKC,KAAO3I,EAE7BjH,KAAK2P,KAAO3P,KAAK6P,MAAQ5I,EAE3BjH,KAAK+D,UAGP0L,EAAMtP,UAAU4O,MAAQ,WACtB,GAAI9H,GAAOjH,KAAK6P,KAChB,IAAI5I,EAKF,MAJAjH,MAAK6P,MAAQ5I,EAAK2I,OACV5P,KAAK+D,SACX/D,KAAK2P,SAAO3L,IAEPiD,EAAKyI,MAIhBD,EAAMtP,UAAU2P,MAAQ,SAAUC,EAAOC,GACvCD,MAAyB,KAAVA,EAAwB,EAAIA,EAC3CC,MAAqB,KAARA,EAAsBC,IAAWD,CAK9C,KAAK,GAHDE,MAEAC,EAAI,EACClJ,EAAOjH,KAAK6P,MAAO5I,OACpB+I,EAAM,GADoB/I,EAAOA,EAAK2I,OAG/BO,EAAIJ,GACfG,EAAOd,KAAKnI,EAAKyI,KAGrB,OAAOQ,IAGTtR,EAAO4Q,QAAUC,GPysBXW,IACA,SAAUxR,EAAQC,EAAqBC,GAE7C,YQrvBA,SAASuR,GAAiBvD,GACxB,GAAkC,iBAAvBwD,GAAkC,CAC3C,GAAMC,GAAezD,EAAM0D,OAAOC,wBAC5BC,EAAe5D,EAAM6D,kBAC3BL,GAAqBC,EAAa5E,SAAW+E,EAAa/E,QACxD4E,EAAaK,MAAQF,EAAaE,KAClCL,EAAaM,QAAUH,EAAaG,OACpCN,EAAaO,SAAWJ,EAAaI,QACrCP,EAAaQ,OAASL,EAAaK,MACnCR,EAAaS,QAAUN,EAAaM,MAExC,MAAOV,GAAqBxD,EAAM0D,OAAOC,wBAA0B3D,EAAM6D,mBAb3E,GAAIL,SAgBJzR,GAAA,KR2vBMoS,IACA,SAAUrS,EAAQC,EAAqBC,GAE7C,YACqB,IAAIgN,GAAqEhN,EAAoB,GACzFiN,EAA6EjN,EAAoBO,EAAEyM,GS7wBtHoF,ETuxB4B,WAChC,QAASA,KACPnF,IAA6E/L,KAAMkR,GAEnFlR,KSzxBFmR,aT0xBEnR,KSzxBFoR,mBT0xBEpR,KSzxBFqR,SAAW,KT20BX,MA/CAH,GAA4B/Q,US1xB5B8I,QT0xBgD,SS1xBvCqI,GAAS,GAAAhL,GAAAtG,KACVuR,EAAiB,SAACC,GACtBA,EAAQC,QAAQ,SAAA3E,GACd,GAAMjM,GAAKiM,EAAM0D,OAAOkB,aAAa,UACjCpL,GAAK6K,UAAUtQ,IACjByF,EAAK6K,UAAUtQ,GAAIiM,KAKzB9M,MAAKqR,SAAW,GAAIM,sBAAqBJ,EAAgBD,GACzDtR,KAAKoR,gBAAgBK,QAAQ,SAAA3O,GAA4B,GAAzBjC,GAAyBiC,EAAA,GAArBmE,EAAqBnE,EAAA,GAAf8O,EAAe9O,EAAA,EACvDwD,GAAKsH,QAAQ/M,EAAIoG,EAAM2K,KAEzB5R,KAAKoR,gBAAkB,MTmyBzBF,EAA4B/Q,UShyB5ByN,QTgyBgD,SShyBvC/M,EAAIoG,EAAM2K,GACZ5R,KAAKqR,UAGRrR,KAAKmR,UAAUtQ,GAAM+Q,EACrB5R,KAAKqR,SAASzD,QAAQ3G,IAHtBjH,KAAKoR,gBAAgBhC,MAAOvO,EAAIoG,EAAM2K,KTuyB1CV,EAA4B/Q,UShyB5B2N,UTgyBkD,SShyBvCjN,EAAIoG,GACTjH,KAAKqR,iBACArR,MAAKmR,UAAUtQ,GACtBb,KAAKqR,SAASvD,UAAU7G,KToyB5BiK,EAA4B/Q,UShyB5BiJ,WTgyBmD,WS/xB7CpJ,KAAKqR,WACPrR,KAAKmR,aACLnR,KAAKqR,SAASjI,aACdpJ,KAAKqR,SAAW,OToyBbH,IS9xBTrS,GAAA,KTqyBMgT,IACA,SAAUjT,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOiT,IAC9E,IAgBjB7S,GAhBqBE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpEE,EAA2ChB,EAAoB,GUx2BlFmD,EAAWC,OAAApC,EAAA,IACfiS,WAAAlR,GAAA,mBAAAC,eAAA,eAImBgR,EADpB5P,OAAApC,EAAA,GVu3BoFb,EAAS,SAAUc,GAGtG,QAAS+R,KACP,GAAI5S,GAAOoH,EAAOC,CAElBhH,KAA6ES,KAAM8R,EAEnF,KAAK,GAAItL,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQ7G,IAAwFO,KAAMD,EAAqB6G,KAAK3G,MAAMF,GAAuBC,MAAM6G,OAAOJ,KAAiBH,EUz3BrN0L,YAAc,WACZ1L,EAAKhG,MAAMM,QAAQ0F,EAAKhG,MAAM2R,QVw3BvB1L,EAEJrH,EAAQO,IAAwF6G,EAAOC,GAmB5G,MAhCA5G,KAAuEmS,EAAS/R,GAgBhF+R,EAAQ3R,UU13BRC,OV03B2B,WU13BjB,GAAAC,GACmBL,KAAKM,MAAxBC,EADAF,EACAE,SAAUwC,EADV1C,EACU0C,IAElB,OAAA3D,KAAA,UAAAqB,UACoB,qBADpBF,SACmDA,EADnDK,QACsEZ,KAAKgS,YAD3EE,aACoGnP,EAAKmB,cAAcjC,EAAS8P,gBADhI,GAAA3S,IAAA,KAAAqB,UAEiB,uBVq4BZqR,GUv5B4BjS,EAAAkB,EAAMC,iBVw5BwB/B,GAM7DkT,IACA,SAAUvT,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOuT,IAC9E,IAkCjBnT,GAAQqG,EAlCa+M,EAA8DvT,EAAoB,IAClFwT,EAAsExT,EAAoBO,EAAEgT,GAC5FE,EAA0DzT,EAAoB,GAC9E0T,EAAkE1T,EAAoBO,EAAEkT,GACxFE,EAA8E3T,EAAoB,IAClG4T,EAAsF5T,EAAoBO,EAAEoT,GAC5GE,EAAqE7T,EAAoB,GACzF8T,EAA6E9T,EAAoBO,EAAEsT,GACnGE,EAAgF/T,EAAoB,GACpGgU,EAAwFhU,EAAoBO,EAAEwT,GAC9GE,EAA+DjU,EAAoB,GACnFkU,EAAuElU,EAAoBO,EAAE0T,GAC7FE,EAAgDnU,EAAoB,IACpEoU,EAAwDpU,EAAoBO,EAAE4T,GAC9EE,EAAsCrU,EAAoB,GAC1DsU,EAA8CtU,EAAoBO,EAAE8T,GACpEE,EAA0DvU,EAAoB,IAC9EwU,EAAkExU,EAAoBO,EAAEgU,GACxFE,EAA2CzU,EAAoB,GAC/D0U,EAAmD1U,EAAoBO,EAAEkU,GACzEE,EAA8D3U,EAAoB,KAClF4U,EAAgE5U,EAAoB,IACpF6U,EAAwE7U,EAAoBO,EAAEqU,GAC9FE,EAA2C9U,EAAoB,KAC/D+U,EAAkD/U,EAAoB,KACtEgV,EAA4ChV,EAAoB,GW37BpEsT,GX+8BH9M,EAASrG,EAAS,SAAU8U,GAG5C,QAAS3B,KACP,GAAIlT,GAAOoH,EAAOC,CAElBqM,KAA6E5S,KAAMoS,EAEnF,KAAK,GAAI5L,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQwM,IAAwF9S,KAAM+T,EAAsBnN,KAAK3G,MAAM8T,GAAwB/T,MAAM6G,OAAOJ,KAAiBH,EWp8BvN0N,uBAAyB,WACvB,MAAO1N,GAAKhG,MAAM2T,kBAAoB3N,EAAKhG,MAAM2T,kBAAkBC,KAAO,GXq8BvE5N,EWl8BL6N,sBAAwB,SAACtT,EAAIuT,GAC3B,MAAIA,GACK9N,EAAKhG,MAAM2T,kBAAkBI,QAAQxT,GAErCyF,EAAKhG,MAAMgU,UAAUD,QAAQxT,GAAMyF,EAAK0N,0BXo8B9C1N,EWh8BLiO,aAAe,SAAC1T,EAAIuT,GAClB,GAAMI,GAAelO,EAAK6N,sBAAsBtT,EAAIuT,GAAY,CAChE9N,GAAKmO,aAAaD,IXi8BflO,EW97BLoO,eAAiB,SAAC7T,EAAIuT,GACpB,GAAMI,GAAelO,EAAK6N,sBAAsBtT,EAAIuT,GAAY,CAChE9N,GAAKmO,aAAaD,IX+7BflO,EW57BLqO,gBAAkBzB,IAAS,WACzB5M,EAAKhG,MAAMgH,WAAWhB,EAAKhG,MAAMgU,UAAU3E,SAC1C,KAAOiF,SAAS,IX47BWtO,EWl7B9BuB,OAAS,SAAAC,GACPxB,EAAKW,KAAOa,GXi6BLvB,EAkBJrH,EAAQ4T,IAAwFxM,EAAOC,GAuE5G,MApGAyM,KAAuEZ,EAAY2B,GAgCnF3B,EAAWjS,UW/7BXsU,aX+7BoC,SW/7BtB/P,GACZ,GAAMmQ,GAAU7U,KAAKiH,KAAKA,KAAK6N,cAAf,wBAAoDpQ,EAAQ,GAA5D,eAEZmQ,IACFA,EAAQE,SXm8BZ3C,EAAWjS,UW37BXC,OX27B8B,WW37BpB,GAAAsJ,GAAA1J,KAAAK,EACwDL,KAAKM,MAA7DgU,EADAjU,EACAiU,UAAWL,EADX5T,EACW4T,kBAAmB3M,EAD9BjH,EAC8BiH,WAAe0N,EAD7CtC,IAAArS,GAAA,+CAEAkH,EAAyByN,EAAzBzN,SAER,IAFiCyN,EAAdC,UAGjB,MAAAzC,KAAA,OAAA/R,UACiB,8BADjB,GAAA+R,IAAA,gBAAAA,IAAA,OAAA/R,UAGqB,mCAHrB+R,IAAA,OAAA/R,UAKqB,qCALrB,GAAA+R,IAMSsB,EAAA,GANTjT,GAM6B,+BAN7BqU,QAMoE,SANpEpU,eAM4F,aAN5F0R,IAOSsB,EAAA,GAPTjT,GAO6B,kCAP7BC,eAO8E,wCAOhF,IAAIqU,GAAqB5N,GAAa+M,EAAUJ,KAAO,EACrDI,EAAU9J,IAAI,SAAC4K,EAAU1Q,GAAX,MAAkC,QAAb0Q,EAAA5C,IAChCoB,EAAA,GADgCrT,SAGrBgH,EAHqB0K,MAIxBvN,EAAQ,EAAI4P,EAAUjR,IAAIqB,EAAQ,GAAK,KAJf9D,QAKtB0G,GAHJ,OAASgN,EAAUjR,IAAIqB,EAAQ,IAFL8N,IAQhCiB,EAAA,GARgC5S,GAU3BuU,EAV2BC,SAWrB3L,EAAK6K,aAXgBe,WAYnB5L,EAAKgL,gBAHZU,KAMP,IAcJ,OAZID,IAAqBlB,IACvBkB,EAAoBlB,EAAkBzJ,IAAI,SAAA4K,GAAA,MAAA5C,KACvCiB,EAAA,GADuC5S,GAGlCuU,EAHkChB,UAAA,EAAAiB,SAK5B3L,EAAK6K,aALuBe,WAM1B5L,EAAKgL,gBANqB,KAE5BU,KAMXvO,OAAOsO,IAIV/B,EAAArS,EAAAsJ,cAACwJ,EAAA,EAADvB,OAAoB0C,GAAO1N,WAAYA,GAActH,KAAK2U,gBAAiBrK,IAAKtK,KAAK6H,SAClFsN,IXo8BA/C,GWpjC+BuB,EAAA5S,GXqjCoC9B,EWnjCnEsW,WACL5L,UAAW6J,EAAAzS,EAAUyU,OAAOC,WAC5BnB,UAAWhB,EAAAvS,EAAmB2U,KAAKD,WACnCxB,kBAAmBX,EAAAvS,EAAmB2U,KACtCpO,WAAYkM,EAAAzS,EAAU4U,KACtBnO,cAAegM,EAAAzS,EAAU4U,KACzBlO,SAAU+L,EAAAzS,EAAU4U,KACpB/L,YAAa4J,EAAAzS,EAAU6U,KACvB/L,mBAAoB2J,EAAAzS,EAAU4U,KAC9BpO,UAAWiM,EAAAzS,EAAU6U,KACrBX,UAAWzB,EAAAzS,EAAU6U,KACrB9L,QAAS0J,EAAAzS,EAAU6U,KACnB7L,QAASyJ,EAAAzS,EAAUkG,KACnBgD,aAAcuJ,EAAAzS,EAAUkG,KACxB+C,cAAewJ,EAAAzS,EAAU6U,MXojC1B3W,EWjjCMgC,cACL2I,aAAa,GXkjCdtE,IAKGuQ,IACA,SAAUjX,EAAQC,EAAqBC,GAE7C,YYtlCA,SAASgX,KACP,GAAMC,GAAoBjX,EAAQ,KAA6CkX,QACzEC,EAAoBnX,EAAQ,GAC5BoX,EAAoBpX,EAAQ,IAC5BqX,EAAoBC,SAASC,eAAe,oBAElD,IAAkB,OAAdF,EAAoB,CACtB,GAAM7V,GAAQgW,KAAKC,MAAMJ,EAAUzE,aAAa,cAChDwE,GAAS9V,OAAO6V,EAAA5L,cAAC0L,EAAsBzV,GAAW6V,IAItD,QAASK,MAEPC,EADc3X,EAAQ,IAAqBkX,SACrCF,GZykCR5T,OAAOwU,eAAe7X,EAAqB,cAAgB8X,OAAO,GAC7C,IAAIC,GAAyD9X,EAAoB,GYvkCtGoD,QAAA0U,EAAA,KAAgBC,KAAKL,GAAMM,MAAM,SAAAlT,GAC/BmT,QAAQnT,MAAMA,MZgmCVoT,IACA,SAAUpY,EAAQC,EAAqBC,GAE7C,YACAoD,QAAOwU,eAAe7X,EAAqB,cAAgB8X,OAAO,IACnC7X,EAAoBC,EAAEF,EAAqB,UAAW,WAAa,MAAOkX,IACpF,IA2BjB9W,GAAQC,EA3BaC,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpEqX,EAA0CnY,EAAoB,IAC9DoY,EAAkDpY,EAAoBO,EAAE4X,GACxEE,EAA4CrY,EAAoB,GAChEsY,EAAsDtY,EAAoB,KAC1EuY,EAA+CvY,EAAoB,IACnEwY,EAA2CxY,EAAoB,GAC/DyY,EAA0CzY,EAAoB,GAC9D0Y,EAAsE1Y,EAAoB,KAC1F2Y,EAAyE3Y,EAAoB,KAC7F4Y,EAAuE5Y,EAAoB,KAC3F6Y,EAAyE7Y,EAAoB,KAC7F8Y,EAAgD9Y,EAAoB,IAsBzF+Y,EavpC6B3V,OAAAqV,EAAA,aAAzBO,EbwpCSD,EaxpCTC,WAAY7V,EbypCL4V,EazpCK5V,QACpBC,QAAAoV,EAAA,GAAcQ,EAEd,IAAMC,GAAQ7V,OAAAkV,EAAA,IAEVQ,GAAA,GACFG,EAAMlV,SAASX,OAAAmV,EAAA,GAAaO,EAAA,Gb6pC9B,Ia1pCqB7B,Ib0pCI7W,EAAQD,EAAS,SAAUc,GAGlD,QAASgW,KAGP,MAFAxW,KAA6ES,KAAM+V,GAE5EtW,IAAwFO,KAAMD,EAAqBE,MAAMD,KAAME,YA8BxI,MAnCAP,KAAuEoW,EAAmBhW,GAQ1FgW,EAAkB5V,UavpClBC,ObupCqC,WavpC3B,GAAAC,GACwCL,KAAKM,MAA7C0X,EADA3X,EACA2X,OAAQC,EADR5X,EACQ4X,QAASC,EADjB7X,EACiB6X,mBAErBC,QAUJ,OAPEA,GADEF,EACF7Y,IAAYsY,EAAA,GAAZO,QAAqCA,IAC5BC,EACT9Y,IAAYoY,EAAA,MAEZpY,IAAYqY,EAAA,MAGdrY,IACGkY,EAAA,GADHU,OACwBA,EADxB/V,SAC0CA,OAD1C,GAAA7C,IAEK+X,EAAA,UAFLY,MAEqBA,OAFrB,GAAA3Y,IAGOQ,EAAA,gBAHP,GAISuY,EACAjB,EAAAnW,EAASqX,aAAThZ,IACEuY,EAAA,MACDvB,SAASC,eAAe,wBb8pC7BN,Ga9rCsClW,EAAAkB,EAAMC,eb+rCW/B,EavrCvDgC,cACLiX,mBAAoBN,EAAA,EAAaS,SAASC,iBbwrC3CpZ,IAKGqZ,IACA,SAAU3Z,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO2Z,IAC9E,IAsBjBC,GAAMxZ,EAtBeE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE8Y,EAA4C5Z,EAAoB,GAChE6Z,EAAqE7Z,EAAoB,IACzF8Z,EAAmD9Z,EAAoB,IACvE+Z,EAAmD/Z,EAAoB,IACvEga,EAA0Dha,EAAoB,IAC9Eia,EAA4Cja,EAAoB,GAChEka,EAAoDla,EAAoB,IcxuC3FmD,EAAWC,OAAA6W,EAAA,IACfE,OAAApY,GAAA,0BAAAC,eAAA,sBAKmB0X,Gd2vCCC,Ec7vCrBvW,OAAAwW,EAAA,Yd6vCiGzZ,Ec5vCjGiD,OAAA6W,EAAA,Gd4vCkL9Z,EAAS,SAAUc,GAGpM,QAASyY,KACP,GAAItZ,GAAOoH,EAAOC,CAElBhH,KAA6ES,KAAMwY,EAEnF,KAAK,GAAIhS,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQ7G,IAAwFO,KAAMD,EAAqB6G,KAAK3G,MAAMF,GAAuBC,MAAM6G,OAAOJ,KAAiBH,EchwCrN4S,kBAAoB,WAClB5S,EAAK6S,OAAOhS,adiwCTb,Ec9vCLuB,OAAS,SAAAC,GACPxB,EAAK6S,OAASrR,Gd+vCXxB,Ec9uCLyB,eAAiB,SAAAkK,GACf3L,EAAKhG,MAAMuC,SAASX,OAAA0W,EAAA,IAAuB3G,YdyuCpC1L,EAMJrH,EAAQO,IAAwF6G,EAAOC,GAuC5G,MAxDA5G,KAAuE6Y,EAAgBzY,GAoBvFyY,EAAerY,UcjwCf8H,kBdiwC6C,WcjwCxB,GACXpF,GAAa7C,KAAKM,MAAlBuC,QAERA,GAASX,OAAA0W,EAAA,MACT5Y,KAAKoJ,WAAavG,EAASX,OAAA8W,EAAA,OdqwC7BR,EAAerY,UclwCf2I,qBdkwCgD,WcjwC1C9I,KAAKoJ,aACPpJ,KAAKoJ,aACLpJ,KAAKoJ,WAAa,OdswCtBoP,EAAerY,Uc9vCfC,Od8vCkC,Wc9vCxB,GACA2C,GAAS/C,KAAKM,MAAdyC,IAER,OACElD,GAAAkB,EAAAsJ,cAACwO,EAAA,GAAOvO,IAAKtK,KAAK6H,QAAlBzI,IACG0Z,EAAA,GADHM,KAES,QAFTH,MAGWlW,EAAKmB,cAAcjC,EAASgX,OAHvCrY,QAIaZ,KAAKkZ,oBAJlB9Z,IAOGuZ,EAAA,GAPHU,WAQe,SARf/R,WASgBtH,KAAK+H,eATrB4B,UAUc,6BAVdC,aAWiB,MdowCd4O,GcpzCmC3Y,EAAAkB,EAAMC,iBdqzCiB/B,IAAWA,GAKxEqa,IACA,SAAU1a,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO0a,IAC9E,IAsBjBd,GAAMxZ,EAtBeE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE8Y,EAA4C5Z,EAAoB,GAChE6Z,EAAqE7Z,EAAoB,IACzF8Z,EAAmD9Z,EAAoB,IACvE+Z,EAAmD/Z,EAAoB,IACvEga,EAA0Dha,EAAoB,IAC9Eia,EAA4Cja,EAAoB,GAChEka,EAAoDla,EAAoB,Ier1C3FmD,EAAWC,OAAA6W,EAAA,IACfE,OAAApY,GAAA,0BAAAC,eAAA,sBAKmByY,Gfw2CId,Ee12CxBvW,OAAAwW,EAAA,Yf02CoGzZ,Eez2CpGiD,OAAA6W,EAAA,Gfy2CqL9Z,EAAS,SAAUc,GAGvM,QAASwZ,KACP,GAAIra,GAAOoH,EAAOC,CAElBhH,KAA6ES,KAAMuZ,EAEnF,KAAK,GAAI/S,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQ7G,IAAwFO,KAAMD,EAAqB6G,KAAK3G,MAAMF,GAAuBC,MAAM6G,OAAOJ,KAAiBH,Ee72CrN4S,kBAAoB,WAClB5S,EAAK6S,OAAOhS,af82CTb,Ee32CLuB,OAAS,SAAAC,GACPxB,EAAK6S,OAASrR,Gf42CXxB,Ee31CLyB,eAAiB,SAAAkK,GACf3L,EAAKhG,MAAMuC,SAASX,OAAA0W,EAAA,IAA0B3G,Yfs1CvC1L,EAMJrH,EAAQO,IAAwF6G,EAAOC,GAuC5G,MAxDA5G,KAAuE4Z,EAAmBxZ,GAoB1FwZ,EAAkBpZ,Ue92ClB8H,kBf82CgD,We92C3B,GACXpF,GAAa7C,KAAKM,MAAlBuC,QAERA,GAASX,OAAA0W,EAAA,MACT5Y,KAAKoJ,WAAavG,EAASX,OAAA8W,EAAA,Ofk3C7BO,EAAkBpZ,Ue/2ClB2I,qBf+2CmD,We92C7C9I,KAAKoJ,aACPpJ,KAAKoJ,aACLpJ,KAAKoJ,WAAa,Ofm3CtBmQ,EAAkBpZ,Ue32ClBC,Of22CqC,We32C3B,GACA2C,GAAS/C,KAAKM,MAAdyC,IAER,OACElD,GAAAkB,EAAAsJ,cAACwO,EAAA,GAAOvO,IAAKtK,KAAK6H,QAAlBzI,IACG0Z,EAAA,GADHM,KAES,QAFTH,MAGWlW,EAAKmB,cAAcjC,EAASgX,OAHvCrY,QAIaZ,KAAKkZ,oBAJlB9Z,IAOGuZ,EAAA,GAPHU,WAQe,YARf/R,WASgBtH,KAAK+H,eATrB4B,UAUc,6BAVdC,aAWiB,Mfi3Cd2P,Gej6CsC1Z,EAAAkB,EAAMC,iBfk6Cc/B,IAAWA,GAKxEua,IACA,SAAU5a,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4a,IAC9E,IAqBjBhB,GAAMxZ,EArBeE,EAA0DL,EAAoB,GAC9EM,EAAkEN,EAAoBO,EAAEF,GACxFG,EAAqER,EAAoB,GACzFS,EAA6ET,EAAoBO,EAAEC,GACnGE,EAAgFV,EAAoB,GACpGW,EAAwFX,EAAoBO,EAAEG,GAC9GE,EAA+DZ,EAAoB,GACnFa,EAAuEb,EAAoBO,EAAEK,GAC7FE,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE8Y,EAA4C5Z,EAAoB,GAChE6Z,EAAqE7Z,EAAoB,IACzF8Z,EAAmD9Z,EAAoB,IACvE+Z,EAAmD/Z,EAAoB,IACvEga,EAA0Dha,EAAoB,IAC9E4a,EAAoD5a,EAAoB,IgBj8C5E2a,GhBk9CEhB,EgBn9CtBvW,OAAAwW,EAAA,YhBm9CkGzZ,EAAS,SAAUc,GAGpH,QAAS0Z,KACP,GAAIva,GAAOoH,EAAOC,CAElBhH,KAA6ES,KAAMyZ,EAEnF,KAAK,GAAIjT,GAAOtG,UAAU6D,OAAQ0C,EAAOC,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EF,EAAKE,GAAQzG,UAAUyG,EAGzB,OAAezH,GAASoH,EAAQ7G,IAAwFO,KAAMD,EAAqB6G,KAAK3G,MAAMF,GAAuBC,MAAM6G,OAAOJ,KAAiBH,EgBv9CrN4S,kBAAoB,WAClB5S,EAAK6S,OAAOhS,ahBw9CTb,EgBr9CLuB,OAAS,SAAAC,GACPxB,EAAK6S,OAASrR,GhBs9CXxB,EgBr8CLyB,eAAiB,SAAAkK,GACf3L,EAAKhG,MAAMuC,SAASX,OAAA0W,EAAA,GAAsBtS,EAAKhG,MAAM2X,SAAWhG,YhBg8CzD1L,EAMJrH,EAAQO,IAAwF6G,EAAOC,GAyC5G,MA1DA5G,KAAuE8Z,EAAiB1Z,GAoBxF0Z,EAAgBtZ,UgBx9ChB8H,kBhBw9C8C,WgBx9CzB,GAAA5H,GACWL,KAAKM,MAA3BuC,EADWxC,EACXwC,SAAUoV,EADC5X,EACD4X,OAElBpV,GAASX,OAAA0W,EAAA,GAAsBX,IAC/BjY,KAAKoJ,WAAavG,EAASX,OAAAwX,EAAA,GAAqBzB,KhB89ClDwB,EAAgBtZ,UgB39ChB2I,qBhB29CiD,WgB19C3C9I,KAAKoJ,aACPpJ,KAAKoJ,aACLpJ,KAAKoJ,WAAa,OhB+9CtBqQ,EAAgBtZ,UgBv9ChBC,OhBu9CmC,WgBv9CzB,GACA6X,GAAYjY,KAAKM,MAAjB2X,OAER,OACEpY,GAAAkB,EAAAsJ,cAACwO,EAAA,GAAOvO,IAAKtK,KAAK6H,QAAlBzI,IACG0Z,EAAA,GADHM,KAES,UAFTH,MAGWhB,EAHXrX,QAIaZ,KAAKkZ,oBAJlB9Z,IAOGuZ,EAAA,GAPH/O,aAQiB,EARjBD,UASc,8BATd0P,WAAA,WAU2BpB,EAV3B3Q,WAWgBtH,KAAK+H,mBhB69ClB0R,GgB7gDoC5Z,EAAAkB,EAAMC,iBhB8gDgB/B,GAK7D0a,EACA,SAAU/a,EAAQC,EAAqBC,GAE7C,YiBngDA,SAAS8a,KACP,GAAIC,GAAO3Z,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,OAE5DwG,MAAM8C,QAAQqQ,GAAQA,GAAQA,IAEpCpI,QAAQ,SAAUqG,GACpBA,GAAcA,EAAWE,SAC3B8B,EAAA/Y,EAAkBgZ,gBAAgBjC,GAClCkC,EAAAjZ,EAAmBgZ,gBAAgBjC,MAKzC,QAASmC,GAAcjC,GAGrB,IAFA,GAAIkC,IAAelC,GAAU,IAAImC,MAAM,KAEhCD,EAAYnW,OAAS,GAAG,CAC7B,GAAIqW,EAAuBF,EAAYG,KAAK,MAC1C,OAAO,CAGTH,GAAYI,MAGd,OAAO,EAGT,QAASF,GAAuBpC,GAC9B,GAAIuC,GAAmBvC,GAAUA,EAAOwC,aAExC,UAAUV,EAAA/Y,EAAkB0Z,eAAeF,KAAqBP,EAAAjZ,EAAmB0Z,eAAeF,IA2QpG,QAASG,GAAOC,GACd,OAAQ,GAAKA,GAAKC,QAAQC,GAAoB,SAAUC,GACtD,MAAOC,IAAcD,KAIzB,QAASE,GAAY1a,EAAO2a,GAC1B,GAAIC,GAAchb,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,KAEjF,OAAO+a,GAAUE,OAAO,SAAUC,EAAUrW,GAO1C,MANIzE,GAAM+a,eAAetW,GACvBqW,EAASrW,GAAQzE,EAAMyE,GACdmW,EAAYG,eAAetW,KACpCqW,EAASrW,GAAQmW,EAAYnW,IAGxBqW,OAIX,QAASE,KACP,GAAIxY,GAAO5C,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACtE6C,EAAOD,EAAKC,IAEhBwY,KAAUxY,EAAM,gHAGlB,QAASyY,GAAcC,EAAMC,GAC3B,GAAID,IAASC,EACX,OAAO,CAGT,IAAoE,gBAA/C,KAATD,EAAuB,YAAcE,EAAQF,KAAgC,OAATA,GAAiF,gBAA/C,KAATC,EAAuB,YAAcC,EAAQD,KAAgC,OAATA,EAC3K,OAAO,CAGT,IAAIE,GAAQ1Z,OAAO2Z,KAAKJ,GACpBK,EAAQ5Z,OAAO2Z,KAAKH,EAExB,IAAIE,EAAM7X,SAAW+X,EAAM/X,OACzB,OAAO,CAKT,KAAK,GADDgY,GAAkB7Z,OAAO/B,UAAUkb,eAAeW,KAAKN,GAClDvL,EAAI,EAAGA,EAAIyL,EAAM7X,OAAQoM,IAChC,IAAK4L,EAAgBH,EAAMzL,KAAOsL,EAAKG,EAAMzL,MAAQuL,EAAKE,EAAMzL,IAC9D,OAAO,CAIX,QAAO,EAGT,QAAS8L,GAA0BC,EAAO3O,EAAWC,GACnD,GAAIlN,GAAQ4b,EAAM5b,MACdoC,EAAQwZ,EAAMxZ,MACdyZ,EAAgBD,EAAMtR,QACtBA,MAA4B5G,KAAlBmY,KAAmCA,EAC7CC,EAAclc,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MAC7Emc,EAAgBzR,EAAQ7H,KACxBA,MAAyBiB,KAAlBqY,KAAmCA,EAC1CC,EAAoBF,EAAYrZ,KAChCwZ,MAAiCvY,KAAtBsY,KAAuCA,CAGtD,QAAQd,EAAcjO,EAAWjN,KAAWkb,EAAchO,EAAW9K,MAAY6Z,IAAaxZ,GAAQyY,EAAcR,EAAYuB,EAAUC,IAAsBxB,EAAYjY,EAAMyZ,MAYpL,QAASC,GAAeC,GACtB,MAAOA,GAAaC,aAAeD,EAAa3X,MAAQ,YAG1D,QAAS6X,GAAWC,GAClB,GAAIvL,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACzE4c,EAAwBxL,EAAQyL,aAChCA,MAAyC/Y,KAA1B8Y,EAAsC,OAASA,EAC9DE,EAAmB1L,EAAQ2L,QAC3BA,MAA+BjZ,KAArBgZ,GAAyCA,EAEnDE,EAAa,SAAUC,GAGzB,QAASD,GAAW5c,EAAOsK,GACzBwS,EAAepd,KAAMkd,EAErB,IAAI5W,GAAQ+W,EAA0Brd,MAAOkd,EAAWI,WAAapb,OAAOqb,eAAeL,IAAatW,KAAK5G,KAAMM,EAAOsK,GAG1H,OADA0Q,GAAqB1Q,GACdtE,EAkBT,MA1BAkX,GAASN,EAAYC,GAWrBM,EAAYP,IACVzT,IAAK,qBACLkN,MAAO,WAGL,MAFA4E,KAAU0B,EAAS,sHAEZjd,KAAK0d,KAAKC,mBAGnBlU,IAAK,SACLkN,MAAO,WACL,MAAO9W,GAAAkB,EAAMsJ,cAAcwS,EAAkBe,KAAa5d,KAAKM,MAAOoW,KAAmBqG,EAAc/c,KAAK4K,QAAQ7H,OAClHuH,IAAK2S,EAAU,kBAAoB,YAIlCC,GACPtd,EAAA,UASF,OAPAsd,GAAWP,YAAc,cAAgBF,EAAeI,GAAoB,IAC5EK,EAAWhS,cACTnI,KAAM8a,IAERX,EAAWL,iBAAmBA,EAGvBK,EAST,QAASY,GAAeC,GAGtB,MAAOA,GAWT,QAASC,GAAcC,GAErB,MAAOnE,GAAA/Y,EAAkBZ,UAAU+d,eAAeD,GAGpD,QAASE,GAAmBnG,GAE1B,MAAO8B,GAAA/Y,EAAkBZ,UAAUie,wBAAwBpG,GAkC7D,QAASqG,GAA+BC,GACtC,GAAIC,GAAavE,EAAAjZ,EAAmBwd,UACpCA,GAAWC,OAASF,EAAcE,OAClCD,EAAWE,OAASH,EAAcG,OAClCF,EAAWG,KAAOJ,EAAcI,KAChCH,EAAWI,IAAML,EAAcK,IAC/BJ,EAAWK,MAAQN,EAAcM,MAGnC,QAASC,GAAeC,EAASC,EAAMha,GACrC,GAAIia,GAASF,GAAWA,EAAQC,IAASD,EAAQC,GAAMha,EACvD,IAAIia,EACF,MAAOA,GAQX,QAASC,GAAWC,EAAQxc,EAAOiU,GACjC,GAAIrF,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACzE8X,EAASkH,EAAOlH,OAChB8G,EAAUI,EAAOJ,QACjBE,EAAS1N,EAAQ0N,OAGjBG,EAAO,GAAIC,MAAKzI,GAChBuE,EAAc8D,GAAUH,EAAeC,EAAS,OAAQE,GACxDK,EAAkBrE,EAAY1J,EAASgO,GAA0BpE,EAErE,KACE,MAAOxY,GAAM6c,kBAAkBvH,EAAQqH,GAAiBL,OAAOG,GAC/D,MAAO/b,IAMT,MAAOoc,QAAOL,GAGhB,QAASM,GAAWP,EAAQxc,EAAOiU,GACjC,GAAIrF,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACzE8X,EAASkH,EAAOlH,OAChB8G,EAAUI,EAAOJ,QACjBE,EAAS1N,EAAQ0N,OAGjBG,EAAO,GAAIC,MAAKzI,GAChBuE,EAAc8D,GAAUH,EAAeC,EAAS,OAAQE,GACxDK,EAAkBrE,EAAY1J,EAASgO,GAA0BpE,EAEhEmE,GAAgBX,MAASW,EAAgBZ,QAAWY,EAAgBb,SAEvEa,EAAkBzB,KAAayB,GAAmBX,KAAM,UAAWD,OAAQ,YAG7E,KACE,MAAO/b,GAAM6c,kBAAkBvH,EAAQqH,GAAiBL,OAAOG,GAC/D,MAAO/b,IAMT,MAAOoc,QAAOL,GAGhB,QAASO,GAAeR,EAAQxc,EAAOiU,GACrC,GAAIrF,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACzE8X,EAASkH,EAAOlH,OAChB8G,EAAUI,EAAOJ,QACjBE,EAAS1N,EAAQ0N,OAGjBG,EAAO,GAAIC,MAAKzI,GAChBgJ,EAAM,GAAIP,MAAK9N,EAAQqO,KACvBzE,EAAc8D,GAAUH,EAAeC,EAAS,WAAYE,GAC5DK,EAAkBrE,EAAY1J,EAASsO,GAAyB1E,GAIhE2E,EAAgBjC,KAAa5D,EAAAjZ,EAAmBwd,WACpDF,GAA+ByB,GAE/B,KACE,MAAOpd,GAAMqd,kBAAkB/H,EAAQqH,GAAiBL,OAAOG,GAC7DQ,IAAKK,SAASL,GAAOA,EAAMjd,EAAMid,QAEnC,MAAOvc,IAJT,QASEib,EAA+BwB,GAGjC,MAAOL,QAAOL,GAGhB,QAASc,GAAaf,EAAQxc,EAAOiU,GACnC,GAAIrF,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACzE8X,EAASkH,EAAOlH,OAChB8G,EAAUI,EAAOJ,QACjBE,EAAS1N,EAAQ0N,OAGjB9D,EAAc8D,GAAUH,EAAeC,EAAS,SAAUE,GAC1DK,EAAkBrE,EAAY1J,EAAS4O,GAAuBhF,EAElE,KACE,MAAOxY,GAAMyd,gBAAgBnI,EAAQqH,GAAiBL,OAAOrI,GAC7D,MAAOvT,IAMT,MAAOoc,QAAO7I,GAGhB,QAASyJ,GAAalB,EAAQxc,EAAOiU,GACnC,GAAIrF,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACzE8X,EAASkH,EAAOlH,OAGhBqH,EAAkBrE,EAAY1J,EAAS+O,GAE3C,KACE,MAAO3d,GAAM4d,gBAAgBtI,EAAQqH,GAAiBL,OAAOrI,GAC7D,MAAOvT,IAMT,MAAO,QAGT,QAASc,GAAcgb,EAAQxc,GAC7B,GAAI6d,GAAoBrgB,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACnF4E,EAAS5E,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,MACxE8X,EAASkH,EAAOlH,OAChB8G,EAAUI,EAAOJ,QACjB7c,EAAWid,EAAOjd,SAClBue,EAAgBtB,EAAOsB,cACvBC,EAAiBvB,EAAOuB,eACxB5f,EAAK0f,EAAkB1f,GACvBC,EAAiByf,EAAkBzf,cAIvCya,KAAU1a,EAAI,6DAEd,IAAIoD,GAAUhC,GAAYA,EAASpB,EAKnC,MAJgBqB,OAAO2Z,KAAK/W,GAAQf,OAAS,GAK3C,MAAOE,IAAWnD,GAAkBD,CAGtC,IAAI6f,OAAmB,EAEvB,IAAIzc,EACF,IAGEyc,EAFgBhe,EAAMie,iBAAiB1c,EAAS+T,EAAQ8G,GAE3BE,OAAOla,GACpC,MAAO1B,IAgBX,IAAKsd,GAAoB5f,EACvB,IAGE4f,EAFiBhe,EAAMie,iBAAiB7f,EAAgB0f,EAAeC,GAEzCzB,OAAOla,GACrC,MAAO1B,IAaX,MAAOsd,IAAoBzc,GAAWnD,GAAkBD,EAG1D,QAAS+f,GAAkB1B,EAAQxc,EAAO6d,GACxC,GAAIM,GAAY3gB,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,KAW/E,OAAOgE,GAAcgb,EAAQxc,EAAO6d,EANhBre,OAAO2Z,KAAKgF,GAAW1F,OAAO,SAAU2F,EAAS/b,GACnE,GAAI4R,GAAQkK,EAAU9b,EAEtB,OADA+b,GAAQ/b,GAAyB,gBAAV4R,GAAqB+D,EAAO/D,GAASA,EACrDmK,QAmVX,QAASC,GAAYC,GACnB,GAAIC,GAAWC,KAAKC,IAAIH,EAExB,OAAIC,GAAWG,GACN,SAGLH,EAAWI,GACN,SAGLJ,EAAWK,GACN,OAKF,MAGT,QAASC,GAAaC,GACpB,OAAQA,GACN,IAAK,SACH,MAAOC,GACT,KAAK,SACH,MAAOL,GACT,KAAK,OACH,MAAOC,GACT,KAAK,MACH,MAAOC,GACT,SACE,MAAOI,KAIb,QAASC,GAAW5gB,EAAG6gB,GACrB,GAAI7gB,IAAM6gB,EACR,OAAO,CAGT,IAAIC,GAAQ,GAAIzC,MAAKre,GAAG+gB,UACpBC,EAAQ,GAAI3C,MAAKwC,GAAGE,SAExB,OAAO9B,UAAS6B,IAAU7B,SAAS+B,IAAUF,IAAUE,EjBsc1BjjB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+a,KAEpE9a,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+d,KACpE9d,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOif,KACpEhf,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOmjB,MACpEljB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOojB,MAGpEnjB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOqjB,MAEpEpjB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOsjB,KAE9E,IAAIC,GAAsDtjB,EAAoB,KAC1EujB,EAA8DvjB,EAAoBO,EAAE+iB,GACpFE,EAAmDxjB,EAAoB,IACvEgb,EAA2Dhb,EAAoBO,EAAEijB,GACjFC,EAAoDzjB,EAAoB,IACxEkb,EAA4Dlb,EAAoBO,EAAEkjB,GAClFC,EAA2C1jB,EAAoB,GAC/D2jB,EAAmD3jB,EAAoBO,EAAEmjB,GACzE5iB,EAAsCd,EAAoB,GAC1De,EAA8Cf,EAAoBO,EAAEO,GACpE8iB,EAA0C5jB,EAAoB,IAC9Dyc,EAAkDzc,EAAoBO,EAAEqjB,GiBxjDjGC,EAAA7jB,EAAA,KAAA8jB,EAAA9jB,EAAAO,EAAAsjB,GAeIE,GAAsB7K,OAAU,KAAM8K,mBAAsB,SAA4BzjB,EAAG0jB,GAC3F,GAAIC,GAAIxD,OAAOngB,GAAG8a,MAAM,KACpB8I,GAAMD,EAAE,GACRE,EAAKC,OAAOH,EAAE,KAAO3jB,EACrB+jB,EAAMF,GAAMF,EAAE,GAAGlT,OAAO,GACxBuT,EAAOH,GAAMF,EAAE,GAAGlT,OAAO,EAAG,OAAIiT,GAAmB,GAAPK,GAAoB,IAARC,EAAa,MAAe,GAAPD,GAAoB,IAARC,EAAa,MAAe,GAAPD,GAAoB,IAARC,EAAa,MAAQ,QAAoB,GAALhkB,GAAU4jB,EAAK,MAAQ,SACxLK,QAAYC,MAAU5G,YAAe,OAAQ6G,UAAcC,EAAK,YAAaC,EAAK,YAAaC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,cAAe9O,MAAS,gBAAkB+O,MAAUD,IAAO,eAAgB9O,MAAS,mBAAuB4J,OAAWjC,YAAe,QAAS6G,UAAcC,EAAK,aAAcC,EAAK,aAAcC,KAAM,cAAgBC,cAAkBC,QAAYC,IAAO,eAAgB9O,MAAS,iBAAmB+O,MAAUD,IAAO,gBAAiB9O,MAAS,oBAAwB2J,KAAShC,YAAe,MAAO6G,UAAcC,EAAK,QAASC,EAAK,WAAYC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,aAAc9O,MAAS,eAAiB+O,MAAUD,IAAO,cAAe9O,MAAS,kBAAsB0J,MAAU/B,YAAe,OAAQ6G,UAAcC,EAAK,aAAeG,cAAkBC,QAAYC,IAAO,cAAe9O,MAAS,gBAAkB+O,MAAUD,IAAO,eAAgB9O,MAAS,mBAAuByJ,QAAY9B,YAAe,SAAU6G,UAAcC,EAAK,eAAiBG,cAAkBC,QAAYC,IAAO,gBAAiB9O,MAAS,kBAAoB+O,MAAUD,IAAO,iBAAkB9O,MAAS,qBAAyBwJ,QAAY7B,YAAe,SAAU6G,UAAcC,EAAK,OAASG,cAAkBC,QAAYC,IAAO,gBAAiB9O,MAAS,kBAAoB+O,MAAUD,IAAO,iBAAkB9O,MAAS,uBAyCv2C2G,EAA4B,kBAAXqI,SAAoD,gBAApBA,QAAOC,SAAwB,SAAUC,GAC5F,aAAcA,IACZ,SAAUA,GACZ,MAAOA,IAAyB,kBAAXF,SAAyBE,EAAIC,cAAgBH,QAAUE,IAAQF,OAAO7jB,UAAY,eAAkB+jB,IAavH9G,EAAiB,SAAUgH,EAAUC,GACvC,KAAMD,YAAoBC,IACxB,KAAM,IAAIC,WAAU,sCAIpB7G,EAAc,WAChB,QAAS8G,GAAiB/T,EAAQlQ,GAChC,IAAK,GAAI6P,GAAI,EAAGA,EAAI7P,EAAMyD,OAAQoM,IAAK,CACrC,GAAIqU,GAAalkB,EAAM6P,EACvBqU,GAAWC,WAAaD,EAAWC,aAAc,EACjDD,EAAWE,cAAe,EACtB,SAAWF,KAAYA,EAAWG,UAAW,GACjDziB,OAAOwU,eAAelG,EAAQgU,EAAW/a,IAAK+a,IAIlD,MAAO,UAAUH,EAAaO,EAAYC,GAGxC,MAFID,IAAYL,EAAiBF,EAAYlkB,UAAWykB,GACpDC,GAAaN,EAAiBF,EAAaQ,GACxCR,MAQP3N,EAAiB,SAAUwN,EAAKza,EAAKkN,GAYvC,MAXIlN,KAAOya,GACThiB,OAAOwU,eAAewN,EAAKza,GACzBkN,MAAOA,EACP8N,YAAY,EACZC,cAAc,EACdC,UAAU,IAGZT,EAAIza,GAAOkN,EAGNuN,GAGLtG,EAAW1b,OAAO4iB,QAAU,SAAUtU,GACxC,IAAK,GAAIL,GAAI,EAAGA,EAAIjQ,UAAU6D,OAAQoM,IAAK,CACzC,GAAI4U,GAAS7kB,UAAUiQ,EAEvB,KAAK,GAAI1G,KAAOsb,GACV7iB,OAAO/B,UAAUkb,eAAezU,KAAKme,EAAQtb,KAC/C+G,EAAO/G,GAAOsb,EAAOtb,IAK3B,MAAO+G,IAKLgN,EAAW,SAAUwH,EAAUC,GACjC,GAA0B,kBAAfA,IAA4C,OAAfA,EACtC,KAAM,IAAIX,WAAU,iEAAoEW,GAG1FD,GAAS7kB,UAAY+B,OAAOgjB,OAAOD,GAAcA,EAAW9kB,WAC1DgkB,aACExN,MAAOqO,EACPP,YAAY,EACZE,UAAU,EACVD,cAAc,KAGdO,IAAY/iB,OAAOijB,eAAiBjjB,OAAOijB,eAAeH,EAAUC,GAAcD,EAAS1H,UAAY2H,IAWzGG,EAA0B,SAAUlB,EAAKrI,GAC3C,GAAIrL,KAEJ,KAAK,GAAIL,KAAK+T,GACRrI,EAAKxH,QAAQlE,IAAM,GAClBjO,OAAO/B,UAAUkb,eAAezU,KAAKsd,EAAK/T,KAC/CK,EAAOL,GAAK+T,EAAI/T,GAGlB,OAAOK,IAGL6M,EAA4B,SAAUgI,EAAMze,GAC9C,IAAKye,EACH,KAAM,IAAIC,gBAAe,4DAG3B,QAAO1e,GAAyB,gBAATA,IAAqC,kBAATA,GAA8Bye,EAAPze,GAqBxE2e,EAAoB,SAAUC,GAChC,GAAI9e,MAAM8C,QAAQgc,GAAM,CACtB,IAAK,GAAIrV,GAAI,EAAGsV,EAAO/e,MAAM8e,EAAIzhB,QAASoM,EAAIqV,EAAIzhB,OAAQoM,IAAKsV,EAAKtV,GAAKqV,EAAIrV,EAE7E,OAAOsV,GAEP,MAAO/e,OAAMgf,KAAKF,IAUlB5P,EAAO6M,EAAA1hB,EAAU6U,KACjB+P,EAASlD,EAAA1hB,EAAU4kB,OACnBnQ,GAASiN,EAAA1hB,EAAUyU,OACnBG,GAAO8M,EAAA1hB,EAAU4U,KACjBxK,GAASsX,EAAA1hB,EAAUoK,OACnBya,GAAQnD,EAAA1hB,EAAU6kB,MAClBC,GAAQpD,EAAA1hB,EAAU8kB,MAClBC,GAAMrD,EAAA1hB,EAAU+kB,IAChBC,GAAYtD,EAAA1hB,EAAUglB,UAEtBC,GAAgBJ,IAAO,WAAY,WACnCK,GAAkBL,IAAO,SAAU,QAAS,SAC5CM,GAAgBN,IAAO,UAAW,YAClCO,GAAUxQ,GAAKF,WAEf2Q,IACFpO,OAAQxC,GACRsJ,QAAS3T,GACTlJ,SAAUkJ,GACVkb,cAAeP,GAEftF,cAAehL,GACfiL,eAAgBtV,IAGdmb,IACFrH,WAAYkH,GACZ1G,WAAY0G,GACZzG,eAAgByG,GAChBlG,aAAckG,GACd/F,aAAc+F,GACdjiB,cAAeiiB,GACfvF,kBAAmBuF,IAGjBtI,GAAYgI,GAAMjI,KAAawI,GAAqBE,IACtDC,WAAYpb,GACZwU,IAAKwG,MASHK,IALEhR,GAAOC,WACEsQ,IAAWvQ,GAAQrK,MAKhC6a,cAAeA,GACfS,cAAeb,IAAO,QAAS,aAE/Bc,SAAUlR,GACVmR,OAAQ/Q,EAERgR,QAASX,GACTY,IAAKZ,GACL1C,KAAM2C,GACNtH,MAAOgH,IAAO,UAAW,UAAW,SAAU,QAAS,SACvDjH,IAAKuH,GACLxH,KAAMwH,GACNzH,OAAQyH,GACR1H,OAAQ0H,GACRY,aAAclB,IAAO,QAAS,WAG5BmB,IACFf,cAAeA,GAEftlB,MAAOklB,IAAO,UAAW,WAAY,YACrCoB,SAAUxR,GACVyR,gBAAiBrB,IAAO,SAAU,OAAQ,SAC1CsB,YAAatR,EAEbuR,qBAAsBxB,EACtByB,sBAAuBzB,EACvB0B,sBAAuB1B,EACvB2B,yBAA0B3B,EAC1B4B,yBAA0B5B,GAGxB6B,IACF9mB,MAAOklB,IAAO,WAAY,YAC1BpE,MAAOoE,IAAO,SAAU,SAAU,OAAQ,MAAO,QAAS,UAGxD6B,IACF/mB,MAAOklB,IAAO,WAAY,aAcxBpJ,GAAsBta,OAAO2Z,KAAKuK,IAElCrL,IACF2M,IAAK,QACLC,IAAK,OACLC,IAAK,OACLC,IAAK,SACLC,IAAK,UAGHjN,GAAqB,WAiKrBkN,GAAmB,QAASA,GAAiB9J,GAC/C,GAAI3M,GAAUpR,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,KAC7Ekd,GAAepd,KAAM+nB,EAErB,IAAIC,GAA+B,YAAlB1W,EAAQ5Q,MACrBunB,EAAW9J,EAAmBH,EAAcC,GAEhDje,MAAKgf,OAAS,SAAUrI,GACtB,MAAOsR,GAAStR,EAAOqR,KAUvB1I,GAA2Bpd,OAAO2Z,KAAK2K,IACvCtG,GAAwBhe,OAAO2Z,KAAKkL,IACpCnH,GAA0B1d,OAAO2Z,KAAK2L,IACtCnH,GAAwBne,OAAO2Z,KAAK4L,IAEpC3H,IACFtB,OAAQ,GACRC,OAAQ,GACRC,KAAM,GACNC,IAAK,GACLC,MAAO,IAoOLI,GAAS9c,OAAOgmB,QACnBjJ,WAAYA,EACZQ,WAAYA,EACZC,eAAgBA,EAChBO,aAAcA,EACdG,aAAcA,EACdlc,cAAeA,EACf0c,kBAAmBA,IAShBuH,GAAwBjmB,OAAO2Z,KAAKuK,IACpCgC,GAAsBlmB,OAAO2Z,KAAKyK,IAIlCrlB,IACF6d,WACA7c,YACAokB,cAAe,OAEf7F,cAAe,KACfC,mBAGEuB,GAAe,SAAU7E,GAG3B,QAAS6E,GAAa1hB,GACpB,GAAIsK,GAAU1K,UAAU6D,OAAS,OAAsBC,KAAjB9D,UAAU,GAAmBA,UAAU,KAC7Ekd,GAAepd,KAAMgiB,EAErB,IAAI1b,GAAQ+W,EAA0Brd,MAAOgiB,EAAa1E,WAAapb,OAAOqb,eAAeyE,IAAepb,KAAK5G,KAAMM,EAAOsK,GAE9H2Q,KAA0B,mBAAT8M,MAAsB,8LAEvC,IAAIC,GAAc1d,EAAQ7H,KAKtBwlB,MAAa,EAEfA,GADEvI,SAAS1f,EAAMioB,YACJpF,OAAO7iB,EAAMioB,YAKbD,EAAcA,EAAY3I,MAAQP,KAAKO,KAQtD,IAAI7c,GAAOwlB,MACPE,EAAkB1lB,EAAKyjB,WACvBA,MAAiCviB,KAApBwkB,GACfjJ,kBAAmBqD,IAAuByF,KAAKI,gBAC/CtI,gBAAiByC,IAAuByF,KAAKK,cAC7C/H,iBAAkBiC,IAAuB9I,EAAA/Y,GACzCgf,kBAAmB6C,IAAuB5I,EAAAjZ,GAC1Cuf,gBAAiBsC,IAAuBmF,KACtCS,CASJ,OAPAliB,GAAM5D,MAAQkb,KAAa2I,GAGzB5G,IAAK,WACH,MAAOrZ,GAAMqiB,YAAcvJ,KAAKO,MAAQ4I,KAGrCjiB,EA+FT,MA9IAkX,GAASwE,EAAc7E,GAkDvBM,EAAYuE,IACVvY,IAAK,YACLkN,MAAO,WACL,GAAI2R,GAActoB,KAAK4K,QAAQ7H,KAK3Bmc,EAASlE,EAAYhb,KAAKM,MAAO6nB,GAAuBG,EAK5D,KAAK,GAAIM,KAAY3nB,QACM+C,KAArBkb,EAAO0J,KACT1J,EAAO0J,GAAY3nB,GAAa2nB,GAIpC,KAAK3O,EAAciF,EAAOlH,QAAS,CACjC,GAAI6Q,GAAU3J,EAEVsB,GADSqI,EAAQ7Q,OACD6Q,EAAQrI,eACxBC,EAAiBoI,EAAQpI,cAY7BvB,GAAStB,KAAasB,GACpBlH,OAAQwI,EACR1B,QAAS2B,EACTxe,SAAUhB,GAAagB,WAI3B,MAAOid,MAGTzV,IAAK,oBACLkN,MAAO,SAA2BuI,EAAQxc,GACxC,MAAO0lB,IAAoBjN,OAAO,SAAU2N,EAAgB/jB,GAE1D,MADA+jB,GAAe/jB,GAAQia,GAAOja,GAAMiX,KAAK,KAAMkD,EAAQxc,GAChDomB,UAIXrf,IAAK,kBACLkN,MAAO,WACL,GAAIuI,GAASlf,KAAK+oB,YAGdD,EAAiB9oB,KAAKgpB,kBAAkB9J,EAAQlf,KAAK0C,OAErDsL,EAAShO,KAAK0C,MACdid,EAAM3R,EAAO2R,IACb4G,EAAanB,EAAwBpX,GAAS,OAGlD,QACEjL,KAAM6a,KAAasB,EAAQ4J,GACzBvC,WAAYA,EACZ5G,IAAKA,QAKXlW,IAAK,wBACLkN,MAAO,WACL,IAAK,GAAInQ,GAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EiJ,EAAKjJ,GAAQzG,UAAUyG,EAGzB,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,MAAM6G,OAAO+I,OAGlEnG,IAAK,oBACLkN,MAAO,WACL3W,KAAK2oB,aAAc,KAGrBlf,IAAK,SACLkN,MAAO,WACL,MAAO/W,GAAA,SAASqpB,KAAKjpB,KAAKM,MAAMkI,cAG7BwZ,GACPpiB,EAAA,UAEFoiB,IAAarF,YAAc,eAC3BqF,GAAa9W,cACXnI,KAAM8a,IAERmE,GAAakH,mBACXnmB,KAAM8a,GAAUpI,WAalB,IAAIwM,IAAgB,SAAU9E,GAG5B,QAAS8E,GAAc3hB,EAAOsK,GAC5BwS,EAAepd,KAAMiiB,EAErB,IAAI3b,GAAQ+W,EAA0Brd,MAAOiiB,EAAc3E,WAAapb,OAAOqb,eAAe0E,IAAgBrb,KAAK5G,KAAMM,EAAOsK,GAGhI,OADA0Q,GAAqB1Q,GACdtE,EAoCT,MA5CAkX,GAASyE,EAAe9E,GAWxBM,EAAYwE,IACVxY,IAAK,wBACLkN,MAAO,WACL,IAAK,GAAInQ,GAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EiJ,EAAKjJ,GAAQzG,UAAUyG,EAGzB,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,MAAM6G,OAAO+I,OAGlEnG,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7Bkc,EAAa5C,EAAc4C,WAC3BkK,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdqW,EAAQtW,EAAOsW,MACfnO,EAAWnI,EAAOmI,SAGlB4gB,EAAgBnK,EAAWtI,EAAO3W,KAAKM,MAE3C,OAAwB,kBAAbkI,GACFA,EAAS4gB,GAGXvpB,EAAAkB,EAAMsJ,cACX8e,EACA,KACAC,OAICnH,GACPriB,EAAA,UAEFqiB,IAActF,YAAc,gBAC5BsF,GAAc/W,cACZnI,KAAM8a,GAcR,IAAIwL,IAAgB,SAAUlM,GAG5B,QAASkM,GAAc/oB,EAAOsK,GAC5BwS,EAAepd,KAAMqpB,EAErB,IAAI/iB,GAAQ+W,EAA0Brd,MAAOqpB,EAAc/L,WAAapb,OAAOqb,eAAe8L,IAAgBziB,KAAK5G,KAAMM,EAAOsK,GAGhI,OADA0Q,GAAqB1Q,GACdtE,EAoCT,MA5CAkX,GAAS6L,EAAelM,GAWxBM,EAAY4L,IACV5f,IAAK,wBACLkN,MAAO,WACL,IAAK,GAAInQ,GAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EiJ,EAAKjJ,GAAQzG,UAAUyG,EAGzB,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,MAAM6G,OAAO+I,OAGlEnG,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7B0c,EAAapD,EAAcoD,WAC3B0J,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdqW,EAAQtW,EAAOsW,MACfnO,EAAWnI,EAAOmI,SAGlB8gB,EAAgB7J,EAAW9I,EAAO3W,KAAKM,MAE3C,OAAwB,kBAAbkI,GACFA,EAAS8gB,GAGXzpB,EAAAkB,EAAMsJ,cACX8e,EACA,KACAG,OAICD,GACPzpB,EAAA,UAEFypB,IAAc1M,YAAc,gBAC5B0M,GAAcne,cACZnI,KAAM8a,GAcR,IAAI4D,IAAS,IACTL,GAAS,IACTC,GAAO,KACPC,GAAM,MAINI,GAAkB,WAgDlB6H,GAAoB,SAAUpM,GAGhC,QAASoM,GAAkBjpB,EAAOsK,GAChCwS,EAAepd,KAAMupB,EAErB,IAAIjjB,GAAQ+W,EAA0Brd,MAAOupB,EAAkBjM,WAAapb,OAAOqb,eAAegM,IAAoB3iB,KAAK5G,KAAMM,EAAOsK,GAExI0Q,GAAqB1Q,EAErB,IAAI+U,GAAMK,SAAS1f,EAAMioB,YAAcpF,OAAO7iB,EAAMioB,YAAc3d,EAAQ7H,KAAK4c,KAK/E,OADArZ,GAAM5D,OAAUid,IAAKA,GACdrZ,EAiGT,MA/GAkX,GAAS+L,EAAmBpM,GAiB5BM,EAAY8L,IACV9f,IAAK,qBACLkN,MAAO,SAA4BrW,EAAOoC,GACxC,GAAIgH,GAAS1J,IAGbwpB,cAAaxpB,KAAKypB,OAElB,IAAI9S,GAAQrW,EAAMqW,MACd6K,EAAQlhB,EAAMkhB,MACdkI,EAAiBppB,EAAMopB,eAEvB9kB,EAAO,GAAIwa,MAAKzI,GAAOmL,SAK3B,IAAK4H,GAAmB1J,SAASpb,GAAjC,CAIA,GAAIoc,GAAQpc,EAAOlC,EAAMid,IACrBgK,EAAYpI,EAAaC,GAAST,EAAYC,IAC9C4I,EAAgB1I,KAAKC,IAAIH,EAAQ2I,GAMjCE,EAAQ7I,EAAQ,EAAIE,KAAK4I,IAAIJ,EAAgBC,EAAYC,GAAiB1I,KAAK4I,IAAIJ,EAAgBE,EAEvG5pB,MAAKypB,OAASM,WAAW,WACvBrgB,EAAO9B,UAAW+X,IAAKjW,EAAOkB,QAAQ7H,KAAK4c,SAC1CkK,OAGLpgB,IAAK,oBACLkN,MAAO,WACL3W,KAAKgqB,mBAAmBhqB,KAAKM,MAAON,KAAK0C,UAG3C+G,IAAK,4BACLkN,MAAO,SAAmC7T,GAKnC6e,EAJW7e,EAAK6T,MAIM3W,KAAKM,MAAMqW,QACpC3W,KAAK4H,UAAW+X,IAAK3f,KAAK4K,QAAQ7H,KAAK4c,WAI3ClW,IAAK,wBACLkN,MAAO,WACL,IAAK,GAAInQ,GAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EiJ,EAAKjJ,GAAQzG,UAAUyG,EAGzB,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,MAAM6G,OAAO+I,OAGlEnG,IAAK,sBACLkN,MAAO,SAA6BpJ,EAAWC,GAC7CxN,KAAKgqB,mBAAmBzc,EAAWC,MAGrC/D,IAAK,uBACLkN,MAAO,WACL6S,aAAaxpB,KAAKypB,WAGpBhgB,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7B2c,EAAiBrD,EAAcqD,eAC/ByJ,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdqW,EAAQtW,EAAOsW,MACfnO,EAAWnI,EAAOmI,SAGlByhB,EAAoBvK,EAAe/I,EAAOiH,KAAa5d,KAAKM,MAAON,KAAK0C,OAE5E,OAAwB,kBAAb8F,GACFA,EAASyhB,GAGXpqB,EAAAkB,EAAMsJ,cACX8e,EACA,KACAc,OAICV,GACP3pB,EAAA,UAEF2pB,IAAkB5M,YAAc,oBAChC4M,GAAkBre,cAChBnI,KAAM8a,IAER0L,GAAkBtoB,cAChByoB,eAAgB,IAgBlB,IAAIxH,IAAkB,SAAU/E,GAG9B,QAAS+E,GAAgB5hB,EAAOsK,GAC9BwS,EAAepd,KAAMkiB,EAErB,IAAI5b,GAAQ+W,EAA0Brd,MAAOkiB,EAAgB5E,WAAapb,OAAOqb,eAAe2E,IAAkBtb,KAAK5G,KAAMM,EAAOsK,GAGpI,OADA0Q,GAAqB1Q,GACdtE,EAoCT,MA5CAkX,GAAS0E,EAAiB/E,GAW1BM,EAAYyE,IACVzY,IAAK,wBACLkN,MAAO,WACL,IAAK,GAAInQ,GAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EiJ,EAAKjJ,GAAQzG,UAAUyG,EAGzB,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,MAAM6G,OAAO+I,OAGlEnG,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7Bkd,EAAe5D,EAAc4D,aAC7BkJ,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdqW,EAAQtW,EAAOsW,MACfnO,EAAWnI,EAAOmI,SAGlB0hB,EAAkBjK,EAAatJ,EAAO3W,KAAKM,MAE/C,OAAwB,kBAAbkI,GACFA,EAAS0hB,GAGXrqB,EAAAkB,EAAMsJ,cACX8e,EACA,KACAe,OAIChI,GACPtiB,EAAA,UAEFsiB,IAAgBvF,YAAc,kBAC9BuF,GAAgBhX,cACdnI,KAAM8a,GAcR,IAAIsM,IAAkB,SAAUhN,GAG9B,QAASgN,GAAgB7pB,EAAOsK,GAC9BwS,EAAepd,KAAMmqB,EAErB,IAAI7jB,GAAQ+W,EAA0Brd,MAAOmqB,EAAgB7M,WAAapb,OAAOqb,eAAe4M,IAAkBvjB,KAAK5G,KAAMM,EAAOsK,GAGpI,OADA0Q,GAAqB1Q,GACdtE,EAsCT,MA9CAkX,GAAS2M,EAAiBhN,GAW1BM,EAAY0M,IACV1gB,IAAK,wBACLkN,MAAO,WACL,IAAK,GAAInQ,GAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,GAAOG,EAAO,EAAGA,EAAOH,EAAMG,IAC3EiJ,EAAKjJ,GAAQzG,UAAUyG,EAGzB,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,MAAM6G,OAAO+I,OAGlEnG,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7Bqd,EAAe/D,EAAc+D,aAC7B+I,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdqW,EAAQtW,EAAOsW,MACf3B,EAAQ3U,EAAO2U,MACfxM,EAAWnI,EAAOmI,SAGlB4hB,EAAiBhK,EAAazJ,EAAO3W,KAAKM,OAC1C+pB,EAAkBrqB,KAAKM,MAAM8pB,IAAmBpV,CAEpD,OAAwB,kBAAbxM,GACFA,EAAS6hB,GAGXxqB,EAAAkB,EAAMsJ,cACX8e,EACA,KACAkB,OAICF,GACPvqB,EAAA,UAEFuqB,IAAgBxN,YAAc,kBAC9BwN,GAAgBjf,cACdnI,KAAM8a,IAERsM,GAAgBlpB,cACdP,MAAO,WAqBT,IAAIyhB,IAAmB,SAAUhF,GAG/B,QAASgF,GAAiB7hB,EAAOsK,GAC/BwS,EAAepd,KAAMmiB,EAErB,IAAI7b,GAAQ+W,EAA0Brd,MAAOmiB,EAAiB7E,WAAapb,OAAOqb,eAAe4E,IAAmBvb,KAAK5G,KAAMM,EAAOsK,GAGtI,OADA0Q,GAAqB1Q,GACdtE,EAkHT,MA1HAkX,GAAS2E,EAAkBhF,GAW3BM,EAAY0E,IACV1Y,IAAK,wBACLkN,MAAO,SAA+BpJ,GACpC,GAAIzI,GAAS9E,KAAKM,MAAMwE,MAIxB,KAAK0W,EAHYjO,EAAUzI,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDwlB,GAAmB1M,KAAarQ,GAClCzI,OAAQA,IAGD0B,EAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,EAAO,EAAIA,EAAO,EAAI,GAAIG,EAAO,EAAGA,EAAOH,EAAMG,IAC9FiJ,EAAKjJ,EAAO,GAAKzG,UAAUyG,EAG7B,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,KAAMsqB,GAAkBzjB,OAAO+I,OAGpFnG,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7BmB,EAAgBmY,EAAcnY,cAC9BilB,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdO,EAAKR,EAAOQ,GACZ0pB,EAAclqB,EAAOkqB,YACrBzpB,EAAiBT,EAAOS,eACxBgE,EAASzE,EAAOyE,OAChB0lB,EAAiBnqB,EAAO6U,QACxBwH,MAAkC1Y,KAAnBwmB,EAA+BrB,EAAOqB,EACrDhiB,EAAWnI,EAAOmI,SAGlBiiB,MAAiB,GACjBC,MAAkB,GAClBC,MAAW,EAGf,IADgB7lB,GAAU5C,OAAO2Z,KAAK/W,GAAQf,OAAS,EACxC,CAGb,GAAI6mB,GAAM1J,KAAK2J,MAAsB,cAAhB3J,KAAK4J,UAA0BC,SAAS,IAEzDC,EAAgB,WAClB,GAAIC,GAAU,CACd,OAAO,YACL,MAAO,WAAaL,EAAM,KAAOK,GAAW,MAOhDR,GAAiB,MAAQG,EAAM,MAC/BF,KACAC,KAOAzoB,OAAO2Z,KAAK/W,GAAQ2M,QAAQ,SAAU1M,GACpC,GAAI4R,GAAQ7R,EAAOC,EAEnB,IAAI7C,OAAAtC,EAAA,gBAAe+W,GAAQ,CACzB,GAAIuU,GAAQF,GACZN,GAAgB3lB,GAAQ0lB,EAAiBS,EAAQT,EACjDE,EAASO,GAASvU,MAElB+T,GAAgB3lB,GAAQ4R,IAK9B,GAAI6N,IAAe3jB,GAAIA,EAAI0pB,YAAaA,EAAazpB,eAAgBA,GACjE4f,EAAmBxc,EAAcsgB,EAAYkG,GAAmB5lB,GAEhEqmB,MAAQ,EAiBZ,OATEA,GANgBR,GAAYzoB,OAAO2Z,KAAK8O,GAAU5mB,OAAS,EAMnD2c,EAAiBvG,MAAMsQ,GAAgBW,OAAO,SAAUC,GAC9D,QAASA,IACR7gB,IAAI,SAAU6gB,GACf,MAAOV,GAASU,IAASA,KAGlB3K,GAGa,kBAAblY,GACFA,EAASvI,UAAM+D,GAAWuhB,EAAkB4F,IAK9CvrB,EAAA,cAAcK,UAAM+D,IAAY0Y,EAAc,MAAM7V,OAAO0e,EAAkB4F,SAGjFhJ,GACPviB,EAAA,UAEFuiB,IAAiBxF,YAAc,mBAC/BwF,GAAiBjX,cACfnI,KAAM8a,IAERsE,GAAiBlhB,cACf6D,UAcF,IAAIwmB,IAAuB,SAAUnO,GAGnC,QAASmO,GAAqBhrB,EAAOsK,GACnCwS,EAAepd,KAAMsrB,EAErB,IAAIhlB,GAAQ+W,EAA0Brd,MAAOsrB,EAAqBhO,WAAapb,OAAOqb,eAAe+N,IAAuB1kB,KAAK5G,KAAMM,EAAOsK,GAG9I,OADA0Q,GAAqB1Q,GACdtE,EA8DT,MAtEAkX,GAAS8N,EAAsBnO,GAW/BM,EAAY6N,IACV7hB,IAAK,wBACLkN,MAAO,SAA+BpJ,GACpC,GAAIzI,GAAS9E,KAAKM,MAAMwE,MAIxB,KAAK0W,EAHYjO,EAAUzI,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDwlB,GAAmB1M,KAAarQ,GAClCzI,OAAQA,IAGD0B,EAAOtG,UAAU6D,OAAQ6L,EAAOlJ,MAAMF,EAAO,EAAIA,EAAO,EAAI,GAAIG,EAAO,EAAGA,EAAOH,EAAMG,IAC9FiJ,EAAKjJ,EAAO,GAAKzG,UAAUyG,EAG7B,OAAOsV,GAA0Bhc,UAAM+D,IAAYhE,KAAMsqB,GAAkBzjB,OAAO+I,OAGpFnG,IAAK,SACLkN,MAAO,WACL,GAAI0F,GAAgBrc,KAAK4K,QAAQ7H,KAC7B6d,EAAoBvE,EAAcuE,kBAClCuI,EAAO9M,EAAcgK,cACrBhmB,EAASL,KAAKM,MACdO,EAAKR,EAAOQ,GACZ0pB,EAAclqB,EAAOkqB,YACrBzpB,EAAiBT,EAAOS,eACxB+f,EAAYxgB,EAAOyE,OACnB0lB,EAAiBnqB,EAAO6U,QACxBwH,MAAkC1Y,KAAnBwmB,EAA+BrB,EAAOqB,EACrDhiB,EAAWnI,EAAOmI,SAGlBgc,GAAe3jB,GAAIA,EAAI0pB,YAAaA,EAAazpB,eAAgBA,GACjEyqB,EAAuB3K,EAAkB4D,EAAY3D,EAEzD,IAAwB,kBAAbrY,GACT,MAAOA,GAAS+iB,EAWlB,IAAIC,IAASC,OAAQF,EACrB,OAAO1rB,GAAAkB,EAAMsJ,cAAcqS,GAAgBgP,wBAAyBF,QAGjEF,GACP1rB,EAAA,UAEF0rB,IAAqB3O,YAAc,uBACnC2O,GAAqBpgB,cACnBnI,KAAM8a,IAERyN,GAAqBrqB,cACnB6D,WAcF8U,EAAciJ,GAQdjJ,EAAcyI,EAAAthB,IjB88CR4qB,GACA,SAAU/sB,EAAQC,EAAqBC,GAE7C,YACqB,IAAI8sB,GAAgD9sB,EAAoB,IACpE+sB,EAAwD/sB,EAAoBO,EAAEusB,GAC9EE,EAA4ChtB,EAAoB,GAChEitB,EAAwDjtB,EAAoB,KAC5EktB,EAAmDltB,EAAoB,IACvEmtB,EAA0CntB,EAAoB,GAE9DotB,GADkDptB,EAAoBO,EAAE4sB,GAC/BntB,EAAoB,KAE7DqtB,GADiDrtB,EAAoBO,EAAE6sB,GACxBptB,EAAoB,KkB3jGtFstB,EAAmB,iBAAMlqB,QAAAgqB,EAAA,iBAC7B,SAACxpB,EAADI,GAAA,GAAUic,GAAVjc,EAAUic,IAAV,OAAqBrc,GAAM+I,OAAO,WAAYsT,GAAO7c,OAAA+pB,EAAA,SACrD,SAACvpB,EAADwZ,GAAA,GAAU6C,GAAV7C,EAAU6C,IAAV,OAAqBrc,GAAM+I,OAAO,YAAasT,EAAM,SAAU7c,OAAA+pB,EAAA,UAC/D,SAACvpB,GAAD,MAAqBA,GAAMW,IAAI,cAC9B,SAACgpB,EAAgB/X,EAAWgY,GAC7B,GAAMC,GAAWF,EAAe5gB,OAAO,QAAS,QAAS,IAAI+gB,OACzDC,EAAa,IAEjB,KACEA,EAAQF,GAAY,GAAIG,QAAOH,EAAU,KACzC,MAAOnpB,IAIT,MAAOkR,GAAU8W,OAAO,SAAAvqB,GACtB,GAAW,OAAPA,EAAa,OAAO,CAExB,IAAM8rB,GAAcL,EAASjpB,IAAIxC,GAC7B+rB,GAAgB,CAUpB,KARkD,IAA9CP,EAAe5gB,OAAO,QAAS,aACjCmhB,EAAaA,GAA4C,OAA9BD,EAAYtpB,IAAI,YAGI,IAA7CgpB,EAAe5gB,OAAO,QAAS,YACjCmhB,EAAaA,IAAqD,OAAtCD,EAAYtpB,IAAI,mBAA8BspB,EAAYtpB,IAAI,4BAA8B8oB,EAAA,IAGtHS,GAAcH,GAASE,EAAYtpB,IAAI,aAAe8oB,EAAA,EAAI,CAC5D,GAAMU,GAAcF,EAAYtpB,IAAI,UAAYipB,EAAS7gB,OAAOkhB,EAAYtpB,IAAI,UAAW,iBAAmBspB,EAAYtpB,IAAI,eAC9HupB,IAAcH,EAAMK,KAAKD,GAG3B,MAAOD,QAILpqB,EAAsB,WAC1B,GAAMuqB,GAAeX,GASrB,OAPwB,UAAC1pB,EAADsqB,GAAA,GAAU3T,GAAV2T,EAAU3T,UAAV,QACtB/E,UAAWyY,EAAarqB,GAASqc,KAAM1F,IACvC9R,UAAW7E,EAAM+I,OAAO,YAAa4N,EAAY,cAAc,GAC/DpE,UAAWvS,EAAM+I,OAAO,YAAa4N,EAAY,cAAc,GAC/DvP,QAAWpH,EAAM+I,OAAO,YAAa4N,EAAY,eAM/CzW,EAAqB,SAACC,EAADoqB,GAAA,GAAa5T,GAAb4T,EAAa5T,UAAb,QAEzB7R,cAAeqkB,IAAS,WACtBhpB,EAASX,OAAA8pB,EAAA,GAAkB3S,GAAY,KACtC,KAEH5R,SAAUokB,IAAS,WACjBhpB,EAASX,OAAA8pB,EAAA,GAAkB3S,GAAY,KACtC,MAILxa,GAAA,EAAeqD,OAAA4pB,EAAA,SAAQtpB,EAAqBI,GAAoBmpB,EAAA,MlBqlG7D","file":"about.js","sourcesContent":["webpackJsonp([37],{\n\n/***/ 275:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return LoadMore; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(7);\n\n\n\n\n\nvar _class, _temp;\n\n\n\nvar LoadMore = (_temp = _class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(LoadMore, _React$PureComponent);\n\n function LoadMore() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, LoadMore);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n LoadMore.prototype.render = function render() {\n var _props = this.props,\n disabled = _props.disabled,\n visible = _props.visible;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n className: 'load-more',\n disabled: disabled || !visible,\n style: { visibility: visible ? 'visible' : 'hidden' },\n onClick: this.props.onClick\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'status.load_more',\n defaultMessage: 'Load more'\n }));\n };\n\n return LoadMore;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent), _class.defaultProps = {\n visible: true\n}, _temp);\n\n\n/***/ }),\n\n/***/ 277:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__components_status__ = __webpack_require__(158);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__selectors__ = __webpack_require__(67);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__actions_compose__ = __webpack_require__(17);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__actions_interactions__ = __webpack_require__(68);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_accounts__ = __webpack_require__(22);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__actions_statuses__ = __webpack_require__(69);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__actions_mutes__ = __webpack_require__(90);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__actions_reports__ = __webpack_require__(157);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_modal__ = __webpack_require__(26);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__initial_state__ = __webpack_require__(13);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__actions_alerts__ = __webpack_require__(33);\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_12_react_intl__[\"f\" /* defineMessages */])({\n deleteConfirm: {\n 'id': 'confirmations.delete.confirm',\n 'defaultMessage': 'Delete'\n },\n deleteMessage: {\n 'id': 'confirmations.delete.message',\n 'defaultMessage': 'Are you sure you want to delete this status?'\n },\n redraftConfirm: {\n 'id': 'confirmations.redraft.confirm',\n 'defaultMessage': 'Delete & redraft'\n },\n redraftMessage: {\n 'id': 'confirmations.redraft.message',\n 'defaultMessage': 'Are you sure you want to delete this status and re-draft it? You will lose all replies, boosts and favourites to it.'\n },\n blockConfirm: {\n 'id': 'confirmations.block.confirm',\n 'defaultMessage': 'Block'\n }\n});\n\nvar makeMapStateToProps = function makeMapStateToProps() {\n var getStatus = Object(__WEBPACK_IMPORTED_MODULE_4__selectors__[\"e\" /* makeGetStatus */])();\n\n var mapStateToProps = function mapStateToProps(state, props) {\n return {\n status: getStatus(state, props.id)\n };\n };\n\n return mapStateToProps;\n};\n\nvar mapDispatchToProps = function mapDispatchToProps(dispatch, _ref) {\n var intl = _ref.intl;\n return {\n onReply: function onReply(status, router) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_5__actions_compose__[\"T\" /* replyCompose */])(status, router));\n },\n onModalReblog: function onModalReblog(status) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"o\" /* reblog */])(status));\n },\n onReblog: function onReblog(status, e) {\n if (status.get('reblogged')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"r\" /* unreblog */])(status));\n } else {\n if (e.shiftKey || !__WEBPACK_IMPORTED_MODULE_13__initial_state__[\"b\" /* boostModal */]) {\n this.onModalReblog(status);\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('BOOST', { status: status, onReblog: this.onModalReblog }));\n }\n }\n },\n onFavourite: function onFavourite(status) {\n if (status.get('favourited')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"p\" /* unfavourite */])(status));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"k\" /* favourite */])(status));\n }\n },\n onPin: function onPin(status) {\n if (status.get('pinned')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"q\" /* unpin */])(status));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_6__actions_interactions__[\"n\" /* pin */])(status));\n }\n },\n onEmbed: function onEmbed(status) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('EMBED', {\n url: status.get('url'),\n onError: function onError(error) {\n return dispatch(Object(__WEBPACK_IMPORTED_MODULE_14__actions_alerts__[\"e\" /* showAlertForError */])(error));\n }\n }));\n },\n onDelete: function onDelete(status) {\n var withRedraft = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : false;\n\n if (!__WEBPACK_IMPORTED_MODULE_13__initial_state__[\"d\" /* deleteModal */]) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"g\" /* deleteStatus */])(status.get('id'), withRedraft));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('CONFIRM', {\n message: intl.formatMessage(withRedraft ? messages.redraftMessage : messages.deleteMessage),\n confirm: intl.formatMessage(withRedraft ? messages.redraftConfirm : messages.deleteConfirm),\n onConfirm: function onConfirm() {\n return dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"g\" /* deleteStatus */])(status.get('id'), withRedraft));\n }\n }));\n }\n },\n onDirect: function onDirect(account, router) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_5__actions_compose__[\"N\" /* directCompose */])(account, router));\n },\n onMention: function onMention(account, router) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_5__actions_compose__[\"R\" /* mentionCompose */])(account, router));\n },\n onOpenMedia: function onOpenMedia(media, index) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('MEDIA', { media: media, index: index }));\n },\n onOpenVideo: function onOpenVideo(media, time) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('VIDEO', { media: media, time: time }));\n },\n onBlock: function onBlock(account) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_modal__[\"d\" /* openModal */])('CONFIRM', {\n message: __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'confirmations.block.message',\n defaultMessage: 'Are you sure you want to block {name}?',\n values: { name: __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('strong', {}, void 0, '@', account.get('acct')) }\n }),\n confirm: intl.formatMessage(messages.blockConfirm),\n onConfirm: function onConfirm() {\n return dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_accounts__[\"q\" /* blockAccount */])(account.get('id')));\n }\n }));\n },\n onReport: function onReport(status) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_10__actions_reports__[\"k\" /* initReport */])(status.get('account'), status));\n },\n onMute: function onMute(account) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_9__actions_mutes__[\"g\" /* initMuteModal */])(account));\n },\n onMuteConversation: function onMuteConversation(status) {\n if (status.get('muted')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"l\" /* unmuteStatus */])(status.get('id')));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"j\" /* muteStatus */])(status.get('id')));\n }\n },\n onToggleHidden: function onToggleHidden(status) {\n if (status.get('hidden')) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"k\" /* revealStatus */])(status.get('id')));\n } else {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_statuses__[\"i\" /* hideStatus */])(status.get('id')));\n }\n }\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_12_react_intl__[\"g\" /* injectIntl */])(Object(__WEBPACK_IMPORTED_MODULE_2_react_redux__[\"connect\"])(makeMapStateToProps, mapDispatchToProps)(__WEBPACK_IMPORTED_MODULE_3__components_status__[\"a\" /* default */])));\n\n/***/ }),\n\n/***/ 278:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ScrollableList; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_throttle__ = __webpack_require__(93);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_throttle___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_throttle__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_router_scroll_4__ = __webpack_require__(156);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__containers_intersection_observer_article_container__ = __webpack_require__(279);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__load_more__ = __webpack_require__(275);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__features_ui_util_intersection_observer_wrapper__ = __webpack_require__(284);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_immutable__ = __webpack_require__(8);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_immutable___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_11_immutable__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_classnames__ = __webpack_require__(10);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_12_classnames__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__ = __webpack_require__(159);\n\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\n\n\n\n\n\n\n\nvar ScrollableList = (_temp2 = _class = function (_PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ScrollableList, _PureComponent);\n\n function ScrollableList() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ScrollableList);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _PureComponent.call.apply(_PureComponent, [this].concat(args))), _this), _this.state = {\n fullscreen: null\n }, _this.intersectionObserverWrapper = new __WEBPACK_IMPORTED_MODULE_10__features_ui_util_intersection_observer_wrapper__[\"a\" /* default */](), _this.handleScroll = __WEBPACK_IMPORTED_MODULE_4_lodash_throttle___default()(function () {\n if (_this.node) {\n var _this$node = _this.node,\n scrollTop = _this$node.scrollTop,\n scrollHeight = _this$node.scrollHeight,\n clientHeight = _this$node.clientHeight;\n\n var offset = scrollHeight - scrollTop - clientHeight;\n\n if (400 > offset && _this.props.onLoadMore && !_this.props.isLoading) {\n _this.props.onLoadMore();\n }\n\n if (scrollTop < 100 && _this.props.onScrollToTop) {\n _this.props.onScrollToTop();\n } else if (_this.props.onScroll) {\n _this.props.onScroll();\n }\n }\n }, 150, {\n trailing: true\n }), _this.onFullScreenChange = function () {\n _this.setState({ fullscreen: Object(__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__[\"d\" /* isFullscreen */])() });\n }, _this.setRef = function (c) {\n _this.node = c;\n }, _this.handleLoadMore = function (e) {\n e.preventDefault();\n _this.props.onLoadMore();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ScrollableList.prototype.componentDidMount = function componentDidMount() {\n this.attachScrollListener();\n this.attachIntersectionObserver();\n Object(__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__[\"a\" /* attachFullscreenListener */])(this.onFullScreenChange);\n\n // Handle initial scroll posiiton\n this.handleScroll();\n };\n\n ScrollableList.prototype.getSnapshotBeforeUpdate = function getSnapshotBeforeUpdate(prevProps) {\n var someItemInserted = __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(prevProps.children) > 0 && __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(prevProps.children) < __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(this.props.children) && this.getFirstChildKey(prevProps) !== this.getFirstChildKey(this.props);\n if (someItemInserted && this.node.scrollTop > 0) {\n return this.node.scrollHeight - this.node.scrollTop;\n } else {\n return null;\n }\n };\n\n ScrollableList.prototype.componentDidUpdate = function componentDidUpdate(prevProps, prevState, snapshot) {\n // Reset the scroll position when a new child comes in in order not to\n // jerk the scrollbar around if you're already scrolled down the page.\n if (snapshot !== null) {\n var newScrollTop = this.node.scrollHeight - snapshot;\n\n if (this.node.scrollTop !== newScrollTop) {\n this.node.scrollTop = newScrollTop;\n }\n }\n };\n\n ScrollableList.prototype.componentWillUnmount = function componentWillUnmount() {\n this.detachScrollListener();\n this.detachIntersectionObserver();\n Object(__WEBPACK_IMPORTED_MODULE_13__features_ui_util_fullscreen__[\"b\" /* detachFullscreenListener */])(this.onFullScreenChange);\n };\n\n ScrollableList.prototype.attachIntersectionObserver = function attachIntersectionObserver() {\n this.intersectionObserverWrapper.connect({\n root: this.node,\n rootMargin: '300% 0px'\n });\n };\n\n ScrollableList.prototype.detachIntersectionObserver = function detachIntersectionObserver() {\n this.intersectionObserverWrapper.disconnect();\n };\n\n ScrollableList.prototype.attachScrollListener = function attachScrollListener() {\n this.node.addEventListener('scroll', this.handleScroll);\n };\n\n ScrollableList.prototype.detachScrollListener = function detachScrollListener() {\n this.node.removeEventListener('scroll', this.handleScroll);\n };\n\n ScrollableList.prototype.getFirstChildKey = function getFirstChildKey(props) {\n var children = props.children;\n\n var firstChild = children;\n if (children instanceof __WEBPACK_IMPORTED_MODULE_11_immutable__[\"List\"]) {\n firstChild = children.get(0);\n } else if (Array.isArray(children)) {\n firstChild = children[0];\n }\n return firstChild && firstChild.key;\n };\n\n ScrollableList.prototype.render = function render() {\n var _this2 = this;\n\n var _props = this.props,\n children = _props.children,\n scrollKey = _props.scrollKey,\n trackScroll = _props.trackScroll,\n shouldUpdateScroll = _props.shouldUpdateScroll,\n isLoading = _props.isLoading,\n hasMore = _props.hasMore,\n prepend = _props.prepend,\n alwaysPrepend = _props.alwaysPrepend,\n emptyMessage = _props.emptyMessage,\n onLoadMore = _props.onLoadMore;\n var fullscreen = this.state.fullscreen;\n\n var childrenCount = __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.count(children);\n\n var loadMore = hasMore && childrenCount > 0 && onLoadMore ? __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__load_more__[\"a\" /* default */], {\n visible: !isLoading,\n onClick: this.handleLoadMore\n }) : null;\n var scrollableArea = null;\n\n if (isLoading || childrenCount > 0 || !emptyMessage) {\n scrollableArea = __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n { className: __WEBPACK_IMPORTED_MODULE_12_classnames___default()('scrollable', { fullscreen: fullscreen }), ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n role: 'feed',\n className: 'item-list'\n }, void 0, prepend, __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.map(this.props.children, function (child, index) {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8__containers_intersection_observer_article_container__[\"a\" /* default */], {\n id: child.key,\n index: index,\n listLength: childrenCount,\n intersectionObserverWrapper: _this2.intersectionObserverWrapper,\n saveHeightKey: trackScroll ? _this2.context.router.route.location.key + ':' + scrollKey : null\n }, child.key, child);\n }), loadMore)\n );\n } else {\n scrollableArea = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n style: { flex: '1 1 auto', display: 'flex', flexDirection: 'column' }\n }, void 0, alwaysPrepend && prepend, __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n { className: 'empty-column-indicator', ref: this.setRef },\n emptyMessage\n ));\n }\n\n if (trackScroll) {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_scroll_4__[\"a\" /* ScrollContainer */], {\n scrollKey: scrollKey,\n shouldUpdateScroll: shouldUpdateScroll\n }, void 0, scrollableArea);\n } else {\n return scrollableArea;\n }\n };\n\n return ScrollableList;\n}(__WEBPACK_IMPORTED_MODULE_5_react__[\"PureComponent\"]), _class.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_7_prop_types___default.a.object\n}, _class.defaultProps = {\n trackScroll: true\n}, _temp2);\n\n\n/***/ }),\n\n/***/ 279:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__components_intersection_observer_article__ = __webpack_require__(280);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__actions_height_cache__ = __webpack_require__(94);\n\n\n\n\nvar makeMapStateToProps = function makeMapStateToProps(state, props) {\n return {\n cachedHeight: state.getIn(['height_cache', props.saveHeightKey, props.id])\n };\n};\n\nvar mapDispatchToProps = function mapDispatchToProps(dispatch) {\n return {\n onHeightChange: function onHeightChange(key, id, height) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_2__actions_height_cache__[\"d\" /* setHeight */])(key, id, height));\n }\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_0_react_redux__[\"connect\"])(makeMapStateToProps, mapDispatchToProps)(__WEBPACK_IMPORTED_MODULE_1__components_intersection_observer_article__[\"a\" /* default */]));\n\n/***/ }),\n\n/***/ 280:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return IntersectionObserverArticle; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__ = __webpack_require__(281);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__features_ui_util_get_rect_from_entry__ = __webpack_require__(283);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_immutable__ = __webpack_require__(8);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_immutable___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_immutable__);\n\n\n\n\n\n\n\n\n\n// Diff these props in the \"rendered\" state\nvar updateOnPropsForRendered = ['id', 'index', 'listLength'];\n// Diff these props in the \"unrendered\" state\nvar updateOnPropsForUnrendered = ['id', 'index', 'listLength', 'cachedHeight'];\n\nvar IntersectionObserverArticle = function (_React$Component) {\n __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default()(IntersectionObserverArticle, _React$Component);\n\n function IntersectionObserverArticle() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, IntersectionObserverArticle);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$Component.call.apply(_React$Component, [this].concat(args))), _this), _this.state = {\n isHidden: false // set to true in requestIdleCallback to trigger un-render\n }, _this.handleIntersection = function (entry) {\n _this.entry = entry;\n\n Object(__WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__[\"a\" /* default */])(_this.calculateHeight);\n _this.setState(_this.updateStateAfterIntersection);\n }, _this.updateStateAfterIntersection = function (prevState) {\n if (prevState.isIntersecting && !_this.entry.isIntersecting) {\n Object(__WEBPACK_IMPORTED_MODULE_4__features_ui_util_schedule_idle_task__[\"a\" /* default */])(_this.hideIfNotIntersecting);\n }\n return {\n isIntersecting: _this.entry.isIntersecting,\n isHidden: false\n };\n }, _this.calculateHeight = function () {\n var _this$props = _this.props,\n onHeightChange = _this$props.onHeightChange,\n saveHeightKey = _this$props.saveHeightKey,\n id = _this$props.id;\n // save the height of the fully-rendered element (this is expensive\n // on Chrome, where we need to fall back to getBoundingClientRect)\n\n _this.height = Object(__WEBPACK_IMPORTED_MODULE_5__features_ui_util_get_rect_from_entry__[\"a\" /* default */])(_this.entry).height;\n\n if (onHeightChange && saveHeightKey) {\n onHeightChange(saveHeightKey, id, _this.height);\n }\n }, _this.hideIfNotIntersecting = function () {\n if (!_this.componentMounted) {\n return;\n }\n\n // When the browser gets a chance, test if we're still not intersecting,\n // and if so, set our isHidden to true to trigger an unrender. The point of\n // this is to save DOM nodes and avoid using up too much memory.\n // See: https://github.com/tootsuite/mastodon/issues/2900\n _this.setState(function (prevState) {\n return { isHidden: !prevState.isIntersecting };\n });\n }, _this.handleRef = function (node) {\n _this.node = node;\n }, _temp), __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n IntersectionObserverArticle.prototype.shouldComponentUpdate = function shouldComponentUpdate(nextProps, nextState) {\n var _this2 = this;\n\n var isUnrendered = !this.state.isIntersecting && (this.state.isHidden || this.props.cachedHeight);\n var willBeUnrendered = !nextState.isIntersecting && (nextState.isHidden || nextProps.cachedHeight);\n if (!!isUnrendered !== !!willBeUnrendered) {\n // If we're going from rendered to unrendered (or vice versa) then update\n return true;\n }\n // Otherwise, diff based on props\n var propsToDiff = isUnrendered ? updateOnPropsForUnrendered : updateOnPropsForRendered;\n return !propsToDiff.every(function (prop) {\n return Object(__WEBPACK_IMPORTED_MODULE_6_immutable__[\"is\"])(nextProps[prop], _this2.props[prop]);\n });\n };\n\n IntersectionObserverArticle.prototype.componentDidMount = function componentDidMount() {\n var _props = this.props,\n intersectionObserverWrapper = _props.intersectionObserverWrapper,\n id = _props.id;\n\n\n intersectionObserverWrapper.observe(id, this.node, this.handleIntersection);\n\n this.componentMounted = true;\n };\n\n IntersectionObserverArticle.prototype.componentWillUnmount = function componentWillUnmount() {\n var _props2 = this.props,\n intersectionObserverWrapper = _props2.intersectionObserverWrapper,\n id = _props2.id;\n\n intersectionObserverWrapper.unobserve(id, this.node);\n\n this.componentMounted = false;\n };\n\n IntersectionObserverArticle.prototype.render = function render() {\n var _props3 = this.props,\n children = _props3.children,\n id = _props3.id,\n index = _props3.index,\n listLength = _props3.listLength,\n cachedHeight = _props3.cachedHeight;\n var _state = this.state,\n isIntersecting = _state.isIntersecting,\n isHidden = _state.isHidden;\n\n\n if (!isIntersecting && (isHidden || cachedHeight)) {\n return __WEBPACK_IMPORTED_MODULE_3_react___default.a.createElement(\n 'article',\n {\n ref: this.handleRef,\n 'aria-posinset': index,\n 'aria-setsize': listLength,\n style: { height: (this.height || cachedHeight) + 'px', opacity: 0, overflow: 'hidden' },\n 'data-id': id,\n tabIndex: '0'\n },\n children && __WEBPACK_IMPORTED_MODULE_3_react___default.a.cloneElement(children, { hidden: true })\n );\n }\n\n return __WEBPACK_IMPORTED_MODULE_3_react___default.a.createElement(\n 'article',\n { ref: this.handleRef, 'aria-posinset': index, 'aria-setsize': listLength, 'data-id': id, tabIndex: '0' },\n children && __WEBPACK_IMPORTED_MODULE_3_react___default.a.cloneElement(children, { hidden: false })\n );\n };\n\n return IntersectionObserverArticle;\n}(__WEBPACK_IMPORTED_MODULE_3_react___default.a.Component);\n\n\n\n/***/ }),\n\n/***/ 281:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_tiny_queue__ = __webpack_require__(282);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_tiny_queue___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_tiny_queue__);\n// Wrapper to call requestIdleCallback() to schedule low-priority work.\n// See https://developer.mozilla.org/en-US/docs/Web/API/Background_Tasks_API\n// for a good breakdown of the concepts behind this.\n\n\n\nvar taskQueue = new __WEBPACK_IMPORTED_MODULE_0_tiny_queue___default.a();\nvar runningRequestIdleCallback = false;\n\nfunction runTasks(deadline) {\n while (taskQueue.length && deadline.timeRemaining() > 0) {\n taskQueue.shift()();\n }\n if (taskQueue.length) {\n requestIdleCallback(runTasks);\n } else {\n runningRequestIdleCallback = false;\n }\n}\n\nfunction scheduleIdleTask(task) {\n taskQueue.push(task);\n if (!runningRequestIdleCallback) {\n runningRequestIdleCallback = true;\n requestIdleCallback(runTasks);\n }\n}\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (scheduleIdleTask);\n\n/***/ }),\n\n/***/ 282:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n// Simple FIFO queue implementation to avoid having to do shift()\n// on an array, which is slow.\n\nfunction Queue() {\n this.length = 0;\n}\n\nQueue.prototype.push = function (item) {\n var node = { item: item };\n if (this.last) {\n this.last = this.last.next = node;\n } else {\n this.last = this.first = node;\n }\n this.length++;\n};\n\nQueue.prototype.shift = function () {\n var node = this.first;\n if (node) {\n this.first = node.next;\n if (! --this.length) {\n this.last = undefined;\n }\n return node.item;\n }\n};\n\nQueue.prototype.slice = function (start, end) {\n start = typeof start === 'undefined' ? 0 : start;\n end = typeof end === 'undefined' ? Infinity : end;\n\n var output = [];\n\n var i = 0;\n for (var node = this.first; node; node = node.next) {\n if (--end < 0) {\n break;\n } else if (++i > start) {\n output.push(node.item);\n }\n }\n return output;\n};\n\nmodule.exports = Queue;\n\n/***/ }),\n\n/***/ 283:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n\n// Get the bounding client rect from an IntersectionObserver entry.\n// This is to work around a bug in Chrome: https://crbug.com/737228\n\nvar hasBoundingRectBug = void 0;\n\nfunction getRectFromEntry(entry) {\n if (typeof hasBoundingRectBug !== 'boolean') {\n var boundingRect = entry.target.getBoundingClientRect();\n var observerRect = entry.boundingClientRect;\n hasBoundingRectBug = boundingRect.height !== observerRect.height || boundingRect.top !== observerRect.top || boundingRect.width !== observerRect.width || boundingRect.bottom !== observerRect.bottom || boundingRect.left !== observerRect.left || boundingRect.right !== observerRect.right;\n }\n return hasBoundingRectBug ? entry.target.getBoundingClientRect() : entry.boundingClientRect;\n}\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (getRectFromEntry);\n\n/***/ }),\n\n/***/ 284:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__);\n\n\n// Wrapper for IntersectionObserver in order to make working with it\n// a bit easier. We also follow this performance advice:\n// \"If you need to observe multiple elements, it is both possible and\n// advised to observe multiple elements using the same IntersectionObserver\n// instance by calling observe() multiple times.\"\n// https://developers.google.com/web/updates/2016/04/intersectionobserver\n\nvar IntersectionObserverWrapper = function () {\n function IntersectionObserverWrapper() {\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, IntersectionObserverWrapper);\n\n this.callbacks = {};\n this.observerBacklog = [];\n this.observer = null;\n }\n\n IntersectionObserverWrapper.prototype.connect = function connect(options) {\n var _this = this;\n\n var onIntersection = function onIntersection(entries) {\n entries.forEach(function (entry) {\n var id = entry.target.getAttribute('data-id');\n if (_this.callbacks[id]) {\n _this.callbacks[id](entry);\n }\n });\n };\n\n this.observer = new IntersectionObserver(onIntersection, options);\n this.observerBacklog.forEach(function (_ref) {\n var id = _ref[0],\n node = _ref[1],\n callback = _ref[2];\n\n _this.observe(id, node, callback);\n });\n this.observerBacklog = null;\n };\n\n IntersectionObserverWrapper.prototype.observe = function observe(id, node, callback) {\n if (!this.observer) {\n this.observerBacklog.push([id, node, callback]);\n } else {\n this.callbacks[id] = callback;\n this.observer.observe(node);\n }\n };\n\n IntersectionObserverWrapper.prototype.unobserve = function unobserve(id, node) {\n if (this.observer) {\n delete this.callbacks[id];\n this.observer.unobserve(node);\n }\n };\n\n IntersectionObserverWrapper.prototype.disconnect = function disconnect() {\n if (this.observer) {\n this.callbacks = {};\n this.observer.disconnect();\n this.observer = null;\n }\n };\n\n return IntersectionObserverWrapper;\n}();\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (IntersectionObserverWrapper);\n\n/***/ }),\n\n/***/ 285:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return LoadGap; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(7);\n\n\n\n\n\nvar _class;\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"f\" /* defineMessages */])({\n load_more: {\n 'id': 'status.load_more',\n 'defaultMessage': 'Load more'\n }\n});\n\nvar LoadGap = Object(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"g\" /* injectIntl */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(LoadGap, _React$PureComponent);\n\n function LoadGap() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, LoadGap);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleClick = function () {\n _this.props.onClick(_this.props.maxId);\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n LoadGap.prototype.render = function render() {\n var _props = this.props,\n disabled = _props.disabled,\n intl = _props.intl;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n className: 'load-more load-gap',\n disabled: disabled,\n onClick: this.handleClick,\n 'aria-label': intl.formatMessage(messages.load_more)\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-ellipsis-h'\n }));\n };\n\n return LoadGap;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class;\n\n\n\n/***/ }),\n\n/***/ 286:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return StatusList; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_objectWithoutProperties__ = __webpack_require__(55);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_objectWithoutProperties___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_objectWithoutProperties__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_lodash_debounce__ = __webpack_require__(32);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__ = __webpack_require__(14);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_9_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__containers_status_container__ = __webpack_require__(277);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component__ = __webpack_require__(12);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__load_gap__ = __webpack_require__(285);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__scrollable_list__ = __webpack_require__(278);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14_react_intl__ = __webpack_require__(7);\n\n\n\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\n\n\n\n\n\nvar StatusList = (_temp2 = _class = function (_ImmutablePureCompone) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(StatusList, _ImmutablePureCompone);\n\n function StatusList() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, StatusList);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone.call.apply(_ImmutablePureCompone, [this].concat(args))), _this), _this.getFeaturedStatusCount = function () {\n return _this.props.featuredStatusIds ? _this.props.featuredStatusIds.size : 0;\n }, _this.getCurrentStatusIndex = function (id, featured) {\n if (featured) {\n return _this.props.featuredStatusIds.indexOf(id);\n } else {\n return _this.props.statusIds.indexOf(id) + _this.getFeaturedStatusCount();\n }\n }, _this.handleMoveUp = function (id, featured) {\n var elementIndex = _this.getCurrentStatusIndex(id, featured) - 1;\n _this._selectChild(elementIndex);\n }, _this.handleMoveDown = function (id, featured) {\n var elementIndex = _this.getCurrentStatusIndex(id, featured) + 1;\n _this._selectChild(elementIndex);\n }, _this.handleLoadOlder = __WEBPACK_IMPORTED_MODULE_6_lodash_debounce___default()(function () {\n _this.props.onLoadMore(_this.props.statusIds.last());\n }, 300, { leading: true }), _this.setRef = function (c) {\n _this.node = c;\n }, _temp), __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n StatusList.prototype._selectChild = function _selectChild(index) {\n var element = this.node.node.querySelector('article:nth-of-type(' + (index + 1) + ') .focusable');\n\n if (element) {\n element.focus();\n }\n };\n\n StatusList.prototype.render = function render() {\n var _this2 = this;\n\n var _props = this.props,\n statusIds = _props.statusIds,\n featuredStatusIds = _props.featuredStatusIds,\n onLoadMore = _props.onLoadMore,\n other = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_objectWithoutProperties___default()(_props, ['statusIds', 'featuredStatusIds', 'onLoadMore']);\n\n var isLoading = other.isLoading,\n isPartial = other.isPartial;\n\n\n if (isPartial) {\n return __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('div', {\n className: 'regeneration-indicator'\n }, void 0, __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('div', {}, void 0, __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('div', {\n className: 'regeneration-indicator__figure'\n }), __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('div', {\n className: 'regeneration-indicator__label'\n }, void 0, __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'regeneration_indicator.label',\n tagName: 'strong',\n defaultMessage: 'Loading\\u2026'\n }), __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'regeneration_indicator.sublabel',\n defaultMessage: 'Your home feed is being prepared!'\n }))));\n }\n\n var scrollableContent = isLoading || statusIds.size > 0 ? statusIds.map(function (statusId, index) {\n return statusId === null ? __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12__load_gap__[\"a\" /* default */], {\n disabled: isLoading,\n maxId: index > 0 ? statusIds.get(index - 1) : null,\n onClick: onLoadMore\n }, 'gap:' + statusIds.get(index + 1)) : __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__containers_status_container__[\"a\" /* default */], {\n id: statusId,\n onMoveUp: _this2.handleMoveUp,\n onMoveDown: _this2.handleMoveDown\n }, statusId);\n }) : null;\n\n if (scrollableContent && featuredStatusIds) {\n scrollableContent = featuredStatusIds.map(function (statusId) {\n return __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__containers_status_container__[\"a\" /* default */], {\n id: statusId,\n featured: true,\n onMoveUp: _this2.handleMoveUp,\n onMoveDown: _this2.handleMoveDown\n }, 'f-' + statusId);\n }).concat(scrollableContent);\n }\n\n return __WEBPACK_IMPORTED_MODULE_7_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_13__scrollable_list__[\"a\" /* default */],\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default()({}, other, { onLoadMore: onLoadMore && this.handleLoadOlder, ref: this.setRef }),\n scrollableContent\n );\n };\n\n return StatusList;\n}(__WEBPACK_IMPORTED_MODULE_11_react_immutable_pure_component___default.a), _class.propTypes = {\n scrollKey: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.string.isRequired,\n statusIds: __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default.a.list.isRequired,\n featuredStatusIds: __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default.a.list,\n onLoadMore: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n onScrollToTop: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n onScroll: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n trackScroll: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n shouldUpdateScroll: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.func,\n isLoading: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n isPartial: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n hasMore: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool,\n prepend: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.node,\n emptyMessage: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.node,\n alwaysPrepend: __WEBPACK_IMPORTED_MODULE_9_prop_types___default.a.bool\n}, _class.defaultProps = {\n trackScroll: true\n}, _temp2);\n\n\n/***/ }),\n\n/***/ 330:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__ = __webpack_require__(77);\n\n\nfunction loaded() {\n var TimelineContainer = __webpack_require__(331).default;\n var React = __webpack_require__(0);\n var ReactDOM = __webpack_require__(20);\n var mountNode = document.getElementById('mastodon-timeline');\n\n if (mountNode !== null) {\n var props = JSON.parse(mountNode.getAttribute('data-props'));\n ReactDOM.render(React.createElement(TimelineContainer, props), mountNode);\n }\n}\n\nfunction main() {\n var ready = __webpack_require__(89).default;\n ready(loaded);\n}\n\nObject(__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__[\"a\" /* default */])().then(main).catch(function (error) {\n console.error(error);\n});\n\n/***/ }),\n\n/***/ 331:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"default\", function() { return TimelineContainer; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_dom__ = __webpack_require__(20);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_dom___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react_dom__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__store_configureStore__ = __webpack_require__(126);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__actions_store__ = __webpack_require__(31);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__locales__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__features_standalone_public_timeline__ = __webpack_require__(487);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__features_standalone_community_timeline__ = __webpack_require__(648);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__features_standalone_hashtag_timeline__ = __webpack_require__(649);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__features_ui_containers_modal_container__ = __webpack_require__(150);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__initial_state__ = __webpack_require__(13);\n\n\n\n\n\nvar _class, _temp;\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar _getLocale = Object(__WEBPACK_IMPORTED_MODULE_10__locales__[\"getLocale\"])(),\n localeData = _getLocale.localeData,\n messages = _getLocale.messages;\n\nObject(__WEBPACK_IMPORTED_MODULE_9_react_intl__[\"e\" /* addLocaleData */])(localeData);\n\nvar store = Object(__WEBPACK_IMPORTED_MODULE_7__store_configureStore__[\"a\" /* default */])();\n\nif (__WEBPACK_IMPORTED_MODULE_15__initial_state__[\"c\" /* default */]) {\n store.dispatch(Object(__WEBPACK_IMPORTED_MODULE_8__actions_store__[\"b\" /* hydrateStore */])(__WEBPACK_IMPORTED_MODULE_15__initial_state__[\"c\" /* default */]));\n}\n\nvar TimelineContainer = (_temp = _class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(TimelineContainer, _React$PureComponent);\n\n function TimelineContainer() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, TimelineContainer);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n TimelineContainer.prototype.render = function render() {\n var _props = this.props,\n locale = _props.locale,\n hashtag = _props.hashtag,\n showPublicTimeline = _props.showPublicTimeline;\n\n\n var timeline = void 0;\n\n if (hashtag) {\n timeline = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13__features_standalone_hashtag_timeline__[\"a\" /* default */], {\n hashtag: hashtag\n });\n } else if (showPublicTimeline) {\n timeline = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_11__features_standalone_public_timeline__[\"a\" /* default */], {});\n } else {\n timeline = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12__features_standalone_community_timeline__[\"a\" /* default */], {});\n }\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9_react_intl__[\"d\" /* IntlProvider */], {\n locale: locale,\n messages: messages\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_redux__[\"Provider\"], {\n store: store\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_4_react__[\"Fragment\"], {}, void 0, timeline, __WEBPACK_IMPORTED_MODULE_5_react_dom___default.a.createPortal(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14__features_ui_containers_modal_container__[\"a\" /* default */], {}), document.getElementById('modal-container')))));\n };\n\n return TimelineContainer;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent), _class.defaultProps = {\n showPublicTimeline: __WEBPACK_IMPORTED_MODULE_15__initial_state__[\"c\" /* default */].settings.known_fediverse\n}, _temp);\n\n\n/***/ }),\n\n/***/ 487:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return PublicTimeline; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__ = __webpack_require__(92);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column__ = __webpack_require__(71);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_column_header__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_streaming__ = __webpack_require__(72);\n\n\n\n\n\nvar _dec, _class;\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"f\" /* defineMessages */])({\n title: {\n 'id': 'standalone.public_title',\n 'defaultMessage': 'A look inside...'\n }\n});\n\nvar PublicTimeline = (_dec = Object(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"connect\"])(), _dec(_class = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"g\" /* injectIntl */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(PublicTimeline, _React$PureComponent);\n\n function PublicTimeline() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, PublicTimeline);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n _this.column.scrollTop();\n }, _this.setRef = function (c) {\n _this.column = c;\n }, _this.handleLoadMore = function (maxId) {\n _this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"r\" /* expandPublicTimeline */])({ maxId: maxId }));\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n PublicTimeline.prototype.componentDidMount = function componentDidMount() {\n var dispatch = this.props.dispatch;\n\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"r\" /* expandPublicTimeline */])());\n this.disconnect = dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_streaming__[\"e\" /* connectPublicStream */])());\n };\n\n PublicTimeline.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n PublicTimeline.prototype.render = function render() {\n var intl = this.props.intl;\n\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_8__components_column__[\"a\" /* default */],\n { ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_column_header__[\"a\" /* default */], {\n icon: 'globe',\n title: intl.formatMessage(messages.title),\n onClick: this.handleHeaderClick\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__[\"a\" /* default */], {\n timelineId: 'public',\n onLoadMore: this.handleLoadMore,\n scrollKey: 'standalone_public_timeline',\n trackScroll: false\n })\n );\n };\n\n return PublicTimeline;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class) || _class);\n\n\n/***/ }),\n\n/***/ 648:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return CommunityTimeline; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__ = __webpack_require__(92);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column__ = __webpack_require__(71);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_column_header__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_streaming__ = __webpack_require__(72);\n\n\n\n\n\nvar _dec, _class;\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"f\" /* defineMessages */])({\n title: {\n 'id': 'standalone.public_title',\n 'defaultMessage': 'A look inside...'\n }\n});\n\nvar CommunityTimeline = (_dec = Object(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"connect\"])(), _dec(_class = Object(__WEBPACK_IMPORTED_MODULE_10_react_intl__[\"g\" /* injectIntl */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(CommunityTimeline, _React$PureComponent);\n\n function CommunityTimeline() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, CommunityTimeline);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n _this.column.scrollTop();\n }, _this.setRef = function (c) {\n _this.column = c;\n }, _this.handleLoadMore = function (maxId) {\n _this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"m\" /* expandCommunityTimeline */])({ maxId: maxId }));\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n CommunityTimeline.prototype.componentDidMount = function componentDidMount() {\n var dispatch = this.props.dispatch;\n\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"m\" /* expandCommunityTimeline */])());\n this.disconnect = dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_streaming__[\"a\" /* connectCommunityStream */])());\n };\n\n CommunityTimeline.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n CommunityTimeline.prototype.render = function render() {\n var intl = this.props.intl;\n\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_8__components_column__[\"a\" /* default */],\n { ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_column_header__[\"a\" /* default */], {\n icon: 'users',\n title: intl.formatMessage(messages.title),\n onClick: this.handleHeaderClick\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__[\"a\" /* default */], {\n timelineId: 'community',\n onLoadMore: this.handleLoadMore,\n scrollKey: 'standalone_public_timeline',\n trackScroll: false\n })\n );\n };\n\n return CommunityTimeline;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class) || _class);\n\n\n/***/ }),\n\n/***/ 649:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return HashtagTimeline; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__ = __webpack_require__(92);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column__ = __webpack_require__(71);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_column_header__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__actions_streaming__ = __webpack_require__(72);\n\n\n\n\n\nvar _dec, _class;\n\n\n\n\n\n\n\n\n\n\nvar HashtagTimeline = (_dec = Object(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"connect\"])(), _dec(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(HashtagTimeline, _React$PureComponent);\n\n function HashtagTimeline() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, HashtagTimeline);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n _this.column.scrollTop();\n }, _this.setRef = function (c) {\n _this.column = c;\n }, _this.handleLoadMore = function (maxId) {\n _this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"o\" /* expandHashtagTimeline */])(_this.props.hashtag, { maxId: maxId }));\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n HashtagTimeline.prototype.componentDidMount = function componentDidMount() {\n var _props = this.props,\n dispatch = _props.dispatch,\n hashtag = _props.hashtag;\n\n\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_timelines__[\"o\" /* expandHashtagTimeline */])(hashtag));\n this.disconnect = dispatch(Object(__WEBPACK_IMPORTED_MODULE_10__actions_streaming__[\"c\" /* connectHashtagStream */])(hashtag));\n };\n\n HashtagTimeline.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n HashtagTimeline.prototype.render = function render() {\n var hashtag = this.props.hashtag;\n\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_8__components_column__[\"a\" /* default */],\n { ref: this.setRef },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_column_header__[\"a\" /* default */], {\n icon: 'hashtag',\n title: hashtag,\n onClick: this.handleHeaderClick\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__ui_containers_status_list_container__[\"a\" /* default */], {\n trackScroll: false,\n scrollKey: 'standalone_hashtag_timeline',\n timelineId: 'hashtag:' + hashtag,\n onLoadMore: this.handleLoadMore\n })\n );\n };\n\n return HashtagTimeline;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent)) || _class);\n\n\n/***/ }),\n\n/***/ 7:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"e\", function() { return addLocaleData; });\n/* unused harmony export intlShape */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"g\", function() { return injectIntl; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"f\", function() { return defineMessages; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"d\", function() { return IntlProvider; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return FormattedDate; });\n/* unused harmony export FormattedTime */\n/* unused harmony export FormattedRelative */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"c\", function() { return FormattedNumber; });\n/* unused harmony export FormattedPlural */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return FormattedMessage; });\n/* unused harmony export FormattedHTMLMessage */\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__ = __webpack_require__(107);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat__ = __webpack_require__(59);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__ = __webpack_require__(76);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant__ = __webpack_require__(18);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_invariant__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache__ = __webpack_require__(108);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_intl_format_cache__);\n/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n\n\n\n\n\n\n\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__addLocaleData(localeData);\n __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__localeData__[normalizedLocale] && __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.bool;\nvar number = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.number;\nvar string = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.string;\nvar func = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.func;\nvar object = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.object;\nvar oneOf = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOf;\nvar shape = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.shape;\nvar any = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.any;\nvar oneOfType = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (false) {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && \"production\" === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (false) {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (false) {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\nvar format = Object.freeze({\n formatDate: formatDate,\n formatTime: formatTime,\n formatRelative: formatRelative,\n formatNumber: formatNumber,\n formatPlural: formatPlural,\n formatMessage: formatMessage,\n formatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.DateTimeFormat),\n getNumberFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.NumberFormat),\n getMessageFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a),\n getRelativeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a),\n getPluralFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n if (false) {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"Children\"].only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\n false ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedDate);\n }\n }]);\n return FormattedDate;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedTime);\n }\n }]);\n return FormattedTime;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedRelative);\n }\n }]);\n return FormattedRelative;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedNumber);\n }\n }]);\n return FormattedNumber;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedPlural);\n }\n }]);\n return FormattedPlural;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (Object(__WEBPACK_IMPORTED_MODULE_4_react__[\"isValidElement\"])(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"createElement\"].apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\n false ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default.a);\n\n\n\n/***/ }),\n\n/***/ 92:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_lodash_debounce__ = __webpack_require__(32);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2__components_status_list__ = __webpack_require__(286);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_immutable__ = __webpack_require__(8);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_immutable___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_immutable__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_reselect__ = __webpack_require__(95);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_reselect___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_reselect__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__initial_state__ = __webpack_require__(13);\n\n\n\n\n\n\n\n\n\nvar makeGetStatusIds = function makeGetStatusIds() {\n return Object(__WEBPACK_IMPORTED_MODULE_5_reselect__[\"createSelector\"])([function (state, _ref) {\n var type = _ref.type;\n return state.getIn(['settings', type], Object(__WEBPACK_IMPORTED_MODULE_4_immutable__[\"Map\"])());\n }, function (state, _ref2) {\n var type = _ref2.type;\n return state.getIn(['timelines', type, 'items'], Object(__WEBPACK_IMPORTED_MODULE_4_immutable__[\"List\"])());\n }, function (state) {\n return state.get('statuses');\n }], function (columnSettings, statusIds, statuses) {\n var rawRegex = columnSettings.getIn(['regex', 'body'], '').trim();\n var regex = null;\n\n try {\n regex = rawRegex && new RegExp(rawRegex, 'i');\n } catch (e) {\n // Bad regex, don't affect filters\n }\n\n return statusIds.filter(function (id) {\n if (id === null) return true;\n\n var statusForId = statuses.get(id);\n var showStatus = true;\n\n if (columnSettings.getIn(['shows', 'reblog']) === false) {\n showStatus = showStatus && statusForId.get('reblog') === null;\n }\n\n if (columnSettings.getIn(['shows', 'reply']) === false) {\n showStatus = showStatus && (statusForId.get('in_reply_to_id') === null || statusForId.get('in_reply_to_account_id') === __WEBPACK_IMPORTED_MODULE_6__initial_state__[\"i\" /* me */]);\n }\n\n if (showStatus && regex && statusForId.get('account') !== __WEBPACK_IMPORTED_MODULE_6__initial_state__[\"i\" /* me */]) {\n var searchIndex = statusForId.get('reblog') ? statuses.getIn([statusForId.get('reblog'), 'search_index']) : statusForId.get('search_index');\n showStatus = !regex.test(searchIndex);\n }\n\n return showStatus;\n });\n });\n};\n\nvar makeMapStateToProps = function makeMapStateToProps() {\n var getStatusIds = makeGetStatusIds();\n\n var mapStateToProps = function mapStateToProps(state, _ref3) {\n var timelineId = _ref3.timelineId;\n return {\n statusIds: getStatusIds(state, { type: timelineId }),\n isLoading: state.getIn(['timelines', timelineId, 'isLoading'], true),\n isPartial: state.getIn(['timelines', timelineId, 'isPartial'], false),\n hasMore: state.getIn(['timelines', timelineId, 'hasMore'])\n };\n };\n\n return mapStateToProps;\n};\n\nvar mapDispatchToProps = function mapDispatchToProps(dispatch, _ref4) {\n var timelineId = _ref4.timelineId;\n return {\n\n onScrollToTop: __WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default()(function () {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_3__actions_timelines__[\"s\" /* scrollTopTimeline */])(timelineId, true));\n }, 100),\n\n onScroll: __WEBPACK_IMPORTED_MODULE_0_lodash_debounce___default()(function () {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_3__actions_timelines__[\"s\" /* scrollTopTimeline */])(timelineId, false));\n }, 100)\n\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_1_react_redux__[\"connect\"])(makeMapStateToProps, mapDispatchToProps)(__WEBPACK_IMPORTED_MODULE_2__components_status_list__[\"a\" /* default */]));\n\n/***/ })\n\n},[330]);\n\n\n// WEBPACK FOOTER //\n// about.js","import React from 'react';\nimport { FormattedMessage } from 'react-intl';\nimport PropTypes from 'prop-types';\n\nexport default class LoadMore extends React.PureComponent {\n\n static propTypes = {\n onClick: PropTypes.func,\n disabled: PropTypes.bool,\n visible: PropTypes.bool,\n }\n\n static defaultProps = {\n visible: true,\n }\n\n render() {\n const { disabled, visible } = this.props;\n\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/load_more.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport Status from '../components/status';\nimport { makeGetStatus } from '../selectors';\nimport {\n replyCompose,\n mentionCompose,\n directCompose,\n} from '../actions/compose';\nimport {\n reblog,\n favourite,\n unreblog,\n unfavourite,\n pin,\n unpin,\n} from '../actions/interactions';\nimport { blockAccount } from '../actions/accounts';\nimport {\n muteStatus,\n unmuteStatus,\n deleteStatus,\n hideStatus,\n revealStatus,\n} from '../actions/statuses';\nimport { initMuteModal } from '../actions/mutes';\nimport { initReport } from '../actions/reports';\nimport { openModal } from '../actions/modal';\nimport { defineMessages, injectIntl, FormattedMessage } from 'react-intl';\nimport { boostModal, deleteModal } from '../initial_state';\nimport { showAlertForError } from '../actions/alerts';\n\nconst messages = defineMessages({\n deleteConfirm: { id: 'confirmations.delete.confirm', defaultMessage: 'Delete' },\n deleteMessage: { id: 'confirmations.delete.message', defaultMessage: 'Are you sure you want to delete this status?' },\n redraftConfirm: { id: 'confirmations.redraft.confirm', defaultMessage: 'Delete & redraft' },\n redraftMessage: { id: 'confirmations.redraft.message', defaultMessage: 'Are you sure you want to delete this status and re-draft it? You will lose all replies, boosts and favourites to it.' },\n blockConfirm: { id: 'confirmations.block.confirm', defaultMessage: 'Block' },\n});\n\nconst makeMapStateToProps = () => {\n const getStatus = makeGetStatus();\n\n const mapStateToProps = (state, props) => ({\n status: getStatus(state, props.id),\n });\n\n return mapStateToProps;\n};\n\nconst mapDispatchToProps = (dispatch, { intl }) => ({\n\n onReply (status, router) {\n dispatch(replyCompose(status, router));\n },\n\n onModalReblog (status) {\n dispatch(reblog(status));\n },\n\n onReblog (status, e) {\n if (status.get('reblogged')) {\n dispatch(unreblog(status));\n } else {\n if (e.shiftKey || !boostModal) {\n this.onModalReblog(status);\n } else {\n dispatch(openModal('BOOST', { status, onReblog: this.onModalReblog }));\n }\n }\n },\n\n onFavourite (status) {\n if (status.get('favourited')) {\n dispatch(unfavourite(status));\n } else {\n dispatch(favourite(status));\n }\n },\n\n onPin (status) {\n if (status.get('pinned')) {\n dispatch(unpin(status));\n } else {\n dispatch(pin(status));\n }\n },\n\n onEmbed (status) {\n dispatch(openModal('EMBED', {\n url: status.get('url'),\n onError: error => dispatch(showAlertForError(error)),\n }));\n },\n\n onDelete (status, withRedraft = false) {\n if (!deleteModal) {\n dispatch(deleteStatus(status.get('id'), withRedraft));\n } else {\n dispatch(openModal('CONFIRM', {\n message: intl.formatMessage(withRedraft ? messages.redraftMessage : messages.deleteMessage),\n confirm: intl.formatMessage(withRedraft ? messages.redraftConfirm : messages.deleteConfirm),\n onConfirm: () => dispatch(deleteStatus(status.get('id'), withRedraft)),\n }));\n }\n },\n\n onDirect (account, router) {\n dispatch(directCompose(account, router));\n },\n\n onMention (account, router) {\n dispatch(mentionCompose(account, router));\n },\n\n onOpenMedia (media, index) {\n dispatch(openModal('MEDIA', { media, index }));\n },\n\n onOpenVideo (media, time) {\n dispatch(openModal('VIDEO', { media, time }));\n },\n\n onBlock (account) {\n dispatch(openModal('CONFIRM', {\n message: @{account.get('acct')} }} />,\n confirm: intl.formatMessage(messages.blockConfirm),\n onConfirm: () => dispatch(blockAccount(account.get('id'))),\n }));\n },\n\n onReport (status) {\n dispatch(initReport(status.get('account'), status));\n },\n\n onMute (account) {\n dispatch(initMuteModal(account));\n },\n\n onMuteConversation (status) {\n if (status.get('muted')) {\n dispatch(unmuteStatus(status.get('id')));\n } else {\n dispatch(muteStatus(status.get('id')));\n }\n },\n\n onToggleHidden (status) {\n if (status.get('hidden')) {\n dispatch(revealStatus(status.get('id')));\n } else {\n dispatch(hideStatus(status.get('id')));\n }\n },\n\n});\n\nexport default injectIntl(connect(makeMapStateToProps, mapDispatchToProps)(Status));\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/status_container.js","import React, { PureComponent } from 'react';\nimport { ScrollContainer } from 'react-router-scroll-4';\nimport PropTypes from 'prop-types';\nimport IntersectionObserverArticleContainer from '../containers/intersection_observer_article_container';\nimport LoadMore from './load_more';\nimport IntersectionObserverWrapper from '../features/ui/util/intersection_observer_wrapper';\nimport { throttle } from 'lodash';\nimport { List as ImmutableList } from 'immutable';\nimport classNames from 'classnames';\nimport { attachFullscreenListener, detachFullscreenListener, isFullscreen } from '../features/ui/util/fullscreen';\n\nexport default class ScrollableList extends PureComponent {\n\n static contextTypes = {\n router: PropTypes.object,\n };\n\n static propTypes = {\n scrollKey: PropTypes.string.isRequired,\n onLoadMore: PropTypes.func,\n onScrollToTop: PropTypes.func,\n onScroll: PropTypes.func,\n trackScroll: PropTypes.bool,\n shouldUpdateScroll: PropTypes.func,\n isLoading: PropTypes.bool,\n hasMore: PropTypes.bool,\n prepend: PropTypes.node,\n alwaysPrepend: PropTypes.bool,\n emptyMessage: PropTypes.node,\n children: PropTypes.node,\n };\n\n static defaultProps = {\n trackScroll: true,\n };\n\n state = {\n fullscreen: null,\n };\n\n intersectionObserverWrapper = new IntersectionObserverWrapper();\n\n handleScroll = throttle(() => {\n if (this.node) {\n const { scrollTop, scrollHeight, clientHeight } = this.node;\n const offset = scrollHeight - scrollTop - clientHeight;\n\n if (400 > offset && this.props.onLoadMore && !this.props.isLoading) {\n this.props.onLoadMore();\n }\n\n if (scrollTop < 100 && this.props.onScrollToTop) {\n this.props.onScrollToTop();\n } else if (this.props.onScroll) {\n this.props.onScroll();\n }\n }\n }, 150, {\n trailing: true,\n });\n\n componentDidMount () {\n this.attachScrollListener();\n this.attachIntersectionObserver();\n attachFullscreenListener(this.onFullScreenChange);\n\n // Handle initial scroll posiiton\n this.handleScroll();\n }\n\n getSnapshotBeforeUpdate (prevProps) {\n const someItemInserted = React.Children.count(prevProps.children) > 0 &&\n React.Children.count(prevProps.children) < React.Children.count(this.props.children) &&\n this.getFirstChildKey(prevProps) !== this.getFirstChildKey(this.props);\n if (someItemInserted && this.node.scrollTop > 0) {\n return this.node.scrollHeight - this.node.scrollTop;\n } else {\n return null;\n }\n }\n\n componentDidUpdate (prevProps, prevState, snapshot) {\n // Reset the scroll position when a new child comes in in order not to\n // jerk the scrollbar around if you're already scrolled down the page.\n if (snapshot !== null) {\n const newScrollTop = this.node.scrollHeight - snapshot;\n\n if (this.node.scrollTop !== newScrollTop) {\n this.node.scrollTop = newScrollTop;\n }\n }\n }\n\n componentWillUnmount () {\n this.detachScrollListener();\n this.detachIntersectionObserver();\n detachFullscreenListener(this.onFullScreenChange);\n }\n\n onFullScreenChange = () => {\n this.setState({ fullscreen: isFullscreen() });\n }\n\n attachIntersectionObserver () {\n this.intersectionObserverWrapper.connect({\n root: this.node,\n rootMargin: '300% 0px',\n });\n }\n\n detachIntersectionObserver () {\n this.intersectionObserverWrapper.disconnect();\n }\n\n attachScrollListener () {\n this.node.addEventListener('scroll', this.handleScroll);\n }\n\n detachScrollListener () {\n this.node.removeEventListener('scroll', this.handleScroll);\n }\n\n getFirstChildKey (props) {\n const { children } = props;\n let firstChild = children;\n if (children instanceof ImmutableList) {\n firstChild = children.get(0);\n } else if (Array.isArray(children)) {\n firstChild = children[0];\n }\n return firstChild && firstChild.key;\n }\n\n setRef = (c) => {\n this.node = c;\n }\n\n handleLoadMore = (e) => {\n e.preventDefault();\n this.props.onLoadMore();\n }\n\n render () {\n const { children, scrollKey, trackScroll, shouldUpdateScroll, isLoading, hasMore, prepend, alwaysPrepend, emptyMessage, onLoadMore } = this.props;\n const { fullscreen } = this.state;\n const childrenCount = React.Children.count(children);\n\n const loadMore = (hasMore && childrenCount > 0 && onLoadMore) ? : null;\n let scrollableArea = null;\n\n if (isLoading || childrenCount > 0 || !emptyMessage) {\n scrollableArea = (\n
\n
\n {prepend}\n\n {React.Children.map(this.props.children, (child, index) => (\n \n {child}\n \n ))}\n\n {loadMore}\n
\n
\n );\n } else {\n scrollableArea = (\n
\n {alwaysPrepend && prepend}\n\n
\n {emptyMessage}\n
\n
\n );\n }\n\n if (trackScroll) {\n return (\n \n {scrollableArea}\n \n );\n } else {\n return scrollableArea;\n }\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/scrollable_list.js","import { connect } from 'react-redux';\nimport IntersectionObserverArticle from '../components/intersection_observer_article';\nimport { setHeight } from '../actions/height_cache';\n\nconst makeMapStateToProps = (state, props) => ({\n cachedHeight: state.getIn(['height_cache', props.saveHeightKey, props.id]),\n});\n\nconst mapDispatchToProps = (dispatch) => ({\n\n onHeightChange (key, id, height) {\n dispatch(setHeight(key, id, height));\n },\n\n});\n\nexport default connect(makeMapStateToProps, mapDispatchToProps)(IntersectionObserverArticle);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/intersection_observer_article_container.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport scheduleIdleTask from '../features/ui/util/schedule_idle_task';\nimport getRectFromEntry from '../features/ui/util/get_rect_from_entry';\nimport { is } from 'immutable';\n\n// Diff these props in the \"rendered\" state\nconst updateOnPropsForRendered = ['id', 'index', 'listLength'];\n// Diff these props in the \"unrendered\" state\nconst updateOnPropsForUnrendered = ['id', 'index', 'listLength', 'cachedHeight'];\n\nexport default class IntersectionObserverArticle extends React.Component {\n\n static propTypes = {\n intersectionObserverWrapper: PropTypes.object.isRequired,\n id: PropTypes.oneOfType([PropTypes.string, PropTypes.number]),\n index: PropTypes.oneOfType([PropTypes.string, PropTypes.number]),\n listLength: PropTypes.oneOfType([PropTypes.string, PropTypes.number]),\n saveHeightKey: PropTypes.string,\n cachedHeight: PropTypes.number,\n onHeightChange: PropTypes.func,\n children: PropTypes.node,\n };\n\n state = {\n isHidden: false, // set to true in requestIdleCallback to trigger un-render\n }\n\n shouldComponentUpdate (nextProps, nextState) {\n const isUnrendered = !this.state.isIntersecting && (this.state.isHidden || this.props.cachedHeight);\n const willBeUnrendered = !nextState.isIntersecting && (nextState.isHidden || nextProps.cachedHeight);\n if (!!isUnrendered !== !!willBeUnrendered) {\n // If we're going from rendered to unrendered (or vice versa) then update\n return true;\n }\n // Otherwise, diff based on props\n const propsToDiff = isUnrendered ? updateOnPropsForUnrendered : updateOnPropsForRendered;\n return !propsToDiff.every(prop => is(nextProps[prop], this.props[prop]));\n }\n\n componentDidMount () {\n const { intersectionObserverWrapper, id } = this.props;\n\n intersectionObserverWrapper.observe(\n id,\n this.node,\n this.handleIntersection\n );\n\n this.componentMounted = true;\n }\n\n componentWillUnmount () {\n const { intersectionObserverWrapper, id } = this.props;\n intersectionObserverWrapper.unobserve(id, this.node);\n\n this.componentMounted = false;\n }\n\n handleIntersection = (entry) => {\n this.entry = entry;\n\n scheduleIdleTask(this.calculateHeight);\n this.setState(this.updateStateAfterIntersection);\n }\n\n updateStateAfterIntersection = (prevState) => {\n if (prevState.isIntersecting && !this.entry.isIntersecting) {\n scheduleIdleTask(this.hideIfNotIntersecting);\n }\n return {\n isIntersecting: this.entry.isIntersecting,\n isHidden: false,\n };\n }\n\n calculateHeight = () => {\n const { onHeightChange, saveHeightKey, id } = this.props;\n // save the height of the fully-rendered element (this is expensive\n // on Chrome, where we need to fall back to getBoundingClientRect)\n this.height = getRectFromEntry(this.entry).height;\n\n if (onHeightChange && saveHeightKey) {\n onHeightChange(saveHeightKey, id, this.height);\n }\n }\n\n hideIfNotIntersecting = () => {\n if (!this.componentMounted) {\n return;\n }\n\n // When the browser gets a chance, test if we're still not intersecting,\n // and if so, set our isHidden to true to trigger an unrender. The point of\n // this is to save DOM nodes and avoid using up too much memory.\n // See: https://github.com/tootsuite/mastodon/issues/2900\n this.setState((prevState) => ({ isHidden: !prevState.isIntersecting }));\n }\n\n handleRef = (node) => {\n this.node = node;\n }\n\n render () {\n const { children, id, index, listLength, cachedHeight } = this.props;\n const { isIntersecting, isHidden } = this.state;\n\n if (!isIntersecting && (isHidden || cachedHeight)) {\n return (\n \n {children && React.cloneElement(children, { hidden: true })}\n \n );\n }\n\n return (\n
\n {children && React.cloneElement(children, { hidden: false })}\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/intersection_observer_article.js","// Wrapper to call requestIdleCallback() to schedule low-priority work.\n// See https://developer.mozilla.org/en-US/docs/Web/API/Background_Tasks_API\n// for a good breakdown of the concepts behind this.\n\nimport Queue from 'tiny-queue';\n\nconst taskQueue = new Queue();\nlet runningRequestIdleCallback = false;\n\nfunction runTasks(deadline) {\n while (taskQueue.length && deadline.timeRemaining() > 0) {\n taskQueue.shift()();\n }\n if (taskQueue.length) {\n requestIdleCallback(runTasks);\n } else {\n runningRequestIdleCallback = false;\n }\n}\n\nfunction scheduleIdleTask(task) {\n taskQueue.push(task);\n if (!runningRequestIdleCallback) {\n runningRequestIdleCallback = true;\n requestIdleCallback(runTasks);\n }\n}\n\nexport default scheduleIdleTask;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/schedule_idle_task.js","'use strict';\n\n// Simple FIFO queue implementation to avoid having to do shift()\n// on an array, which is slow.\n\nfunction Queue() {\n this.length = 0;\n}\n\nQueue.prototype.push = function (item) {\n var node = {item: item};\n if (this.last) {\n this.last = this.last.next = node;\n } else {\n this.last = this.first = node;\n }\n this.length++;\n};\n\nQueue.prototype.shift = function () {\n var node = this.first;\n if (node) {\n this.first = node.next;\n if (!(--this.length)) {\n this.last = undefined;\n }\n return node.item;\n }\n};\n\nQueue.prototype.slice = function (start, end) {\n start = typeof start === 'undefined' ? 0 : start;\n end = typeof end === 'undefined' ? Infinity : end;\n\n var output = [];\n\n var i = 0;\n for (var node = this.first; node; node = node.next) {\n if (--end < 0) {\n break;\n } else if (++i > start) {\n output.push(node.item);\n }\n }\n return output;\n}\n\nmodule.exports = Queue;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/tiny-queue/index.js","\n// Get the bounding client rect from an IntersectionObserver entry.\n// This is to work around a bug in Chrome: https://crbug.com/737228\n\nlet hasBoundingRectBug;\n\nfunction getRectFromEntry(entry) {\n if (typeof hasBoundingRectBug !== 'boolean') {\n const boundingRect = entry.target.getBoundingClientRect();\n const observerRect = entry.boundingClientRect;\n hasBoundingRectBug = boundingRect.height !== observerRect.height ||\n boundingRect.top !== observerRect.top ||\n boundingRect.width !== observerRect.width ||\n boundingRect.bottom !== observerRect.bottom ||\n boundingRect.left !== observerRect.left ||\n boundingRect.right !== observerRect.right;\n }\n return hasBoundingRectBug ? entry.target.getBoundingClientRect() : entry.boundingClientRect;\n}\n\nexport default getRectFromEntry;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/get_rect_from_entry.js","// Wrapper for IntersectionObserver in order to make working with it\n// a bit easier. We also follow this performance advice:\n// \"If you need to observe multiple elements, it is both possible and\n// advised to observe multiple elements using the same IntersectionObserver\n// instance by calling observe() multiple times.\"\n// https://developers.google.com/web/updates/2016/04/intersectionobserver\n\nclass IntersectionObserverWrapper {\n\n callbacks = {};\n observerBacklog = [];\n observer = null;\n\n connect (options) {\n const onIntersection = (entries) => {\n entries.forEach(entry => {\n const id = entry.target.getAttribute('data-id');\n if (this.callbacks[id]) {\n this.callbacks[id](entry);\n }\n });\n };\n\n this.observer = new IntersectionObserver(onIntersection, options);\n this.observerBacklog.forEach(([ id, node, callback ]) => {\n this.observe(id, node, callback);\n });\n this.observerBacklog = null;\n }\n\n observe (id, node, callback) {\n if (!this.observer) {\n this.observerBacklog.push([ id, node, callback ]);\n } else {\n this.callbacks[id] = callback;\n this.observer.observe(node);\n }\n }\n\n unobserve (id, node) {\n if (this.observer) {\n delete this.callbacks[id];\n this.observer.unobserve(node);\n }\n }\n\n disconnect () {\n if (this.observer) {\n this.callbacks = {};\n this.observer.disconnect();\n this.observer = null;\n }\n }\n\n}\n\nexport default IntersectionObserverWrapper;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/intersection_observer_wrapper.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { injectIntl, defineMessages } from 'react-intl';\n\nconst messages = defineMessages({\n load_more: { id: 'status.load_more', defaultMessage: 'Load more' },\n});\n\n@injectIntl\nexport default class LoadGap extends React.PureComponent {\n\n static propTypes = {\n disabled: PropTypes.bool,\n maxId: PropTypes.string,\n onClick: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n };\n\n handleClick = () => {\n this.props.onClick(this.props.maxId);\n }\n\n render () {\n const { disabled, intl } = this.props;\n\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/load_gap.js","import { debounce } from 'lodash';\nimport React from 'react';\nimport ImmutablePropTypes from 'react-immutable-proptypes';\nimport PropTypes from 'prop-types';\nimport StatusContainer from '../containers/status_container';\nimport ImmutablePureComponent from 'react-immutable-pure-component';\nimport LoadGap from './load_gap';\nimport ScrollableList from './scrollable_list';\nimport { FormattedMessage } from 'react-intl';\n\nexport default class StatusList extends ImmutablePureComponent {\n\n static propTypes = {\n scrollKey: PropTypes.string.isRequired,\n statusIds: ImmutablePropTypes.list.isRequired,\n featuredStatusIds: ImmutablePropTypes.list,\n onLoadMore: PropTypes.func,\n onScrollToTop: PropTypes.func,\n onScroll: PropTypes.func,\n trackScroll: PropTypes.bool,\n shouldUpdateScroll: PropTypes.func,\n isLoading: PropTypes.bool,\n isPartial: PropTypes.bool,\n hasMore: PropTypes.bool,\n prepend: PropTypes.node,\n emptyMessage: PropTypes.node,\n alwaysPrepend: PropTypes.bool,\n };\n\n static defaultProps = {\n trackScroll: true,\n };\n\n getFeaturedStatusCount = () => {\n return this.props.featuredStatusIds ? this.props.featuredStatusIds.size : 0;\n }\n\n getCurrentStatusIndex = (id, featured) => {\n if (featured) {\n return this.props.featuredStatusIds.indexOf(id);\n } else {\n return this.props.statusIds.indexOf(id) + this.getFeaturedStatusCount();\n }\n }\n\n handleMoveUp = (id, featured) => {\n const elementIndex = this.getCurrentStatusIndex(id, featured) - 1;\n this._selectChild(elementIndex);\n }\n\n handleMoveDown = (id, featured) => {\n const elementIndex = this.getCurrentStatusIndex(id, featured) + 1;\n this._selectChild(elementIndex);\n }\n\n handleLoadOlder = debounce(() => {\n this.props.onLoadMore(this.props.statusIds.last());\n }, 300, { leading: true })\n\n _selectChild (index) {\n const element = this.node.node.querySelector(`article:nth-of-type(${index + 1}) .focusable`);\n\n if (element) {\n element.focus();\n }\n }\n\n setRef = c => {\n this.node = c;\n }\n\n render () {\n const { statusIds, featuredStatusIds, onLoadMore, ...other } = this.props;\n const { isLoading, isPartial } = other;\n\n if (isPartial) {\n return (\n
\n
\n
\n\n
\n \n \n
\n
\n
\n );\n }\n\n let scrollableContent = (isLoading || statusIds.size > 0) ? (\n statusIds.map((statusId, index) => statusId === null ? (\n 0 ? statusIds.get(index - 1) : null}\n onClick={onLoadMore}\n />\n ) : (\n \n ))\n ) : null;\n\n if (scrollableContent && featuredStatusIds) {\n scrollableContent = featuredStatusIds.map(statusId => (\n \n )).concat(scrollableContent);\n }\n\n return (\n \n {scrollableContent}\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/status_list.js","import loadPolyfills from '../mastodon/load_polyfills';\n\nfunction loaded() {\n const TimelineContainer = require('../mastodon/containers/timeline_container').default;\n const React = require('react');\n const ReactDOM = require('react-dom');\n const mountNode = document.getElementById('mastodon-timeline');\n\n if (mountNode !== null) {\n const props = JSON.parse(mountNode.getAttribute('data-props'));\n ReactDOM.render(, mountNode);\n }\n}\n\nfunction main() {\n const ready = require('../mastodon/ready').default;\n ready(loaded);\n}\n\nloadPolyfills().then(main).catch(error => {\n console.error(error);\n});\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/packs/about.js","import React, { Fragment } from 'react';\nimport ReactDOM from 'react-dom';\nimport { Provider } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport configureStore from '../store/configureStore';\nimport { hydrateStore } from '../actions/store';\nimport { IntlProvider, addLocaleData } from 'react-intl';\nimport { getLocale } from '../locales';\nimport PublicTimeline from '../features/standalone/public_timeline';\nimport CommunityTimeline from '../features/standalone/community_timeline';\nimport HashtagTimeline from '../features/standalone/hashtag_timeline';\nimport ModalContainer from '../features/ui/containers/modal_container';\nimport initialState from '../initial_state';\n\nconst { localeData, messages } = getLocale();\naddLocaleData(localeData);\n\nconst store = configureStore();\n\nif (initialState) {\n store.dispatch(hydrateStore(initialState));\n}\n\nexport default class TimelineContainer extends React.PureComponent {\n\n static propTypes = {\n locale: PropTypes.string.isRequired,\n hashtag: PropTypes.string,\n showPublicTimeline: PropTypes.bool.isRequired,\n };\n\n static defaultProps = {\n showPublicTimeline: initialState.settings.known_fediverse,\n };\n\n render () {\n const { locale, hashtag, showPublicTimeline } = this.props;\n\n let timeline;\n\n if (hashtag) {\n timeline = ;\n } else if (showPublicTimeline) {\n timeline = ;\n } else {\n timeline = ;\n }\n\n return (\n \n \n \n {timeline}\n {ReactDOM.createPortal(\n ,\n document.getElementById('modal-container'),\n )}\n \n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/timeline_container.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport StatusListContainer from '../../ui/containers/status_list_container';\nimport { expandPublicTimeline } from '../../../actions/timelines';\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport { defineMessages, injectIntl } from 'react-intl';\nimport { connectPublicStream } from '../../../actions/streaming';\n\nconst messages = defineMessages({\n title: { id: 'standalone.public_title', defaultMessage: 'A look inside...' },\n});\n\n@connect()\n@injectIntl\nexport default class PublicTimeline extends React.PureComponent {\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n };\n\n handleHeaderClick = () => {\n this.column.scrollTop();\n }\n\n setRef = c => {\n this.column = c;\n }\n\n componentDidMount () {\n const { dispatch } = this.props;\n\n dispatch(expandPublicTimeline());\n this.disconnect = dispatch(connectPublicStream());\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n handleLoadMore = maxId => {\n this.props.dispatch(expandPublicTimeline({ maxId }));\n }\n\n render () {\n const { intl } = this.props;\n\n return (\n \n \n\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/standalone/public_timeline/index.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport StatusListContainer from '../../ui/containers/status_list_container';\nimport { expandCommunityTimeline } from '../../../actions/timelines';\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport { defineMessages, injectIntl } from 'react-intl';\nimport { connectCommunityStream } from '../../../actions/streaming';\n\nconst messages = defineMessages({\n title: { id: 'standalone.public_title', defaultMessage: 'A look inside...' },\n});\n\n@connect()\n@injectIntl\nexport default class CommunityTimeline extends React.PureComponent {\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n };\n\n handleHeaderClick = () => {\n this.column.scrollTop();\n }\n\n setRef = c => {\n this.column = c;\n }\n\n componentDidMount () {\n const { dispatch } = this.props;\n\n dispatch(expandCommunityTimeline());\n this.disconnect = dispatch(connectCommunityStream());\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n handleLoadMore = maxId => {\n this.props.dispatch(expandCommunityTimeline({ maxId }));\n }\n\n render () {\n const { intl } = this.props;\n\n return (\n \n \n\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/standalone/community_timeline/index.js","import React from 'react';\nimport { connect } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport StatusListContainer from '../../ui/containers/status_list_container';\nimport { expandHashtagTimeline } from '../../../actions/timelines';\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport { connectHashtagStream } from '../../../actions/streaming';\n\n@connect()\nexport default class HashtagTimeline extends React.PureComponent {\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n hashtag: PropTypes.string.isRequired,\n };\n\n handleHeaderClick = () => {\n this.column.scrollTop();\n }\n\n setRef = c => {\n this.column = c;\n }\n\n componentDidMount () {\n const { dispatch, hashtag } = this.props;\n\n dispatch(expandHashtagTimeline(hashtag));\n this.disconnect = dispatch(connectHashtagStream(hashtag));\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n handleLoadMore = maxId => {\n this.props.dispatch(expandHashtagTimeline(this.props.hashtag, { maxId }));\n }\n\n render () {\n const { hashtag } = this.props;\n\n return (\n \n \n\n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/standalone/hashtag_timeline/index.js","/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nimport allLocaleData from '../locale-data/index.js';\nimport IntlMessageFormat from 'intl-messageformat';\nimport IntlRelativeFormat from 'intl-relativeformat';\nimport PropTypes from 'prop-types';\nimport React, { Children, Component, createElement, isValidElement } from 'react';\nimport invariant from 'invariant';\nimport memoizeIntlConstructor from 'intl-format-cache';\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n IntlMessageFormat.__addLocaleData(localeData);\n IntlRelativeFormat.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(IntlMessageFormat.__localeData__[normalizedLocale] && IntlRelativeFormat.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\n\n\n\n\n\n\n\n\n\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\n\n\n\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\n\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\n\n\n\n\n\n\n\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = PropTypes.bool;\nvar number = PropTypes.number;\nvar string = PropTypes.string;\nvar func = PropTypes.func;\nvar object = PropTypes.object;\nvar oneOf = PropTypes.oneOf;\nvar shape = PropTypes.shape;\nvar any = PropTypes.any;\nvar oneOfType = PropTypes.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n invariant(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n invariant(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return React.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(Component);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return IntlMessageFormat.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return IntlMessageFormat.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = IntlRelativeFormat.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, IntlRelativeFormat.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n invariant(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && process.env.NODE_ENV === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (process.env.NODE_ENV !== 'production') {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\n\n\nvar format = Object.freeze({\n\tformatDate: formatDate,\n\tformatTime: formatTime,\n\tformatRelative: formatRelative,\n\tformatNumber: formatNumber,\n\tformatPlural: formatPlural,\n\tformatMessage: formatMessage,\n\tformatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n invariant(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: memoizeIntlConstructor(Intl.DateTimeFormat),\n getNumberFormat: memoizeIntlConstructor(Intl.NumberFormat),\n getMessageFormat: memoizeIntlConstructor(IntlMessageFormat),\n getRelativeFormat: memoizeIntlConstructor(IntlRelativeFormat),\n getPluralFormat: memoizeIntlConstructor(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return Children.only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(Component);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\nprocess.env.NODE_ENV !== \"production\" ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return React.createElement(\n Text,\n null,\n formattedDate\n );\n }\n }]);\n return FormattedDate;\n}(Component);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedDate.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return React.createElement(\n Text,\n null,\n formattedTime\n );\n }\n }]);\n return FormattedTime;\n}(Component);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedTime.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return React.createElement(\n Text,\n null,\n formattedRelative\n );\n }\n }]);\n return FormattedRelative;\n}(Component);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedRelative.propTypes = _extends({}, relativeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n updateInterval: PropTypes.number,\n initialNow: PropTypes.any,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return React.createElement(\n Text,\n null,\n formattedNumber\n );\n }\n }]);\n return FormattedNumber;\n}(Component);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedNumber.propTypes = _extends({}, numberFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return React.createElement(\n Text,\n null,\n formattedPlural\n );\n }\n }]);\n return FormattedPlural;\n}(Component);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedPlural.propTypes = _extends({}, pluralFormatPropTypes, {\n value: PropTypes.any.isRequired,\n\n other: PropTypes.node.isRequired,\n zero: PropTypes.node,\n one: PropTypes.node,\n two: PropTypes.node,\n few: PropTypes.node,\n many: PropTypes.node,\n\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (isValidElement(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return createElement.apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(Component);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return React.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(Component);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedHTMLMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(allLocaleData);\n\nexport { addLocaleData, intlShape, injectIntl, defineMessages, IntlProvider, FormattedDate, FormattedTime, FormattedRelative, FormattedNumber, FormattedPlural, FormattedMessage, FormattedHTMLMessage };\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/react-intl/lib/index.es.js","import { connect } from 'react-redux';\nimport StatusList from '../../../components/status_list';\nimport { scrollTopTimeline } from '../../../actions/timelines';\nimport { Map as ImmutableMap, List as ImmutableList } from 'immutable';\nimport { createSelector } from 'reselect';\nimport { debounce } from 'lodash';\nimport { me } from '../../../initial_state';\n\nconst makeGetStatusIds = () => createSelector([\n (state, { type }) => state.getIn(['settings', type], ImmutableMap()),\n (state, { type }) => state.getIn(['timelines', type, 'items'], ImmutableList()),\n (state) => state.get('statuses'),\n], (columnSettings, statusIds, statuses) => {\n const rawRegex = columnSettings.getIn(['regex', 'body'], '').trim();\n let regex = null;\n\n try {\n regex = rawRegex && new RegExp(rawRegex, 'i');\n } catch (e) {\n // Bad regex, don't affect filters\n }\n\n return statusIds.filter(id => {\n if (id === null) return true;\n\n const statusForId = statuses.get(id);\n let showStatus = true;\n\n if (columnSettings.getIn(['shows', 'reblog']) === false) {\n showStatus = showStatus && statusForId.get('reblog') === null;\n }\n\n if (columnSettings.getIn(['shows', 'reply']) === false) {\n showStatus = showStatus && (statusForId.get('in_reply_to_id') === null || statusForId.get('in_reply_to_account_id') === me);\n }\n\n if (showStatus && regex && statusForId.get('account') !== me) {\n const searchIndex = statusForId.get('reblog') ? statuses.getIn([statusForId.get('reblog'), 'search_index']) : statusForId.get('search_index');\n showStatus = !regex.test(searchIndex);\n }\n\n return showStatus;\n });\n});\n\nconst makeMapStateToProps = () => {\n const getStatusIds = makeGetStatusIds();\n\n const mapStateToProps = (state, { timelineId }) => ({\n statusIds: getStatusIds(state, { type: timelineId }),\n isLoading: state.getIn(['timelines', timelineId, 'isLoading'], true),\n isPartial: state.getIn(['timelines', timelineId, 'isPartial'], false),\n hasMore: state.getIn(['timelines', timelineId, 'hasMore']),\n });\n\n return mapStateToProps;\n};\n\nconst mapDispatchToProps = (dispatch, { timelineId }) => ({\n\n onScrollToTop: debounce(() => {\n dispatch(scrollTopTimeline(timelineId, true));\n }, 100),\n\n onScroll: debounce(() => {\n dispatch(scrollTopTimeline(timelineId, false));\n }, 100),\n\n});\n\nexport default connect(makeMapStateToProps, mapDispatchToProps)(StatusList);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/containers/status_list_container.js"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/packs/admin.js b/priv/static/packs/admin.js index e12bb2610..625c68c8c 100644 --- a/priv/static/packs/admin.js +++ b/priv/static/packs/admin.js @@ -1,2 +1,2 @@ -webpackJsonp([69],{658:function(e,c,t){"use strict";function o(e){var c=e.detail,t=c[0],o=document.querySelector('[data-id="'+t.id+'"]');o&&o.parentNode.removeChild(o)}Object.defineProperty(c,"__esModule",{value:!0});var n=t(144);t.n(n);[].forEach.call(document.querySelectorAll(".trash-button"),function(e){e.addEventListener("ajax:success",o)});Object(n.delegate)(document,"#batch_checkbox_all","change",function(e){var c=e.target;[].forEach.call(document.querySelectorAll('.batch-checkbox input[type="checkbox"]'),function(e){e.checked=c.checked})}),Object(n.delegate)(document,'.batch-checkbox input[type="checkbox"]',"change",function(){var e=document.querySelector("#batch_checkbox_all");e&&(e.checked=[].every.call(document.querySelectorAll('.batch-checkbox input[type="checkbox"]'),function(e){return e.checked}))}),Object(n.delegate)(document,".media-spoiler-show-button","click",function(){[].forEach.call(document.querySelectorAll("button.media-spoiler"),function(e){e.click()})}),Object(n.delegate)(document,".media-spoiler-hide-button","click",function(){[].forEach.call(document.querySelectorAll(".spoiler-button.spoiler-button--visible button"),function(e){e.click()})})}},[658]); +webpackJsonp([85],{661:function(e,c,t){"use strict";function o(e){var c=e.detail,t=c[0],o=document.querySelector('[data-id="'+t.id+'"]');o&&o.parentNode.removeChild(o)}Object.defineProperty(c,"__esModule",{value:!0});var n=t(152);t.n(n);[].forEach.call(document.querySelectorAll(".trash-button"),function(e){e.addEventListener("ajax:success",o)});var l='.batch-checkbox input[type="checkbox"]';Object(n.delegate)(document,"#batch_checkbox_all","change",function(e){var c=e.target;[].forEach.call(document.querySelectorAll(l),function(e){e.checked=c.checked})}),Object(n.delegate)(document,l,"change",function(){var e=document.querySelector("#batch_checkbox_all");e&&(e.checked=[].every.call(document.querySelectorAll(l),function(e){return e.checked}),e.indeterminate=!e.checked&&[].some.call(document.querySelectorAll(l),function(e){return e.checked}))}),Object(n.delegate)(document,".media-spoiler-show-button","click",function(){[].forEach.call(document.querySelectorAll("button.media-spoiler"),function(e){e.click()})}),Object(n.delegate)(document,".media-spoiler-hide-button","click",function(){[].forEach.call(document.querySelectorAll(".spoiler-button.spoiler-button--visible button"),function(e){e.click()})})}},[661]); //# sourceMappingURL=admin.js.map \ No newline at end of file diff --git a/priv/static/packs/admin.js.map b/priv/static/packs/admin.js.map index 32e70549d..1cfa729f6 100644 --- a/priv/static/packs/admin.js.map +++ b/priv/static/packs/admin.js.map @@ -1 +1 @@ -{"version":3,"sources":["webpack:///admin.js","webpack:///./app/javascript/packs/admin.js"],"names":["webpackJsonp","658","module","__webpack_exports__","__webpack_require__","handleDeleteStatus","event","_event$detail","detail","data","element","document","querySelector","id","parentNode","removeChild","Object","defineProperty","value","__WEBPACK_IMPORTED_MODULE_0_rails_ujs__","n","forEach","call","querySelectorAll","content","addEventListener","_ref","target","checked","checkAllElement","every","click"],"mappings":"AAAAA,cAAc,KAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YCHA,SAASC,GAAmBC,GAAO,GAAAC,GAClBD,EAAME,OAAdC,EAD0BF,EAAA,GAE3BG,EAAUC,SAASC,cAAT,aAAoCH,EAAKI,GAAzC,KACZH,IACFA,EAAQI,WAAWC,YAAYL,GDAnCM,OAAOC,eAAed,EAAqB,cAAgBe,OAAO,GAC7C,IAAIC,GAA0Cf,EAAoB,IACZA,GAAoBgB,EAAED,MCE9FE,QAAQC,KAAKX,SAASY,iBAAiB,iBAAkB,SAACC,GAC3DA,EAAQC,iBAAiB,eAAgBpB,IAK3CW,QAAAG,EAAA,UAASR,SAAU,sBAAuB,SAAU,SAAAe,GAAgB,GAAbC,GAAaD,EAAbC,UAClDN,QAAQC,KAAKX,SAASY,iBAHI,0CAGsC,SAACC,GAClEA,EAAQI,QAAUD,EAAOC,YAI7BZ,OAAAG,EAAA,UAASR,SARsB,yCAQY,SAAU,WACnD,GAAMkB,GAAkBlB,SAASC,cAAc,sBAC3CiB,KACFA,EAAgBD,WAAaE,MAAMR,KAAKX,SAASY,iBAXtB,0CAWgE,SAACC,GAAD,MAAaA,GAAQI,aAIpHZ,OAAAG,EAAA,UAASR,SAAU,6BAA8B,QAAS,cACrDU,QAAQC,KAAKX,SAASY,iBAAiB,wBAAyB,SAACb,GAClEA,EAAQqB,YAIZf,OAAAG,EAAA,UAASR,SAAU,6BAA8B,QAAS,cACrDU,QAAQC,KAAKX,SAASY,iBAAiB,kDAAmD,SAACb,GAC5FA,EAAQqB,eDqBT","file":"admin.js","sourcesContent":["webpackJsonp([69],{\n\n/***/ 658:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_rails_ujs__ = __webpack_require__(144);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_rails_ujs___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__);\n\n\nfunction handleDeleteStatus(event) {\n var _event$detail = event.detail,\n data = _event$detail[0];\n\n var element = document.querySelector('[data-id=\"' + data.id + '\"]');\n if (element) {\n element.parentNode.removeChild(element);\n }\n}\n\n[].forEach.call(document.querySelectorAll('.trash-button'), function (content) {\n content.addEventListener('ajax:success', handleDeleteStatus);\n});\n\nvar batchCheckboxClassName = '.batch-checkbox input[type=\"checkbox\"]';\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, '#batch_checkbox_all', 'change', function (_ref) {\n var target = _ref.target;\n\n [].forEach.call(document.querySelectorAll(batchCheckboxClassName), function (content) {\n content.checked = target.checked;\n });\n});\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, batchCheckboxClassName, 'change', function () {\n var checkAllElement = document.querySelector('#batch_checkbox_all');\n if (checkAllElement) {\n checkAllElement.checked = [].every.call(document.querySelectorAll(batchCheckboxClassName), function (content) {\n return content.checked;\n });\n }\n});\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, '.media-spoiler-show-button', 'click', function () {\n [].forEach.call(document.querySelectorAll('button.media-spoiler'), function (element) {\n element.click();\n });\n});\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, '.media-spoiler-hide-button', 'click', function () {\n [].forEach.call(document.querySelectorAll('.spoiler-button.spoiler-button--visible button'), function (element) {\n element.click();\n });\n});\n\n/***/ })\n\n},[658]);\n\n\n// WEBPACK FOOTER //\n// admin.js","import { delegate } from 'rails-ujs';\n\nfunction handleDeleteStatus(event) {\n const [data] = event.detail;\n const element = document.querySelector(`[data-id=\"${data.id}\"]`);\n if (element) {\n element.parentNode.removeChild(element);\n }\n}\n\n[].forEach.call(document.querySelectorAll('.trash-button'), (content) => {\n content.addEventListener('ajax:success', handleDeleteStatus);\n});\n\nconst batchCheckboxClassName = '.batch-checkbox input[type=\"checkbox\"]';\n\ndelegate(document, '#batch_checkbox_all', 'change', ({ target }) => {\n [].forEach.call(document.querySelectorAll(batchCheckboxClassName), (content) => {\n content.checked = target.checked;\n });\n});\n\ndelegate(document, batchCheckboxClassName, 'change', () => {\n const checkAllElement = document.querySelector('#batch_checkbox_all');\n if (checkAllElement) {\n checkAllElement.checked = [].every.call(document.querySelectorAll(batchCheckboxClassName), (content) => content.checked);\n }\n});\n\ndelegate(document, '.media-spoiler-show-button', 'click', () => {\n [].forEach.call(document.querySelectorAll('button.media-spoiler'), (element) => {\n element.click();\n });\n});\n\ndelegate(document, '.media-spoiler-hide-button', 'click', () => {\n [].forEach.call(document.querySelectorAll('.spoiler-button.spoiler-button--visible button'), (element) => {\n element.click();\n });\n});\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/packs/admin.js"],"sourceRoot":""} \ No newline at end of file +{"version":3,"sources":["webpack:///admin.js","webpack:///./app/javascript/packs/admin.js"],"names":["webpackJsonp","661","module","__webpack_exports__","__webpack_require__","handleDeleteStatus","event","_event$detail","detail","data","element","document","querySelector","id","parentNode","removeChild","Object","defineProperty","value","__WEBPACK_IMPORTED_MODULE_0_rails_ujs__","n","forEach","call","querySelectorAll","content","addEventListener","batchCheckboxClassName","_ref","target","checked","checkAllElement","every","indeterminate","some","click"],"mappings":"AAAAA,cAAc,KAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YCHA,SAASC,GAAmBC,GAAO,GAAAC,GAClBD,EAAME,OAAdC,EAD0BF,EAAA,GAE3BG,EAAUC,SAASC,cAAT,aAAoCH,EAAKI,GAAzC,KACZH,IACFA,EAAQI,WAAWC,YAAYL,GDAnCM,OAAOC,eAAed,EAAqB,cAAgBe,OAAO,GAC7C,IAAIC,GAA0Cf,EAAoB,IACZA,GAAoBgB,EAAED,MCE9FE,QAAQC,KAAKX,SAASY,iBAAiB,iBAAkB,SAACC,GAC3DA,EAAQC,iBAAiB,eAAgBpB,IAG3C,IAAMqB,GAAyB,wCAE/BV,QAAAG,EAAA,UAASR,SAAU,sBAAuB,SAAU,SAAAgB,GAAgB,GAAbC,GAAaD,EAAbC,UAClDP,QAAQC,KAAKX,SAASY,iBAAiBG,GAAyB,SAACF,GAClEA,EAAQK,QAAUD,EAAOC,YAI7Bb,OAAAG,EAAA,UAASR,SAAUe,EAAwB,SAAU,WACnD,GAAMI,GAAkBnB,SAASC,cAAc,sBAC3CkB,KACFA,EAAgBD,WAAaE,MAAMT,KAAKX,SAASY,iBAAiBG,GAAyB,SAACF,GAAD,MAAaA,GAAQK,UAChHC,EAAgBE,eAAiBF,EAAgBD,YAAcI,KAAKX,KAAKX,SAASY,iBAAiBG,GAAyB,SAACF,GAAD,MAAaA,GAAQK,aAIrJb,OAAAG,EAAA,UAASR,SAAU,6BAA8B,QAAS,cACrDU,QAAQC,KAAKX,SAASY,iBAAiB,wBAAyB,SAACb,GAClEA,EAAQwB,YAIZlB,OAAAG,EAAA,UAASR,SAAU,6BAA8B,QAAS,cACrDU,QAAQC,KAAKX,SAASY,iBAAiB,kDAAmD,SAACb,GAC5FA,EAAQwB,eDuBT","file":"admin.js","sourcesContent":["webpackJsonp([85],{\n\n/***/ 661:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_rails_ujs__ = __webpack_require__(152);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_rails_ujs___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__);\n\n\nfunction handleDeleteStatus(event) {\n var _event$detail = event.detail,\n data = _event$detail[0];\n\n var element = document.querySelector('[data-id=\"' + data.id + '\"]');\n if (element) {\n element.parentNode.removeChild(element);\n }\n}\n\n[].forEach.call(document.querySelectorAll('.trash-button'), function (content) {\n content.addEventListener('ajax:success', handleDeleteStatus);\n});\n\nvar batchCheckboxClassName = '.batch-checkbox input[type=\"checkbox\"]';\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, '#batch_checkbox_all', 'change', function (_ref) {\n var target = _ref.target;\n\n [].forEach.call(document.querySelectorAll(batchCheckboxClassName), function (content) {\n content.checked = target.checked;\n });\n});\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, batchCheckboxClassName, 'change', function () {\n var checkAllElement = document.querySelector('#batch_checkbox_all');\n if (checkAllElement) {\n checkAllElement.checked = [].every.call(document.querySelectorAll(batchCheckboxClassName), function (content) {\n return content.checked;\n });\n checkAllElement.indeterminate = !checkAllElement.checked && [].some.call(document.querySelectorAll(batchCheckboxClassName), function (content) {\n return content.checked;\n });\n }\n});\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, '.media-spoiler-show-button', 'click', function () {\n [].forEach.call(document.querySelectorAll('button.media-spoiler'), function (element) {\n element.click();\n });\n});\n\nObject(__WEBPACK_IMPORTED_MODULE_0_rails_ujs__[\"delegate\"])(document, '.media-spoiler-hide-button', 'click', function () {\n [].forEach.call(document.querySelectorAll('.spoiler-button.spoiler-button--visible button'), function (element) {\n element.click();\n });\n});\n\n/***/ })\n\n},[661]);\n\n\n// WEBPACK FOOTER //\n// admin.js","import { delegate } from 'rails-ujs';\n\nfunction handleDeleteStatus(event) {\n const [data] = event.detail;\n const element = document.querySelector(`[data-id=\"${data.id}\"]`);\n if (element) {\n element.parentNode.removeChild(element);\n }\n}\n\n[].forEach.call(document.querySelectorAll('.trash-button'), (content) => {\n content.addEventListener('ajax:success', handleDeleteStatus);\n});\n\nconst batchCheckboxClassName = '.batch-checkbox input[type=\"checkbox\"]';\n\ndelegate(document, '#batch_checkbox_all', 'change', ({ target }) => {\n [].forEach.call(document.querySelectorAll(batchCheckboxClassName), (content) => {\n content.checked = target.checked;\n });\n});\n\ndelegate(document, batchCheckboxClassName, 'change', () => {\n const checkAllElement = document.querySelector('#batch_checkbox_all');\n if (checkAllElement) {\n checkAllElement.checked = [].every.call(document.querySelectorAll(batchCheckboxClassName), (content) => content.checked);\n checkAllElement.indeterminate = !checkAllElement.checked && [].some.call(document.querySelectorAll(batchCheckboxClassName), (content) => content.checked);\n }\n});\n\ndelegate(document, '.media-spoiler-show-button', 'click', () => {\n [].forEach.call(document.querySelectorAll('button.media-spoiler'), (element) => {\n element.click();\n });\n});\n\ndelegate(document, '.media-spoiler-hide-button', 'click', () => {\n [].forEach.call(document.querySelectorAll('.spoiler-button.spoiler-button--visible button'), (element) => {\n element.click();\n });\n});\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/packs/admin.js"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/packs/appcache/manifest.appcache b/priv/static/packs/appcache/manifest.appcache index 675eadc85..a2c984c77 100644 --- a/priv/static/packs/appcache/manifest.appcache +++ b/priv/static/packs/appcache/manifest.appcache @@ -1,5 +1,5 @@ CACHE MANIFEST -#ver:2018-4-9 21:57:37 +#ver:2018-8-12 18:01:32 #plugin:4.8.4 CACHE: @@ -13,33 +13,46 @@ CACHE: /packs/features/home_timeline.js /packs/features/public_timeline.js /packs/features/community_timeline.js -/packs/features/favourited_statuses.js -/packs/features/list_timeline.js +/packs/features/direct_timeline.js +/packs/features/pinned_statuses.js +/packs/features/domain_blocks.js /packs/features/following.js /packs/features/followers.js +/packs/features/favourited_statuses.js +/packs/features/list_timeline.js +/packs/features/account_gallery.js /packs/features/hashtag_timeline.js /packs/features/status.js -/packs/features/account_gallery.js -/packs/features/blocks.js +/packs/features/lists.js +/packs/modals/report_modal.js +/packs/features/getting_started.js /packs/features/follow_requests.js +/packs/features/mutes.js +/packs/features/blocks.js /packs/features/reblogs.js /packs/features/favourites.js -/packs/features/getting_started.js /packs/features/keyboard_shortcuts.js +/packs/modals/mute_modal.js /packs/features/generic_not_found.js /packs/features/list_editor.js +/packs/modals/embed_modal.js /packs/status/media_gallery.js +/packs/containers/media_container.js /packs/share.js /packs/application.js /packs/about.js -/packs/public.js /packs/mailer.js +/packs/mastodon-light.js +/packs/contrast.js /packs/default.js +/packs/public.js /packs/admin.js /packs/common.js /packs/common.css /packs/mailer.css /packs/default.css +/packs/contrast.css +/packs/mastodon-light.css /packs/manifest.json NETWORK: diff --git a/priv/static/packs/application.js b/priv/static/packs/application.js index 233f2dc35..047178a75 100644 --- a/priv/static/packs/application.js +++ b/priv/static/packs/application.js @@ -1,2 +1,2 @@ -webpackJsonp([27],{150:function(t,e,n){"use strict";n.d(e,"a",function(){return m});var o=n(2),r=n.n(o),a=n(1),i=n.n(a),s=n(3),c=n.n(s),l=n(4),u=n.n(l),d=n(0),p=n.n(d),h=n(10),f=n.n(h),m=function(t){function e(){var n,o,r;i()(this,e);for(var a=arguments.length,s=Array(a),l=0;l0&&void 0!==arguments[0]?arguments[0]:[];(Array.isArray(t)?t:[t]).forEach(function(t){t&&t.locale&&(S.a.__addLocaleData(t),L.a.__addLocaleData(t))})}function r(t){for(var e=(t||"").split("-");e.length>0;){if(a(e.join("-")))return!0;e.pop()}return!1}function a(t){var e=t&&t.toLowerCase();return!(!S.a.__localeData__[e]||!L.a.__localeData__[e])}function i(t){return(""+t).replace(wt,function(t){return bt[t]})}function s(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return e.reduce(function(e,o){return t.hasOwnProperty(o)?e[o]=t[o]:n.hasOwnProperty(o)&&(e[o]=n[o]),e},{})}function c(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.intl;R()(e,"[React Intl] Could not find required `intl` object. needs to exist in the component ancestry.")}function l(t,e){if(t===e)return!0;if("object"!==(void 0===t?"undefined":B(t))||null===t||"object"!==(void 0===e?"undefined":B(e))||null===e)return!1;var n=Object.keys(t),o=Object.keys(e);if(n.length!==o.length)return!1;for(var r=Object.prototype.hasOwnProperty.bind(e),a=0;a3&&void 0!==arguments[3]?arguments[3]:{},u=i.intl,d=void 0===u?{}:u,p=c.intl,h=void 0===p?{}:p;return!l(e,o)||!l(n,r)||!(h===d||l(s(h,gt),s(d,gt)))}function d(t){return t.displayName||t.name||"Component"}function p(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=e.intlPropName,o=void 0===n?"intl":n,r=e.withRef,a=void 0!==r&&r,i=function(e){function n(t,e){G(this,n);var o=Y(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,t,e));return c(e),o}return J(n,e),z(n,[{key:"getWrappedInstance",value:function(){return R()(a,"[React Intl] To access the wrapped instance, the `{withRef: true}` option must be set when calling: `injectIntl()`"),this.refs.wrappedInstance}},{key:"render",value:function(){return H.a.createElement(t,K({},this.props,V({},o,this.context.intl),{ref:a?"wrappedInstance":null}))}}]),n}(F.Component);return i.displayName="InjectIntl("+d(t)+")",i.contextTypes={intl:ht},i.WrappedComponent=t,i}function h(t){return t}function f(t){return S.a.prototype._resolveLocale(t)}function m(t){return S.a.prototype._findPluralRuleFunction(t)}function v(t){var e=L.a.thresholds;e.second=t.second,e.minute=t.minute,e.hour=t.hour,e.day=t.day,e.month=t.month}function y(t,e,n){var o=t&&t[e]&&t[e][n];if(o)return o}function g(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=new Date(n),l=i&&y(a,"date",i),u=s(o,_t,l);try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function b(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=new Date(n),l=i&&y(a,"time",i),u=s(o,_t,l);u.hour||u.minute||u.second||(u=K({},u,{hour:"numeric",minute:"numeric"}));try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function w(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=new Date(n),l=new Date(o.now),u=i&&y(a,"relative",i),d=s(o,Ct,u),p=K({},L.a.thresholds);v(Nt);try{return e.getRelativeFormat(r,d).format(c,{now:isFinite(l)?l:e.now()})}catch(t){}finally{v(p)}return String(c)}function k(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=i&&y(a,"number",i),l=s(o,Ot,c);try{return e.getNumberFormat(r,l).format(n)}catch(t){}return String(n)}function _(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=s(o,Tt);try{return e.getPluralFormat(r,a).format(n)}catch(t){}return"other"}function O(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=t.messages,s=t.defaultLocale,c=t.defaultFormats,l=n.id,u=n.defaultMessage;R()(l,"[React Intl] An `id` must be provided to format a message.");var d=i&&i[l];if(!(Object.keys(o).length>0))return d||u||l;var p=void 0;if(d)try{p=e.getMessageFormat(d,r,a).format(o)}catch(t){}if(!p&&u)try{p=e.getMessageFormat(u,s,c).format(o)}catch(t){}return p||d||u||l}function C(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};return O(t,e,n,Object.keys(o).reduce(function(t,e){var n=o[e];return t[e]="string"==typeof n?i(n):n,t},{}))}function T(t){var e=Math.abs(t);return e=0||Object.prototype.hasOwnProperty.call(t,o)&&(n[o]=t[o]);return n},Y=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e},X=function(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e":">","<":"<",'"':""","'":"'"},wt=/[&><"']/g,kt=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};G(this,t);var o="ordinal"===n.style,r=m(f(e));this.format=function(t){return r(t,o)}},_t=Object.keys(ft),Ot=Object.keys(mt),Ct=Object.keys(vt),Tt=Object.keys(yt),Nt={second:60,minute:60,hour:24,day:30,month:12},xt=Object.freeze({formatDate:g,formatTime:b,formatRelative:w,formatNumber:k,formatPlural:_,formatMessage:O,formatHTMLMessage:C}),jt=Object.keys(dt),Et=Object.keys(pt),Mt={formats:{},messages:{},textComponent:"span",defaultLocale:"en",defaultFormats:{}},St=function(t){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};G(this,e);var o=Y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));R()("undefined"!=typeof Intl,"[React Intl] The `Intl` APIs must be available in the runtime, and do not appear to be built-in. An `Intl` polyfill should be loaded.\nSee: http://formatjs.io/guides/runtime-environments/");var r=n.intl,a=void 0;a=isFinite(t.initialNow)?Number(t.initialNow):r?r.now():Date.now();var i=r||{},s=i.formatters,c=void 0===s?{getDateTimeFormat:W()(Intl.DateTimeFormat),getNumberFormat:W()(Intl.NumberFormat),getMessageFormat:W()(S.a),getRelativeFormat:W()(L.a),getPluralFormat:W()(kt)}:s;return o.state=K({},c,{now:function(){return o._didDisplay?Date.now():a}}),o}return J(e,t),z(e,[{key:"getConfig",value:function(){var t=this.context.intl,e=s(this.props,jt,t);for(var n in Mt)void 0===e[n]&&(e[n]=Mt[n]);if(!r(e.locale)){var o=e,a=(o.locale,o.defaultLocale),i=o.defaultFormats;e=K({},e,{locale:a,formats:i,messages:Mt.messages})}return e}},{key:"getBoundFormatFns",value:function(t,e){return Et.reduce(function(n,o){return n[o]=xt[o].bind(null,t,e),n},{})}},{key:"getChildContext",value:function(){var t=this.getConfig(),e=this.getBoundFormatFns(t,this.state),n=this.state,o=n.now,r=Z(n,["now"]);return{intl:K({},t,e,{formatters:r,now:o})}}},{key:"shouldComponentUpdate",value:function(){for(var t=arguments.length,e=Array(t),n=0;n1?o-1:0),a=1;a0){var f=Math.floor(1099511627776*Math.random()).toString(16),m=function(){var t=0;return function(){return"ELEMENT-"+f+"-"+(t+=1)}}();d="@__"+f+"__@",p={},h={},Object.keys(s).forEach(function(t){var e=s[t];if(Object(F.isValidElement)(e)){var n=m();p[t]=d+n+d,h[n]=e}else p[t]=e})}var v={id:r,description:a,defaultMessage:i},y=e(v,p||s),g=void 0;return g=h&&Object.keys(h).length>0?y.split(d).filter(function(t){return!!t}).map(function(t){return h[t]||t}):[y],"function"==typeof u?u.apply(void 0,X(g)):F.createElement.apply(void 0,[l,null].concat(X(g)))}}]),e}(F.Component);qt.displayName="FormattedMessage",qt.contextTypes={intl:ht},qt.defaultProps={values:{}};var Bt=function(t){function e(t,n){G(this,e);var o=Y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return c(n),o}return J(e,t),z(e,[{key:"shouldComponentUpdate",value:function(t){var e=this.props.values;if(!l(t.values,e))return!0;for(var n=K({},t,{values:e}),o=arguments.length,r=Array(o>1?o-1:0),a=1;a0||o.setState({draggingOver:!1})},o.closeUploadModal=function(){o.setState({draggingOver:!1})},o.handleServiceWorkerPostMessage=function(t){var e=t.data;"navigate"===e.type?o.context.router.history.push(e.path):console.warn("Unknown message type:",e.type)},o.setRef=function(t){o.node=t},o.handleHotkeyNew=function(t){t.preventDefault();var e=o.node.querySelector(".compose-form__autosuggest-wrapper textarea");e&&e.focus()},o.handleHotkeySearch=function(t){t.preventDefault();var e=o.node.querySelector(".search__input");e&&e.focus()},o.handleHotkeyForceNew=function(t){o.handleHotkeyNew(t),o.props.dispatch(Object(M.U)())},o.handleHotkeyFocusColumn=function(t){var e=1*t.key+1,n=o.node.querySelector(".column:nth-child("+e+")");if(n){var r=n.querySelector(".focusable");r&&r.focus()}},o.handleHotkeyBack=function(){window.history&&1===window.history.length?o.context.router.history.push("/"):o.context.router.history.goBack()},o.setHotkeysRef=function(t){o.hotkeys=t},o.handleHotkeyToggleHelp=function(){"/keyboard-shortcuts"===o.props.location.pathname?o.context.router.history.goBack():o.context.router.history.push("/keyboard-shortcuts")},o.handleHotkeyGoToHome=function(){o.context.router.history.push("/timelines/home")},o.handleHotkeyGoToNotifications=function(){o.context.router.history.push("/notifications")},o.handleHotkeyGoToLocal=function(){o.context.router.history.push("/timelines/public/local")},o.handleHotkeyGoToFederated=function(){o.context.router.history.push("/timelines/public")},o.handleHotkeyGoToStart=function(){o.context.router.history.push("/getting-started")},o.handleHotkeyGoToFavourites=function(){o.context.router.history.push("/favourites")},o.handleHotkeyGoToProfile=function(){o.context.router.history.push("/accounts/"+R.g)},o.handleHotkeyGoToBlocked=function(){o.context.router.history.push("/blocks")},r=n,p()(o,r)}return f()(e,t),e.prototype.componentWillMount=function(){window.addEventListener("beforeunload",this.handleBeforeUnload,!1),document.addEventListener("dragenter",this.handleDragEnter,!1),document.addEventListener("dragover",this.handleDragOver,!1),document.addEventListener("drop",this.handleDrop,!1),document.addEventListener("dragleave",this.handleDragLeave,!1),document.addEventListener("dragend",this.handleDragEnd,!1),"serviceWorker"in navigator&&navigator.serviceWorker.addEventListener("message",this.handleServiceWorkerPostMessage),this.props.dispatch(Object(S.o)()),this.props.dispatch(Object(P.h)())},e.prototype.componentDidMount=function(){this.hotkeys.__mousetrap__.stopCallback=function(t,e){return["TEXTAREA","SELECT","INPUT"].includes(e.tagName)}},e.prototype.componentWillUnmount=function(){window.removeEventListener("beforeunload",this.handleBeforeUnload),document.removeEventListener("dragenter",this.handleDragEnter),document.removeEventListener("dragover",this.handleDragOver),document.removeEventListener("drop",this.handleDrop),document.removeEventListener("dragleave",this.handleDragLeave),document.removeEventListener("dragend",this.handleDragEnd)},e.prototype.render=function(){var t=this.state.draggingOver,e=this.props,n=e.children,o=e.isComposing,r=e.location,a=e.dropdownMenuIsOpen,i={help:this.handleHotkeyToggleHelp,new:this.handleHotkeyNew,search:this.handleHotkeySearch,forceNew:this.handleHotkeyForceNew,focusColumn:this.handleHotkeyFocusColumn,back:this.handleHotkeyBack,goToHome:this.handleHotkeyGoToHome,goToNotifications:this.handleHotkeyGoToNotifications,goToLocal:this.handleHotkeyGoToLocal,goToFederated:this.handleHotkeyGoToFederated,goToStart:this.handleHotkeyGoToStart,goToFavourites:this.handleHotkeyGoToFavourites,goToProfile:this.handleHotkeyGoToProfile,goToBlocked:this.handleHotkeyGoToBlocked};return w.a.createElement(A.HotKeys,{keyMap:B,handlers:i,ref:this.setHotkeysRef},w.a.createElement("div",{className:g()("ui",{"is-composing":o}),ref:this.setRef,style:{pointerEvents:a?"none":null}},c()(T.a,{}),c()(G,{location:r,onLayoutChange:this.handleLayoutChange},void 0,n),c()(k.a,{}),c()(C.a,{className:"loading-bar"}),c()(N.a,{}),c()(I.a,{active:t,onClose:this.closeUploadModal})))},e}(w.a.PureComponent),a.contextTypes={router:O.a.object.isRequired},r=i))||r)||r)||r},678:function(t,e,n){"use strict";n.d(e,"b",function(){return O}),n.d(e,"a",function(){return C});var o,r,a=n(30),i=n.n(a),s=n(29),c=n.n(s),l=n(2),u=n.n(l),d=n(1),p=n.n(d),h=n(3),f=n.n(h),m=n(4),v=n.n(m),y=n(0),g=n.n(y),b=n(45),w=n(251),k=n(252),_=n(145),O=function(t){function e(){return p()(this,e),f()(this,t.apply(this,arguments))}return v()(e,t),e.prototype.render=function(){var t=this.props,e=t.multiColumn,n=t.children;return u()(b.f,{},void 0,g.a.Children.map(n,function(t){return g.a.cloneElement(t,{multiColumn:e})}))},e}(g.a.PureComponent),C=(r=o=function(t){function e(){var n,o,r;p()(this,e);for(var a=arguments.length,i=Array(a),s=0;s0||o.setState({draggingOver:!1})},o.closeUploadModal=function(){o.setState({draggingOver:!1})},o.handleServiceWorkerPostMessage=function(t){var e=t.data;"navigate"===e.type?o.context.router.history.push(e.path):console.warn("Unknown message type:",e.type)},o.setRef=function(t){o.node=t},o.handleHotkeyNew=function(t){t.preventDefault();var e=o.node.querySelector(".compose-form__autosuggest-wrapper textarea");e&&e.focus()},o.handleHotkeySearch=function(t){t.preventDefault();var e=o.node.querySelector(".search__input");e&&e.focus()},o.handleHotkeyForceNew=function(t){o.handleHotkeyNew(t),o.props.dispatch(Object(M.U)())},o.handleHotkeyFocusColumn=function(t){var e=1*t.key+1,n=o.node.querySelector(".column:nth-child("+e+")");if(n){var r=n.querySelector(".focusable");r&&r.focus()}},o.handleHotkeyBack=function(){window.history&&1===window.history.length?o.context.router.history.push("/"):o.context.router.history.goBack()},o.setHotkeysRef=function(t){o.hotkeys=t},o.handleHotkeyToggleHelp=function(){"/keyboard-shortcuts"===o.props.location.pathname?o.context.router.history.goBack():o.context.router.history.push("/keyboard-shortcuts")},o.handleHotkeyGoToHome=function(){o.context.router.history.push("/timelines/home")},o.handleHotkeyGoToNotifications=function(){o.context.router.history.push("/notifications")},o.handleHotkeyGoToLocal=function(){o.context.router.history.push("/timelines/public/local")},o.handleHotkeyGoToFederated=function(){o.context.router.history.push("/timelines/public")},o.handleHotkeyGoToDirect=function(){o.context.router.history.push("/timelines/direct")},o.handleHotkeyGoToStart=function(){o.context.router.history.push("/getting-started")},o.handleHotkeyGoToFavourites=function(){o.context.router.history.push("/favourites")},o.handleHotkeyGoToPinned=function(){o.context.router.history.push("/pinned")},o.handleHotkeyGoToProfile=function(){o.context.router.history.push("/accounts/"+R.i)},o.handleHotkeyGoToBlocked=function(){o.context.router.history.push("/blocks")},o.handleHotkeyGoToMuted=function(){o.context.router.history.push("/mutes")},r=n,p()(o,r)}return f()(e,t),e.prototype.componentWillMount=function(){window.addEventListener("beforeunload",this.handleBeforeUnload,!1),document.addEventListener("dragenter",this.handleDragEnter,!1),document.addEventListener("dragover",this.handleDragOver,!1),document.addEventListener("drop",this.handleDrop,!1),document.addEventListener("dragleave",this.handleDragLeave,!1),document.addEventListener("dragend",this.handleDragEnd,!1),"serviceWorker"in navigator&&navigator.serviceWorker.addEventListener("message",this.handleServiceWorkerPostMessage),this.props.dispatch(Object(P.p)()),this.props.dispatch(Object(S.h)())},e.prototype.componentDidMount=function(){this.hotkeys.__mousetrap__.stopCallback=function(t,e){return["TEXTAREA","SELECT","INPUT"].includes(e.tagName)}},e.prototype.componentWillUnmount=function(){window.removeEventListener("beforeunload",this.handleBeforeUnload),document.removeEventListener("dragenter",this.handleDragEnter),document.removeEventListener("dragover",this.handleDragOver),document.removeEventListener("drop",this.handleDrop),document.removeEventListener("dragleave",this.handleDragLeave),document.removeEventListener("dragend",this.handleDragEnd)},e.prototype.render=function(){var t=this.state.draggingOver,e=this.props,n=e.children,o=e.isComposing,r=e.location,a=e.dropdownMenuIsOpen,i={help:this.handleHotkeyToggleHelp,new:this.handleHotkeyNew,search:this.handleHotkeySearch,forceNew:this.handleHotkeyForceNew,focusColumn:this.handleHotkeyFocusColumn,back:this.handleHotkeyBack,goToHome:this.handleHotkeyGoToHome,goToNotifications:this.handleHotkeyGoToNotifications,goToLocal:this.handleHotkeyGoToLocal,goToFederated:this.handleHotkeyGoToFederated,goToDirect:this.handleHotkeyGoToDirect,goToStart:this.handleHotkeyGoToStart,goToFavourites:this.handleHotkeyGoToFavourites,goToPinned:this.handleHotkeyGoToPinned,goToProfile:this.handleHotkeyGoToProfile,goToBlocked:this.handleHotkeyGoToBlocked,goToMuted:this.handleHotkeyGoToMuted};return w.a.createElement(A.HotKeys,{keyMap:q,handlers:i,ref:this.setHotkeysRef},w.a.createElement("div",{className:g()("ui",{"is-composing":o}),ref:this.setRef,style:{pointerEvents:a?"none":null}},c()(C.a,{}),c()(B,{location:r,onLayoutChange:this.handleLayoutChange},void 0,n),c()(k.a,{}),c()(T.a,{className:"loading-bar"}),c()(x.a,{}),c()(I.a,{active:t,onClose:this.closeUploadModal})))},e}(w.a.PureComponent),a.contextTypes={router:O.a.object.isRequired},r=i))||r)||r)||r},670:function(t,e,n){"use strict";n.d(e,"b",function(){return O}),n.d(e,"a",function(){return T});var o,r,a=n(55),i=n.n(a),s=n(34),c=n.n(s),l=n(2),u=n.n(l),d=n(1),p=n.n(d),h=n(3),f=n.n(h),m=n(4),v=n.n(m),y=n(0),g=n.n(y),b=n(44),w=n(252),k=n(253),_=n(151),O=function(t){function e(){return p()(this,e),f()(this,t.apply(this,arguments))}return v()(e,t),e.prototype.render=function(){var t=this.props,e=t.multiColumn,n=t.children;return u()(b.f,{},void 0,g.a.Children.map(n,function(t){return g.a.cloneElement(t,{multiColumn:e})}))},e}(g.a.PureComponent),T=(r=o=function(t){function e(){var n,o,r;p()(this,e);for(var a=arguments.length,i=Array(a),s=0;s0&&void 0!==arguments[0]?arguments[0]:[];(Array.isArray(t)?t:[t]).forEach(function(t){t&&t.locale&&(P.a.__addLocaleData(t),D.a.__addLocaleData(t))})}function r(t){for(var e=(t||"").split("-");e.length>0;){if(a(e.join("-")))return!0;e.pop()}return!1}function a(t){var e=t&&t.toLowerCase();return!(!P.a.__localeData__[e]||!D.a.__localeData__[e])}function i(t){return(""+t).replace(wt,function(t){return bt[t]})}function s(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return e.reduce(function(e,o){return t.hasOwnProperty(o)?e[o]=t[o]:n.hasOwnProperty(o)&&(e[o]=n[o]),e},{})}function c(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.intl;R()(e,"[React Intl] Could not find required `intl` object. needs to exist in the component ancestry.")}function l(t,e){if(t===e)return!0;if("object"!==(void 0===t?"undefined":q(t))||null===t||"object"!==(void 0===e?"undefined":q(e))||null===e)return!1;var n=Object.keys(t),o=Object.keys(e);if(n.length!==o.length)return!1;for(var r=Object.prototype.hasOwnProperty.bind(e),a=0;a3&&void 0!==arguments[3]?arguments[3]:{},u=i.intl,d=void 0===u?{}:u,p=c.intl,h=void 0===p?{}:p;return!l(e,o)||!l(n,r)||!(h===d||l(s(h,gt),s(d,gt)))}function d(t){return t.displayName||t.name||"Component"}function p(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=e.intlPropName,o=void 0===n?"intl":n,r=e.withRef,a=void 0!==r&&r,i=function(e){function n(t,e){B(this,n);var o=Y(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,t,e));return c(e),o}return J(n,e),z(n,[{key:"getWrappedInstance",value:function(){return R()(a,"[React Intl] To access the wrapped instance, the `{withRef: true}` option must be set when calling: `injectIntl()`"),this.refs.wrappedInstance}},{key:"render",value:function(){return F.a.createElement(t,K({},this.props,V({},o,this.context.intl),{ref:a?"wrappedInstance":null}))}}]),n}(H.Component);return i.displayName="InjectIntl("+d(t)+")",i.contextTypes={intl:ht},i.WrappedComponent=t,i}function h(t){return t}function f(t){return P.a.prototype._resolveLocale(t)}function m(t){return P.a.prototype._findPluralRuleFunction(t)}function v(t){var e=D.a.thresholds;e.second=t.second,e.minute=t.minute,e.hour=t.hour,e.day=t.day,e.month=t.month}function y(t,e,n){var o=t&&t[e]&&t[e][n];if(o)return o}function g(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=new Date(n),l=i&&y(a,"date",i),u=s(o,_t,l);try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function b(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=new Date(n),l=i&&y(a,"time",i),u=s(o,_t,l);u.hour||u.minute||u.second||(u=K({},u,{hour:"numeric",minute:"numeric"}));try{return e.getDateTimeFormat(r,u).format(c)}catch(t){}return String(c)}function w(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=new Date(n),l=new Date(o.now),u=i&&y(a,"relative",i),d=s(o,Tt,u),p=K({},D.a.thresholds);v(xt);try{return e.getRelativeFormat(r,d).format(c,{now:isFinite(l)?l:e.now()})}catch(t){}finally{v(p)}return String(c)}function k(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=o.format,c=i&&y(a,"number",i),l=s(o,Ot,c);try{return e.getNumberFormat(r,l).format(n)}catch(t){}return String(n)}function _(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=s(o,Ct);try{return e.getPluralFormat(r,a).format(n)}catch(t){}return"other"}function O(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.locale,a=t.formats,i=t.messages,s=t.defaultLocale,c=t.defaultFormats,l=n.id,u=n.defaultMessage;R()(l,"[React Intl] An `id` must be provided to format a message.");var d=i&&i[l];if(!(Object.keys(o).length>0))return d||u||l;var p=void 0;if(d)try{p=e.getMessageFormat(d,r,a).format(o)}catch(t){}if(!p&&u)try{p=e.getMessageFormat(u,s,c).format(o)}catch(t){}return p||d||u||l}function T(t,e,n){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};return O(t,e,n,Object.keys(o).reduce(function(t,e){var n=o[e];return t[e]="string"==typeof n?i(n):n,t},{}))}function C(t){var e=Math.abs(t);return e=0||Object.prototype.hasOwnProperty.call(t,o)&&(n[o]=t[o]);return n},Y=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!=typeof e&&"function"!=typeof e?t:e},X=function(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e":">","<":"<",'"':""","'":"'"},wt=/[&><"']/g,kt=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};B(this,t);var o="ordinal"===n.style,r=m(f(e));this.format=function(t){return r(t,o)}},_t=Object.keys(ft),Ot=Object.keys(mt),Tt=Object.keys(vt),Ct=Object.keys(yt),xt={second:60,minute:60,hour:24,day:30,month:12},Nt=Object.freeze({formatDate:g,formatTime:b,formatRelative:w,formatNumber:k,formatPlural:_,formatMessage:O,formatHTMLMessage:T}),jt=Object.keys(dt),Et=Object.keys(pt),Mt={formats:{},messages:{},textComponent:"span",defaultLocale:"en",defaultFormats:{}},Pt=function(t){function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};B(this,e);var o=Y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));R()("undefined"!=typeof Intl,"[React Intl] The `Intl` APIs must be available in the runtime, and do not appear to be built-in. An `Intl` polyfill should be loaded.\nSee: http://formatjs.io/guides/runtime-environments/");var r=n.intl,a=void 0;a=isFinite(t.initialNow)?Number(t.initialNow):r?r.now():Date.now();var i=r||{},s=i.formatters,c=void 0===s?{getDateTimeFormat:W()(Intl.DateTimeFormat),getNumberFormat:W()(Intl.NumberFormat),getMessageFormat:W()(P.a),getRelativeFormat:W()(D.a),getPluralFormat:W()(kt)}:s;return o.state=K({},c,{now:function(){return o._didDisplay?Date.now():a}}),o}return J(e,t),z(e,[{key:"getConfig",value:function(){var t=this.context.intl,e=s(this.props,jt,t);for(var n in Mt)void 0===e[n]&&(e[n]=Mt[n]);if(!r(e.locale)){var o=e,a=(o.locale,o.defaultLocale),i=o.defaultFormats;e=K({},e,{locale:a,formats:i,messages:Mt.messages})}return e}},{key:"getBoundFormatFns",value:function(t,e){return Et.reduce(function(n,o){return n[o]=Nt[o].bind(null,t,e),n},{})}},{key:"getChildContext",value:function(){var t=this.getConfig(),e=this.getBoundFormatFns(t,this.state),n=this.state,o=n.now,r=Z(n,["now"]);return{intl:K({},t,e,{formatters:r,now:o})}}},{key:"shouldComponentUpdate",value:function(){for(var t=arguments.length,e=Array(t),n=0;n1?o-1:0),a=1;a0){var f=Math.floor(1099511627776*Math.random()).toString(16),m=function(){var t=0;return function(){return"ELEMENT-"+f+"-"+(t+=1)}}();d="@__"+f+"__@",p={},h={},Object.keys(s).forEach(function(t){var e=s[t];if(Object(H.isValidElement)(e)){var n=m();p[t]=d+n+d,h[n]=e}else p[t]=e})}var v={id:r,description:a,defaultMessage:i},y=e(v,p||s),g=void 0;return g=h&&Object.keys(h).length>0?y.split(d).filter(function(t){return!!t}).map(function(t){return h[t]||t}):[y],"function"==typeof u?u.apply(void 0,X(g)):H.createElement.apply(void 0,[l,null].concat(X(g)))}}]),e}(H.Component);Gt.displayName="FormattedMessage",Gt.contextTypes={intl:ht},Gt.defaultProps={values:{}};var qt=function(t){function e(t,n){B(this,e);var o=Y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return c(n),o}return J(e,t),z(e,[{key:"shouldComponentUpdate",value:function(t){var e=this.props.values;if(!l(t.values,e))return!0;for(var n=K({},t,{values:e}),o=arguments.length,r=Array(o>1?o-1:0),a=1;a","<","\"","'","IntlPluralFormat","useOrdinal","pluralFn","freeze","intlConfigPropNames$1","intlFormatPropNames","Intl","intlContext","initialNow","_ref$formatters","DateTimeFormat","NumberFormat","_didDisplay","propName","_config","boundFormatFns","getConfig","getBoundFormatFns","_state","next","only","childContextTypes","Text","formattedDate","FormattedTime","formattedTime","FormattedRelative","clearTimeout","_timer","updateInterval","time","unitDelay","unitRemainder","delay","max","setTimeout","setState","scheduleNextUpdate","formattedRelative","formattedNumber","FormattedPlural","pluralCategory","formattedPlural","nextPropsToCheck","description","_props$tagName","tagName","tokenDelimiter","tokenizedValues","elements","uid","floor","random","toString","generateToken","counter","token","nodes","filter","part","FormattedHTMLMessage","formattedHTMLMessage","html","__html","dangerouslySetInnerHTML","659","__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__","then","default","catch","console","error","660","main","perf","start","replaceState","_window$location","location","pathname","search","hash","test","document","__WEBPACK_IMPORTED_MODULE_4__ready__","mountNode","getElementById","JSON","parse","getAttribute","__WEBPACK_IMPORTED_MODULE_3_react_dom___default","__WEBPACK_IMPORTED_MODULE_2_react___default","__WEBPACK_IMPORTED_MODULE_1__containers_mastodon__","install","dispatch","__WEBPACK_IMPORTED_MODULE_0__actions_push_notifications__","stop","__WEBPACK_IMPORTED_MODULE_2_react__","__WEBPACK_IMPORTED_MODULE_3_react_dom__","661","store","Mastodon","__WEBPACK_IMPORTED_MODULE_5_react_redux__","__WEBPACK_IMPORTED_MODULE_6__store_configureStore__","__WEBPACK_IMPORTED_MODULE_7__actions_onboarding__","__WEBPACK_IMPORTED_MODULE_8_react_router_dom__","__WEBPACK_IMPORTED_MODULE_9_react_router_scroll_4__","__WEBPACK_IMPORTED_MODULE_10__features_ui__","__WEBPACK_IMPORTED_MODULE_11__actions_custom_emojis__","__WEBPACK_IMPORTED_MODULE_12__actions_store__","__WEBPACK_IMPORTED_MODULE_13__actions_streaming__","__WEBPACK_IMPORTED_MODULE_14_react_intl__","__WEBPACK_IMPORTED_MODULE_15__locales__","__WEBPACK_IMPORTED_MODULE_16__initial_state__","_getLocale","hydrateAction","componentDidMount","disconnect","Notification","permission","requestPermission","navigator","registerProtocolHandler","handlerUrl","protocol","host","componentWillUnmount","basename","component","662","showOnboardingOnce","getState","getIn","__WEBPACK_IMPORTED_MODULE_0__modal__","__WEBPACK_IMPORTED_MODULE_1__settings__","663","UI","_dec","_class2","_class3","_temp3","__WEBPACK_IMPORTED_MODULE_6_react__","__WEBPACK_IMPORTED_MODULE_6_react___default","__WEBPACK_IMPORTED_MODULE_7__containers_notifications_container__","__WEBPACK_IMPORTED_MODULE_8_prop_types__","__WEBPACK_IMPORTED_MODULE_8_prop_types___default","__WEBPACK_IMPORTED_MODULE_9__containers_loading_bar_container__","__WEBPACK_IMPORTED_MODULE_10__components_tabs_bar__","__WEBPACK_IMPORTED_MODULE_11__containers_modal_container__","__WEBPACK_IMPORTED_MODULE_12_react_redux__","__WEBPACK_IMPORTED_MODULE_13_react_router_dom__","__WEBPACK_IMPORTED_MODULE_14__is_mobile__","__WEBPACK_IMPORTED_MODULE_15__actions_compose__","__WEBPACK_IMPORTED_MODULE_16__actions_timelines__","__WEBPACK_IMPORTED_MODULE_17__actions_notifications__","__WEBPACK_IMPORTED_MODULE_18__actions_height_cache__","__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__","__WEBPACK_IMPORTED_MODULE_20__components_upload_area__","__WEBPACK_IMPORTED_MODULE_21__containers_columns_area_container__","__WEBPACK_IMPORTED_MODULE_22__util_async_components__","__WEBPACK_IMPORTED_MODULE_23_react_hotkeys__","__WEBPACK_IMPORTED_MODULE_24__initial_state__","__WEBPACK_IMPORTED_MODULE_25_react_intl__","beforeUnload","mapStateToProps","isComposing","hasComposingText","dropdownMenuIsOpen","keyMap","help","new","forceNew","focusColumn","reply","favourite","boost","mention","open","openProfile","moveDown","moveUp","back","goToHome","goToNotifications","goToLocal","goToFederated","goToStart","goToFavourites","goToProfile","goToBlocked","SwitchingColumnsArea","mobile","handleResize","onLayoutChange","trailing","getWrappedInstance","componentWillMount","passive","componentDidUpdate","prevProps","includes","handleChildrenContentChange","singleColumn","content","componentParams","isSearchPage","withReplies","_React$PureComponent2","_ret2","_len2","_key2","draggingOver","handleBeforeUnload","_this2$props","returnValue","handleLayoutChange","handleDragEnter","dragTargets","dataTransfer","types","handleDragOver","stopPropagation","dropEffect","err","handleDrop","files","handleDragLeave","el","closeUploadModal","handleServiceWorkerPostMessage","warn","handleHotkeyNew","element","focus","handleHotkeySearch","handleHotkeyForceNew","handleHotkeyFocusColumn","column","status","handleHotkeyBack","setHotkeysRef","hotkeys","handleHotkeyToggleHelp","handleHotkeyGoToHome","handleHotkeyGoToNotifications","handleHotkeyGoToLocal","handleHotkeyGoToFederated","handleHotkeyGoToStart","handleHotkeyGoToFavourites","handleHotkeyGoToProfile","handleHotkeyGoToBlocked","handleDragEnd","serviceWorker","__mousetrap__","stopCallback","handlers","is-composing","pointerEvents","onClose","678","WrappedSwitch","WrappedRoute","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_7_react_router_dom__","__WEBPACK_IMPORTED_MODULE_8__components_column_loading__","__WEBPACK_IMPORTED_MODULE_9__components_bundle_column_error__","__WEBPACK_IMPORTED_MODULE_10__containers_bundle_container__","Children","child","_React$Component","renderComponent","fetchComponent","loading","renderLoading","renderError","Component","params","_props2","rest","679","UploadArea","__WEBPACK_IMPORTED_MODULE_5__ui_util_optional_motion__","__WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring__","__WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default","handleKeyUp","keyCode","defaultStyle","backgroundOpacity","backgroundScale","stiffness","damping","visibility","opacity","transform","680","__WEBPACK_IMPORTED_MODULE_0_react_redux__","__WEBPACK_IMPORTED_MODULE_1__components_columns_area__","columns","isModalOpen","get","modalType","681","ColumnsArea","__WEBPACK_IMPORTED_MODULE_6_react_intl__","__WEBPACK_IMPORTED_MODULE_7_react_immutable_proptypes__","__WEBPACK_IMPORTED_MODULE_7_react_immutable_proptypes___default","__WEBPACK_IMPORTED_MODULE_9_react_swipeable_views__","__WEBPACK_IMPORTED_MODULE_9_react_swipeable_views___default","__WEBPACK_IMPORTED_MODULE_10__tabs_bar__","__WEBPACK_IMPORTED_MODULE_11_react_router_dom__","__WEBPACK_IMPORTED_MODULE_12__containers_bundle_container__","__WEBPACK_IMPORTED_MODULE_13__column_loading__","__WEBPACK_IMPORTED_MODULE_14__drawer_loading__","__WEBPACK_IMPORTED_MODULE_15__bundle_column_error__","__WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__","__WEBPACK_IMPORTED_MODULE_17_detect_passive_events__","__WEBPACK_IMPORTED_MODULE_17_detect_passive_events___default","__WEBPACK_IMPORTED_MODULE_18__scroll__","componentMap","COMPOSE","HOME","NOTIFICATIONS","PUBLIC","COMMUNITY","HASHTAG","FAVOURITES","LIST","shouldHideFAB","shouldAnimate","handleSwipe","pendingIndex","nextLinkTranslationId","nextLinkSelector","handleAnimationEnd","handleWheel","renderView","columnIndex","view","columnId","componentWillReceiveProps","hasSupport","lastIndex","isRtlLayout","getElementsByTagName","componentWillUpdate","modifier","scrollWidth","floatingActionButton","onChangeIndex","onTransitionEnd","animateTransitions","springConfig","duration","easeFunction","height","toJS","SpecificComponent","list","682","__WEBPACK_IMPORTED_MODULE_1_react__","DrawerLoading","683","684","exports","hasSW","fetch","documentElement","hostname","register","applicationCache","doLoad","iframe","src","directory","display","appCacheIframe","appendChild","readyState","applyUpdate","callback","errback","update","getRegistration","registration","contentWindow"],"mappings":"AAAAA,cAAc,KAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOG,IAC9E,IAAIC,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEE,EAA2Cd,EAAoB,IAC/De,EAAmDf,EAAoBK,EAAES,GCd7EZ,EDuBF,SAAUc,GAG3B,QAASd,KACP,GAAIe,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMlB,EAEnF,KAAK,GAAImB,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,ECzBrNY,YAAc,WACZZ,EAAKa,MAAMC,WDwBJb,EAEJF,EAAQR,IAAwFS,EAAOC,GA0B5G,MAvCAR,KAAuET,EAAcc,GAgBrFd,EAAa+B,UC1BbC,OD0BgC,WC1BtB,GAAAC,GACuCf,KAAKW,MAA5CK,EADAD,EACAC,KAAMC,EADNF,EACME,KAAMC,EADZH,EACYG,OAAQC,EADpBJ,EACoBI,eACxBC,EAAc,EAMlB,OAJIJ,KACFI,EAAApC,IAAAoC,KAAAC,UAAA,eAA2CL,EAA3C,0BAGFhC,IAAA,MAAAqC,UACiB1B,IAAW,iBAAmBuB,WAD/CI,GAC8DH,GAAkB,UADhF,GAAAnC,IAAA,UAAA4B,QAEqBZ,KAAKU,iBAF1B,GAGOU,EACAH,KDqCFnC,GC/DiCW,EAAA8B,EAAMC,gBDsE1CC,IACA,SAAU/C,EAAQC,EAAqBC,GAE7C,YE3DO,SAAS8C,GAAUC,GACxB,MAAOC,GAAMC,UAAU,SAAAC,GAAA,MAAQA,GAAKnB,MAAMoB,KAAOJ,IAG5C,QAASK,GAASC,GACvB,MAAOL,GAAMK,GAAOtB,MAAMoB,GFuDGnD,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOiD,KAClEjD,EAAuB,EAAI+C,EAC3B/C,EAAuB,EAAIqD,EAC7BpD,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOuD,IAC9E,IAqBjBC,GArBqBC,EAAqExD,EAAoB,GACzFyD,EAA6EzD,EAAoBK,EAAEmD,GACnGE,EAAgF1D,EAAoB,GACpG2D,EAAwF3D,EAAoBK,EAAEqD,GAC9GE,EAA+D5D,EAAoB,GACnF6D,EAAuE7D,EAAoBK,EAAEuD,GAC7FE,EAA0D9D,EAAoB,GAC9E+D,EAAkE/D,EAAoBK,EAAEyD,GACxFE,EAAgDhE,EAAoB,IACpEiE,EAAwDjE,EAAoBK,EAAE2D,GAC9EE,EAAsClE,EAAoB,GAC1DmE,EAA8CnE,EAAoBK,EAAE6D,GACpEE,EAAiDpE,EAAoB,IACrEqE,EAA2CrE,EAAoB,GAC/DsE,EAA2CtE,EAAoB,IEzF3EgD,GAAQe,IAClBK,EAAA,GADkB3B,UACA,yBADAU,GAC4B,kBAD5BoB,wBACoE,cADpEC,oBACoG,YADpG,GAAAT,IAAA,KAAAtB,UACyH,qBADzHsB,IAC+IM,EAAA,GAD/I3B,GACmK,gBADnK+B,eACkM,UADlMV,IAElBK,EAAA,GAFkB3B,UAEA,yBAFAU,GAE4B,iBAF5BoB,wBAEmE,uBAFnEC,oBAE4G,YAF5G,GAAAT,IAAA,KAAAtB,UAEiI,qBAFjIsB,IAEuJM,EAAA,GAFvJ3B,GAE2K,yBAF3K+B,eAEmN,mBAFnNV,IAGlBK,EAAA,GAHkB3B,UAGA,yBAHAU,GAG4B,UAH5BoB,wBAG4D,kBAH5DC,oBAGgG,YAHhG,GAAAT,IAAA,KAAAtB,UAGqH,uBAHrHsB,IAG6IM,EAAA,GAH7I3B,GAGiK,kBAHjK+B,eAGkM,YAHlMV,IAKlBK,EAAA,GALkB3B,UAKA,2BALAU,GAK8B,0BAL9BoB,wBAK8E,mBAL9EC,oBAKmH,aALnH,GAAAT,IAAA,KAAAtB,UAKyI,sBALzIsB,IAKgKM,EAAA,GALhK3B,GAKoL,0BALpL+B,eAK6N,WAL7NV,IAMlBK,EAAA,GANkB3B,UAMA,2BANAiC,OAAA,EAAAvB,GAMoC,oBANpCoB,wBAM8E,gBAN9EC,oBAMgH,aANhH,GAAAT,IAAA,KAAAtB,UAMsI,sBANtIsB,IAM6JM,EAAA,GAN7J3B,GAMiL,8BANjL+B,eAM8N,eAN9NV,IAQlBK,EAAA,GARkB3B,UAQA,yBARAkC,OAQkCC,SAAU,IAAKC,UAAW,QAR5D1B,GAQyE,mBARzEoB,wBAQkH,0BARlHC,oBAQ8J,YAR9J,GAAAT,IAAA,KAAAtB,UAQmL,uBAanLa,EAFpBwB,OAAAT,EAAA,GF6JoFd,EE5JpFuB,OAAAV,EAAA,GF4J0Kb,EAAS,SAAUvC,GAG5L,QAASsC,KACP,GAAIrC,GAAOC,EAAOC,CAElBsC,KAA6ErC,KAAMkC,EAEnF,KAAK,GAAIjC,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQyC,IAAwFvC,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EEhKrN6D,OAAS,SAAAC,GACP9D,EAAK+D,KAAOD,GFiKT9D,EE9JLY,YAAc,SAACoD,GAGTJ,OAAAR,EAAA,OACFY,EAAEC,iBACFD,EAAEE,UAEFC,sBAAsB,WACpB,GAAMC,GAAO7D,mBAASP,EAAK+D,KAAKM,iBAAiB,oBAC3CC,EAAaF,EAAKG,KAAK,SAAAC,GAAA,MAAOA,GAAIC,UAAUC,SAAS,YACrDC,EAAUP,EAAKG,KAAK,SAAAC,GAAA,MAAOA,GAAIE,SAASV,EAAEY,UAC/B3C,EAASH,EAAMvB,mBAASP,EAAK+D,KAAKc,YAAYC,QAAQH,IAA/D9D,MAASoB,EAGjB,IAAIqC,IAAeK,EAAS,CACtBL,GACFA,EAAWG,UAAUM,OAAO,SAG9B,IAAMC,GAAWjC,IAAS,WACxB4B,EAAQM,oBAAoB,gBAAiBD,GAC7ChF,EAAKa,MAAMqE,QAAQC,KAAKlD,IACvB,GAEH0C,GAAQS,iBAAiB,gBAAiBJ,GAC1CL,EAAQF,UAAUY,IAAI,eFmIrBpF,EAmCJF,EAAQ0C,IAAwFzC,EAAOC,GAkB5G,MAhEA0C,KAAuEP,EAAStC,GAiDhFsC,EAAQrB,UElKRC,OFkK2B,WElKjB,GAAAsE,GAAApF,KACQqF,EAAoBrF,KAAKW,MAAjC2E,KAAQD,aAEhB,OACEtC,GAAAxB,EAAAgE,cAAA,OAAKlE,UAAU,WAAWuC,IAAK5D,KAAK2D,QACjC/B,EAAM4D,IAAI,SAAA1D,GAAA,MAAQiB,GAAAxB,EAAMkE,aAAa3D,GAAQ4D,IAAK5D,EAAKnB,MAAMoB,GAAInB,QAASwE,EAAK1E,YAAaiF,aAAcN,GAAgB/D,GAAIQ,EAAKnB,MAAM,iCF4KzIuB,GE5N4Ba,EAAAxB,EAAMC,iBF6NwBW,IAAWA,GAMxEyD,IACA,SAAUlH,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOkH,IAC9E,IAqBjB1D,GAAQtC,EArBad,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAE1DkH,GAD8ClH,EAAoBK,EAAEO,GACzBZ,EAAoB,IAC/DmH,EAAmDnH,EAAoBK,EAAE6G,GACzEE,EAAmDpH,EAAoB,IACvEqH,EAA0DrH,EAAoB,IAC9EsH,EAA+DtH,EAAoB,IACnFuH,EAAuEvH,EAAoBK,EAAEiH,GG5QjGL,GH2RAhG,EAAQsC,EAAS,SAAUiE,GAG9C,QAASP,KAGP,MAFA1G,KAA6Ea,KAAM6F,GAE5ExG,IAAwFW,KAAMoG,EAAsB5F,MAAMR,KAAME,YAkBzI,MAvBAX,KAAuEsG,EAAeO,GAQtFP,EAAchF,UGxRdC,OHwRiC,WGxRxB,GAAAC,GACef,KAAKW,MAArB0F,EADCtF,EACDsF,MAAOrF,EADND,EACMC,IACb,OAAAhC,KACGgH,EAAA,SADH,GAAAhH,IAEKiH,EAAA,GAFLjF,KAEwBA,EAFxBqF,MAEqCA,EAFrCC,aAEyD,EAFzDC,WAE2E,IAF3EvH,IAAA,OAAAqC,UAGmB,iBHkSdwE,GGnTkCM,EAAA5E,GHoTgCY,EGlTlEqE,WACLH,MAAON,EAAAxE,EAAUkF,WAAWV,EAAAxE,EAAUsC,KAAMkC,EAAAxE,EAAUmF,SACtD1F,KAAM+E,EAAAxE,EAAUmF,QHmTjBvE,EGhTMwE,cACLN,MAAO,GACPrF,KAAM,IHiTPnB,IAKG+G,IACA,SAAUlI,EAAQC,EAAqBC,GAE7C,YACqB,IAAIG,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEqH,EAA2CjI,EAAoB,GAC/DkI,EAAwClI,EAAoB,KAC5DmI,EAA+CnI,EAAoB,KACnEoI,EAAoEpI,EAAoB,KACxFqI,EAAwDrI,EAAoB,II/U/FsI,EAAWxD,OAAAmD,EAAA,IACfR,OAAA/E,GAAA,4BAAA+B,eAAA,iBACA8D,MAAA7F,GAAA,2BAAA+B,eAAA,sDACA+D,OAAA9F,GAAA,4BAAA+B,eAAA,eAGIgE,EJsWkB,SAAUzH,GAGhC,QAASyH,KACP,GAAIxH,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMqH,EAEnF,KAAK,GAAIpH,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EI3WrNwH,YAAc,WACZxH,EAAKa,MAAM4G,WJ0WJxH,EAEJF,EAAQR,IAAwFS,EAAOC,GAoB5G,MAjCAR,KAAuE8H,EAAmBzH,GAgB1FyH,EAAkBxG,UI5WlBC,OJ4WqC,WI5W3B,GACQuE,GAAoBrF,KAAKW,MAAjC2E,KAAQD,aAEhB,OAAArG,KACG8H,EAAA,SADH,GAAA9H,IAEK+H,EAAA,GAFL/F,KAEuB,qBAFvBC,KAEkDoE,EAAc6B,EAASb,SAFzErH,IAGKgI,EAAA,MAHLhI,IAAA,OAAAqC,UAImB,oBAJnB,GAAArC,IAKOiI,EAAA,GALPZ,MAKyBhB,EAAc6B,EAASE,OALhDpG,KAK6D,UAL7DJ,QAKgFZ,KAAKsH,YALrFE,KAKwG,KACjGnC,EAAc6B,EAASC,SJoXzBE,GIxYuB5H,EAAA8B,EAAMC,cA4BtC7C,GAAA,EAAe+E,OAAAmD,EAAA,GAAWQ,IJmXpBI,IACA,SAAU/I,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+I,IAC9E,IAAI3I,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FsD,EAAgDhE,EAAoB,IACpEiE,EAAwDjE,EAAoBK,EAAE2D,GAC9EE,EAAsClE,EAAoB,GAC1DmE,EAA8CnE,EAAoBK,EAAE6D,GACpE6E,EAA+C/I,EAAoB,KACnEgJ,EAAwChJ,EAAoB,IAC5DsE,EAA2CtE,EAAoB,IK1anE8I,ELsbR,SAAU9H,GAGrB,QAAS8H,KACP,GAAI7H,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAM0H,EAEnF,KAAK,GAAIzH,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EKxbrN+H,kBAAoB,WAClB,GAAMC,GAAahI,EAAK+D,KAAKkE,cAAc,cAEtCD,KAILhI,EAAKkI,0BAA4BtE,OAAAkE,EAAA,GAAUE,KLybxChI,EK3aLmI,aAAepF,IAAS,eACwB,KAAnC/C,EAAKkI,2BACdlI,EAAKkI,6BAEN,KL2aQlI,EKzaX6D,OAAS,SAACuE,GACRpI,EAAK+D,KAAOqE,GL4ZLnI,EAcJF,EAAQR,IAAwFS,EAAOC,GA8C5G,MAvEAR,KAAuEmI,EAAQ9H,GA4B/E8H,EAAO7G,UK/bPsH,UL+b6B,WK9b3B,GAAML,GAAa9H,KAAK6D,KAAKkE,cAAc,cAEtCD,KAIL9H,KAAKgI,0BAA4BtE,OAAAkE,EAAA,GAAUE,KLkc7CJ,EAAO7G,UKpbPC,OLob0B,WKpbhB,GAAAC,GACyDf,KAAKW,MAA9DyH,EADArH,EACAqH,QAASpH,EADTD,EACSC,KAAMqH,EADftH,EACesH,SAAUnH,EADzBH,EACyBG,OAAQoH,EADjCvH,EACiCuH,oBAEnCC,EAAcH,KAAaE,GAAwBA,IAAwB5E,OAAAR,EAAA,GAASsF,OAAOC,aAE3FtH,EAAiBoH,GAAeH,EAAQM,QAAQ,KAAM,KACtDC,EAASJ,GAAAvJ,IACZ2I,EAAA,GADY3G,KACOA,EADPE,OACqBA,EADrBD,KACmCmH,EADnCxH,QACqDZ,KAAK6H,kBAD1D1G,eAC6FA,GAE5G,OACE4B,GAAAxB,EAAAgE,cAAA,OACE3B,IAAK5D,KAAK2D,OACViF,KAAK,SACLC,kBAAiB1H,EACjBE,UAAU,SACVyH,SAAU9I,KAAKiI,cAEdU,EACAN,ILmcAX,GK9f2B3E,EAAAxB,EAAMC,gBLqgBpCuH,IACA,SAAUrK,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOqK,IAC9E,IAkBjB7G,GAAQ8G,EAlBalK,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEqH,EAA2CjI,EAAoB,GAC/DsK,EAA2CtK,EAAoB,GAC/DuK,EAAmDvK,EAAoBK,EAAEiK,GMzhB7EF,GNqiBGC,EAAS9G,EAAS,SAAUvC,GAGlD,QAASoJ,KACP,GAAInJ,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMgJ,EAEnF,KAAK,GAAI/I,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EM3iBrNY,YAAc,WACR8H,OAAOxD,SAAqC,IAA1BwD,OAAOxD,QAAQ7E,OACnCL,EAAKsJ,QAAQC,OAAOrE,QAAQC,KAAK,KAEjCnF,EAAKsJ,QAAQC,OAAOrE,QAAQsE,UNuiBvBvJ,EAMJF,EAAQR,IAAwFS,EAAOC,GAe5G,MAhCAR,KAAuEyJ,EAAkBpJ,GAoBzFoJ,EAAiBnI,UM5iBjBC,ON4iBoC,WM3iBlC,MAAA9B,KAAA,UAAA4B,QACmBZ,KAAKU,YADxBW,UAC+C,0BAD/C,GAAArC,IAAA,KAAAqC,UAEiB,sDAFjBrC,IAGK6H,EAAA,GAHLvF,GAGyB,2BAHzB+B,eAGmE,WNojB9D2F,GMtkBqCvJ,EAAA8B,EAAMC,eNukBYW,EMrkBvDoH,cACLF,OAAQF,EAAA5H,EAAUiI,QNskBnBP,IAKGQ,IACA,SAAU/K,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+K,IAC9E,IAAI3K,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAE1DiI,GAD8CjI,EAAoBK,EAAEO,GACzBZ,EAAoB,IAC/D+K,EAAoD/K,EAAoB,KO9lB5E8K,EPumBM,SAAUE,GAGnC,QAASF,KAGP,MAFAvK,KAA6Ea,KAAM0J,GAE5ErK,IAAwFW,KAAM4J,EAAkBpJ,MAAMR,KAAME,YAmBrI,MAxBAX,KAAuEmK,EAAsBE,GAQ7FF,EAAqB7I,UO9mBrBC,OP8mBwC,WO7mBtC,MAAA9B,KAAA,OAAAqC,UACiB,gCADjB,GAAArC,IAAA,OAAA4J,KAEc,SAFdiB,SAEgC,IAFhCjJ,QAE6CZ,KAAKU,YAFlDW,UAEyE,0DAFzE,GAAArC,IAAA,KAAAqC,UAGmB,sDAHnBrC,IAIO6H,EAAA,GAJPvF,GAI2B,2BAJ3B+B,eAIqE,YPynBhEqG,GOhoByCC,EAAA,IPuoB5CG,EACA,SAAUpL,EAAQC,EAAqBC,GAE7C,YQjnBA,SAASmL,KACP,GAAIC,GAAO9J,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,OAE5DG,MAAM6J,QAAQF,GAAQA,GAAQA,IAEpCG,QAAQ,SAAUC,GACpBA,GAAcA,EAAWC,SAC3BC,EAAA/I,EAAkBgJ,gBAAgBH,GAClCI,EAAAjJ,EAAmBgJ,gBAAgBH,MAKzC,QAASK,GAAcJ,GAGrB,IAFA,GAAIK,IAAeL,GAAU,IAAIM,MAAM,KAEhCD,EAAYvK,OAAS,GAAG,CAC7B,GAAIyK,EAAuBF,EAAYG,KAAK,MAC1C,OAAO,CAGTH,GAAYI,MAGd,OAAO,EAGT,QAASF,GAAuBP,GAC9B,GAAIU,GAAmBV,GAAUA,EAAOW,aAExC,UAAUV,EAAA/I,EAAkB0J,eAAeF,KAAqBP,EAAAjJ,EAAmB0J,eAAeF,IA2QpG,QAASG,GAAOC,GACd,OAAQ,GAAKA,GAAKzC,QAAQ0C,GAAoB,SAAUC,GACtD,MAAOC,IAAcD,KAIzB,QAASE,GAAY5K,EAAO6K,GAC1B,GAAIC,GAAcvL,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,KAEjF,OAAOsL,GAAUE,OAAO,SAAUC,EAAUC,GAO1C,MANIjL,GAAMkL,eAAeD,GACvBD,EAASC,GAAQjL,EAAMiL,GACdH,EAAYI,eAAeD,KACpCD,EAASC,GAAQH,EAAYG,IAGxBD,OAIX,QAASG,KACP,GAAIC,GAAO7L,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACtEoF,EAAOyG,EAAKzG,IAEhB0G,KAAU1G,EAAM,gHAGlB,QAAS2G,GAAcC,EAAMC,GAC3B,GAAID,IAASC,EACX,OAAO,CAGT,IAAoE,gBAA/C,KAATD,EAAuB,YAAcE,EAAQF,KAAgC,OAATA,GAAiF,gBAA/C,KAATC,EAAuB,YAAcC,EAAQD,KAAgC,OAATA,EAC3K,OAAO,CAGT,IAAIE,GAAQ3I,OAAO4I,KAAKJ,GACpBK,EAAQ7I,OAAO4I,KAAKH,EAExB,IAAIE,EAAMlM,SAAWoM,EAAMpM,OACzB,OAAO,CAKT,KAAK,GADDqM,GAAkB9I,OAAO7C,UAAUgL,eAAeY,KAAKN,GAClDO,EAAI,EAAGA,EAAIL,EAAMlM,OAAQuM,IAChC,IAAKF,EAAgBH,EAAMK,KAAOR,EAAKG,EAAMK,MAAQP,EAAKE,EAAMK,IAC9D,OAAO,CAIX,QAAO,EAGT,QAASC,GAA0BC,EAAOC,EAAWC,GACnD,GAAInM,GAAQiM,EAAMjM,MACdoM,EAAQH,EAAMG,MACdC,EAAgBJ,EAAMxD,QACtBA,MAA4Ba,KAAlB+C,KAAmCA,EAC7CC,EAAc/M,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MAC7EgN,EAAgB9D,EAAQ9D,KACxBA,MAAyB2E,KAAlBiD,KAAmCA,EAC1CC,EAAoBF,EAAY3H,KAChC8H,MAAiCnD,KAAtBkD,KAAuCA,CAGtD,QAAQlB,EAAcY,EAAWlM,KAAWsL,EAAca,EAAWC,MAAYK,IAAa9H,GAAQ2G,EAAcV,EAAY6B,EAAUC,IAAsB9B,EAAYjG,EAAM+H,MAYpL,QAASC,GAAeC,GACtB,MAAOA,GAAaC,aAAeD,EAAa3B,MAAQ,YAG1D,QAAS6B,GAAWC,GAClB,GAAIC,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACzE0N,EAAwBD,EAAQE,aAChCA,MAAyC5D,KAA1B2D,EAAsC,OAASA,EAC9DE,EAAmBH,EAAQI,QAC3BA,MAA+B9D,KAArB6D,GAAyCA,EAEnDE,EAAa,SAAUC,GAGzB,QAASD,GAAWrN,EAAOyI,GACzB8E,EAAelO,KAAMgO,EAErB,IAAIlO,GAAQqO,EAA0BnO,MAAOgO,EAAWI,WAAa1K,OAAO2K,eAAeL,IAAazN,KAAKP,KAAMW,EAAOyI,GAG1H,OADA0C,GAAqB1C,GACdtJ,EAkBT,MA1BAwO,GAASN,EAAYC,GAWrBM,EAAYP,IACVtI,IAAK,qBACL8I,MAAO,WAGL,MAFAxC,KAAU+B,EAAS,sHAEZ/N,KAAKyO,KAAKC,mBAGnBhJ,IAAK,SACL8I,MAAO,WACL,MAAO/O,GAAA8B,EAAMgE,cAAcmI,EAAkBiB,KAAa3O,KAAKW,MAAOiO,KAAmBf,EAAc7N,KAAKoJ,QAAQ9D,OAClH1B,IAAKmK,EAAU,kBAAoB,YAIlCC,GACPxO,EAAA,UASF,OAPAwO,GAAWR,YAAc,cAAgBF,EAAeI,GAAoB,IAC5EM,EAAWzE,cACTjE,KAAMuJ,IAERb,EAAWN,iBAAmBA,EAGvBM,EAST,QAASc,GAAeC,GAGtB,MAAOA,GAWT,QAASC,GAAcC,GAErB,MAAO3E,GAAA/I,EAAkBV,UAAUqO,eAAeD,GAGpD,QAASE,GAAmB9E,GAE1B,MAAOC,GAAA/I,EAAkBV,UAAUuO,wBAAwB/E,GAkC7D,QAASgF,GAA+BC,GACtC,GAAIC,GAAa/E,EAAAjJ,EAAmBgO,UACpCA,GAAWC,OAASF,EAAcE,OAClCD,EAAWE,OAASH,EAAcG,OAClCF,EAAWG,KAAOJ,EAAcI,KAChCH,EAAWI,IAAML,EAAcK,IAC/BJ,EAAWK,MAAQN,EAAcM,MAGnC,QAASC,GAAeC,EAAS7O,EAAM2K,GACrC,GAAImE,GAASD,GAAWA,EAAQ7O,IAAS6O,EAAQ7O,GAAM2K,EACvD,IAAImE,EACF,MAAOA,GAQX,QAASC,GAAWC,EAAQlD,EAAOyB,GACjC,GAAIb,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACzEmK,EAAS4F,EAAO5F,OAChByF,EAAUG,EAAOH,QACjBC,EAASpC,EAAQoC,OAGjBG,EAAO,GAAIC,MAAK3B,GAChB/C,EAAcsE,GAAUF,EAAeC,EAAS,OAAQC,GACxDK,EAAkB7E,EAAYoC,EAAS0C,GAA0B5E,EAErE,KACE,MAAOsB,GAAMuD,kBAAkBjG,EAAQ+F,GAAiBL,OAAOG,GAC/D,MAAOpM,IAMT,MAAOyM,QAAOL,GAGhB,QAASM,GAAWP,EAAQlD,EAAOyB,GACjC,GAAIb,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACzEmK,EAAS4F,EAAO5F,OAChByF,EAAUG,EAAOH,QACjBC,EAASpC,EAAQoC,OAGjBG,EAAO,GAAIC,MAAK3B,GAChB/C,EAAcsE,GAAUF,EAAeC,EAAS,OAAQC,GACxDK,EAAkB7E,EAAYoC,EAAS0C,GAA0B5E,EAEhE2E,GAAgBV,MAASU,EAAgBX,QAAWW,EAAgBZ,SAEvEY,EAAkBzB,KAAayB,GAAmBV,KAAM,UAAWD,OAAQ,YAG7E,KACE,MAAO1C,GAAMuD,kBAAkBjG,EAAQ+F,GAAiBL,OAAOG,GAC/D,MAAOpM,IAMT,MAAOyM,QAAOL,GAGhB,QAASO,GAAeR,EAAQlD,EAAOyB,GACrC,GAAIb,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACzEmK,EAAS4F,EAAO5F,OAChByF,EAAUG,EAAOH,QACjBC,EAASpC,EAAQoC,OAGjBG,EAAO,GAAIC,MAAK3B,GAChBkC,EAAM,GAAIP,MAAKxC,EAAQ+C,KACvBjF,EAAcsE,GAAUF,EAAeC,EAAS,WAAYC,GAC5DK,EAAkB7E,EAAYoC,EAASgD,GAAyBlF,GAIhEmF,EAAgBjC,KAAanE,EAAAjJ,EAAmBgO,WACpDF,GAA+BwB,GAE/B,KACE,MAAO9D,GAAM+D,kBAAkBzG,EAAQ+F,GAAiBL,OAAOG,GAC7DQ,IAAKK,SAASL,GAAOA,EAAM3D,EAAM2D,QAEnC,MAAO5M,IAJT,QASEuL,EAA+BuB,GAGjC,MAAOL,QAAOL,GAGhB,QAASc,GAAaf,EAAQlD,EAAOyB,GACnC,GAAIb,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACzEmK,EAAS4F,EAAO5F,OAChByF,EAAUG,EAAOH,QACjBC,EAASpC,EAAQoC,OAGjBtE,EAAcsE,GAAUF,EAAeC,EAAS,SAAUC,GAC1DK,EAAkB7E,EAAYoC,EAASsD,GAAuBxF,EAElE,KACE,MAAOsB,GAAMmE,gBAAgB7G,EAAQ+F,GAAiBL,OAAOvB,GAC7D,MAAO1K,IAMT,MAAOyM,QAAO/B,GAGhB,QAAS2C,GAAalB,EAAQlD,EAAOyB,GACnC,GAAIb,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACzEmK,EAAS4F,EAAO5F,OAGhB+F,EAAkB7E,EAAYoC,EAASyD,GAE3C,KACE,MAAOrE,GAAMsE,gBAAgBhH,EAAQ+F,GAAiBL,OAAOvB,GAC7D,MAAO1K,IAMT,MAAO,QAGT,QAASuB,GAAc4K,EAAQlD,GAC7B,GAAIuE,GAAoBpR,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACnFqR,EAASrR,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,MACxEmK,EAAS4F,EAAO5F,OAChByF,EAAUG,EAAOH,QACjB5I,EAAW+I,EAAO/I,SAClBsK,EAAgBvB,EAAOuB,cACvBC,EAAiBxB,EAAOwB,eACxBnQ,EAAKgQ,EAAkBhQ,GACvB+B,EAAiBiO,EAAkBjO,cAIvC2I,KAAU1K,EAAI,6DAEd,IAAIoQ,GAAUxK,GAAYA,EAAS5F,EAKnC,MAJgBoC,OAAO4I,KAAKiF,GAAQpR,OAAS,GAK3C,MAAOuR,IAAWrO,GAAkB/B,CAGtC,IAAIqQ,OAAmB,EAEvB,IAAID,EACF,IAGEC,EAFgB5E,EAAM6E,iBAAiBF,EAASrH,EAAQyF,GAE3BC,OAAOwB,GACpC,MAAOzN,IAgBX,IAAK6N,GAAoBtO,EACvB,IAGEsO,EAFiB5E,EAAM6E,iBAAiBvO,EAAgBmO,EAAeC,GAEzC1B,OAAOwB,GACrC,MAAOzN,IAaX,MAAO6N,IAAoBD,GAAWrO,GAAkB/B,EAG1D,QAASuQ,GAAkB5B,EAAQlD,EAAOuE,GACxC,GAAIQ,GAAY5R,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,KAW/E,OAAOmF,GAAc4K,EAAQlD,EAAOuE,EANhB5N,OAAO4I,KAAKwF,GAAWpG,OAAO,SAAUqG,EAASnG,GACnE,GAAI4C,GAAQsD,EAAUlG,EAEtB,OADAmG,GAAQnG,GAAyB,gBAAV4C,GAAqBtD,EAAOsD,GAASA,EACrDuD,QAmVX,QAASC,GAAYC,GACnB,GAAIC,GAAWC,KAAKC,IAAIH,EAExB,OAAIC,GAAWG,GACN,SAGLH,EAAWI,GACN,SAGLJ,EAAWK,GACN,OAKF,MAGT,QAASC,GAAaC,GACpB,OAAQA,GACN,IAAK,SACH,MAAOC,GACT,KAAK,SACH,MAAOL,GACT,KAAK,OACH,MAAOC,GACT,KAAK,MACH,MAAOC,GACT,SACE,MAAOI,KAIb,QAASC,GAAWrR,EAAGsR,GACrB,GAAItR,IAAMsR,EACR,OAAO,CAGT,IAAIC,GAAQ,GAAI3C,MAAK5O,GAAGwR,UACpBC,EAAQ,GAAI7C,MAAK0C,GAAGE,SAExB,OAAOhC,UAAS+B,IAAU/B,SAASiC,IAAUF,IAAUE,ER5c1BpU,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOoL,KAEpEnL,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO8O,KACpE7O,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOmQ,KACpElQ,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOsU,MACpErU,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOuU,MAGpEtU,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOwU,MAEpEvU,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOyU,KAE9E,IAAIC,GAAsDzU,EAAoB,IAC1E0U,EAA8D1U,EAAoBK,EAAEoU,GACpFE,EAAmD3U,EAAoB,IACvE0L,EAA2D1L,EAAoBK,EAAEsU,GACjFC,EAAoD5U,EAAoB,IACxE4L,EAA4D5L,EAAoBK,EAAEuU,GAClFC,EAA2C7U,EAAoB,GAC/D8U,EAAmD9U,EAAoBK,EAAEwU,GACzEjU,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEmU,EAA0C/U,EAAoB,IAC9DoN,EAAkDpN,EAAoBK,EAAE0U,GQtqBjGC,EAAAhV,EAAA,IAAAiV,EAAAjV,EAAAK,EAAA2U,GAeIE,GAAsBzJ,OAAU,KAAM0J,mBAAsB,SAA4B9U,EAAG+U,GAC3F,GAAIC,GAAI1D,OAAOtR,GAAG0L,MAAM,KACpBuJ,GAAMD,EAAE,GACRE,EAAKC,OAAOH,EAAE,KAAOhV,EACrBoV,EAAMF,GAAMF,EAAE,GAAGK,OAAO,GACxBC,EAAOJ,GAAMF,EAAE,GAAGK,OAAO,EAAG,OAAIN,GAAmB,GAAPK,GAAoB,IAARE,EAAa,MAAe,GAAPF,GAAoB,IAARE,EAAa,MAAe,GAAPF,GAAoB,IAARE,EAAa,MAAQ,QAAoB,GAALtV,GAAUiV,EAAK,MAAQ,SACxLM,QAAYC,MAAUjH,YAAe,OAAQkH,UAAcC,EAAK,YAAaC,EAAK,YAAaC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,cAAeC,MAAS,gBAAkBC,MAAUF,IAAO,eAAgBC,MAAS,mBAAuBrF,OAAWpC,YAAe,QAASkH,UAAcC,EAAK,aAAcC,EAAK,aAAcC,KAAM,cAAgBC,cAAkBC,QAAYC,IAAO,eAAgBC,MAAS,iBAAmBC,MAAUF,IAAO,gBAAiBC,MAAS,oBAAwBtF,KAASnC,YAAe,MAAOkH,UAAcC,EAAK,QAASC,EAAK,WAAYC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,aAAcC,MAAS,eAAiBC,MAAUF,IAAO,cAAeC,MAAS,kBAAsBvF,MAAUlC,YAAe,OAAQkH,UAAcC,EAAK,aAAeG,cAAkBC,QAAYC,IAAO,cAAeC,MAAS,gBAAkBC,MAAUF,IAAO,eAAgBC,MAAS,mBAAuBxF,QAAYjC,YAAe,SAAUkH,UAAcC,EAAK,eAAiBG,cAAkBC,QAAYC,IAAO,gBAAiBC,MAAS,kBAAoBC,MAAUF,IAAO,iBAAkBC,MAAS,qBAAyBzF,QAAYhC,YAAe,SAAUkH,UAAcC,EAAK,OAASG,cAAkBC,QAAYC,IAAO,gBAAiBC,MAAS,kBAAoBC,MAAUF,IAAO,iBAAkBC,MAAS,uBAyCv2C7I,EAA4B,kBAAX+I,SAAoD,gBAApBA,QAAOC,SAAwB,SAAUC,GAC5F,aAAcA,IACZ,SAAUA,GACZ,MAAOA,IAAyB,kBAAXF,SAAyBE,EAAIC,cAAgBH,QAAUE,IAAQF,OAAOtU,UAAY,eAAkBwU,IAavHnH,EAAiB,SAAUqH,EAAUC,GACvC,KAAMD,YAAoBC,IACxB,KAAM,IAAIC,WAAU,sCAIpBlH,EAAc,WAChB,QAASmH,GAAiBhR,EAAQ/D,GAChC,IAAK,GAAI+L,GAAI,EAAGA,EAAI/L,EAAMR,OAAQuM,IAAK,CACrC,GAAIiJ,GAAahV,EAAM+L,EACvBiJ,GAAWC,WAAaD,EAAWC,aAAc,EACjDD,EAAWE,cAAe,EACtB,SAAWF,KAAYA,EAAWG,UAAW,GACjDpS,OAAOkL,eAAelK,EAAQiR,EAAWjQ,IAAKiQ,IAIlD,MAAO,UAAUH,EAAaO,EAAYC,GAGxC,MAFID,IAAYL,EAAiBF,EAAY3U,UAAWkV,GACpDC,GAAaN,EAAiBF,EAAaQ,GACxCR,MAQP5G,EAAiB,SAAUyG,EAAK3P,EAAK8I,GAYvC,MAXI9I,KAAO2P,GACT3R,OAAOkL,eAAeyG,EAAK3P,GACzB8I,MAAOA,EACPoH,YAAY,EACZC,cAAc,EACdC,UAAU,IAGZT,EAAI3P,GAAO8I,EAGN6G,GAGL1G,EAAWjL,OAAOuS,QAAU,SAAUvR,GACxC,IAAK,GAAIgI,GAAI,EAAGA,EAAIxM,UAAUC,OAAQuM,IAAK,CACzC,GAAIwJ,GAAShW,UAAUwM,EAEvB,KAAK,GAAIhH,KAAOwQ,GACVxS,OAAO7C,UAAUgL,eAAetL,KAAK2V,EAAQxQ,KAC/ChB,EAAOgB,GAAOwQ,EAAOxQ,IAK3B,MAAOhB,IAKL4J,EAAW,SAAU6H,EAAUC,GACjC,GAA0B,kBAAfA,IAA4C,OAAfA,EACtC,KAAM,IAAIX,WAAU,iEAAoEW,GAG1FD,GAAStV,UAAY6C,OAAO2S,OAAOD,GAAcA,EAAWvV,WAC1DyU,aACE9G,MAAO2H,EACPP,YAAY,EACZE,UAAU,EACVD,cAAc,KAGdO,IAAY1S,OAAO4S,eAAiB5S,OAAO4S,eAAeH,EAAUC,GAAcD,EAAS/H,UAAYgI,IAWzGG,EAA0B,SAAUlB,EAAK/I,GAC3C,GAAI5H,KAEJ,KAAK,GAAIgI,KAAK2I,GACR/I,EAAK1H,QAAQ8H,IAAM,GAClBhJ,OAAO7C,UAAUgL,eAAetL,KAAK8U,EAAK3I,KAC/ChI,EAAOgI,GAAK2I,EAAI3I,GAGlB,OAAOhI,IAGLyJ,EAA4B,SAAUqI,EAAMjW,GAC9C,IAAKiW,EACH,KAAM,IAAIC,gBAAe,4DAG3B,QAAOlW,GAAyB,gBAATA,IAAqC,kBAATA,GAA8BiW,EAAPjW,GAqBxEmW,EAAoB,SAAUC,GAChC,GAAItW,MAAM6J,QAAQyM,GAAM,CACtB,IAAK,GAAIjK,GAAI,EAAGkK,EAAOvW,MAAMsW,EAAIxW,QAASuM,EAAIiK,EAAIxW,OAAQuM,IAAKkK,EAAKlK,GAAKiK,EAAIjK,EAE7E,OAAOkK,GAEP,MAAOvW,OAAMwW,KAAKF,IAUlBG,EAAOpD,EAAAnS,EAAUuV,KACjBC,EAASrD,EAAAnS,EAAUwV,OACnBrQ,GAASgN,EAAAnS,EAAUmF,OACnBsQ,GAAOtD,EAAAnS,EAAUyV,KACjBxN,GAASkK,EAAAnS,EAAUiI,OACnByN,GAAQvD,EAAAnS,EAAU0V,MAClBC,GAAQxD,EAAAnS,EAAU2V,MAClBC,GAAMzD,EAAAnS,EAAU4V,IAChB1Q,GAAYiN,EAAAnS,EAAUkF,UAEtB2Q,GAAgBH,IAAO,WAAY,WACnCI,GAAkBJ,IAAO,SAAU,QAAS,SAC5CK,GAAgBL,IAAO,UAAW,YAClCM,GAAUP,GAAKQ,WAEfC,IACFpN,OAAQ3D,GACRoJ,QAAStG,GACTtC,SAAUsC,GACVkO,cAAeP,GAEf3F,cAAe9K,GACf+K,eAAgBjI,IAGdmO,IACF3H,WAAYuH,GACZ/G,WAAY+G,GACZ9G,eAAgB8G,GAChBvG,aAAcuG,GACdpG,aAAcoG,GACdlS,cAAekS,GACf1F,kBAAmB0F,IAGjB1I,GAAYqI,GAAMvI,KAAa8I,GAAqBE,IACtDC,WAAYpO,GACZkH,IAAK6G,MASHM,IALEnR,GAAO8Q,WACE/Q,IAAWC,GAAQ8C,MAKhC4N,cAAeA,GACfU,cAAeb,IAAO,QAAS,aAE/Bc,SAAUrR,GACVsR,OAAQlB,EAERmB,QAASZ,GACTa,IAAKb,GACL5C,KAAM6C,GACN1H,MAAOqH,IAAO,UAAW,UAAW,SAAU,QAAS,SACvDtH,IAAK2H,GACL5H,KAAM4H,GACN7H,OAAQ6H,GACR9H,OAAQ8H,GACRa,aAAclB,IAAO,QAAS,WAG5BmB,IACFhB,cAAeA,GAEf7T,MAAO0T,IAAO,UAAW,WAAY,YACrCoB,SAAU3R,GACV4R,gBAAiBrB,IAAO,SAAU,OAAQ,SAC1CsB,YAAazB,EAEb0B,qBAAsBzB,EACtB0B,sBAAuB1B,EACvB2B,sBAAuB3B,EACvB4B,yBAA0B5B,EAC1B6B,yBAA0B7B,GAGxB8B,IACFtV,MAAO0T,IAAO,WAAY,YAC1BxE,MAAOwE,IAAO,SAAU,SAAU,OAAQ,MAAO,QAAS,UAGxD6B,IACFvV,MAAO0T,IAAO,WAAY,aAcxB5J,GAAsB3J,OAAO4I,KAAKmL,IAElCnM,IACFyN,IAAK,QACLC,IAAK,OACLC,IAAK,OACLC,IAAK,SACLC,IAAK,UAGH/N,GAAqB,WAiKrBgO,GAAmB,QAASA,GAAiBnK,GAC/C,GAAItB,GAAUzN,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,KAC7EgO,GAAelO,KAAMoZ,EAErB,IAAIC,GAA+B,YAAlB1L,EAAQpK,MACrB+V,EAAWnK,EAAmBH,EAAcC,GAEhDjP,MAAK+P,OAAS,SAAUvB,GACtB,MAAO8K,GAAS9K,EAAO6K,KAUvBhJ,GAA2B3M,OAAO4I,KAAKuL,IACvC5G,GAAwBvN,OAAO4I,KAAK8L,IACpCzH,GAA0BjN,OAAO4I,KAAKuM,IACtCzH,GAAwB1N,OAAO4I,KAAKwM,IAEpCjI,IACFrB,OAAQ,GACRC,OAAQ,GACRC,KAAM,GACNC,IAAK,GACLC,MAAO,IAoOLG,GAASrM,OAAO6V,QACnBvJ,WAAYA,EACZQ,WAAYA,EACZC,eAAgBA,EAChBO,aAAcA,EACdG,aAAcA,EACd9L,cAAeA,EACfwM,kBAAmBA,IAShB2H,GAAwB9V,OAAO4I,KAAKmL,IACpCgC,GAAsB/V,OAAO4I,KAAKqL,IAIlChR,IACFmJ,WACA5I,YACAwQ,cAAe,OAEflG,cAAe,KACfC,mBAGEwB,GAAe,SAAUhF,GAG3B,QAASgF,GAAatS,GACpB,GAAIyI,GAAUlJ,UAAUC,OAAS,OAAsB8J,KAAjB/J,UAAU,GAAmBA,UAAU,KAC7EgO,GAAelO,KAAMiT,EAErB,IAAInT,GAAQqO,EAA0BnO,MAAOiT,EAAa7E,WAAa1K,OAAO2K,eAAe4E,IAAe1S,KAAKP,KAAMW,EAAOyI,GAE9H4C,KAA0B,mBAAT0N,MAAsB,8LAEvC,IAAIC,GAAcvQ,EAAQ9D,KAKtBsU,MAAa,EAEfA,GADE7I,SAASpQ,EAAMiZ,YACJxF,OAAOzT,EAAMiZ,YAKbD,EAAcA,EAAYjJ,MAAQP,KAAKO,KAQtD,IAAI3E,GAAO4N,MACPE,EAAkB9N,EAAK6L,WACvBA,MAAiC3N,KAApB4P,GACfvJ,kBAAmBuD,IAAuB6F,KAAKI,gBAC/C5I,gBAAiB2C,IAAuB6F,KAAKK,cAC7CnI,iBAAkBiC,IAAuBvJ,EAAA/I,GACzCuP,kBAAmB+C,IAAuBrJ,EAAAjJ,GAC1C8P,gBAAiBwC,IAAuBuF,KACtCS,CASJ,OAPA/Z,GAAMiN,MAAQ4B,KAAaiJ,GAGzBlH,IAAK,WACH,MAAO5Q,GAAMka,YAAc7J,KAAKO,MAAQkJ,KAGrC9Z,EA+FT,MA9IAwO,GAAS2E,EAAchF,GAkDvBM,EAAY0E,IACVvN,IAAK,YACL8I,MAAO,WACL,GAAImL,GAAc3Z,KAAKoJ,QAAQ9D,KAK3B2K,EAAS1E,EAAYvL,KAAKW,MAAO6Y,GAAuBG,EAK5D,KAAK,GAAIM,KAAYtT,QACMsD,KAArBgG,EAAOgK,KACThK,EAAOgK,GAAYtT,GAAasT,GAIpC,KAAKxP,EAAcwF,EAAO5F,QAAS,CACjC,GAAI6P,GAAUjK,EAEVuB,GADS0I,EAAQ7P,OACD6P,EAAQ1I,eACxBC,EAAiByI,EAAQzI,cAY7BxB,GAAStB,KAAasB,GACpB5F,OAAQmH,EACR1B,QAAS2B,EACTvK,SAAUP,GAAaO,WAI3B,MAAO+I,MAGTvK,IAAK,oBACL8I,MAAO,SAA2ByB,EAAQlD,GACxC,MAAO0M,IAAoB/N,OAAO,SAAUyO,EAAgBvO,GAE1D,MADAuO,GAAevO,GAAQmE,GAAOnE,GAAMa,KAAK,KAAMwD,EAAQlD,GAChDoN,UAIXzU,IAAK,kBACL8I,MAAO,WACL,GAAIyB,GAASjQ,KAAKoa,YAGdD,EAAiBna,KAAKqa,kBAAkBpK,EAAQjQ,KAAK+M,OAErDuN,EAASta,KAAK+M,MACd2D,EAAM4J,EAAO5J,IACbkH,EAAarB,EAAwB+D,GAAS,OAGlD,QACEhV,KAAMqJ,KAAasB,EAAQkK,GACzBvC,WAAYA,EACZlH,IAAKA,QAKXhL,IAAK,wBACL8I,MAAO,WACL,IAAK,GAAIvO,GAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3Eia,EAAKja,GAAQJ,UAAUI,EAGzB,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,MAAMS,OAAO8Z,OAGlE7U,IAAK,oBACL8I,MAAO,WACLxO,KAAKga,aAAc,KAGrBtU,IAAK,SACL8I,MAAO,WACL,MAAOhP,GAAA,SAASgb,KAAKxa,KAAKW,MAAM0H,cAG7B4K,GACPzT,EAAA,UAEFyT,IAAazF,YAAc,eAC3ByF,GAAa1J,cACXjE,KAAMuJ,IAERoE,GAAawH,mBACXnV,KAAMuJ,GAAU2I,WAalB,IAAItE,IAAgB,SAAUjF,GAG5B,QAASiF,GAAcvS,EAAOyI,GAC5B8E,EAAelO,KAAMkT,EAErB,IAAIpT,GAAQqO,EAA0BnO,MAAOkT,EAAc9E,WAAa1K,OAAO2K,eAAe6E,IAAgB3S,KAAKP,KAAMW,EAAOyI,GAGhI,OADA0C,GAAqB1C,GACdtJ,EAoCT,MA5CAwO,GAAS4E,EAAejF,GAWxBM,EAAY2E,IACVxN,IAAK,wBACL8I,MAAO,WACL,IAAK,GAAIvO,GAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3Eia,EAAKja,GAAQJ,UAAUI,EAGzB,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,MAAMS,OAAO8Z,OAGlE7U,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7B0K,EAAa9C,EAAc8C,WAC3B0K,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACd6N,EAAQzN,EAAOyN,MACfnG,EAAWtH,EAAOsH,SAGlBsS,EAAgB3K,EAAWxB,EAAOxO,KAAKW,MAE3C,OAAwB,kBAAb0H,GACFA,EAASsS,GAGXlb,EAAA8B,EAAMgE,cACXmV,EACA,KACAC,OAICzH,GACP1T,EAAA,UAEF0T,IAAc1F,YAAc,gBAC5B0F,GAAc3J,cACZjE,KAAMuJ,GAcR,IAAI+L,IAAgB,SAAU3M,GAG5B,QAAS2M,GAAcja,EAAOyI,GAC5B8E,EAAelO,KAAM4a,EAErB,IAAI9a,GAAQqO,EAA0BnO,MAAO4a,EAAcxM,WAAa1K,OAAO2K,eAAeuM,IAAgBra,KAAKP,KAAMW,EAAOyI,GAGhI,OADA0C,GAAqB1C,GACdtJ,EAoCT,MA5CAwO,GAASsM,EAAe3M,GAWxBM,EAAYqM,IACVlV,IAAK,wBACL8I,MAAO,WACL,IAAK,GAAIvO,GAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3Eia,EAAKja,GAAQJ,UAAUI,EAGzB,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,MAAMS,OAAO8Z,OAGlE7U,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7BkL,EAAatD,EAAcsD,WAC3BkK,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACd6N,EAAQzN,EAAOyN,MACfnG,EAAWtH,EAAOsH,SAGlBwS,EAAgBrK,EAAWhC,EAAOxO,KAAKW,MAE3C,OAAwB,kBAAb0H,GACFA,EAASwS,GAGXpb,EAAA8B,EAAMgE,cACXmV,EACA,KACAG,OAICD,GACPpb,EAAA,UAEFob,IAAcpN,YAAc,gBAC5BoN,GAAcrR,cACZjE,KAAMuJ,GAcR,IAAI6D,IAAS,IACTL,GAAS,IACTC,GAAO,KACPC,GAAM,MAINI,GAAkB,WAgDlBmI,GAAoB,SAAU7M,GAGhC,QAAS6M,GAAkBna,EAAOyI,GAChC8E,EAAelO,KAAM8a,EAErB,IAAIhb,GAAQqO,EAA0BnO,MAAO8a,EAAkB1M,WAAa1K,OAAO2K,eAAeyM,IAAoBva,KAAKP,KAAMW,EAAOyI,GAExI0C,GAAqB1C,EAErB,IAAIsH,GAAMK,SAASpQ,EAAMiZ,YAAcxF,OAAOzT,EAAMiZ,YAAcxQ,EAAQ9D,KAAKoL,KAK/E,OADA5Q,GAAMiN,OAAU2D,IAAKA,GACd5Q,EAiGT,MA/GAwO,GAASwM,EAAmB7M,GAiB5BM,EAAYuM,IACVpV,IAAK,qBACL8I,MAAO,SAA4B7N,EAAOoM,GACxC,GAAI3H,GAASpF,IAGb+a,cAAa/a,KAAKgb,OAElB,IAAIxM,GAAQ7N,EAAM6N,MACdiE,EAAQ9R,EAAM8R,MACdwI,EAAiBta,EAAMsa,eAEvBC,EAAO,GAAI/K,MAAK3B,GAAOuE,SAK3B,IAAKkI,GAAmBlK,SAASmK,GAAjC,CAIA,GAAIjJ,GAAQiJ,EAAOnO,EAAM2D,IACrByK,EAAY3I,EAAaC,GAAST,EAAYC,IAC9CmJ,EAAgBjJ,KAAKC,IAAIH,EAAQkJ,GAMjCE,EAAQpJ,EAAQ,EAAIE,KAAKmJ,IAAIL,EAAgBE,EAAYC,GAAiBjJ,KAAKmJ,IAAIL,EAAgBG,EAEvGpb,MAAKgb,OAASO,WAAW,WACvBnW,EAAOoW,UAAW9K,IAAKtL,EAAOgE,QAAQ9D,KAAKoL,SAC1C2K,OAGL3V,IAAK,oBACL8I,MAAO,WACLxO,KAAKyb,mBAAmBzb,KAAKW,MAAOX,KAAK+M,UAG3CrH,IAAK,4BACL8I,MAAO,SAAmCzC,GAKnC6G,EAJW7G,EAAKyC,MAIMxO,KAAKW,MAAM6N,QACpCxO,KAAKwb,UAAW9K,IAAK1Q,KAAKoJ,QAAQ9D,KAAKoL,WAI3ChL,IAAK,wBACL8I,MAAO,WACL,IAAK,GAAIvO,GAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3Eia,EAAKja,GAAQJ,UAAUI,EAGzB,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,MAAMS,OAAO8Z,OAGlE7U,IAAK,sBACL8I,MAAO,SAA6B3B,EAAWC,GAC7C9M,KAAKyb,mBAAmB5O,EAAWC,MAGrCpH,IAAK,uBACL8I,MAAO,WACLuM,aAAa/a,KAAKgb,WAGpBtV,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7BmL,EAAiBvD,EAAcuD,eAC/BiK,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACd6N,EAAQzN,EAAOyN,MACfnG,EAAWtH,EAAOsH,SAGlBqT,EAAoBjL,EAAejC,EAAOG,KAAa3O,KAAKW,MAAOX,KAAK+M,OAE5E,OAAwB,kBAAb1E,GACFA,EAASqT,GAGXjc,EAAA8B,EAAMgE,cACXmV,EACA,KACAgB,OAICZ,GACPtb,EAAA,UAEFsb,IAAkBtN,YAAc,oBAChCsN,GAAkBvR,cAChBjE,KAAMuJ,IAERiM,GAAkBnU,cAChBsU,eAAgB,IAgBlB,IAAI9H,IAAkB,SAAUlF,GAG9B,QAASkF,GAAgBxS,EAAOyI,GAC9B8E,EAAelO,KAAMmT,EAErB,IAAIrT,GAAQqO,EAA0BnO,MAAOmT,EAAgB/E,WAAa1K,OAAO2K,eAAe8E,IAAkB5S,KAAKP,KAAMW,EAAOyI,GAGpI,OADA0C,GAAqB1C,GACdtJ,EAoCT,MA5CAwO,GAAS6E,EAAiBlF,GAW1BM,EAAY4E,IACVzN,IAAK,wBACL8I,MAAO,WACL,IAAK,GAAIvO,GAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3Eia,EAAKja,GAAQJ,UAAUI,EAGzB,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,MAAMS,OAAO8Z,OAGlE7U,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7B0L,EAAe9D,EAAc8D,aAC7B0J,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACd6N,EAAQzN,EAAOyN,MACfnG,EAAWtH,EAAOsH,SAGlBsT,EAAkB3K,EAAaxC,EAAOxO,KAAKW,MAE/C,OAAwB,kBAAb0H,GACFA,EAASsT,GAGXlc,EAAA8B,EAAMgE,cACXmV,EACA,KACAiB,OAICxI,GACP3T,EAAA,UAEF2T,IAAgB3F,YAAc,kBAC9B2F,GAAgB5J,cACdjE,KAAMuJ,GAcR,IAAI+M,IAAkB,SAAU3N,GAG9B,QAAS2N,GAAgBjb,EAAOyI,GAC9B8E,EAAelO,KAAM4b,EAErB,IAAI9b,GAAQqO,EAA0BnO,MAAO4b,EAAgBxN,WAAa1K,OAAO2K,eAAeuN,IAAkBrb,KAAKP,KAAMW,EAAOyI,GAGpI,OADA0C,GAAqB1C,GACdtJ,EAsCT,MA9CAwO,GAASsN,EAAiB3N,GAW1BM,EAAYqN,IACVlW,IAAK,wBACL8I,MAAO,WACL,IAAK,GAAIvO,GAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3Eia,EAAKja,GAAQJ,UAAUI,EAGzB,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,MAAMS,OAAO8Z,OAGlE7U,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7B6L,EAAejE,EAAciE,aAC7BuJ,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACd6N,EAAQzN,EAAOyN,MACfyG,EAAQlU,EAAOkU,MACf5M,EAAWtH,EAAOsH,SAGlBwT,EAAiB1K,EAAa3C,EAAOxO,KAAKW,OAC1Cmb,EAAkB9b,KAAKW,MAAMkb,IAAmB5G,CAEpD,OAAwB,kBAAb5M,GACFA,EAASyT,GAGXrc,EAAA8B,EAAMgE,cACXmV,EACA,KACAoB,OAICF,GACPpc,EAAA,UAEFoc,IAAgBpO,YAAc,kBAC9BoO,GAAgBrS,cACdjE,KAAMuJ,IAER+M,GAAgBjV,cACdpD,MAAO,WAqBT,IAAI6P,IAAmB,SAAUnF,GAG/B,QAASmF,GAAiBzS,EAAOyI,GAC/B8E,EAAelO,KAAMoT,EAErB,IAAItT,GAAQqO,EAA0BnO,MAAOoT,EAAiBhF,WAAa1K,OAAO2K,eAAe+E,IAAmB7S,KAAKP,KAAMW,EAAOyI,GAGtI,OADA0C,GAAqB1C,GACdtJ,EAkHT,MA1HAwO,GAAS8E,EAAkBnF,GAW3BM,EAAY6E,IACV1N,IAAK,wBACL8I,MAAO,SAA+B3B,GACpC,GAAI0E,GAASvR,KAAKW,MAAM4Q,MAIxB,KAAKtF,EAHYY,EAAU0E,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDwK,GAAmBpN,KAAa9B,GAClC0E,OAAQA,IAGDtR,EAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,EAAO,EAAIA,EAAO,EAAI,GAAIK,EAAO,EAAGA,EAAOL,EAAMK,IAC9Fia,EAAKja,EAAO,GAAKJ,UAAUI,EAG7B,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,KAAM+b,GAAkBtb,OAAO8Z,OAGpF7U,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7BD,EAAgB6H,EAAc7H,cAC9BqV,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACdW,EAAKP,EAAOO,GACZ0a,EAAcjb,EAAOib,YACrB3Y,EAAiBtC,EAAOsC,eACxBkO,EAASxQ,EAAOwQ,OAChB0K,EAAiBlb,EAAOmb,QACxB3O,MAAkCtD,KAAnBgS,EAA+BvB,EAAOuB,EACrD5T,EAAWtH,EAAOsH,SAGlB8T,MAAiB,GACjBC,MAAkB,GAClBC,MAAW,EAGf,IADgB9K,GAAU7N,OAAO4I,KAAKiF,GAAQpR,OAAS,EACxC,CAGb,GAAImc,GAAMnK,KAAKoK,MAAsB,cAAhBpK,KAAKqK,UAA0BC,SAAS,IAEzDC,EAAgB,WAClB,GAAIC,GAAU,CACd,OAAO,YACL,MAAO,WAAaL,EAAM,KAAOK,GAAW,MAOhDR,GAAiB,MAAQG,EAAM,MAC/BF,KACAC,KAOA3Y,OAAO4I,KAAKiF,GAAQpH,QAAQ,SAAUyB,GACpC,GAAI4C,GAAQ+C,EAAO3F,EAEnB,IAAIlI,OAAAlE,EAAA,gBAAegP,GAAQ,CACzB,GAAIoO,GAAQF,GACZN,GAAgBxQ,GAAQuQ,EAAiBS,EAAQT,EACjDE,EAASO,GAASpO,MAElB4N,GAAgBxQ,GAAQ4C,IAK9B,GAAImH,IAAerU,GAAIA,EAAI0a,YAAaA,EAAa3Y,eAAgBA,GACjEsO,EAAmBtM,EAAcsQ,EAAYyG,GAAmB7K,GAEhEsL,MAAQ,EAiBZ,OATEA,GANgBR,GAAY3Y,OAAO4I,KAAK+P,GAAUlc,OAAS,EAMnDwR,EAAiBhH,MAAMwR,GAAgBW,OAAO,SAAUC,GAC9D,QAASA,IACRvX,IAAI,SAAUuX,GACf,MAAOV,GAASU,IAASA,KAGlBpL,GAGa,kBAAbtJ,GACFA,EAAS7H,UAAMyJ,GAAWyM,EAAkBmG,IAK9Crd,EAAA,cAAcgB,UAAMyJ,IAAYsD,EAAc,MAAM9M,OAAOiW,EAAkBmG,SAGjFzJ,GACP5T,EAAA,UAEF4T,IAAiB5F,YAAc,mBAC/B4F,GAAiB7J,cACfjE,KAAMuJ,IAERuE,GAAiBzM,cACf4K,UAcF,IAAIyL,IAAuB,SAAU/O,GAGnC,QAAS+O,GAAqBrc,EAAOyI,GACnC8E,EAAelO,KAAMgd,EAErB,IAAIld,GAAQqO,EAA0BnO,MAAOgd,EAAqB5O,WAAa1K,OAAO2K,eAAe2O,IAAuBzc,KAAKP,KAAMW,EAAOyI,GAG9I,OADA0C,GAAqB1C,GACdtJ,EA8DT,MAtEAwO,GAAS0O,EAAsB/O,GAW/BM,EAAYyO,IACVtX,IAAK,wBACL8I,MAAO,SAA+B3B,GACpC,GAAI0E,GAASvR,KAAKW,MAAM4Q,MAIxB,KAAKtF,EAHYY,EAAU0E,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDwK,GAAmBpN,KAAa9B,GAClC0E,OAAQA,IAGDtR,EAAOC,UAAUC,OAAQoa,EAAOla,MAAMJ,EAAO,EAAIA,EAAO,EAAI,GAAIK,EAAO,EAAGA,EAAOL,EAAMK,IAC9Fia,EAAKja,EAAO,GAAKJ,UAAUI,EAG7B,OAAOqM,GAA0BnM,UAAMyJ,IAAYjK,KAAM+b,GAAkBtb,OAAO8Z,OAGpF7U,IAAK,SACL8I,MAAO,WACL,GAAItB,GAAgBlN,KAAKoJ,QAAQ9D,KAC7BuM,EAAoB3E,EAAc2E,kBAClC6I,EAAOxN,EAAcwK,cACrB3W,EAASf,KAAKW,MACdW,EAAKP,EAAOO,GACZ0a,EAAcjb,EAAOib,YACrB3Y,EAAiBtC,EAAOsC,eACxByO,EAAY/Q,EAAOwQ,OACnB0K,EAAiBlb,EAAOmb,QACxB3O,MAAkCtD,KAAnBgS,EAA+BvB,EAAOuB,EACrD5T,EAAWtH,EAAOsH,SAGlBsN,GAAerU,GAAIA,EAAI0a,YAAaA,EAAa3Y,eAAgBA,GACjE4Z,EAAuBpL,EAAkB8D,EAAY7D,EAEzD,IAAwB,kBAAbzJ,GACT,MAAOA,GAAS4U,EAWlB,IAAIC,IAASC,OAAQF,EACrB,OAAOxd,GAAA8B,EAAMgE,cAAcgI,GAAgB6P,wBAAyBF,QAGjEF,GACPxd,EAAA,UAEFwd,IAAqBxP,YAAc,uBACnCwP,GAAqBzT,cACnBjE,KAAMuJ,IAERmO,GAAqBrW,cACnB4K,WAcFxH,EAAc+J,GAQd/J,EAAcuJ,EAAA/R,IR4jBR8b,IACA,SAAU3e,EAAQC,EAAqBC,GAE7C,YACA8E,QAAOkL,eAAejQ,EAAqB,cAAgB6P,OAAO,GAC7C,IAAI8O,GAAyD1e,EAAoB,GSvqEtG8E,QAAA4Z,EAAA,KAAgBC,KAAK,WACnB3e,EAAQ,KAAoB4e,YAC3BC,MAAM,SAAA3Z,GACP4Z,QAAQC,MAAM7Z,MT+qEV8Z,IACA,SAAUlf,EAAQC,EAAqBC,GAE7C,YU/qEA,SAASif,KAGP,GAFAC,EAAKC,MAAM,UAEPvV,OAAOxD,SAAWA,QAAQgZ,aAAc,IAAAC,GACPzV,OAAO0V,SAAlCC,EADkCF,EAClCE,SAAUC,EADwBH,EACxBG,OAAQC,EADgBJ,EAChBI,KACpB1c,EAAOwc,EAAWC,EAASC,CAC3B,gBAAgBC,KAAK3c,IACzBqD,QAAQgZ,aAAa,KAAMO,SAASlY,MAApC,OAAkD1E,GAItD+B,OAAA8a,EAAA,SAAM,WACJ,GAAMC,GAAYF,SAASG,eAAe,YACpC/d,EAAQge,KAAKC,MAAMH,EAAUI,aAAa,cAEhDC,GAAAvd,EAAST,OAAOie,EAAAxd,EAAAgE,cAACyZ,EAAA,EAAare,GAAW8d,GAGvC7f,EAAQ,KAA0BqgB,UAClCD,EAAA,EAAME,SAASC,EAAA,KAEjBrB,EAAKsB,KAAK,YV2pEd1b,OAAOkL,eAAejQ,EAAqB,cAAgB6P,OAAO,GAC7C,IAAI2Q,GAA4DvgB,EAAoB,KAChFogB,EAAqDpgB,EAAoB,KACzEygB,EAAsCzgB,EAAoB,GAC1DmgB,EAA8CngB,EAAoBK,EAAEogB,GACpEC,EAA0C1gB,EAAoB,IAC9DkgB,EAAkDlgB,EAAoBK,EAAEqgB,GACxEd,EAAuC5f,EAAoB,IUzrE9Ekf,EAAOlf,EAAQ,IA2BrBD,GAAA,WVwsEM4gB,IACA,SAAU7gB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO6gB,KACpE5gB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO8gB,IAC9E,IAAI1gB,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEkgB,EAA4C9gB,EAAoB,GAChE+gB,EAAsD/gB,EAAoB,KAC1EghB,EAAoDhhB,EAAoB,KACxEihB,EAAiDjhB,EAAoB,IACrEkhB,EAAsDlhB,EAAoB,KAC1EmhB,EAA8CnhB,EAAoB,KAClEohB,EAAwDphB,EAAoB,KAC5EqhB,EAAgDrhB,EAAoB,IACpEshB,EAAoDthB,EAAoB,IACxEuhB,EAA4CvhB,EAAoB,GAChEwhB,EAA0CxhB,EAAoB,GAC9DyhB,EAAgDzhB,EAAoB,IAoBzF0hB,EWzwE6B5c,OAAA0c,EAAA,aAAzBhW,EX0wESkW,EW1wETlW,WAAYlD,EX2wELoZ,EW3wEKpZ,QACpBxD,QAAAyc,EAAA,GAAc/V,EAEP,IAAMoV,GAAQ9b,OAAAic,EAAA,KACfY,EAAgB7c,OAAAuc,EAAA,GAAaI,EAAA,EACnCb,GAAMN,SAASqB,GAGff,EAAMN,SAASxb,OAAAsc,EAAA,KX8wEf,IW5wEqBP,GX4wEN,SAAU7f,GAGvB,QAAS6f,KAGP,MAFAtgB,KAA6Ea,KAAMyf,GAE5EpgB,IAAwFW,KAAMJ,EAAqBY,MAAMR,KAAME,YAkDxI,MAvDAX,KAAuEkgB,EAAU7f,GAQjF6f,EAAS5e,UW/wET2f,kBX+wEuC,WWpwErC,GAVAxgB,KAAKygB,WAAajB,EAAMN,SAASxb,OAAAwc,EAAA,UAIE,KAAxB1X,OAAOkY,cAA4D,YAA5BA,aAAaC,YAC7DnY,OAAO+S,WAAW,iBAAMmF,cAAaE,qBAAqB,SAKX,KAAtCC,UAAUC,wBAAyC,CAC5D,GAAMC,GAAavY,OAAO0V,SAAS8C,SAAW,KAAOxY,OAAO0V,SAAS+C,KAAO,gBAC5EzY,QAAO+S,WAAW,iBAAMsF,WAAUC,wBAAwB,eAAgBC,EAAY,aAAa,KAGrGvB,EAAMN,SAASxb,OAAAkc,EAAA,OXsxEjBH,EAAS5e,UWnxETqgB,qBXmxE0C,WWlxEpClhB,KAAKygB,aACPzgB,KAAKygB,aACLzgB,KAAKygB,WAAa,OXuxEtBhB,EAAS5e,UWnxETC,OXmxE4B,WWnxElB,GACAuJ,GAAWrK,KAAKW,MAAhB0J,MAER,OAAArL,KACGmhB,EAAA,GADH9V,OACwBA,EADxBnD,SAC0CA,OAD1C,GAAAlI,IAEK0gB,EAAA,UAFLF,MAEqBA,OAFrB,GAAAxgB,IAGO6gB,EAAA,GAHPsB,SAG8B,YAH9B,GAAAniB,IAIS8gB,EAAA,SAJT,GAAA9gB,IAKW6gB,EAAA,GALXle,KAKsB,IALtByf,UAKqCrB,EAAA,SX4xEhCN,GWp0E6BhgB,EAAA8B,EAAMC,gBX20EtC6f,IACA,SAAU3iB,EAAQC,EAAqBC,GAE7C,YYp2EO,SAAS0iB,KACd,MAAO,UAACpC,EAAUqC,GACIA,IAAWC,OAAO,WAAY,gBAGhDtC,EAASxb,OAAA+d,EAAA,GAAU,eACnBvC,EAASxb,OAAAge,EAAA,IAAe,cAAc,IACtCxC,EAASxb,OAAAge,EAAA,QZ81EkB/iB,EAAuB,EAAI2iB,CACvC,IAAIG,GAAuC7iB,EAAoB,IAC3D8iB,EAA0C9iB,EAAoB,KAkBjF+iB,IACA,SAAUjjB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOijB,IAC9E,IA0CjBC,GAAMC,EAASC,EAASC,EA1CHjjB,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FsD,EAAgDhE,EAAoB,IACpEiE,EAAwDjE,EAAoBK,EAAE2D,GAC9ElD,EAA2Cd,EAAoB,IAC/De,EAAmDf,EAAoBK,EAAES,GACzEuiB,EAAsCrjB,EAAoB,GAC1DsjB,EAA8CtjB,EAAoBK,EAAEgjB,GACpEE,EAAoEvjB,EAAoB,KACxFwjB,EAA2CxjB,EAAoB,GAC/DyjB,EAAmDzjB,EAAoBK,EAAEmjB,GACzEE,EAAkE1jB,EAAoB,KACtF2jB,EAAsD3jB,EAAoB,KAC1E4jB,EAA6D5jB,EAAoB,KACjF6jB,EAA6C7jB,EAAoB,GACjE8jB,EAAkD9jB,EAAoB,IACtE+jB,EAA4C/jB,EAAoB,IAChEgkB,EAAkDhkB,EAAoB,IACtEikB,EAAoDjkB,EAAoB,IACxEkkB,EAAwDlkB,EAAoB,KAC5EmkB,EAAuDnkB,EAAoB,IAC3EokB,EAA4DpkB,EAAoB,KAChFqkB,EAAyDrkB,EAAoB,KAC7EskB,EAAoEtkB,EAAoB,KACxFukB,EAAwDvkB,EAAoB,IAC5EwkB,EAA+CxkB,EAAoB,KAEnEykB,GADuDzkB,EAAoBK,EAAEmkB,GAC7BxkB,EAAoB,KACpE0kB,EAA4C1kB,EAAoB,Gan3EnFsI,Gbo3EuEtI,EAAoB,Kap3EhF8E,OAAA4f,EAAA,IACfC,cAAAjiB,GAAA,kBAAA+B,eAAA,qDAGImgB,EAAkB,SAAAzW,GAAA,OACtB0W,YAAa1W,EAAMyU,OAAO,UAAW,iBACrCkC,iBAAuD,KAArC3W,EAAMyU,OAAO,UAAW,SAC1CmC,mBAAiE,OAA7C5W,EAAMyU,OAAO,gBAAiB,aAG9CoC,GACJC,KAAM,IACNC,IAAK,IACL1F,OAAQ,IACR2F,SAAU,WACVC,aAAc,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACtDC,MAAO,IACPC,UAAW,IACXC,MAAO,IACPC,QAAS,IACTC,MAAO,QAAS,KAChBC,YAAa,IACbC,UAAW,OAAQ,KACnBC,QAAS,KAAM,KACfC,KAAM,YACNC,SAAU,MACVC,kBAAmB,MACnBC,UAAW,MACXC,cAAe,MACfC,UAAW,MACXC,eAAgB,MAChBC,YAAa,MACbC,YAAa,OAGTC,Eb65EqB,SAAUtlB,GAGnC,QAASslB,KACP,GAAIrlB,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMklB,EAEnF,KAAK,GAAIjlB,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,Eaj6ErNiN,OACEoY,OAAQzhB,OAAAif,EAAA,GAASna,OAAOC,abk6ErB3I,Eaj5ELslB,aAAeviB,IAAS,WAEtB/C,EAAKa,MAAM0kB,iBAEXvlB,EAAK0b,UAAW2J,OAAQzhB,OAAAif,EAAA,GAASna,OAAOC,eACvC,KACD6c,UAAU,Ibk5ENxlB,Ea/4EN6D,OAAS,SAAAuE,GACPpI,EAAK+D,KAAOqE,EAAEqd,qBAAqBA,sBbq4E5BxlB,EAWJF,EAAQR,IAAwFS,EAAOC,GA6H5G,MAnJAR,KAAuE2lB,EAAsBtlB,GAyB7FslB,EAAqBrkB,Ua36ErB2kB,mBb26EoD,Wa16ElDhd,OAAOtD,iBAAiB,SAAUlF,KAAKolB,cAAgBK,SAAS,Kb86ElEP,EAAqBrkB,Ua36ErB6kB,mBb26EoD,Sa36EhCC,IACZ3lB,KAAKW,MAAMud,SAASC,SAAU,KAAKyH,SAASD,EAAUzH,SAASC,WACnEne,KAAK6D,KAAKgiB,+Bb+6EdX,EAAqBrkB,Ua36ErBqgB,qBb26EsD,Wa16EpD1Y,OAAOzD,oBAAoB,SAAU/E,KAAKolB,eb86E5CF,EAAqBrkB,Ua95ErBC,Ob85EwC,Wa95E9B,GACAuH,GAAarI,KAAKW,MAAlB0H,SACA8c,EAAWnlB,KAAK+M,MAAhBoY,MAER,OACEjD,GAAA3gB,EAAAgE,cAAC2d,EAAA,GAAqBtf,IAAK5D,KAAK2D,OAAQmiB,aAAcX,GAAtDnmB,IACGgkB,EAAA,SADH,GAAAhkB,IAEK0jB,EAAA,GAFL7L,KAEmB,IAFnB9U,GAE0B,mBAF1BuB,OAAA,IAAAtE,IAGKgkB,EAAA,GAHLrhB,KAGuB,mBAHvByf,UAGqD+B,EAAA,EAHrD4C,QAG8E1d,IAH9ErJ,IAIKgkB,EAAA,GAJLrhB,KAIuB,sBAJvByf,UAIwD+B,EAAA,EAJxD4C,QAIoF1d,IAJpFrJ,IAKKgkB,EAAA,GALLrhB,KAKuB,kBALvByf,UAKoD+B,EAAA,EALpD4C,QAK2E1d,IAL3ErJ,IAMKgkB,EAAA,GANLrhB,KAMuB,oBANvB2B,OAAA,EAAA8d,UAM4D+B,EAAA,EAN5D4C,QAMqF1d,IANrFrJ,IAOKgkB,EAAA,GAPLrhB,KAOuB,0BAPvByf,UAO4D+B,EAAA,EAP5D4C,QAOwF1d,IAPxFrJ,IAQKgkB,EAAA,GARLrhB,KAQuB,qBARvByf,UAQuD+B,EAAA,EARvD4C,QAQiF1d,IARjFrJ,IASKgkB,EAAA,GATLrhB,KASuB,sBATvByf,UASwD+B,EAAA,EATxD4C,QAS+E1d,IAT/ErJ,IAWKgkB,EAAA,GAXLrhB,KAWuB,iBAXvByf,UAWmD+B,EAAA,EAXnD4C,QAW2E1d,IAX3ErJ,IAYKgkB,EAAA,GAZLrhB,KAYuB,cAZvByf,UAYgD+B,EAAA,EAZhD4C,QAY6E1d,IAZ7ErJ,IAcKgkB,EAAA,GAdLrhB,KAcuB,UAdvByf,UAc4C+B,EAAA,EAd5C4C,QAc8D1d,EAd9D2d,iBAc2FC,cAAc,KAdzGjnB,IAgBKgkB,EAAA,GAhBLrhB,KAgBuB,gBAhBvByf,UAgBkD+B,EAAA,EAhBlD4C,QAgBoE1d,IAhBpErJ,IAiBKgkB,EAAA,GAjBLrhB,KAiBuB,sBAjBvB2B,OAAA,EAAA8d,UAiB8D+B,EAAA,EAjB9D4C,QAiB+E1d,IAjB/ErJ,IAkBKgkB,EAAA,GAlBLrhB,KAkBuB,8BAlBvByf,UAkBgE+B,EAAA,EAlBhE4C,QAkBkF1d,IAlBlFrJ,IAmBKgkB,EAAA,GAnBLrhB,KAmBuB,iCAnBvByf,UAmBmE+B,EAAA,EAnBnE4C,QAmBwF1d,IAnBxFrJ,IAqBKgkB,EAAA,GArBLrhB,KAqBuB,uBArBvB2B,OAAA,EAAA8d,UAqB+D+B,EAAA,EArB/D4C,QAqByF1d,IArBzFrJ,IAsBKgkB,EAAA,GAtBLrhB,KAsBuB,oCAtBvByf,UAsBsE+B,EAAA,EAtBtE4C,QAsBgG1d,EAtBhG2d,iBAsB6HE,aAAa,KAtB1IlnB,IAuBKgkB,EAAA,GAvBLrhB,KAuBuB,iCAvBvByf,UAuBmE+B,EAAA,EAvBnE4C,QAuBuF1d,IAvBvFrJ,IAwBKgkB,EAAA,GAxBLrhB,KAwBuB,iCAxBvByf,UAwBmE+B,EAAA,EAxBnE4C,QAwBuF1d,IAxBvFrJ,IAyBKgkB,EAAA,GAzBLrhB,KAyBuB,6BAzBvByf,UAyB+D+B,EAAA,EAzB/D4C,QAyBwF1d,IAzBxFrJ,IA2BKgkB,EAAA,GA3BLrhB,KA2BuB,mBA3BvByf,UA2BqD+B,EAAA,EA3BrD4C,QA2B8E1d,IA3B9ErJ,IA4BKgkB,EAAA,GA5BLrhB,KA4BuB,UA5BvByf,UA4B4C+B,EAAA,EA5B5C4C,QA4B6D1d,IA5B7DrJ,IA8BKgkB,EAAA,GA9BL5B,UA8B6B+B,EAAA,EA9B7B4C,QA8BuD1d,Obu+EpD6c,GajjF0BhD,EAAA3gB,EAAMC,eAqFpBogB,Gb+9EXC,Eal+ETne,OAAA+e,EAAA,SAAQe,Ibk+E6F1B,Eaj+ErGpe,OAAA4f,EAAA,Gbi+EuLxB,Eah+EvLpe,OAAAgf,EAAA,Ibg+E0RV,EAASD,EAAU,SAAUoE,GAGtT,QAASvE,KACP,GAAI3Y,GAAQ7D,EAAQghB,CAEpBjnB,KAA6Ea,KAAM4hB,EAEnF,KAAK,GAAIyE,GAAQnmB,UAAUC,OAAQC,EAAOC,MAAMgmB,GAAQC,EAAQ,EAAGA,EAAQD,EAAOC,IAChFlmB,EAAKkmB,GAASpmB,UAAUomB,EAG1B,OAAgBrd,GAAU7D,EAAS/F,IAAwFW,KAAMmmB,EAAsB5lB,KAAKC,MAAM2lB,GAAwBnmB,MAAMS,OAAOL,KAAkBgF,Ea39E3N2H,OACEwZ,cAAc,Gb49EXnhB,Eaz9ELohB,mBAAqB,SAAC1iB,GAAM,GAAA2iB,GACsBrhB,EAAKzE,MAA7C2E,EADkBmhB,EAClBnhB,KAAMme,EADYgD,EACZhD,YAAaC,EADD+C,EACC/C,gBAEvBD,IAAeC,IAIjB5f,EAAE4iB,YAAcphB,EAAKD,cAAc6B,EAASqc,gBb+9E3Cne,Ea39ELuhB,mBAAqB,WAEnBvhB,EAAKzE,MAAMue,SAASxb,OAAAqf,EAAA,Ob49EjB3d,Eaz9ELwhB,gBAAkB,SAAC9iB,GACjBA,EAAEC,iBAEGqB,EAAKyhB,cACRzhB,EAAKyhB,iBAGqC,IAAxCzhB,EAAKyhB,YAAYjiB,QAAQd,EAAEY,SAC7BU,EAAKyhB,YAAY5hB,KAAKnB,EAAEY,QAGtBZ,EAAEgjB,cAAgBhjB,EAAEgjB,aAAaC,MAAMnB,SAAS,UAClDxgB,EAAKoW,UAAW+K,cAAc,Kb29E7BnhB,Eav9EL4hB,eAAiB,SAACljB,GAChBA,EAAEC,iBACFD,EAAEmjB,iBAEF,KACEnjB,EAAEgjB,aAAaI,WAAa,OAC5B,MAAOC,IAIT,OAAO,Gbs9EJ/hB,Ean9ELgiB,WAAa,SAACtjB,GACZA,EAAEC,iBAEFqB,EAAKoW,UAAW+K,cAAc,IAE1BziB,EAAEgjB,cAAgD,IAAhChjB,EAAEgjB,aAAaO,MAAMlnB,QACzCiF,EAAKzE,MAAMue,SAASxb,OAAAkf,EAAA,GAAc9e,EAAEgjB,aAAaO,Sbq9EhDjiB,Eaj9ELkiB,gBAAkB,SAACxjB,GACjBA,EAAEC,iBACFD,EAAEmjB,kBAEF7hB,EAAKyhB,YAAczhB,EAAKyhB,YAAY/J,OAAO,SAAAyK,GAAA,MAAMA,KAAOzjB,EAAEY,QAAUU,EAAKvB,KAAKW,SAAS+iB,KAEnFniB,EAAKyhB,YAAY1mB,OAAS,GAI9BiF,EAAKoW,UAAW+K,cAAc,Kbo9E3BnhB,Eaj9ELoiB,iBAAmB,WACjBpiB,EAAKoW,UAAW+K,cAAc,Kbk9E3BnhB,Ea/8ELqiB,+BAAiC,SAAA1b,GAAc,GAAX/B,GAAW+B,EAAX/B,IAChB,cAAdA,EAAK/I,KACPmE,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK+E,EAAKrI,MAEtC+b,QAAQgK,KAAK,wBAAyB1d,EAAK/I,Obm9E1CmE,Eah7ELzB,OAAS,SAAAuE,GACP9C,EAAKvB,KAAOqE,Gbi7ET9C,Ea96ELuiB,gBAAkB,SAAA7jB,GAChBA,EAAEC,gBAEF,IAAM6jB,GAAUxiB,EAAKvB,KAAKkE,cAAc,8CAEpC6f,IACFA,EAAQC,Sbg7EPziB,Ea56EL0iB,mBAAqB,SAAAhkB,GACnBA,EAAEC,gBAEF,IAAM6jB,GAAUxiB,EAAKvB,KAAKkE,cAAc,iBAEpC6f,IACFA,EAAQC,Sb86EPziB,Ea16EL2iB,qBAAuB,SAAAjkB,GACrBsB,EAAKuiB,gBAAgB7jB,GACrBsB,EAAKzE,MAAMue,SAASxb,OAAAkf,EAAA,Ob26EjBxd,Eax6EL4iB,wBAA0B,SAAAlkB,GACxB,GAAM7B,GAAkB,EAAR6B,EAAE4B,IAAW,EACvBuiB,EAAS7iB,EAAKvB,KAAKkE,cAAV,qBAA6C9F,EAA7C,IAEf,IAAIgmB,EAAQ,CACV,GAAMC,GAASD,EAAOlgB,cAAc,aAEhCmgB,IACFA,EAAOL,Ub26ERziB,Eat6EL+iB,iBAAmB,WACb3f,OAAOxD,SAAqC,IAA1BwD,OAAOxD,QAAQ7E,OACnCiF,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,KAEjCG,EAAKgE,QAAQC,OAAOrE,QAAQsE,Ubw6E3BlE,Eap6ELgjB,cAAgB,SAAAlgB,GACd9C,EAAKijB,QAAUngB,Gbq6EZ9C,Eal6ELkjB,uBAAyB,WACc,wBAAjCljB,EAAKzE,MAAMud,SAASC,SACtB/Y,EAAKgE,QAAQC,OAAOrE,QAAQsE,SAE5BlE,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,wBbo6EhCG,Eah6ELmjB,qBAAuB,WACrBnjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,oBbi6E9BG,Ea95ELojB,8BAAgC,WAC9BpjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,mBb+5E9BG,Ea55ELqjB,sBAAwB,WACtBrjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,4Bb65E9BG,Ea15ELsjB,0BAA4B,WAC1BtjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,sBb25E9BG,Eax5ELujB,sBAAwB,WACtBvjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,qBby5E9BG,Eat5ELwjB,2BAA6B,WAC3BxjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,gBbu5E9BG,Eap5ELyjB,wBAA0B,WACxBzjB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAA5B,aAA8Coe,EAAA,Ibq5E3Cje,Eal5EL0jB,wBAA0B,WACxB1jB,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,Yb6wE1BmhB,EAsIJnd,EAAS5J,IAAwF+F,EAAQghB,GAoF9G,MArOA7mB,KAAuEqiB,EAAIuE,GAoJ3EvE,EAAG/gB,UahhFH2kB,mBbghFkC,Wa/gFhChd,OAAOtD,iBAAiB,eAAgBlF,KAAKwmB,oBAAoB,GACjEjI,SAASrZ,iBAAiB,YAAalF,KAAK4mB,iBAAiB,GAC7DrI,SAASrZ,iBAAiB,WAAYlF,KAAKgnB,gBAAgB,GAC3DzI,SAASrZ,iBAAiB,OAAQlF,KAAKonB,YAAY,GACnD7I,SAASrZ,iBAAiB,YAAalF,KAAKsnB,iBAAiB,GAC7D/I,SAASrZ,iBAAiB,UAAWlF,KAAK+oB,eAAe,GAErD,iBAAoBlI,YACtBA,UAAUmI,cAAc9jB,iBAAiB,UAAWlF,KAAKynB,gCAG3DznB,KAAKW,MAAMue,SAASxb,OAAAmf,EAAA,MACpB7iB,KAAKW,MAAMue,SAASxb,OAAAof,EAAA,ObmhFtBlB,EAAG/gB,UahhFH2f,kBbghFiC,Wa/gF/BxgB,KAAKqoB,QAAQY,cAAcC,aAAe,SAACplB,EAAG8jB,GAC5C,OAAQ,WAAY,SAAU,SAAShC,SAASgC,EAAQ1L,WbohF5D0F,EAAG/gB,UahhFHqgB,qBbghFoC,Wa/gFlC1Y,OAAOzD,oBAAoB,eAAgB/E,KAAKwmB,oBAChDjI,SAASxZ,oBAAoB,YAAa/E,KAAK4mB,iBAC/CrI,SAASxZ,oBAAoB,WAAY/E,KAAKgnB,gBAC9CzI,SAASxZ,oBAAoB,OAAQ/E,KAAKonB,YAC1C7I,SAASxZ,oBAAoB,YAAa/E,KAAKsnB,iBAC/C/I,SAASxZ,oBAAoB,UAAW/E,KAAK+oB,gBbmhF/CnH,EAAG/gB,Ual7EHC,Obk7EsB,Wal7EZ,GACAylB,GAAiBvmB,KAAK+M,MAAtBwZ,aADAxlB,EAEwDf,KAAKW,MAA7D0H,EAFAtH,EAEAsH,SAAUob,EAFV1iB,EAEU0iB,YAAavF,EAFvBnd,EAEuBmd,SAAUyF,EAFjC5iB,EAEiC4iB,mBAEnCwF,GACJtF,KAAM7jB,KAAKsoB,uBACXxE,IAAK9jB,KAAK2nB,gBACVvJ,OAAQpe,KAAK8nB,mBACb/D,SAAU/jB,KAAK+nB,qBACf/D,YAAahkB,KAAKgoB,wBAClBvD,KAAMzkB,KAAKmoB,iBACXzD,SAAU1kB,KAAKuoB,qBACf5D,kBAAmB3kB,KAAKwoB,8BACxB5D,UAAW5kB,KAAKyoB,sBAChB5D,cAAe7kB,KAAK0oB,0BACpB5D,UAAW9kB,KAAK2oB,sBAChB5D,eAAgB/kB,KAAK4oB,2BACrB5D,YAAahlB,KAAK6oB,wBAClB5D,YAAajlB,KAAK8oB,wBAGpB,OACE5G,GAAA3gB,EAAAgE,cAAC6d,EAAA,SAAQQ,OAAQA,EAAQuF,SAAUA,EAAUvlB,IAAK5D,KAAKooB,eACrDlG,EAAA3gB,EAAAgE,cAAA,OAAKlE,UAAW1B,IAAW,MAAQypB,eAAgB3F,IAAgB7f,IAAK5D,KAAK2D,OAAQJ,OAAS8lB,cAAe1F,EAAqB,OAAS,OAA3I3kB,IACGujB,EAAA,MADHvjB,IAGGkmB,GAHHhH,SAGkCA,EAHlCmH,eAG4DrlB,KAAK2mB,wBAHjE,GAIKte,GAJLrJ,IAOGmjB,EAAA,MAPHnjB,IAQGsjB,EAAA,GARHjhB,UAQiC,gBARjCrC,IASGwjB,EAAA,MATHxjB,IAUGikB,EAAA,GAVH/hB,OAUsBqlB,EAVtB+C,QAU6CtpB,KAAKwnB,sBbm8EjD5F,GarsFuBM,EAAA3gB,EAAMC,ebssF0BugB,EapsFvDxY,cACLF,OAAQgZ,EAAA9gB,EAAUiI,OAAOgO,Yb49EmPsK,EAyO7QE,KAAYF,IAAYA,IAAYA,GAKjCyH,IACA,SAAU7qB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO6qB,KACpE5qB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO8qB,IAC9E,IAyBjBtnB,GAAQ8G,EAzBaygB,EAA8E9qB,EAAoB,IAClG+qB,EAAsF/qB,EAAoBK,EAAEyqB,GAC5GE,EAA8DhrB,EAAoB,IAClFirB,EAAsEjrB,EAAoBK,EAAE2qB,GAC5FE,EAA0DlrB,EAAoB,GAC9EmrB,EAAkEnrB,EAAoBK,EAAE6qB,GACxFE,EAAqEprB,EAAoB,GACzFqrB,EAA6ErrB,EAAoBK,EAAE+qB,GACnGE,EAAgFtrB,EAAoB,GACpGurB,EAAwFvrB,EAAoBK,EAAEirB,GAC9GE,EAA+DxrB,EAAoB,GACnFyrB,EAAuEzrB,EAAoBK,EAAEmrB,GAC7FnI,EAAsCrjB,EAAoB,GAC1DsjB,EAA8CtjB,EAAoBK,EAAEgjB,GACpEqI,EAAiD1rB,EAAoB,IACrE2rB,EAA2D3rB,EAAoB,KAC/E4rB,EAAgE5rB,EAAoB,KACpF6rB,EAA8D7rB,EAAoB,Kcn4F9F4qB,EAAb,SAAA5pB,GAAA,QAAA4pB,KAAA,MAAAS,KAAAjqB,KAAAwpB,GAAAW,IAAAnqB,KAAAJ,EAAAY,MAAAR,KAAAE,YAAA,MAAAmqB,KAAAb,EAAA5pB,GAAA4pB,EAAA3oB,UAEEC,OAFF,WAEY,GAAAC,GAC0Bf,KAAKW,MAA/B2F,EADAvF,EACAuF,YAAa+B,EADbtH,EACasH,QAErB,OAAA0hB,KACGO,EAAA,SADH,GAEKpI,EAAA3gB,EAAMmpB,SAASllB,IAAI6C,EAAU,SAAAsiB,GAAA,MAASzI,GAAA3gB,EAAMkE,aAAaklB,GAASrkB,oBAP3EkjB,GAAmCtH,EAAA3gB,EAAMC,eAsB5BioB,GAAbxgB,EAAA9G,EAAA,SAAAyoB,GAAA,QAAAnB,KAAA,GAAA5pB,GAAAuF,EAAArF,CAAAkqB,KAAAjqB,KAAAypB,EAAA,QAAAxpB,GAAAC,UAAAC,OAAAC,EAAAC,MAAAJ,GAAAK,EAAA,EAAAA,EAAAL,EAAAK,IAAAF,EAAAE,GAAAJ,UAAAI,EAAA,OAAAT,GAAAuF,EAAA+kB,IAAAnqB,KAAA4qB,EAAArqB,KAAAC,MAAAoqB,GAAA5qB,MAAAS,OAAAL,KAAAgF,EAaEylB,gBAAkB,SAAA9e,GAAe,GAAZV,GAAYU,EAAZV,MAAYob,EAC8BrhB,EAAKzE,MAA1DygB,EADuBqF,EACvBrF,UAAW2E,EADYU,EACZV,QAASzf,EADGmgB,EACHngB,YAAa0f,EADVS,EACUT,eAEzC,OAAA+D,KACGU,EAAA,GADHK,eACmC1J,EADnC2J,QACuD3lB,EAAK4lB,cAD5DrN,MACkFvY,EAAK6lB,iBADvF,GAEK,SAAAC,GAAA,MAAahJ,GAAA3gB,EAAAgE,cAAC2lB,EAADrB,KAAWsB,OAAQ9f,EAAM8f,OAAQ7kB,YAAaA,GAAiB0f,GAAkBD,MAlBvG3gB,EAuBE4lB,cAAgB,WACd,MAAAjB,KAAQQ,EAAA,OAxBZnlB,EA2BE6lB,YAAc,SAACtqB,GACb,MAAOuhB,GAAA3gB,EAAAgE,cAACilB,EAAA,EAAsB7pB,IA5BlCZ,EAAAF,EAAAsqB,IAAA/kB,EAAArF,GAAA,MAAAsqB,KAAAZ,EAAAmB,GAAAnB,EAAA5oB,UA+BEC,OA/BF,WA+BY,GAAAsqB,GAC2CprB,KAAKW,MAAd0qB,GADlCD,EACAhK,UADAgK,EACsBrF,QADtB4D,IAAAyB,GAAA,wBAGR,OAAOlJ,GAAA3gB,EAAAgE,cAAC+kB,EAAA,EAADT,OAAWwB,GAAMvqB,OAAQd,KAAK6qB,oBAlCzCpB,GAAkCvH,EAAA3gB,EAAM2pB,WAAxC/oB,EASSwE,cACLqf,oBAVJ/c,Idi9FMqiB,IACA,SAAU5sB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4sB,IAC9E,IAAIxsB,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEgsB,EAAyD5sB,EAAoB,IAC7E6sB,EAAwD7sB,EAAoB,IAC5E8sB,EAAgE9sB,EAAoBK,EAAEwsB,GACtFxoB,EAA2CrE,EAAoB,Ge5/FnE2sB,EfugGJ,SAAU3rB,GAGzB,QAAS2rB,KACP,GAAI1rB,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMurB,EAEnF,KAAK,GAAItrB,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,Ee5gGrN6rB,YAAc,SAAC7nB,GACb,GAAM8nB,GAAU9nB,EAAE8nB,OAClB,IAAI9rB,EAAKa,MAAMO,OACb,OAAO0qB,GACP,IAAK,IACH9nB,EAAEC,iBACFD,EAAEmjB,kBACFnnB,EAAKa,MAAM2oB,YfqgGRvpB,EAWJF,EAAQR,IAAwFS,EAAOC,GAsC5G,MA5DAR,KAAuEgsB,EAAY3rB,GAyBnF2rB,EAAW1qB,Ue7gGX2f,kBf6gGyC,We5gGvChY,OAAOtD,iBAAiB,QAASlF,KAAK2rB,aAAa,IfghGrDJ,EAAW1qB,Ue7gGXqgB,qBf6gG4C,We5gG1C1Y,OAAOzD,oBAAoB,QAAS/E,KAAK2rB,cfghG3CJ,EAAW1qB,Ue7gGXC,Of6gG8B,We7gGpB,GACAI,GAAWlB,KAAKW,MAAhBO,MAER,OAAAlC,KACGwsB,EAAA,GADHK,cAC0BC,kBAAmB,EAAGC,gBAAiB,KADjExoB,OACkFuoB,kBAAmBJ,IAAOxqB,EAAS,EAAI,GAAK8qB,UAAW,IAAKC,QAAS,KAAOF,gBAAiBL,IAAOxqB,EAAS,EAAI,KAAQ8qB,UAAW,IAAKC,QAAS,UADpO,GAEK,SAAAlgB,GAAA,GAAG+f,GAAH/f,EAAG+f,kBAAmBC,EAAtBhgB,EAAsBggB,eAAtB,OAAA/sB,KAAA,OAAAqC,UACgB,cADhBkC,OACuC2oB,WAAYhrB,EAAS,UAAY,SAAUirB,QAASL,QAD3F,GAAA9sB,IAAA,OAAAqC,UAEkB,yBAFlB,GAAArC,IAAA,OAAAqC,UAGoB,0BAHpBkC,OAGuD6oB,mBAAoBL,EAApB,OAHvD/sB,IAAA,OAAAqC,UAIoB,4BAJpB,GAAArC,IAI4CiE,EAAA,GAJ5C3B,GAIgE,oBAJhE+B,eAImG,gCf+hGnGkoB,GepkG+B9rB,EAAA8B,EAAMC,gBf2kGxC6qB,IACA,SAAU3tB,EAAQC,EAAqBC,GAE7C,YACqB,IAAI0tB,GAA4C1tB,EAAoB,GAChE2tB,EAAyD3tB,EAAoB,KgBnlGhG4kB,EAAkB,SAAAzW,GAAA,OACtByf,QAASzf,EAAMyU,OAAO,WAAY,YAClCiL,cAAe1f,EAAM2f,IAAI,SAASC,WAGpChuB,GAAA,EAAe+E,OAAA4oB,EAAA,SAAQ9I,EAAiB,KAAM,MAAQzV,SAAS,IAAQwe,EAAA,IhB6lGjEK,IACA,SAAUluB,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOkuB,IAC9E,IAkCjBhL,GAAM1f,EAAQ2f,EAAS7Y,EAlCFlK,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEsG,EAA2ClH,EAAoB,GAC/DmH,EAAmDnH,EAAoBK,EAAE6G,GACzEgnB,EAA2CluB,EAAoB,GAC/DmuB,EAA0DnuB,EAAoB,IAC9EouB,EAAkEpuB,EAAoBK,EAAE8tB,GACxF7mB,EAA+DtH,EAAoB,IACnFuH,EAAuEvH,EAAoBK,EAAEiH,GAC7F+mB,EAAsDruB,EAAoB,KAC1EsuB,EAA8DtuB,EAAoBK,EAAEguB,GACpFE,EAA2CvuB,EAAoB,KAC/DwuB,EAAkDxuB,EAAoB,IACtEyuB,EAA8DzuB,EAAoB,KAClF0uB,EAAiD1uB,EAAoB,KACrE2uB,EAAiD3uB,EAAoB,KACrE4uB,EAAsD5uB,EAAoB,KAC1E6uB,EAA2D7uB,EAAoB,IAC/E8uB,EAAuD9uB,EAAoB,IAC3E+uB,EAA+D/uB,EAAoBK,EAAEyuB,GACrFE,EAAyChvB,EAAoB,IiBnnGhFivB,GACJC,QAAWL,EAAA,EACXM,KAAQN,EAAA,EACRO,cAAiBP,EAAA,EACjBQ,OAAUR,EAAA,EACVS,UAAaT,EAAA,EACbU,QAAWV,EAAA,EACXW,WAAcX,EAAA,EACdY,KAAQZ,EAAA,GAGJa,EAAgB,SAAA3sB,GAAA,MAAQA,GAAK0J,MAAM,kBAGpBwhB,GjB+oGFhL,EiBhpGlB,SAAAT,GAAA,MAAa1d,QAAAopB,EAAA,GAAW1L,GAAarT,SAAS,OjBkpG7B9E,EAAS6Y,EAAU,SAAU1b,GAG7C,QAASymB,KACP,GAAIhtB,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAM6sB,EAEnF,KAAK,GAAI5sB,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMoG,EAAsB7F,KAAKC,MAAM4F,GAAwBpG,MAAMS,OAAOL,KAAiBN,EiB/oGvNiN,OACEwhB,eAAe,GjBgpGZzuB,EiBnmGL0uB,YAAc,SAACvsB,GACbnC,EAAK2uB,aAAexsB,CAEpB,IAAMysB,GAAwBvB,EAAA,EAAMlrB,GAAOtB,MAAM,yBAE3CguB,4CAA6DD,EAA7D,IAINnQ,UAASxW,cALmB,0BAKgBxD,UAAUM,OAAO,UAC7D0Z,SAASxW,cAAc4mB,GAAkBpqB,UAAUY,IAAI,WjBomGpDrF,EiBjmGL8uB,mBAAqB,WACc,gBAAtB9uB,GAAK2uB,eACd3uB,EAAKsJ,QAAQC,OAAOrE,QAAQC,KAAKvB,OAAAypB,EAAA,GAAQrtB,EAAK2uB,eAC9C3uB,EAAK2uB,aAAe,OjBmmGnB3uB,EiB/lGL+uB,YAAc,WACkC,kBAAnC/uB,GAAKkI,2BAIhBlI,EAAKkI,6BjBgmGFlI,EiB7lGL6D,OAAS,SAACE,GACR/D,EAAK+D,KAAOA,GjB8lGT/D,EiB3lGLgvB,WAAa,SAAChtB,EAAMG,GAClB,GAAM8sB,GAAcrrB,OAAAypB,EAAA,GAASrtB,EAAKsJ,QAAQC,OAAOrE,QAAQkZ,SAASC,UAC5D9X,EAAQvG,EAAKa,MAAM2E,KAAKD,eAAgB/D,GAAIQ,EAAKnB,MAAM,2BACvDK,EAAOc,EAAKnB,MAAM,qBAElBquB,EAAQ/sB,IAAU8sB,EACtBtvB,EAAA8B,EAAMkE,aAAa3F,EAAKa,MAAM0H,UADnBrJ,IAEVsuB,EAAA,GAFUjnB,MAEWA,EAFXrF,KAEwBA,GAErC,OAAAhC,KAAA,OAAAqC,UACiB,gBAAoBY,EAChC+sB,IjB6lGFlvB,EiBxlGLkrB,cAAgB,SAAAiE,GAAA,MAAY,YAC1B,MAAoB,YAAbA,EAAAjwB,IAA0BuuB,EAAA,MAA1BvuB,IAA8CsuB,EAAA,QjB2lGlDxtB,EiBxlGLmrB,YAAc,SAACtqB,GACb,MAAOlB,GAAA8B,EAAAgE,cAACioB,EAAA,EAAsB7sB,IjB4iGvBZ,EA6CJF,EAAQR,IAAwFS,EAAOC,GAuG5G,MA/JAR,KAAuEstB,EAAazmB,GA2DpFymB,EAAYhsB,UiB3rGZquB,0BjB2rGkD,WiB1rGhDlvB,KAAKwb,UAAW+S,eAAe,KjB8rGjC1B,EAAYhsB,UiB3rGZ2f,kBjB2rG0C,WiB1rGnCxgB,KAAKW,MAAMmlB,cACd9lB,KAAK6D,KAAKqB,iBAAiB,QAASlF,KAAK6uB,cAAclB,EAAApsB,EAAoB4tB,aAAe1J,SAAS,IAGrGzlB,KAAKovB,UAAc1rB,OAAAypB,EAAA,GAASntB,KAAKoJ,QAAQC,OAAOrE,QAAQkZ,SAASC,UACjEne,KAAKqvB,YAAc9Q,SAAS+Q,qBAAqB,QAAQ,GAAG/qB,UAAUC,SAAS,OAE/ExE,KAAKwb,UAAW+S,eAAe,KjB8rGjC1B,EAAYhsB,UiB3rGZ0uB,oBjB2rG4C,SiB3rGxB1iB,GACd7M,KAAKW,MAAMmlB,eAAiBjZ,EAAUiZ,cAAgBjZ,EAAUiZ,cAClE9lB,KAAK6D,KAAKkB,oBAAoB,QAAS/E,KAAK6uB,cjB+rGhDhC,EAAYhsB,UiB3rGZ6kB,mBjB2rG2C,SiB3rGxBC,GACb3lB,KAAKW,MAAMmlB,eAAiBH,EAAUG,cAAiB9lB,KAAKW,MAAMmlB,cACpE9lB,KAAK6D,KAAKqB,iBAAiB,QAASlF,KAAK6uB,cAAclB,EAAApsB,EAAoB4tB,aAAe1J,SAAS,IAErGzlB,KAAKovB,UAAY1rB,OAAAypB,EAAA,GAASntB,KAAKoJ,QAAQC,OAAOrE,QAAQkZ,SAASC,UAC/Dne,KAAKwb,UAAW+S,eAAe,KjB8rGjC1B,EAAYhsB,UiB3rGZqgB,qBjB2rG6C,WiB1rGtClhB,KAAKW,MAAMmlB,cACd9lB,KAAK6D,KAAKkB,oBAAoB,QAAS/E,KAAK6uB,cjB+rGhDhC,EAAYhsB,UiB3rGZglB,4BjB2rGoD,WiB1rGlD,IAAK7lB,KAAKW,MAAMmlB,aAAc,CAC5B,GAAM0J,GAAWxvB,KAAKqvB,aAAe,EAAI,CACzCrvB,MAAKgI,0BAA4BtE,OAAAkqB,EAAA,GAAY5tB,KAAK6D,MAAO7D,KAAK6D,KAAK4rB,YAAcjnB,OAAOC,YAAc+mB,KjB+rG1G3C,EAAYhsB,UiBnoGZC,OjBmoG+B,WiBnoGrB,GAAAsE,GAAApF,KAAAe,EACiDf,KAAKW,MAAtD6rB,EADAzrB,EACAyrB,QAASnkB,EADTtH,EACSsH,SAAUyd,EADnB/kB,EACmB+kB,aAAc2G,EADjC1rB,EACiC0rB,YACjC8B,EAAkBvuB,KAAK+M,MAAvBwhB,cAEFQ,EAAcrrB,OAAAypB,EAAA,GAASntB,KAAKoJ,QAAQC,OAAOrE,QAAQkZ,SAASC,SAGlE,IAFAne,KAAKyuB,aAAe,KAEhB3I,EAAc,CAChB,GAAM4J,GAAuBpB,EAActuB,KAAKoJ,QAAQC,OAAOrE,QAAQkZ,SAASC,UAAY,KAA/Dnf,IAAuEouB,EAAA,GAAvErrB,GAA4G,gBAA5GV,UAAsI,0BAAtD,yBAAhFrC,IAAA,KAAAqC,UAA4K,iBAEzM,QAAwB,IAAjB0tB,GAAqB/vB,IACzBkuB,EAAA3rB,GADyBU,MACgB8sB,EADhBY,cAC4C3vB,KAAKwuB,YADjDoB,gBAC+E5vB,KAAK4uB,mBADpFiB,mBAC4HtB,EAD5HuB,cAC2JC,SAAU,QAAS1U,MAAO,KAAM2U,aAAc,QADzMzsB,OAC4N0sB,OAAQ,SAArO,UACtB9C,EAAA,EAAM3nB,IAAIxF,KAAK8uB,aAGlBY,IACE1wB,IAAA,OAAAqC,UACa,oBADb,GAC6BgH,GAE/BqnB,GAIJ,MACEjwB,GAAA8B,EAAAgE,cAAA,OAAKlE,UAAA,iBAA4BorB,EAAc,eAAiB,IAAO7oB,IAAK5D,KAAK2D,QAC9E6oB,EAAQhnB,IAAI,SAAAyiB,GACX,GAAMkD,GAAwC,OAA/BlD,EAAOyE,IAAI,SAAU,MAAiB,KAAOzE,EAAOyE,IAAI,UAAUwD,MAEjF,OAAAlxB,KACGquB,EAAA,GADHvC,eAC4D+C,EAAa5F,EAAOyE,IAAI,OADpF3B,QACqG3lB,EAAK4lB,cAAc/C,EAAOyE,IAAI,OADnI/O,MACkJvY,EAAK6lB,aAA/HhD,EAAOyE,IAAI,QAC9B,SAAAyD,GAAA,MAAAnxB,KAAsBmxB,GAAtBlB,SAAkDhH,EAAOyE,IAAI,QAA7DvB,OAA8EA,EAA9E7kB,aAAA,QAKN7G,EAAA8B,EAAMmpB,SAASllB,IAAI6C,EAAU,SAAAsiB,GAAA,MAASlrB,GAAA8B,EAAMkE,aAAaklB,GAASrkB,aAAa,QjB0pG/EumB,GiBjzGgC1mB,EAAA5E,GjBkzGkCugB,EiBhzGlEvY,cACLF,OAAQtD,EAAAxE,EAAUiI,OAAOgO,YjBizG1BsK,EiB9yGMtb,WACLlB,KAAMS,EAAAxE,EAAUiI,OAAOgO,WACvBgV,QAASQ,EAAAzrB,EAAmB6uB,KAAK5Y,WACjCiV,YAAa1mB,EAAAxE,EAAUuV,KAAKU,WAC5BsO,aAAc/f,EAAAxE,EAAUuV,KACxBzO,SAAUtC,EAAAxE,EAAUsC,MjBsoGhB1B,EAyKL8G,KAAY9G,GAKTkuB,IACA,SAAU3xB,EAAQC,EAAqBC,GAE7C,YACqB,IAAIG,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFuxB,EAAsC1xB,EAAoB,GkBp2G7E2xB,GlBq2GiE3xB,EAAoBK,EAAEqxB,GkBr2GvE,iBAAAtxB,KAAA,OAAAqC,UACL,cADK,GAAArC,IAAA,OAAAqC,UAEH,qBAFG,GAAArC,IAAA,OAAAqC,UAGD,qBAKrB1C,GAAA,KlB+2GM6xB,IACA,SAAU9xB,EAAQC,EAAqBC,GAE7C,YmBx2GO,SAASmf,GAAMnS,IAMf,QAASwT,GAAKxT,InBm2GrBlI,OAAOkL,eAAejQ,EAAqB,cAAgB6P,OAAO,IACjC7P,EAA2B,MAAIof,EmB93GhEpf,EAAA,KAAAygB,GnBk6GMqR,IACA,SAAU/xB,EAAQgyB,GoBj6GxB,QAASC,KACP,MAAO,iBAAmB9P,aAGvBrY,OAAOooB,OAAS,kBAAoBrS,UAASsS,gBAAgBttB,SAChC,WAA7BiF,OAAO0V,SAAS8C,UAAsD,cAA7BxY,OAAO0V,SAAS4S,UAAyE,IAA7CtoB,OAAO0V,SAAS4S,SAASlsB,QAAQ,SAG3H,QAASqa,GAAQtR,GAIb,GAHFA,IAAYA,MAGNgjB,IACF,CAAmB9P,UAAUmI,cAC1B+H,SACC,cAWN,IAAIvoB,OAAOwoB,iBAAkB,CAC3B,GAGIC,GAAS,WACX,GACIC,GAAS3S,SAAShZ,cAAc,SAIpC2rB,GAAOC,IALIC,gCAMXF,EAAO3tB,MAAM8tB,QAAU,OAEvBC,EAAiBJ,EACjB3S,SAASpX,KAAKoqB,YAAYL,GAS5B,aAN4B,aAAxB3S,SAASiT,WACXjW,WAAW0V,GAEXzoB,OAAOtD,iBAAiB,OAAQ+rB,KAQxC,QAASQ,GAAYC,EAAUC,IAM/B,QAASC,KAWL,GATIjB,KACF9P,UAAUmI,cAAc6I,kBAAkBtU,KAAK,SAASuU,GACtD,GAAKA,EACL,MAAOA,GAAaF,WAMpBN,EACF,IACEA,EAAeS,cAAcf,iBAAiBY,SAC9C,MAAO9tB,KA5Ef,GAAIwtB,EAmFJZ,GAAQzR,QAAUA,EAClByR,EAAQe,YAAcA,EACtBf,EAAQkB,OAASA,KpBm5Gd","file":"application.js","sourcesContent":["webpackJsonp([27],{\n\n/***/ 150:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnHeader; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames__ = __webpack_require__(10);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_classnames__);\n\n\n\n\n\n\n\n\nvar ColumnHeader = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnHeader, _React$PureComponent);\n\n function ColumnHeader() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnHeader);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleClick = function () {\n _this.props.onClick();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ColumnHeader.prototype.render = function render() {\n var _props = this.props,\n icon = _props.icon,\n type = _props.type,\n active = _props.active,\n columnHeaderId = _props.columnHeaderId;\n\n var iconElement = '';\n\n if (icon) {\n iconElement = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-' + icon + ' column-header__icon'\n });\n }\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('h1', {\n className: __WEBPACK_IMPORTED_MODULE_5_classnames___default()('column-header', { active: active }),\n id: columnHeaderId || null\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n onClick: this.handleClick\n }, void 0, iconElement, type));\n };\n\n return ColumnHeader;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 246:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"d\", function() { return links; });\n/* harmony export (immutable) */ __webpack_exports__[\"b\"] = getIndex;\n/* harmony export (immutable) */ __webpack_exports__[\"c\"] = getLink;\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return TabsBar; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_router_dom__ = __webpack_require__(45);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__is_mobile__ = __webpack_require__(35);\n\n\n\n\n\n\nvar _class;\n\n\n\n\n\n\n\n\nvar links = [__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n to: '/timelines/home',\n 'data-preview-title-id': 'column.home',\n 'data-preview-icon': 'home'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-home'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.home',\n defaultMessage: 'Home'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n to: '/notifications',\n 'data-preview-title-id': 'column.notifications',\n 'data-preview-icon': 'bell'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-bell'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.notifications',\n defaultMessage: 'Notifications'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n to: '/search',\n 'data-preview-title-id': 'tabs_bar.search',\n 'data-preview-icon': 'bell'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-search'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.search',\n defaultMessage: 'Search'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link secondary',\n to: '/timelines/public/local',\n 'data-preview-title-id': 'column.community',\n 'data-preview-icon': 'users'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-users'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.local_timeline',\n defaultMessage: 'Local'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link secondary',\n exact: true,\n to: '/timelines/public',\n 'data-preview-title-id': 'column.public',\n 'data-preview-icon': 'globe'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-globe'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.federated_timeline',\n defaultMessage: 'Federated'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n style: { flexGrow: '0', flexBasis: '30px' },\n to: '/getting-started',\n 'data-preview-title-id': 'getting_started.heading',\n 'data-preview-icon': 'bars'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-bars'\n}))];\n\nfunction getIndex(path) {\n return links.findIndex(function (link) {\n return link.props.to === path;\n });\n}\n\nfunction getLink(index) {\n return links[index].props.to;\n}\n\nvar TabsBar = Object(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"g\" /* injectIntl */])(_class = Object(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"g\" /* withRouter */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default()(TabsBar, _React$PureComponent);\n\n function TabsBar() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, TabsBar);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.setRef = function (ref) {\n _this.node = ref;\n }, _this.handleClick = function (e) {\n // Only apply optimization for touch devices, which we assume are slower\n // We thus avoid the 250ms delay for non-touch devices and the lag for touch devices\n if (Object(__WEBPACK_IMPORTED_MODULE_8__is_mobile__[\"c\" /* isUserTouching */])()) {\n e.preventDefault();\n e.persist();\n\n requestAnimationFrame(function () {\n var tabs = Array.apply(undefined, _this.node.querySelectorAll('.tabs-bar__link'));\n var currentTab = tabs.find(function (tab) {\n return tab.classList.contains('active');\n });\n var nextTab = tabs.find(function (tab) {\n return tab.contains(e.target);\n });\n var to = links[Array.apply(undefined, _this.node.childNodes).indexOf(nextTab)].props.to;\n\n\n if (currentTab !== nextTab) {\n if (currentTab) {\n currentTab.classList.remove('active');\n }\n\n var listener = __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default()(function () {\n nextTab.removeEventListener('transitionend', listener);\n _this.props.history.push(to);\n }, 50);\n\n nextTab.addEventListener('transitionend', listener);\n nextTab.classList.add('active');\n }\n });\n }\n }, _temp), __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n TabsBar.prototype.render = function render() {\n var _this2 = this;\n\n var formatMessage = this.props.intl.formatMessage;\n\n\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'nav',\n { className: 'tabs-bar', ref: this.setRef },\n links.map(function (link) {\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.cloneElement(link, { key: link.props.to, onClick: _this2.handleClick, 'aria-label': formatMessage({ id: link.props['data-preview-title-id'] }) });\n })\n );\n };\n\n return TabsBar;\n}(__WEBPACK_IMPORTED_MODULE_5_react___default.a.PureComponent)) || _class) || _class;\n\n\n\n/***/ }),\n\n/***/ 251:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnLoading; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__components_column__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__components_column_header__ = __webpack_require__(69);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__ = __webpack_require__(11);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__);\n\n\n\n\n\nvar _class, _temp;\n\n\n\n\n\n\n\n\nvar ColumnLoading = (_temp = _class = function (_ImmutablePureCompone) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnLoading, _ImmutablePureCompone);\n\n function ColumnLoading() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnLoading);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone.apply(this, arguments));\n }\n\n ColumnLoading.prototype.render = function render() {\n var _props = this.props,\n title = _props.title,\n icon = _props.icon;\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__components_column__[\"a\" /* default */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7__components_column_header__[\"a\" /* default */], {\n icon: icon,\n title: title,\n multiColumn: false,\n focusable: false\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'scrollable'\n }));\n };\n\n return ColumnLoading;\n}(__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default.a), _class.propTypes = {\n title: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.node, __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string]),\n icon: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string\n}, _class.defaultProps = {\n title: '',\n icon: ''\n}, _temp);\n\n\n/***/ }),\n\n/***/ 252:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__column__ = __webpack_require__(284);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__column_header__ = __webpack_require__(150);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column_back_button_slim__ = __webpack_require__(299);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_icon_button__ = __webpack_require__(23);\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"f\" /* defineMessages */])({\n title: {\n 'id': 'bundle_column_error.title',\n 'defaultMessage': 'Network error'\n },\n body: {\n 'id': 'bundle_column_error.body',\n 'defaultMessage': 'Something went wrong while loading this component.'\n },\n retry: {\n 'id': 'bundle_column_error.retry',\n 'defaultMessage': 'Try again'\n }\n});\n\nvar BundleColumnError = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(BundleColumnError, _React$PureComponent);\n\n function BundleColumnError() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, BundleColumnError);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleRetry = function () {\n _this.props.onRetry();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n BundleColumnError.prototype.render = function render() {\n var formatMessage = this.props.intl.formatMessage;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__column__[\"a\" /* default */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7__column_header__[\"a\" /* default */], {\n icon: 'exclamation-circle',\n type: formatMessage(messages.title)\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8__components_column_back_button_slim__[\"a\" /* default */], {}), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'error-column'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_icon_button__[\"a\" /* default */], {\n title: formatMessage(messages.retry),\n icon: 'refresh',\n onClick: this.handleRetry,\n size: 64\n }), formatMessage(messages.body)));\n };\n\n return BundleColumnError;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"g\" /* injectIntl */])(BundleColumnError));\n\n/***/ }),\n\n/***/ 284:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return Column; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__column_header__ = __webpack_require__(150);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__scroll__ = __webpack_require__(91);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__is_mobile__ = __webpack_require__(35);\n\n\n\n\n\n\n\n\n\n\n\nvar Column = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(Column, _React$PureComponent);\n\n function Column() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, Column);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n var scrollable = _this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n _this._interruptScrollAnimation = Object(__WEBPACK_IMPORTED_MODULE_7__scroll__[\"b\" /* scrollTop */])(scrollable);\n }, _this.handleScroll = __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default()(function () {\n if (typeof _this._interruptScrollAnimation !== 'undefined') {\n _this._interruptScrollAnimation();\n }\n }, 200), _this.setRef = function (c) {\n _this.node = c;\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n Column.prototype.scrollTop = function scrollTop() {\n var scrollable = this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n this._interruptScrollAnimation = Object(__WEBPACK_IMPORTED_MODULE_7__scroll__[\"b\" /* scrollTop */])(scrollable);\n };\n\n Column.prototype.render = function render() {\n var _props = this.props,\n heading = _props.heading,\n icon = _props.icon,\n children = _props.children,\n active = _props.active,\n hideHeadingOnMobile = _props.hideHeadingOnMobile;\n\n\n var showHeading = heading && (!hideHeadingOnMobile || hideHeadingOnMobile && !Object(__WEBPACK_IMPORTED_MODULE_8__is_mobile__[\"b\" /* isMobile */])(window.innerWidth));\n\n var columnHeaderId = showHeading && heading.replace(/ /g, '-');\n var header = showHeading && __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__column_header__[\"a\" /* default */], {\n icon: icon,\n active: active,\n type: heading,\n onClick: this.handleHeaderClick,\n columnHeaderId: columnHeaderId\n });\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n {\n ref: this.setRef,\n role: 'region',\n 'aria-labelledby': columnHeaderId,\n className: 'column',\n onScroll: this.handleScroll\n },\n header,\n children\n );\n };\n\n return Column;\n}(__WEBPACK_IMPORTED_MODULE_5_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 287:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnBackButton; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_prop_types__);\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\nvar ColumnBackButton = (_temp2 = _class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnBackButton, _React$PureComponent);\n\n function ColumnBackButton() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnBackButton);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleClick = function () {\n if (window.history && window.history.length === 1) {\n _this.context.router.history.push('/');\n } else {\n _this.context.router.history.goBack();\n }\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ColumnBackButton.prototype.render = function render() {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n onClick: this.handleClick,\n className: 'column-back-button'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-chevron-left column-back-button__icon'\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'column_back_button.label',\n defaultMessage: 'Back'\n }));\n };\n\n return ColumnBackButton;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent), _class.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.object\n}, _temp2);\n\n\n/***/ }),\n\n/***/ 299:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnBackButtonSlim; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__column_back_button__ = __webpack_require__(287);\n\n\n\n\n\n\n\n\nvar ColumnBackButtonSlim = function (_ColumnBackButton) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnBackButtonSlim, _ColumnBackButton);\n\n function ColumnBackButtonSlim() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnBackButtonSlim);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ColumnBackButton.apply(this, arguments));\n }\n\n ColumnBackButtonSlim.prototype.render = function render() {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'column-back-button--slim'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n role: 'button',\n tabIndex: '0',\n onClick: this.handleClick,\n className: 'column-back-button column-back-button--slim-button'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-chevron-left column-back-button__icon'\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'column_back_button.label',\n defaultMessage: 'Back'\n })));\n };\n\n return ColumnBackButtonSlim;\n}(__WEBPACK_IMPORTED_MODULE_6__column_back_button__[\"a\" /* default */]);\n\n\n\n/***/ }),\n\n/***/ 6:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"e\", function() { return addLocaleData; });\n/* unused harmony export intlShape */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"g\", function() { return injectIntl; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"f\", function() { return defineMessages; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"d\", function() { return IntlProvider; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return FormattedDate; });\n/* unused harmony export FormattedTime */\n/* unused harmony export FormattedRelative */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"c\", function() { return FormattedNumber; });\n/* unused harmony export FormattedPlural */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return FormattedMessage; });\n/* unused harmony export FormattedHTMLMessage */\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__ = __webpack_require__(81);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat__ = __webpack_require__(54);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__ = __webpack_require__(62);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant__ = __webpack_require__(16);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_invariant__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache__ = __webpack_require__(82);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_intl_format_cache__);\n/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n\n\n\n\n\n\n\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__addLocaleData(localeData);\n __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__localeData__[normalizedLocale] && __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.bool;\nvar number = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.number;\nvar string = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.string;\nvar func = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.func;\nvar object = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.object;\nvar oneOf = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOf;\nvar shape = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.shape;\nvar any = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.any;\nvar oneOfType = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (false) {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && \"production\" === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (false) {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (false) {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\nvar format = Object.freeze({\n formatDate: formatDate,\n formatTime: formatTime,\n formatRelative: formatRelative,\n formatNumber: formatNumber,\n formatPlural: formatPlural,\n formatMessage: formatMessage,\n formatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.DateTimeFormat),\n getNumberFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.NumberFormat),\n getMessageFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a),\n getRelativeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a),\n getPluralFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n if (false) {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"Children\"].only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\n false ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedDate);\n }\n }]);\n return FormattedDate;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedTime);\n }\n }]);\n return FormattedTime;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedRelative);\n }\n }]);\n return FormattedRelative;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedNumber);\n }\n }]);\n return FormattedNumber;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedPlural);\n }\n }]);\n return FormattedPlural;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (Object(__WEBPACK_IMPORTED_MODULE_4_react__[\"isValidElement\"])(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"createElement\"].apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\n false ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default.a);\n\n\n\n/***/ }),\n\n/***/ 659:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__ = __webpack_require__(76);\n\n\nObject(__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__[\"a\" /* default */])().then(function () {\n __webpack_require__(660).default();\n}).catch(function (e) {\n console.error(e);\n});\n\n/***/ }),\n\n/***/ 660:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__actions_push_notifications__ = __webpack_require__(157);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__containers_mastodon__ = __webpack_require__(661);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react_dom__ = __webpack_require__(20);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react_dom___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_react_dom__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__ready__ = __webpack_require__(90);\n\n\n\n\n\n\nvar perf = __webpack_require__(683);\n\nfunction main() {\n perf.start('main()');\n\n if (window.history && history.replaceState) {\n var _window$location = window.location,\n pathname = _window$location.pathname,\n search = _window$location.search,\n hash = _window$location.hash;\n\n var path = pathname + search + hash;\n if (!/^\\/web($|\\/)/.test(path)) {\n history.replaceState(null, document.title, '/web' + path);\n }\n }\n\n Object(__WEBPACK_IMPORTED_MODULE_4__ready__[\"default\"])(function () {\n var mountNode = document.getElementById('mastodon');\n var props = JSON.parse(mountNode.getAttribute('data-props'));\n\n __WEBPACK_IMPORTED_MODULE_3_react_dom___default.a.render(__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_1__containers_mastodon__[\"a\" /* default */], props), mountNode);\n if (true) {\n // avoid offline in dev mode because it's harder to debug\n __webpack_require__(684).install();\n __WEBPACK_IMPORTED_MODULE_1__containers_mastodon__[\"b\" /* store */].dispatch(__WEBPACK_IMPORTED_MODULE_0__actions_push_notifications__[\"f\" /* register */]());\n }\n perf.stop('main()');\n });\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (main);\n\n/***/ }),\n\n/***/ 661:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return store; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return Mastodon; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__store_configureStore__ = __webpack_require__(122);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_onboarding__ = __webpack_require__(662);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_router_dom__ = __webpack_require__(45);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_router_scroll_4__ = __webpack_require__(151);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__features_ui__ = __webpack_require__(663);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_custom_emojis__ = __webpack_require__(205);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__actions_store__ = __webpack_require__(33);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__actions_streaming__ = __webpack_require__(71);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__locales__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__initial_state__ = __webpack_require__(12);\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar _getLocale = Object(__WEBPACK_IMPORTED_MODULE_15__locales__[\"getLocale\"])(),\n localeData = _getLocale.localeData,\n messages = _getLocale.messages;\n\nObject(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"e\" /* addLocaleData */])(localeData);\n\nvar store = Object(__WEBPACK_IMPORTED_MODULE_6__store_configureStore__[\"a\" /* default */])();\nvar hydrateAction = Object(__WEBPACK_IMPORTED_MODULE_12__actions_store__[\"b\" /* hydrateStore */])(__WEBPACK_IMPORTED_MODULE_16__initial_state__[\"d\" /* default */]);\nstore.dispatch(hydrateAction);\n\n// load custom emojis\nstore.dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_custom_emojis__[\"b\" /* fetchCustomEmojis */])());\n\nvar Mastodon = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(Mastodon, _React$PureComponent);\n\n function Mastodon() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, Mastodon);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n Mastodon.prototype.componentDidMount = function componentDidMount() {\n this.disconnect = store.dispatch(Object(__WEBPACK_IMPORTED_MODULE_13__actions_streaming__[\"e\" /* connectUserStream */])());\n\n // Desktop notifications\n // Ask after 1 minute\n if (typeof window.Notification !== 'undefined' && Notification.permission === 'default') {\n window.setTimeout(function () {\n return Notification.requestPermission();\n }, 60 * 1000);\n }\n\n // Protocol handler\n // Ask after 5 minutes\n if (typeof navigator.registerProtocolHandler !== 'undefined') {\n var handlerUrl = window.location.protocol + '//' + window.location.host + '/intent?uri=%s';\n window.setTimeout(function () {\n return navigator.registerProtocolHandler('web+mastodon', handlerUrl, 'Mastodon');\n }, 5 * 60 * 1000);\n }\n\n store.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_onboarding__[\"a\" /* showOnboardingOnce */])());\n };\n\n Mastodon.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n Mastodon.prototype.render = function render() {\n var locale = this.props.locale;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"d\" /* IntlProvider */], {\n locale: locale,\n messages: messages\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"Provider\"], {\n store: store\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8_react_router_dom__[\"a\" /* BrowserRouter */], {\n basename: '/web'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9_react_router_scroll_4__[\"b\" /* ScrollContext */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8_react_router_dom__[\"e\" /* Route */], {\n path: '/',\n component: __WEBPACK_IMPORTED_MODULE_10__features_ui__[\"a\" /* default */]\n })))));\n };\n\n return Mastodon;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 662:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (immutable) */ __webpack_exports__[\"a\"] = showOnboardingOnce;\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__modal__ = __webpack_require__(26);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__settings__ = __webpack_require__(58);\n\n\n\nfunction showOnboardingOnce() {\n return function (dispatch, getState) {\n var alreadySeen = getState().getIn(['settings', 'onboarded']);\n\n if (!alreadySeen) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_0__modal__[\"d\" /* openModal */])('ONBOARDING'));\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__settings__[\"c\" /* changeSetting */])(['onboarded'], true));\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__settings__[\"d\" /* saveSettings */])());\n }\n };\n};\n\n/***/ }),\n\n/***/ 663:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return UI; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames__ = __webpack_require__(10);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_classnames__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__containers_notifications_container__ = __webpack_require__(242);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__containers_loading_bar_container__ = __webpack_require__(245);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__components_tabs_bar__ = __webpack_require__(246);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__containers_modal_container__ = __webpack_require__(247);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13_react_router_dom__ = __webpack_require__(45);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__is_mobile__ = __webpack_require__(35);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__actions_compose__ = __webpack_require__(18);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__actions_notifications__ = __webpack_require__(101);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__actions_height_cache__ = __webpack_require__(95);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__ = __webpack_require__(678);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__components_upload_area__ = __webpack_require__(679);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__containers_columns_area_container__ = __webpack_require__(680);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__util_async_components__ = __webpack_require__(59);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_23_react_hotkeys__ = __webpack_require__(156);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_23_react_hotkeys___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_23_react_hotkeys__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__initial_state__ = __webpack_require__(12);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_25_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__components_status__ = __webpack_require__(152);\n\n\n\n\n\n\nvar _dec, _class2, _class3, _temp3;\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n// Dummy import, to make sure that ends up in the application bundle.\n// Without this it ends up in ~8 very commonly used bundles.\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_25_react_intl__[\"f\" /* defineMessages */])({\n beforeUnload: {\n 'id': 'ui.beforeunload',\n 'defaultMessage': 'Your draft will be lost if you leave Mastodon.'\n }\n});\n\nvar mapStateToProps = function mapStateToProps(state) {\n return {\n isComposing: state.getIn(['compose', 'is_composing']),\n hasComposingText: state.getIn(['compose', 'text']) !== '',\n dropdownMenuIsOpen: state.getIn(['dropdown_menu', 'openId']) !== null\n };\n};\n\nvar keyMap = {\n help: '?',\n new: 'n',\n search: 's',\n forceNew: 'option+n',\n focusColumn: ['1', '2', '3', '4', '5', '6', '7', '8', '9'],\n reply: 'r',\n favourite: 'f',\n boost: 'b',\n mention: 'm',\n open: ['enter', 'o'],\n openProfile: 'p',\n moveDown: ['down', 'j'],\n moveUp: ['up', 'k'],\n back: 'backspace',\n goToHome: 'g h',\n goToNotifications: 'g n',\n goToLocal: 'g l',\n goToFederated: 'g t',\n goToStart: 'g s',\n goToFavourites: 'g f',\n goToProfile: 'g u',\n goToBlocked: 'g b'\n};\n\nvar SwitchingColumnsArea = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(SwitchingColumnsArea, _React$PureComponent);\n\n function SwitchingColumnsArea() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, SwitchingColumnsArea);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.state = {\n mobile: Object(__WEBPACK_IMPORTED_MODULE_14__is_mobile__[\"b\" /* isMobile */])(window.innerWidth)\n }, _this.handleResize = __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default()(function () {\n // The cached heights are no longer accurate, invalidate\n _this.props.onLayoutChange();\n\n _this.setState({ mobile: Object(__WEBPACK_IMPORTED_MODULE_14__is_mobile__[\"b\" /* isMobile */])(window.innerWidth) });\n }, 500, {\n trailing: true\n }), _this.setRef = function (c) {\n _this.node = c.getWrappedInstance().getWrappedInstance();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n SwitchingColumnsArea.prototype.componentWillMount = function componentWillMount() {\n window.addEventListener('resize', this.handleResize, { passive: true });\n };\n\n SwitchingColumnsArea.prototype.componentDidUpdate = function componentDidUpdate(prevProps) {\n if (![this.props.location.pathname, '/'].includes(prevProps.location.pathname)) {\n this.node.handleChildrenContentChange();\n }\n };\n\n SwitchingColumnsArea.prototype.componentWillUnmount = function componentWillUnmount() {\n window.removeEventListener('resize', this.handleResize);\n };\n\n SwitchingColumnsArea.prototype.render = function render() {\n var children = this.props.children;\n var mobile = this.state.mobile;\n\n\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_21__containers_columns_area_container__[\"a\" /* default */],\n { ref: this.setRef, singleColumn: mobile },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"b\" /* WrappedSwitch */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13_react_router_dom__[\"d\" /* Redirect */], {\n from: '/',\n to: '/getting-started',\n exact: true\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/getting-started',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"m\" /* GettingStarted */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/keyboard-shortcuts',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"p\" /* KeyboardShortcuts */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/home',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"o\" /* HomeTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/public',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"v\" /* PublicTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/public/local',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"d\" /* CommunityTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/tag/:id',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"n\" /* HashtagTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/list/:id',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"r\" /* ListTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/notifications',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"t\" /* Notifications */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/favourites',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"g\" /* FavouritedStatuses */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/search',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"e\" /* Compose */],\n content: children,\n componentParams: { isSearchPage: true }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/new',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"e\" /* Compose */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/:statusId',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"x\" /* Status */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/:statusId/reblogs',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"w\" /* Reblogs */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/:statusId/favourites',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"h\" /* Favourites */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"b\" /* AccountTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/with_replies',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"b\" /* AccountTimeline */],\n content: children,\n componentParams: { withReplies: true }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/followers',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"j\" /* Followers */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/following',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"k\" /* Following */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/media',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"a\" /* AccountGallery */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/follow_requests',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"i\" /* FollowRequests */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/blocks',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"c\" /* Blocks */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"l\" /* GenericNotFound */],\n content: children\n }))\n );\n };\n\n return SwitchingColumnsArea;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.PureComponent);\n\nvar UI = (_dec = Object(__WEBPACK_IMPORTED_MODULE_12_react_redux__[\"connect\"])(mapStateToProps), _dec(_class2 = Object(__WEBPACK_IMPORTED_MODULE_25_react_intl__[\"g\" /* injectIntl */])(_class2 = Object(__WEBPACK_IMPORTED_MODULE_13_react_router_dom__[\"g\" /* withRouter */])(_class2 = (_temp3 = _class3 = function (_React$PureComponent2) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(UI, _React$PureComponent2);\n\n function UI() {\n var _temp2, _this2, _ret2;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, UI);\n\n for (var _len2 = arguments.length, args = Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {\n args[_key2] = arguments[_key2];\n }\n\n return _ret2 = (_temp2 = (_this2 = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent2.call.apply(_React$PureComponent2, [this].concat(args))), _this2), _this2.state = {\n draggingOver: false\n }, _this2.handleBeforeUnload = function (e) {\n var _this2$props = _this2.props,\n intl = _this2$props.intl,\n isComposing = _this2$props.isComposing,\n hasComposingText = _this2$props.hasComposingText;\n\n\n if (isComposing && hasComposingText) {\n // Setting returnValue to any string causes confirmation dialog.\n // Many browsers no longer display this text to users,\n // but we set user-friendly message for other browsers, e.g. Edge.\n e.returnValue = intl.formatMessage(messages.beforeUnload);\n }\n }, _this2.handleLayoutChange = function () {\n // The cached heights are no longer accurate, invalidate\n _this2.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_18__actions_height_cache__[\"c\" /* clearHeight */])());\n }, _this2.handleDragEnter = function (e) {\n e.preventDefault();\n\n if (!_this2.dragTargets) {\n _this2.dragTargets = [];\n }\n\n if (_this2.dragTargets.indexOf(e.target) === -1) {\n _this2.dragTargets.push(e.target);\n }\n\n if (e.dataTransfer && e.dataTransfer.types.includes('Files')) {\n _this2.setState({ draggingOver: true });\n }\n }, _this2.handleDragOver = function (e) {\n e.preventDefault();\n e.stopPropagation();\n\n try {\n e.dataTransfer.dropEffect = 'copy';\n } catch (err) {}\n\n return false;\n }, _this2.handleDrop = function (e) {\n e.preventDefault();\n\n _this2.setState({ draggingOver: false });\n\n if (e.dataTransfer && e.dataTransfer.files.length === 1) {\n _this2.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_15__actions_compose__[\"Z\" /* uploadCompose */])(e.dataTransfer.files));\n }\n }, _this2.handleDragLeave = function (e) {\n e.preventDefault();\n e.stopPropagation();\n\n _this2.dragTargets = _this2.dragTargets.filter(function (el) {\n return el !== e.target && _this2.node.contains(el);\n });\n\n if (_this2.dragTargets.length > 0) {\n return;\n }\n\n _this2.setState({ draggingOver: false });\n }, _this2.closeUploadModal = function () {\n _this2.setState({ draggingOver: false });\n }, _this2.handleServiceWorkerPostMessage = function (_ref) {\n var data = _ref.data;\n\n if (data.type === 'navigate') {\n _this2.context.router.history.push(data.path);\n } else {\n console.warn('Unknown message type:', data.type);\n }\n }, _this2.setRef = function (c) {\n _this2.node = c;\n }, _this2.handleHotkeyNew = function (e) {\n e.preventDefault();\n\n var element = _this2.node.querySelector('.compose-form__autosuggest-wrapper textarea');\n\n if (element) {\n element.focus();\n }\n }, _this2.handleHotkeySearch = function (e) {\n e.preventDefault();\n\n var element = _this2.node.querySelector('.search__input');\n\n if (element) {\n element.focus();\n }\n }, _this2.handleHotkeyForceNew = function (e) {\n _this2.handleHotkeyNew(e);\n _this2.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_15__actions_compose__[\"U\" /* resetCompose */])());\n }, _this2.handleHotkeyFocusColumn = function (e) {\n var index = e.key * 1 + 1; // First child is drawer, skip that\n var column = _this2.node.querySelector('.column:nth-child(' + index + ')');\n\n if (column) {\n var status = column.querySelector('.focusable');\n\n if (status) {\n status.focus();\n }\n }\n }, _this2.handleHotkeyBack = function () {\n if (window.history && window.history.length === 1) {\n _this2.context.router.history.push('/');\n } else {\n _this2.context.router.history.goBack();\n }\n }, _this2.setHotkeysRef = function (c) {\n _this2.hotkeys = c;\n }, _this2.handleHotkeyToggleHelp = function () {\n if (_this2.props.location.pathname === '/keyboard-shortcuts') {\n _this2.context.router.history.goBack();\n } else {\n _this2.context.router.history.push('/keyboard-shortcuts');\n }\n }, _this2.handleHotkeyGoToHome = function () {\n _this2.context.router.history.push('/timelines/home');\n }, _this2.handleHotkeyGoToNotifications = function () {\n _this2.context.router.history.push('/notifications');\n }, _this2.handleHotkeyGoToLocal = function () {\n _this2.context.router.history.push('/timelines/public/local');\n }, _this2.handleHotkeyGoToFederated = function () {\n _this2.context.router.history.push('/timelines/public');\n }, _this2.handleHotkeyGoToStart = function () {\n _this2.context.router.history.push('/getting-started');\n }, _this2.handleHotkeyGoToFavourites = function () {\n _this2.context.router.history.push('/favourites');\n }, _this2.handleHotkeyGoToProfile = function () {\n _this2.context.router.history.push('/accounts/' + __WEBPACK_IMPORTED_MODULE_24__initial_state__[\"g\" /* me */]);\n }, _this2.handleHotkeyGoToBlocked = function () {\n _this2.context.router.history.push('/blocks');\n }, _temp2), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this2, _ret2);\n }\n\n UI.prototype.componentWillMount = function componentWillMount() {\n window.addEventListener('beforeunload', this.handleBeforeUnload, false);\n document.addEventListener('dragenter', this.handleDragEnter, false);\n document.addEventListener('dragover', this.handleDragOver, false);\n document.addEventListener('drop', this.handleDrop, false);\n document.addEventListener('dragleave', this.handleDragLeave, false);\n document.addEventListener('dragend', this.handleDragEnd, false);\n\n if ('serviceWorker' in navigator) {\n navigator.serviceWorker.addEventListener('message', this.handleServiceWorkerPostMessage);\n }\n\n this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_16__actions_timelines__[\"o\" /* expandHomeTimeline */])());\n this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_17__actions_notifications__[\"h\" /* expandNotifications */])());\n };\n\n UI.prototype.componentDidMount = function componentDidMount() {\n this.hotkeys.__mousetrap__.stopCallback = function (e, element) {\n return ['TEXTAREA', 'SELECT', 'INPUT'].includes(element.tagName);\n };\n };\n\n UI.prototype.componentWillUnmount = function componentWillUnmount() {\n window.removeEventListener('beforeunload', this.handleBeforeUnload);\n document.removeEventListener('dragenter', this.handleDragEnter);\n document.removeEventListener('dragover', this.handleDragOver);\n document.removeEventListener('drop', this.handleDrop);\n document.removeEventListener('dragleave', this.handleDragLeave);\n document.removeEventListener('dragend', this.handleDragEnd);\n };\n\n UI.prototype.render = function render() {\n var draggingOver = this.state.draggingOver;\n var _props = this.props,\n children = _props.children,\n isComposing = _props.isComposing,\n location = _props.location,\n dropdownMenuIsOpen = _props.dropdownMenuIsOpen;\n\n\n var handlers = {\n help: this.handleHotkeyToggleHelp,\n new: this.handleHotkeyNew,\n search: this.handleHotkeySearch,\n forceNew: this.handleHotkeyForceNew,\n focusColumn: this.handleHotkeyFocusColumn,\n back: this.handleHotkeyBack,\n goToHome: this.handleHotkeyGoToHome,\n goToNotifications: this.handleHotkeyGoToNotifications,\n goToLocal: this.handleHotkeyGoToLocal,\n goToFederated: this.handleHotkeyGoToFederated,\n goToStart: this.handleHotkeyGoToStart,\n goToFavourites: this.handleHotkeyGoToFavourites,\n goToProfile: this.handleHotkeyGoToProfile,\n goToBlocked: this.handleHotkeyGoToBlocked\n };\n\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_23_react_hotkeys__[\"HotKeys\"],\n { keyMap: keyMap, handlers: handlers, ref: this.setHotkeysRef },\n __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n 'div',\n { className: __WEBPACK_IMPORTED_MODULE_5_classnames___default()('ui', { 'is-composing': isComposing }), ref: this.setRef, style: { pointerEvents: dropdownMenuIsOpen ? 'none' : null } },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__components_tabs_bar__[\"a\" /* default */], {}),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(SwitchingColumnsArea, {\n location: location,\n onLayoutChange: this.handleLayoutChange\n }, void 0, children),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7__containers_notifications_container__[\"a\" /* default */], {}),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__containers_loading_bar_container__[\"a\" /* default */], {\n className: 'loading-bar'\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_11__containers_modal_container__[\"a\" /* default */], {}),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_20__components_upload_area__[\"a\" /* default */], {\n active: draggingOver,\n onClose: this.closeUploadModal\n })\n )\n );\n };\n\n return UI;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.PureComponent), _class3.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.object.isRequired\n}, _temp3)) || _class2) || _class2) || _class2);\n\n\n/***/ }),\n\n/***/ 678:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return WrappedSwitch; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return WrappedRoute; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__ = __webpack_require__(30);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__ = __webpack_require__(29);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_router_dom__ = __webpack_require__(45);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column_loading__ = __webpack_require__(251);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_bundle_column_error__ = __webpack_require__(252);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__containers_bundle_container__ = __webpack_require__(145);\n\n\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\n\n\n\n\n// Small wrapper to pass multiColumn to the route components\nvar WrappedSwitch = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(WrappedSwitch, _React$PureComponent);\n\n function WrappedSwitch() {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, WrappedSwitch);\n\n return __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n WrappedSwitch.prototype.render = function render() {\n var _props = this.props,\n multiColumn = _props.multiColumn,\n children = _props.children;\n\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_router_dom__[\"f\" /* Switch */], {}, void 0, __WEBPACK_IMPORTED_MODULE_6_react___default.a.Children.map(children, function (child) {\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.cloneElement(child, { multiColumn: multiColumn });\n }));\n };\n\n return WrappedSwitch;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.PureComponent);\n\n// Small Wraper to extract the params from the route and pass\n// them to the rendered component, together with the content to\n// be rendered inside (the children)\nvar WrappedRoute = (_temp2 = _class = function (_React$Component) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(WrappedRoute, _React$Component);\n\n function WrappedRoute() {\n var _temp, _this2, _ret;\n\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, WrappedRoute);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this2 = __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$Component.call.apply(_React$Component, [this].concat(args))), _this2), _this2.renderComponent = function (_ref) {\n var match = _ref.match;\n var _this2$props = _this2.props,\n component = _this2$props.component,\n content = _this2$props.content,\n multiColumn = _this2$props.multiColumn,\n componentParams = _this2$props.componentParams;\n\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__containers_bundle_container__[\"a\" /* default */], {\n fetchComponent: component,\n loading: _this2.renderLoading,\n error: _this2.renderError\n }, void 0, function (Component) {\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n Component,\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ params: match.params, multiColumn: multiColumn }, componentParams),\n content\n );\n });\n }, _this2.renderLoading = function () {\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8__components_column_loading__[\"a\" /* default */], {});\n }, _this2.renderError = function (props) {\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__components_bundle_column_error__[\"a\" /* default */], props);\n }, _temp), __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(_this2, _ret);\n }\n\n WrappedRoute.prototype.render = function render() {\n var _props2 = this.props,\n Component = _props2.component,\n content = _props2.content,\n rest = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default()(_props2, ['component', 'content']);\n\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_7_react_router_dom__[\"e\" /* Route */], __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, rest, { render: this.renderComponent }));\n };\n\n return WrappedRoute;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.Component), _class.defaultProps = {\n componentParams: {}\n}, _temp2);\n\n/***/ }),\n\n/***/ 679:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return UploadArea; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__ui_util_optional_motion__ = __webpack_require__(28);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring__ = __webpack_require__(27);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_intl__ = __webpack_require__(6);\n\n\n\n\n\n\n\n\n\n\nvar UploadArea = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(UploadArea, _React$PureComponent);\n\n function UploadArea() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, UploadArea);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleKeyUp = function (e) {\n var keyCode = e.keyCode;\n if (_this.props.active) {\n switch (keyCode) {\n case 27:\n e.preventDefault();\n e.stopPropagation();\n _this.props.onClose();\n break;\n }\n }\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n UploadArea.prototype.componentDidMount = function componentDidMount() {\n window.addEventListener('keyup', this.handleKeyUp, false);\n };\n\n UploadArea.prototype.componentWillUnmount = function componentWillUnmount() {\n window.removeEventListener('keyup', this.handleKeyUp);\n };\n\n UploadArea.prototype.render = function render() {\n var active = this.props.active;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5__ui_util_optional_motion__[\"a\" /* default */], {\n defaultStyle: { backgroundOpacity: 0, backgroundScale: 0.95 },\n style: { backgroundOpacity: __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default()(active ? 1 : 0, { stiffness: 150, damping: 15 }), backgroundScale: __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default()(active ? 1 : 0.95, { stiffness: 200, damping: 3 }) }\n }, void 0, function (_ref) {\n var backgroundOpacity = _ref.backgroundOpacity,\n backgroundScale = _ref.backgroundScale;\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area',\n style: { visibility: active ? 'visible' : 'hidden', opacity: backgroundOpacity }\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area__drop'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area__background',\n style: { transform: 'scale(' + backgroundScale + ')' }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area__content'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'upload_area.title',\n defaultMessage: 'Drag & drop to upload'\n }))));\n });\n };\n\n return UploadArea;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 680:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__components_columns_area__ = __webpack_require__(681);\n\n\n\nvar mapStateToProps = function mapStateToProps(state) {\n return {\n columns: state.getIn(['settings', 'columns']),\n isModalOpen: !!state.get('modal').modalType\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_0_react_redux__[\"connect\"])(mapStateToProps, null, null, { withRef: true })(__WEBPACK_IMPORTED_MODULE_1__components_columns_area__[\"a\" /* default */]));\n\n/***/ }),\n\n/***/ 681:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnsArea; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_intl__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_immutable_proptypes__ = __webpack_require__(13);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_immutable_proptypes___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_7_react_immutable_proptypes__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__ = __webpack_require__(11);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_swipeable_views__ = __webpack_require__(158);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_swipeable_views___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_9_react_swipeable_views__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__tabs_bar__ = __webpack_require__(246);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11_react_router_dom__ = __webpack_require__(45);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__containers_bundle_container__ = __webpack_require__(145);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__column_loading__ = __webpack_require__(251);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__drawer_loading__ = __webpack_require__(682);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__bundle_column_error__ = __webpack_require__(252);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__ = __webpack_require__(59);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_17_detect_passive_events__ = __webpack_require__(47);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_17_detect_passive_events___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_17_detect_passive_events__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__scroll__ = __webpack_require__(91);\n\n\n\n\n\nvar _dec, _class, _class2, _temp2;\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar componentMap = {\n 'COMPOSE': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"e\" /* Compose */],\n 'HOME': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"o\" /* HomeTimeline */],\n 'NOTIFICATIONS': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"t\" /* Notifications */],\n 'PUBLIC': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"v\" /* PublicTimeline */],\n 'COMMUNITY': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"d\" /* CommunityTimeline */],\n 'HASHTAG': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"n\" /* HashtagTimeline */],\n 'FAVOURITES': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"g\" /* FavouritedStatuses */],\n 'LIST': __WEBPACK_IMPORTED_MODULE_16__ui_util_async_components__[\"r\" /* ListTimeline */]\n};\n\nvar shouldHideFAB = function shouldHideFAB(path) {\n return path.match(/^\\/statuses\\//);\n};\n\nvar ColumnsArea = (_dec = function _dec(component) {\n return Object(__WEBPACK_IMPORTED_MODULE_6_react_intl__[\"g\" /* injectIntl */])(component, { withRef: true });\n}, _dec(_class = (_temp2 = _class2 = function (_ImmutablePureCompone) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnsArea, _ImmutablePureCompone);\n\n function ColumnsArea() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnsArea);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone.call.apply(_ImmutablePureCompone, [this].concat(args))), _this), _this.state = {\n shouldAnimate: false\n }, _this.handleSwipe = function (index) {\n _this.pendingIndex = index;\n\n var nextLinkTranslationId = __WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"d\" /* links */][index].props['data-preview-title-id'];\n var currentLinkSelector = '.tabs-bar__link.active';\n var nextLinkSelector = '.tabs-bar__link[data-preview-title-id=\"' + nextLinkTranslationId + '\"]';\n\n // HACK: Remove the active class from the current link and set it to the next one\n // React-router does this for us, but too late, feeling laggy.\n document.querySelector(currentLinkSelector).classList.remove('active');\n document.querySelector(nextLinkSelector).classList.add('active');\n }, _this.handleAnimationEnd = function () {\n if (typeof _this.pendingIndex === 'number') {\n _this.context.router.history.push(Object(__WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"c\" /* getLink */])(_this.pendingIndex));\n _this.pendingIndex = null;\n }\n }, _this.handleWheel = function () {\n if (typeof _this._interruptScrollAnimation !== 'function') {\n return;\n }\n\n _this._interruptScrollAnimation();\n }, _this.setRef = function (node) {\n _this.node = node;\n }, _this.renderView = function (link, index) {\n var columnIndex = Object(__WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"b\" /* getIndex */])(_this.context.router.history.location.pathname);\n var title = _this.props.intl.formatMessage({ id: link.props['data-preview-title-id'] });\n var icon = link.props['data-preview-icon'];\n\n var view = index === columnIndex ? __WEBPACK_IMPORTED_MODULE_4_react___default.a.cloneElement(_this.props.children) : __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13__column_loading__[\"a\" /* default */], {\n title: title,\n icon: icon\n });\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'columns-area'\n }, index, view);\n }, _this.renderLoading = function (columnId) {\n return function () {\n return columnId === 'COMPOSE' ? __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14__drawer_loading__[\"a\" /* default */], {}) : __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13__column_loading__[\"a\" /* default */], {});\n };\n }, _this.renderError = function (props) {\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_15__bundle_column_error__[\"a\" /* default */], props);\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ColumnsArea.prototype.componentWillReceiveProps = function componentWillReceiveProps() {\n this.setState({ shouldAnimate: false });\n };\n\n ColumnsArea.prototype.componentDidMount = function componentDidMount() {\n if (!this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, __WEBPACK_IMPORTED_MODULE_17_detect_passive_events___default.a.hasSupport ? { passive: true } : false);\n }\n\n this.lastIndex = Object(__WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"b\" /* getIndex */])(this.context.router.history.location.pathname);\n this.isRtlLayout = document.getElementsByTagName('body')[0].classList.contains('rtl');\n\n this.setState({ shouldAnimate: true });\n };\n\n ColumnsArea.prototype.componentWillUpdate = function componentWillUpdate(nextProps) {\n if (this.props.singleColumn !== nextProps.singleColumn && nextProps.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n };\n\n ColumnsArea.prototype.componentDidUpdate = function componentDidUpdate(prevProps) {\n if (this.props.singleColumn !== prevProps.singleColumn && !this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, __WEBPACK_IMPORTED_MODULE_17_detect_passive_events___default.a.hasSupport ? { passive: true } : false);\n }\n this.lastIndex = Object(__WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"b\" /* getIndex */])(this.context.router.history.location.pathname);\n this.setState({ shouldAnimate: true });\n };\n\n ColumnsArea.prototype.componentWillUnmount = function componentWillUnmount() {\n if (!this.props.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n };\n\n ColumnsArea.prototype.handleChildrenContentChange = function handleChildrenContentChange() {\n if (!this.props.singleColumn) {\n var modifier = this.isRtlLayout ? -1 : 1;\n this._interruptScrollAnimation = Object(__WEBPACK_IMPORTED_MODULE_18__scroll__[\"a\" /* scrollRight */])(this.node, (this.node.scrollWidth - window.innerWidth) * modifier);\n }\n };\n\n ColumnsArea.prototype.render = function render() {\n var _this2 = this;\n\n var _props = this.props,\n columns = _props.columns,\n children = _props.children,\n singleColumn = _props.singleColumn,\n isModalOpen = _props.isModalOpen;\n var shouldAnimate = this.state.shouldAnimate;\n\n\n var columnIndex = Object(__WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"b\" /* getIndex */])(this.context.router.history.location.pathname);\n this.pendingIndex = null;\n\n if (singleColumn) {\n var floatingActionButton = shouldHideFAB(this.context.router.history.location.pathname) ? null : __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_11_react_router_dom__[\"b\" /* Link */], {\n to: '/statuses/new',\n className: 'floating-action-button'\n }, 'floating-action-button', __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-pencil'\n }));\n\n return columnIndex !== -1 ? [__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9_react_swipeable_views___default.a, {\n index: columnIndex,\n onChangeIndex: this.handleSwipe,\n onTransitionEnd: this.handleAnimationEnd,\n animateTransitions: shouldAnimate,\n springConfig: { duration: '400ms', delay: '0s', easeFunction: 'ease' },\n style: { height: '100%' }\n }, 'content', __WEBPACK_IMPORTED_MODULE_10__tabs_bar__[\"d\" /* links */].map(this.renderView)), floatingActionButton] : [__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'columns-area'\n }, void 0, children), floatingActionButton];\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(\n 'div',\n { className: 'columns-area ' + (isModalOpen ? 'unscrollable' : ''), ref: this.setRef },\n columns.map(function (column) {\n var params = column.get('params', null) === null ? null : column.get('params').toJS();\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12__containers_bundle_container__[\"a\" /* default */], {\n fetchComponent: componentMap[column.get('id')],\n loading: _this2.renderLoading(column.get('id')),\n error: _this2.renderError\n }, column.get('uuid'), function (SpecificComponent) {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(SpecificComponent, {\n columnId: column.get('uuid'),\n params: params,\n multiColumn: true\n });\n });\n }),\n __WEBPACK_IMPORTED_MODULE_4_react___default.a.Children.map(children, function (child) {\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.cloneElement(child, { multiColumn: true });\n })\n );\n };\n\n return ColumnsArea;\n}(__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default.a), _class2.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.object.isRequired\n}, _class2.propTypes = {\n intl: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.object.isRequired,\n columns: __WEBPACK_IMPORTED_MODULE_7_react_immutable_proptypes___default.a.list.isRequired,\n isModalOpen: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.bool.isRequired,\n singleColumn: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.bool,\n children: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.node\n}, _temp2)) || _class);\n\n\n/***/ }),\n\n/***/ 682:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_react__);\n\n\n\nvar DrawerLoading = function DrawerLoading() {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'drawer'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'drawer__pager'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'drawer__inner'\n })));\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (DrawerLoading);\n\n/***/ }),\n\n/***/ 683:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony export (immutable) */ __webpack_exports__[\"start\"] = start;\n/* harmony export (immutable) */ __webpack_exports__[\"stop\"] = stop;\n//\n// Tools for performance debugging, only enabled in development mode.\n// Open up Chrome Dev Tools, then Timeline, then User Timing to see output.\n// Also see config/webpack/loaders/mark.js for the webpack loader marks.\n//\n\nvar marky = void 0;\n\nif (false) {\n if (typeof performance !== 'undefined' && performance.setResourceTimingBufferSize) {\n // Increase Firefox's performance entry limit; otherwise it's capped to 150.\n // See: https://bugzilla.mozilla.org/show_bug.cgi?id=1331135\n performance.setResourceTimingBufferSize(Infinity);\n }\n marky = require('marky');\n // allows us to easily do e.g. ReactPerf.printWasted() while debugging\n //window.ReactPerf = require('react-addons-perf');\n //window.ReactPerf.start();\n}\n\nfunction start(name) {\n if (false) {\n marky.mark(name);\n }\n}\n\nfunction stop(name) {\n if (false) {\n marky.stop(name);\n }\n}\n\n/***/ }),\n\n/***/ 684:\n/***/ (function(module, exports) {\n\nvar appCacheIframe;\n\nfunction hasSW() {\n return 'serviceWorker' in navigator && (\n // This is how I block Chrome 40 and detect Chrome 41, because first has\n // bugs with history.pustState and/or hashchange\n window.fetch || 'imageRendering' in document.documentElement.style) && (window.location.protocol === 'https:' || window.location.hostname === 'localhost' || window.location.hostname.indexOf('127.') === 0);\n}\n\nfunction install(options) {\n options || (options = {});\n\n if (hasSW()) {\n var registration = navigator.serviceWorker.register(\"/sw.js\");\n\n return;\n }\n\n if (window.applicationCache) {\n var directory = \"/packs/appcache/\";\n var name = \"manifest\";\n\n var doLoad = function () {\n var page = directory + name + '.html';\n var iframe = document.createElement('iframe');\n\n iframe.src = page;\n iframe.style.display = 'none';\n\n appCacheIframe = iframe;\n document.body.appendChild(iframe);\n };\n\n if (document.readyState === 'complete') {\n setTimeout(doLoad);\n } else {\n window.addEventListener('load', doLoad);\n }\n\n return;\n }\n}\n\nfunction applyUpdate(callback, errback) {}\n\nfunction update() {\n\n if (hasSW()) {\n navigator.serviceWorker.getRegistration().then(function (registration) {\n if (!registration) return;\n return registration.update();\n });\n }\n\n if (appCacheIframe) {\n try {\n appCacheIframe.contentWindow.applicationCache.update();\n } catch (e) {}\n }\n}\n\nexports.install = install;\nexports.applyUpdate = applyUpdate;\nexports.update = update;\n\n/***/ })\n\n},[659]);\n\n\n// WEBPACK FOOTER //\n// application.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport classNames from 'classnames';\n\nexport default class ColumnHeader extends React.PureComponent {\n\n static propTypes = {\n icon: PropTypes.string,\n type: PropTypes.string,\n active: PropTypes.bool,\n onClick: PropTypes.func,\n columnHeaderId: PropTypes.string,\n };\n\n handleClick = () => {\n this.props.onClick();\n }\n\n render () {\n const { icon, type, active, columnHeaderId } = this.props;\n let iconElement = '';\n\n if (icon) {\n iconElement = ;\n }\n\n return (\n

\n \n

\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/column_header.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { NavLink, withRouter } from 'react-router-dom';\nimport { FormattedMessage, injectIntl } from 'react-intl';\nimport { debounce } from 'lodash';\nimport { isUserTouching } from '../../../is_mobile';\n\nexport const links = [\n ,\n ,\n ,\n\n ,\n ,\n\n ,\n];\n\nexport function getIndex (path) {\n return links.findIndex(link => link.props.to === path);\n}\n\nexport function getLink (index) {\n return links[index].props.to;\n}\n\n@injectIntl\n@withRouter\nexport default class TabsBar extends React.PureComponent {\n\n static propTypes = {\n intl: PropTypes.object.isRequired,\n history: PropTypes.object.isRequired,\n }\n\n setRef = ref => {\n this.node = ref;\n }\n\n handleClick = (e) => {\n // Only apply optimization for touch devices, which we assume are slower\n // We thus avoid the 250ms delay for non-touch devices and the lag for touch devices\n if (isUserTouching()) {\n e.preventDefault();\n e.persist();\n\n requestAnimationFrame(() => {\n const tabs = Array(...this.node.querySelectorAll('.tabs-bar__link'));\n const currentTab = tabs.find(tab => tab.classList.contains('active'));\n const nextTab = tabs.find(tab => tab.contains(e.target));\n const { props: { to } } = links[Array(...this.node.childNodes).indexOf(nextTab)];\n\n\n if (currentTab !== nextTab) {\n if (currentTab) {\n currentTab.classList.remove('active');\n }\n\n const listener = debounce(() => {\n nextTab.removeEventListener('transitionend', listener);\n this.props.history.push(to);\n }, 50);\n\n nextTab.addEventListener('transitionend', listener);\n nextTab.classList.add('active');\n }\n });\n }\n\n }\n\n render () {\n const { intl: { formatMessage } } = this.props;\n\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/tabs_bar.js","import React from 'react';\nimport PropTypes from 'prop-types';\n\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport ImmutablePureComponent from 'react-immutable-pure-component';\n\nexport default class ColumnLoading extends ImmutablePureComponent {\n\n static propTypes = {\n title: PropTypes.oneOfType([PropTypes.node, PropTypes.string]),\n icon: PropTypes.string,\n };\n\n static defaultProps = {\n title: '',\n icon: '',\n };\n\n render() {\n let { title, icon } = this.props;\n return (\n \n \n
\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/column_loading.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { defineMessages, injectIntl } from 'react-intl';\n\nimport Column from './column';\nimport ColumnHeader from './column_header';\nimport ColumnBackButtonSlim from '../../../components/column_back_button_slim';\nimport IconButton from '../../../components/icon_button';\n\nconst messages = defineMessages({\n title: { id: 'bundle_column_error.title', defaultMessage: 'Network error' },\n body: { id: 'bundle_column_error.body', defaultMessage: 'Something went wrong while loading this component.' },\n retry: { id: 'bundle_column_error.retry', defaultMessage: 'Try again' },\n});\n\nclass BundleColumnError extends React.PureComponent {\n\n static propTypes = {\n onRetry: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n }\n\n handleRetry = () => {\n this.props.onRetry();\n }\n\n render () {\n const { intl: { formatMessage } } = this.props;\n\n return (\n \n \n \n
\n \n {formatMessage(messages.body)}\n
\n
\n );\n }\n\n}\n\nexport default injectIntl(BundleColumnError);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/bundle_column_error.js","import React from 'react';\nimport ColumnHeader from './column_header';\nimport PropTypes from 'prop-types';\nimport { debounce } from 'lodash';\nimport { scrollTop } from '../../../scroll';\nimport { isMobile } from '../../../is_mobile';\n\nexport default class Column extends React.PureComponent {\n\n static propTypes = {\n heading: PropTypes.string,\n icon: PropTypes.string,\n children: PropTypes.node,\n active: PropTypes.bool,\n hideHeadingOnMobile: PropTypes.bool,\n };\n\n handleHeaderClick = () => {\n const scrollable = this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n this._interruptScrollAnimation = scrollTop(scrollable);\n }\n\n scrollTop () {\n const scrollable = this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n this._interruptScrollAnimation = scrollTop(scrollable);\n }\n\n\n handleScroll = debounce(() => {\n if (typeof this._interruptScrollAnimation !== 'undefined') {\n this._interruptScrollAnimation();\n }\n }, 200)\n\n setRef = (c) => {\n this.node = c;\n }\n\n render () {\n const { heading, icon, children, active, hideHeadingOnMobile } = this.props;\n\n const showHeading = heading && (!hideHeadingOnMobile || (hideHeadingOnMobile && !isMobile(window.innerWidth)));\n\n const columnHeaderId = showHeading && heading.replace(/ /g, '-');\n const header = showHeading && (\n \n );\n return (\n \n {header}\n {children}\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/column.js","import React from 'react';\nimport { FormattedMessage } from 'react-intl';\nimport PropTypes from 'prop-types';\n\nexport default class ColumnBackButton extends React.PureComponent {\n\n static contextTypes = {\n router: PropTypes.object,\n };\n\n handleClick = () => {\n if (window.history && window.history.length === 1) {\n this.context.router.history.push('/');\n } else {\n this.context.router.history.goBack();\n }\n }\n\n render () {\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/column_back_button.js","import React from 'react';\nimport { FormattedMessage } from 'react-intl';\nimport ColumnBackButton from './column_back_button';\n\nexport default class ColumnBackButtonSlim extends ColumnBackButton {\n\n render () {\n return (\n
\n
\n \n \n
\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/column_back_button_slim.js","/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nimport allLocaleData from '../locale-data/index.js';\nimport IntlMessageFormat from 'intl-messageformat';\nimport IntlRelativeFormat from 'intl-relativeformat';\nimport PropTypes from 'prop-types';\nimport React, { Children, Component, createElement, isValidElement } from 'react';\nimport invariant from 'invariant';\nimport memoizeIntlConstructor from 'intl-format-cache';\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n IntlMessageFormat.__addLocaleData(localeData);\n IntlRelativeFormat.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(IntlMessageFormat.__localeData__[normalizedLocale] && IntlRelativeFormat.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\n\n\n\n\n\n\n\n\n\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\n\n\n\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\n\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\n\n\n\n\n\n\n\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = PropTypes.bool;\nvar number = PropTypes.number;\nvar string = PropTypes.string;\nvar func = PropTypes.func;\nvar object = PropTypes.object;\nvar oneOf = PropTypes.oneOf;\nvar shape = PropTypes.shape;\nvar any = PropTypes.any;\nvar oneOfType = PropTypes.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n invariant(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n invariant(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return React.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(Component);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return IntlMessageFormat.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return IntlMessageFormat.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = IntlRelativeFormat.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, IntlRelativeFormat.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n invariant(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && process.env.NODE_ENV === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (process.env.NODE_ENV !== 'production') {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\n\n\nvar format = Object.freeze({\n\tformatDate: formatDate,\n\tformatTime: formatTime,\n\tformatRelative: formatRelative,\n\tformatNumber: formatNumber,\n\tformatPlural: formatPlural,\n\tformatMessage: formatMessage,\n\tformatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n invariant(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: memoizeIntlConstructor(Intl.DateTimeFormat),\n getNumberFormat: memoizeIntlConstructor(Intl.NumberFormat),\n getMessageFormat: memoizeIntlConstructor(IntlMessageFormat),\n getRelativeFormat: memoizeIntlConstructor(IntlRelativeFormat),\n getPluralFormat: memoizeIntlConstructor(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return Children.only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(Component);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\nprocess.env.NODE_ENV !== \"production\" ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return React.createElement(\n Text,\n null,\n formattedDate\n );\n }\n }]);\n return FormattedDate;\n}(Component);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedDate.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return React.createElement(\n Text,\n null,\n formattedTime\n );\n }\n }]);\n return FormattedTime;\n}(Component);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedTime.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return React.createElement(\n Text,\n null,\n formattedRelative\n );\n }\n }]);\n return FormattedRelative;\n}(Component);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedRelative.propTypes = _extends({}, relativeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n updateInterval: PropTypes.number,\n initialNow: PropTypes.any,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return React.createElement(\n Text,\n null,\n formattedNumber\n );\n }\n }]);\n return FormattedNumber;\n}(Component);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedNumber.propTypes = _extends({}, numberFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return React.createElement(\n Text,\n null,\n formattedPlural\n );\n }\n }]);\n return FormattedPlural;\n}(Component);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedPlural.propTypes = _extends({}, pluralFormatPropTypes, {\n value: PropTypes.any.isRequired,\n\n other: PropTypes.node.isRequired,\n zero: PropTypes.node,\n one: PropTypes.node,\n two: PropTypes.node,\n few: PropTypes.node,\n many: PropTypes.node,\n\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (isValidElement(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return createElement.apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(Component);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return React.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(Component);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedHTMLMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(allLocaleData);\n\nexport { addLocaleData, intlShape, injectIntl, defineMessages, IntlProvider, FormattedDate, FormattedTime, FormattedRelative, FormattedNumber, FormattedPlural, FormattedMessage, FormattedHTMLMessage };\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/react-intl/lib/index.es.js","import loadPolyfills from '../mastodon/load_polyfills';\n\nloadPolyfills().then(() => {\n require('../mastodon/main').default();\n}).catch(e => {\n console.error(e);\n});\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/packs/application.js","import * as registerPushNotifications from './actions/push_notifications';\nimport { default as Mastodon, store } from './containers/mastodon';\nimport React from 'react';\nimport ReactDOM from 'react-dom';\nimport ready from './ready';\n\nconst perf = require('./performance');\n\nfunction main() {\n perf.start('main()');\n\n if (window.history && history.replaceState) {\n const { pathname, search, hash } = window.location;\n const path = pathname + search + hash;\n if (!(/^\\/web($|\\/)/).test(path)) {\n history.replaceState(null, document.title, `/web${path}`);\n }\n }\n\n ready(() => {\n const mountNode = document.getElementById('mastodon');\n const props = JSON.parse(mountNode.getAttribute('data-props'));\n\n ReactDOM.render(, mountNode);\n if (process.env.NODE_ENV === 'production') {\n // avoid offline in dev mode because it's harder to debug\n require('offline-plugin/runtime').install();\n store.dispatch(registerPushNotifications.register());\n }\n perf.stop('main()');\n });\n}\n\nexport default main;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/main.js","import React from 'react';\nimport { Provider } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport configureStore from '../store/configureStore';\nimport { showOnboardingOnce } from '../actions/onboarding';\nimport { BrowserRouter, Route } from 'react-router-dom';\nimport { ScrollContext } from 'react-router-scroll-4';\nimport UI from '../features/ui';\nimport { fetchCustomEmojis } from '../actions/custom_emojis';\nimport { hydrateStore } from '../actions/store';\nimport { connectUserStream } from '../actions/streaming';\nimport { IntlProvider, addLocaleData } from 'react-intl';\nimport { getLocale } from '../locales';\nimport initialState from '../initial_state';\n\nconst { localeData, messages } = getLocale();\naddLocaleData(localeData);\n\nexport const store = configureStore();\nconst hydrateAction = hydrateStore(initialState);\nstore.dispatch(hydrateAction);\n\n// load custom emojis\nstore.dispatch(fetchCustomEmojis());\n\nexport default class Mastodon extends React.PureComponent {\n\n static propTypes = {\n locale: PropTypes.string.isRequired,\n };\n\n componentDidMount() {\n this.disconnect = store.dispatch(connectUserStream());\n\n // Desktop notifications\n // Ask after 1 minute\n if (typeof window.Notification !== 'undefined' && Notification.permission === 'default') {\n window.setTimeout(() => Notification.requestPermission(), 60 * 1000);\n }\n\n // Protocol handler\n // Ask after 5 minutes\n if (typeof navigator.registerProtocolHandler !== 'undefined') {\n const handlerUrl = window.location.protocol + '//' + window.location.host + '/intent?uri=%s';\n window.setTimeout(() => navigator.registerProtocolHandler('web+mastodon', handlerUrl, 'Mastodon'), 5 * 60 * 1000);\n }\n\n store.dispatch(showOnboardingOnce());\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n render () {\n const { locale } = this.props;\n\n return (\n \n \n \n \n \n \n \n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/mastodon.js","import { openModal } from './modal';\nimport { changeSetting, saveSettings } from './settings';\n\nexport function showOnboardingOnce() {\n return (dispatch, getState) => {\n const alreadySeen = getState().getIn(['settings', 'onboarded']);\n\n if (!alreadySeen) {\n dispatch(openModal('ONBOARDING'));\n dispatch(changeSetting(['onboarded'], true));\n dispatch(saveSettings());\n }\n };\n};\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/actions/onboarding.js","import classNames from 'classnames';\nimport React from 'react';\nimport NotificationsContainer from './containers/notifications_container';\nimport PropTypes from 'prop-types';\nimport LoadingBarContainer from './containers/loading_bar_container';\nimport TabsBar from './components/tabs_bar';\nimport ModalContainer from './containers/modal_container';\nimport { connect } from 'react-redux';\nimport { Redirect, withRouter } from 'react-router-dom';\nimport { isMobile } from '../../is_mobile';\nimport { debounce } from 'lodash';\nimport { uploadCompose, resetCompose } from '../../actions/compose';\nimport { expandHomeTimeline } from '../../actions/timelines';\nimport { expandNotifications } from '../../actions/notifications';\nimport { clearHeight } from '../../actions/height_cache';\nimport { WrappedSwitch, WrappedRoute } from './util/react_router_helpers';\nimport UploadArea from './components/upload_area';\nimport ColumnsAreaContainer from './containers/columns_area_container';\nimport {\n Compose,\n Status,\n GettingStarted,\n KeyboardShortcuts,\n PublicTimeline,\n CommunityTimeline,\n AccountTimeline,\n AccountGallery,\n HomeTimeline,\n Followers,\n Following,\n Reblogs,\n Favourites,\n HashtagTimeline,\n Notifications,\n FollowRequests,\n GenericNotFound,\n FavouritedStatuses,\n ListTimeline,\n Blocks,\n} from './util/async-components';\nimport { HotKeys } from 'react-hotkeys';\nimport { me } from '../../initial_state';\nimport { defineMessages, injectIntl } from 'react-intl';\n\n// Dummy import, to make sure that ends up in the application bundle.\n// Without this it ends up in ~8 very commonly used bundles.\nimport '../../components/status';\n\nconst messages = defineMessages({\n beforeUnload: { id: 'ui.beforeunload', defaultMessage: 'Your draft will be lost if you leave Mastodon.' },\n});\n\nconst mapStateToProps = state => ({\n isComposing: state.getIn(['compose', 'is_composing']),\n hasComposingText: state.getIn(['compose', 'text']) !== '',\n dropdownMenuIsOpen: state.getIn(['dropdown_menu', 'openId']) !== null,\n});\n\nconst keyMap = {\n help: '?',\n new: 'n',\n search: 's',\n forceNew: 'option+n',\n focusColumn: ['1', '2', '3', '4', '5', '6', '7', '8', '9'],\n reply: 'r',\n favourite: 'f',\n boost: 'b',\n mention: 'm',\n open: ['enter', 'o'],\n openProfile: 'p',\n moveDown: ['down', 'j'],\n moveUp: ['up', 'k'],\n back: 'backspace',\n goToHome: 'g h',\n goToNotifications: 'g n',\n goToLocal: 'g l',\n goToFederated: 'g t',\n goToStart: 'g s',\n goToFavourites: 'g f',\n goToProfile: 'g u',\n goToBlocked: 'g b',\n};\n\nclass SwitchingColumnsArea extends React.PureComponent {\n\n static propTypes = {\n children: PropTypes.node,\n location: PropTypes.object,\n onLayoutChange: PropTypes.func.isRequired,\n };\n\n state = {\n mobile: isMobile(window.innerWidth),\n };\n\n componentWillMount () {\n window.addEventListener('resize', this.handleResize, { passive: true });\n }\n\n componentDidUpdate (prevProps) {\n if (![this.props.location.pathname, '/'].includes(prevProps.location.pathname)) {\n this.node.handleChildrenContentChange();\n }\n }\n\n componentWillUnmount () {\n window.removeEventListener('resize', this.handleResize);\n }\n\n handleResize = debounce(() => {\n // The cached heights are no longer accurate, invalidate\n this.props.onLayoutChange();\n\n this.setState({ mobile: isMobile(window.innerWidth) });\n }, 500, {\n trailing: true,\n });\n\n setRef = c => {\n this.node = c.getWrappedInstance().getWrappedInstance();\n }\n\n render () {\n const { children } = this.props;\n const { mobile } = this.state;\n\n return (\n \n \n \n \n \n \n \n \n \n \n\n \n \n\n \n\n \n \n \n \n\n \n \n \n \n \n\n \n \n\n \n \n \n );\n }\n\n}\n\n@connect(mapStateToProps)\n@injectIntl\n@withRouter\nexport default class UI extends React.PureComponent {\n\n static contextTypes = {\n router: PropTypes.object.isRequired,\n };\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n children: PropTypes.node,\n isComposing: PropTypes.bool,\n hasComposingText: PropTypes.bool,\n location: PropTypes.object,\n intl: PropTypes.object.isRequired,\n dropdownMenuIsOpen: PropTypes.bool,\n };\n\n state = {\n draggingOver: false,\n };\n\n handleBeforeUnload = (e) => {\n const { intl, isComposing, hasComposingText } = this.props;\n\n if (isComposing && hasComposingText) {\n // Setting returnValue to any string causes confirmation dialog.\n // Many browsers no longer display this text to users,\n // but we set user-friendly message for other browsers, e.g. Edge.\n e.returnValue = intl.formatMessage(messages.beforeUnload);\n }\n }\n\n handleLayoutChange = () => {\n // The cached heights are no longer accurate, invalidate\n this.props.dispatch(clearHeight());\n }\n\n handleDragEnter = (e) => {\n e.preventDefault();\n\n if (!this.dragTargets) {\n this.dragTargets = [];\n }\n\n if (this.dragTargets.indexOf(e.target) === -1) {\n this.dragTargets.push(e.target);\n }\n\n if (e.dataTransfer && e.dataTransfer.types.includes('Files')) {\n this.setState({ draggingOver: true });\n }\n }\n\n handleDragOver = (e) => {\n e.preventDefault();\n e.stopPropagation();\n\n try {\n e.dataTransfer.dropEffect = 'copy';\n } catch (err) {\n\n }\n\n return false;\n }\n\n handleDrop = (e) => {\n e.preventDefault();\n\n this.setState({ draggingOver: false });\n\n if (e.dataTransfer && e.dataTransfer.files.length === 1) {\n this.props.dispatch(uploadCompose(e.dataTransfer.files));\n }\n }\n\n handleDragLeave = (e) => {\n e.preventDefault();\n e.stopPropagation();\n\n this.dragTargets = this.dragTargets.filter(el => el !== e.target && this.node.contains(el));\n\n if (this.dragTargets.length > 0) {\n return;\n }\n\n this.setState({ draggingOver: false });\n }\n\n closeUploadModal = () => {\n this.setState({ draggingOver: false });\n }\n\n handleServiceWorkerPostMessage = ({ data }) => {\n if (data.type === 'navigate') {\n this.context.router.history.push(data.path);\n } else {\n console.warn('Unknown message type:', data.type);\n }\n }\n\n componentWillMount () {\n window.addEventListener('beforeunload', this.handleBeforeUnload, false);\n document.addEventListener('dragenter', this.handleDragEnter, false);\n document.addEventListener('dragover', this.handleDragOver, false);\n document.addEventListener('drop', this.handleDrop, false);\n document.addEventListener('dragleave', this.handleDragLeave, false);\n document.addEventListener('dragend', this.handleDragEnd, false);\n\n if ('serviceWorker' in navigator) {\n navigator.serviceWorker.addEventListener('message', this.handleServiceWorkerPostMessage);\n }\n\n this.props.dispatch(expandHomeTimeline());\n this.props.dispatch(expandNotifications());\n }\n\n componentDidMount () {\n this.hotkeys.__mousetrap__.stopCallback = (e, element) => {\n return ['TEXTAREA', 'SELECT', 'INPUT'].includes(element.tagName);\n };\n }\n\n componentWillUnmount () {\n window.removeEventListener('beforeunload', this.handleBeforeUnload);\n document.removeEventListener('dragenter', this.handleDragEnter);\n document.removeEventListener('dragover', this.handleDragOver);\n document.removeEventListener('drop', this.handleDrop);\n document.removeEventListener('dragleave', this.handleDragLeave);\n document.removeEventListener('dragend', this.handleDragEnd);\n }\n\n setRef = c => {\n this.node = c;\n }\n\n handleHotkeyNew = e => {\n e.preventDefault();\n\n const element = this.node.querySelector('.compose-form__autosuggest-wrapper textarea');\n\n if (element) {\n element.focus();\n }\n }\n\n handleHotkeySearch = e => {\n e.preventDefault();\n\n const element = this.node.querySelector('.search__input');\n\n if (element) {\n element.focus();\n }\n }\n\n handleHotkeyForceNew = e => {\n this.handleHotkeyNew(e);\n this.props.dispatch(resetCompose());\n }\n\n handleHotkeyFocusColumn = e => {\n const index = (e.key * 1) + 1; // First child is drawer, skip that\n const column = this.node.querySelector(`.column:nth-child(${index})`);\n\n if (column) {\n const status = column.querySelector('.focusable');\n\n if (status) {\n status.focus();\n }\n }\n }\n\n handleHotkeyBack = () => {\n if (window.history && window.history.length === 1) {\n this.context.router.history.push('/');\n } else {\n this.context.router.history.goBack();\n }\n }\n\n setHotkeysRef = c => {\n this.hotkeys = c;\n }\n\n handleHotkeyToggleHelp = () => {\n if (this.props.location.pathname === '/keyboard-shortcuts') {\n this.context.router.history.goBack();\n } else {\n this.context.router.history.push('/keyboard-shortcuts');\n }\n }\n\n handleHotkeyGoToHome = () => {\n this.context.router.history.push('/timelines/home');\n }\n\n handleHotkeyGoToNotifications = () => {\n this.context.router.history.push('/notifications');\n }\n\n handleHotkeyGoToLocal = () => {\n this.context.router.history.push('/timelines/public/local');\n }\n\n handleHotkeyGoToFederated = () => {\n this.context.router.history.push('/timelines/public');\n }\n\n handleHotkeyGoToStart = () => {\n this.context.router.history.push('/getting-started');\n }\n\n handleHotkeyGoToFavourites = () => {\n this.context.router.history.push('/favourites');\n }\n\n handleHotkeyGoToProfile = () => {\n this.context.router.history.push(`/accounts/${me}`);\n }\n\n handleHotkeyGoToBlocked = () => {\n this.context.router.history.push('/blocks');\n }\n\n render () {\n const { draggingOver } = this.state;\n const { children, isComposing, location, dropdownMenuIsOpen } = this.props;\n\n const handlers = {\n help: this.handleHotkeyToggleHelp,\n new: this.handleHotkeyNew,\n search: this.handleHotkeySearch,\n forceNew: this.handleHotkeyForceNew,\n focusColumn: this.handleHotkeyFocusColumn,\n back: this.handleHotkeyBack,\n goToHome: this.handleHotkeyGoToHome,\n goToNotifications: this.handleHotkeyGoToNotifications,\n goToLocal: this.handleHotkeyGoToLocal,\n goToFederated: this.handleHotkeyGoToFederated,\n goToStart: this.handleHotkeyGoToStart,\n goToFavourites: this.handleHotkeyGoToFavourites,\n goToProfile: this.handleHotkeyGoToProfile,\n goToBlocked: this.handleHotkeyGoToBlocked,\n };\n\n return (\n \n
\n \n\n \n {children}\n \n\n \n \n \n \n
\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/index.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { Switch, Route } from 'react-router-dom';\n\nimport ColumnLoading from '../components/column_loading';\nimport BundleColumnError from '../components/bundle_column_error';\nimport BundleContainer from '../containers/bundle_container';\n\n// Small wrapper to pass multiColumn to the route components\nexport class WrappedSwitch extends React.PureComponent {\n\n render () {\n const { multiColumn, children } = this.props;\n\n return (\n \n {React.Children.map(children, child => React.cloneElement(child, { multiColumn }))}\n \n );\n }\n\n}\n\nWrappedSwitch.propTypes = {\n multiColumn: PropTypes.bool,\n children: PropTypes.node,\n};\n\n// Small Wraper to extract the params from the route and pass\n// them to the rendered component, together with the content to\n// be rendered inside (the children)\nexport class WrappedRoute extends React.Component {\n\n static propTypes = {\n component: PropTypes.func.isRequired,\n content: PropTypes.node,\n multiColumn: PropTypes.bool,\n componentParams: PropTypes.object,\n };\n\n static defaultProps = {\n componentParams: {},\n };\n\n renderComponent = ({ match }) => {\n const { component, content, multiColumn, componentParams } = this.props;\n\n return (\n \n {Component => {content}}\n \n );\n }\n\n renderLoading = () => {\n return ;\n }\n\n renderError = (props) => {\n return ;\n }\n\n render () {\n const { component: Component, content, ...rest } = this.props;\n\n return ;\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/react_router_helpers.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport Motion from '../../ui/util/optional_motion';\nimport spring from 'react-motion/lib/spring';\nimport { FormattedMessage } from 'react-intl';\n\nexport default class UploadArea extends React.PureComponent {\n\n static propTypes = {\n active: PropTypes.bool,\n onClose: PropTypes.func,\n };\n\n handleKeyUp = (e) => {\n const keyCode = e.keyCode;\n if (this.props.active) {\n switch(keyCode) {\n case 27:\n e.preventDefault();\n e.stopPropagation();\n this.props.onClose();\n break;\n }\n }\n }\n\n componentDidMount () {\n window.addEventListener('keyup', this.handleKeyUp, false);\n }\n\n componentWillUnmount () {\n window.removeEventListener('keyup', this.handleKeyUp);\n }\n\n render () {\n const { active } = this.props;\n\n return (\n \n {({ backgroundOpacity, backgroundScale }) => (\n
\n
\n
\n
\n
\n
\n )}\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/upload_area.js","import { connect } from 'react-redux';\nimport ColumnsArea from '../components/columns_area';\n\nconst mapStateToProps = state => ({\n columns: state.getIn(['settings', 'columns']),\n isModalOpen: !!state.get('modal').modalType,\n});\n\nexport default connect(mapStateToProps, null, null, { withRef: true })(ColumnsArea);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/containers/columns_area_container.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { injectIntl } from 'react-intl';\nimport ImmutablePropTypes from 'react-immutable-proptypes';\nimport ImmutablePureComponent from 'react-immutable-pure-component';\n\nimport ReactSwipeableViews from 'react-swipeable-views';\nimport { links, getIndex, getLink } from './tabs_bar';\nimport { Link } from 'react-router-dom';\n\nimport BundleContainer from '../containers/bundle_container';\nimport ColumnLoading from './column_loading';\nimport DrawerLoading from './drawer_loading';\nimport BundleColumnError from './bundle_column_error';\nimport { Compose, Notifications, HomeTimeline, CommunityTimeline, PublicTimeline, HashtagTimeline, FavouritedStatuses, ListTimeline } from '../../ui/util/async-components';\n\nimport detectPassiveEvents from 'detect-passive-events';\nimport { scrollRight } from '../../../scroll';\n\nconst componentMap = {\n 'COMPOSE': Compose,\n 'HOME': HomeTimeline,\n 'NOTIFICATIONS': Notifications,\n 'PUBLIC': PublicTimeline,\n 'COMMUNITY': CommunityTimeline,\n 'HASHTAG': HashtagTimeline,\n 'FAVOURITES': FavouritedStatuses,\n 'LIST': ListTimeline,\n};\n\nconst shouldHideFAB = path => path.match(/^\\/statuses\\//);\n\n@component => injectIntl(component, { withRef: true })\nexport default class ColumnsArea extends ImmutablePureComponent {\n\n static contextTypes = {\n router: PropTypes.object.isRequired,\n };\n\n static propTypes = {\n intl: PropTypes.object.isRequired,\n columns: ImmutablePropTypes.list.isRequired,\n isModalOpen: PropTypes.bool.isRequired,\n singleColumn: PropTypes.bool,\n children: PropTypes.node,\n };\n\n state = {\n shouldAnimate: false,\n }\n\n componentWillReceiveProps() {\n this.setState({ shouldAnimate: false });\n }\n\n componentDidMount() {\n if (!this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, detectPassiveEvents.hasSupport ? { passive: true } : false);\n }\n\n this.lastIndex = getIndex(this.context.router.history.location.pathname);\n this.isRtlLayout = document.getElementsByTagName('body')[0].classList.contains('rtl');\n\n this.setState({ shouldAnimate: true });\n }\n\n componentWillUpdate(nextProps) {\n if (this.props.singleColumn !== nextProps.singleColumn && nextProps.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n }\n\n componentDidUpdate(prevProps) {\n if (this.props.singleColumn !== prevProps.singleColumn && !this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, detectPassiveEvents.hasSupport ? { passive: true } : false);\n }\n this.lastIndex = getIndex(this.context.router.history.location.pathname);\n this.setState({ shouldAnimate: true });\n }\n\n componentWillUnmount () {\n if (!this.props.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n }\n\n handleChildrenContentChange() {\n if (!this.props.singleColumn) {\n const modifier = this.isRtlLayout ? -1 : 1;\n this._interruptScrollAnimation = scrollRight(this.node, (this.node.scrollWidth - window.innerWidth) * modifier);\n }\n }\n\n handleSwipe = (index) => {\n this.pendingIndex = index;\n\n const nextLinkTranslationId = links[index].props['data-preview-title-id'];\n const currentLinkSelector = '.tabs-bar__link.active';\n const nextLinkSelector = `.tabs-bar__link[data-preview-title-id=\"${nextLinkTranslationId}\"]`;\n\n // HACK: Remove the active class from the current link and set it to the next one\n // React-router does this for us, but too late, feeling laggy.\n document.querySelector(currentLinkSelector).classList.remove('active');\n document.querySelector(nextLinkSelector).classList.add('active');\n }\n\n handleAnimationEnd = () => {\n if (typeof this.pendingIndex === 'number') {\n this.context.router.history.push(getLink(this.pendingIndex));\n this.pendingIndex = null;\n }\n }\n\n handleWheel = () => {\n if (typeof this._interruptScrollAnimation !== 'function') {\n return;\n }\n\n this._interruptScrollAnimation();\n }\n\n setRef = (node) => {\n this.node = node;\n }\n\n renderView = (link, index) => {\n const columnIndex = getIndex(this.context.router.history.location.pathname);\n const title = this.props.intl.formatMessage({ id: link.props['data-preview-title-id'] });\n const icon = link.props['data-preview-icon'];\n\n const view = (index === columnIndex) ?\n React.cloneElement(this.props.children) :\n ;\n\n return (\n
\n {view}\n
\n );\n }\n\n renderLoading = columnId => () => {\n return columnId === 'COMPOSE' ? : ;\n }\n\n renderError = (props) => {\n return ;\n }\n\n render () {\n const { columns, children, singleColumn, isModalOpen } = this.props;\n const { shouldAnimate } = this.state;\n\n const columnIndex = getIndex(this.context.router.history.location.pathname);\n this.pendingIndex = null;\n\n if (singleColumn) {\n const floatingActionButton = shouldHideFAB(this.context.router.history.location.pathname) ? null : ;\n\n return columnIndex !== -1 ? [\n \n {links.map(this.renderView)}\n ,\n\n floatingActionButton,\n ] : [\n
{children}
,\n\n floatingActionButton,\n ];\n }\n\n return (\n
\n {columns.map(column => {\n const params = column.get('params', null) === null ? null : column.get('params').toJS();\n\n return (\n \n {SpecificComponent => }\n \n );\n })}\n\n {React.Children.map(children, child => React.cloneElement(child, { multiColumn: true }))}\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/columns_area.js","import React from 'react';\n\nconst DrawerLoading = () => (\n
\n
\n
\n
\n
\n);\n\nexport default DrawerLoading;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/drawer_loading.js","//\n// Tools for performance debugging, only enabled in development mode.\n// Open up Chrome Dev Tools, then Timeline, then User Timing to see output.\n// Also see config/webpack/loaders/mark.js for the webpack loader marks.\n//\n\nlet marky;\n\nif (process.env.NODE_ENV === 'development') {\n if (typeof performance !== 'undefined' && performance.setResourceTimingBufferSize) {\n // Increase Firefox's performance entry limit; otherwise it's capped to 150.\n // See: https://bugzilla.mozilla.org/show_bug.cgi?id=1331135\n performance.setResourceTimingBufferSize(Infinity);\n }\n marky = require('marky');\n // allows us to easily do e.g. ReactPerf.printWasted() while debugging\n //window.ReactPerf = require('react-addons-perf');\n //window.ReactPerf.start();\n}\n\nexport function start(name) {\n if (process.env.NODE_ENV === 'development') {\n marky.mark(name);\n }\n}\n\nexport function stop(name) {\n if (process.env.NODE_ENV === 'development') {\n marky.stop(name);\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/performance.js","var appCacheIframe;\n\nfunction hasSW() {\n return 'serviceWorker' in navigator &&\n // This is how I block Chrome 40 and detect Chrome 41, because first has\n // bugs with history.pustState and/or hashchange\n (window.fetch || 'imageRendering' in document.documentElement.style) &&\n (window.location.protocol === 'https:' || window.location.hostname === 'localhost' || window.location.hostname.indexOf('127.') === 0)\n}\n\nfunction install(options) {\n options || (options = {});\n\n \n if (hasSW()) {\n var registration = navigator.serviceWorker\n .register(\n \"/sw.js\"\n \n );\n\n \n\n return;\n }\n \n\n \n if (window.applicationCache) {\n var directory = \"/packs/appcache/\";\n var name = \"manifest\";\n\n var doLoad = function() {\n var page = directory + name + '.html';\n var iframe = document.createElement('iframe');\n\n \n\n iframe.src = page;\n iframe.style.display = 'none';\n\n appCacheIframe = iframe;\n document.body.appendChild(iframe);\n };\n\n if (document.readyState === 'complete') {\n setTimeout(doLoad);\n } else {\n window.addEventListener('load', doLoad);\n }\n\n return;\n }\n \n}\n\nfunction applyUpdate(callback, errback) {\n \n\n \n}\n\nfunction update() {\n \n if (hasSW()) {\n navigator.serviceWorker.getRegistration().then(function(registration) {\n if (!registration) return;\n return registration.update();\n });\n }\n \n\n \n if (appCacheIframe) {\n try {\n appCacheIframe.contentWindow.applicationCache.update();\n } catch (e) {}\n }\n \n}\n\n\n\nexports.install = install;\nexports.applyUpdate = applyUpdate;\nexports.update = update;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/offline-plugin/runtime.js"],"sourceRoot":""} \ No newline at end of file +{"version":3,"sources":["webpack:///application.js","webpack:///./app/javascript/mastodon/features/ui/components/column_header.js","webpack:///./app/javascript/mastodon/features/ui/components/tabs_bar.js","webpack:///./app/javascript/mastodon/features/ui/components/column_loading.js","webpack:///./app/javascript/mastodon/features/ui/components/bundle_column_error.js","webpack:///./app/javascript/mastodon/features/ui/components/column.js","webpack:///./app/javascript/mastodon/components/column_back_button.js","webpack:///./app/javascript/mastodon/components/column_back_button_slim.js","webpack:///./app/javascript/packs/application.js","webpack:///./app/javascript/mastodon/main.js","webpack:///./app/javascript/mastodon/containers/mastodon.js","webpack:///./app/javascript/mastodon/actions/onboarding.js","webpack:///./app/javascript/mastodon/features/ui/index.js","webpack:///./app/javascript/mastodon/features/ui/util/react_router_helpers.js","webpack:///./app/javascript/mastodon/features/ui/components/upload_area.js","webpack:///./app/javascript/mastodon/features/ui/containers/columns_area_container.js","webpack:///./app/javascript/mastodon/features/ui/components/columns_area.js","webpack:///./app/javascript/mastodon/features/ui/components/drawer_loading.js","webpack:///./app/javascript/mastodon/performance.js","webpack:///./node_modules/offline-plugin/runtime.js","webpack:///./node_modules/react-intl/lib/index.es.js"],"names":["webpackJsonp","155","module","__webpack_exports__","__webpack_require__","d","ColumnHeader","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default","n","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_4_react__","__WEBPACK_IMPORTED_MODULE_4_react___default","__WEBPACK_IMPORTED_MODULE_5_classnames__","__WEBPACK_IMPORTED_MODULE_5_classnames___default","_React$PureComponent","_temp","_this","_ret","this","_len","arguments","length","args","Array","_key","call","apply","concat","handleClick","props","onClick","prototype","render","_props","icon","type","active","columnHeaderId","iconElement","className","id","a","PureComponent","251","getIndex","path","links","findIndex","link","to","getLink","index","TabsBar","_class","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default","__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__","__WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default","__WEBPACK_IMPORTED_MODULE_5_react__","__WEBPACK_IMPORTED_MODULE_5_react___default","__WEBPACK_IMPORTED_MODULE_6_react_router_dom__","__WEBPACK_IMPORTED_MODULE_7_react_intl__","__WEBPACK_IMPORTED_MODULE_8__is_mobile__","data-preview-title-id","data-preview-icon","defaultMessage","exact","style","flexGrow","flexBasis","Object","setRef","ref","node","e","preventDefault","persist","requestAnimationFrame","tabs","querySelectorAll","currentTab","find","tab","classList","contains","nextTab","target","childNodes","indexOf","remove","listener","removeEventListener","history","push","addEventListener","add","_this2","formatMessage","intl","createElement","map","cloneElement","key","aria-label","252","ColumnLoading","__WEBPACK_IMPORTED_MODULE_5_prop_types__","__WEBPACK_IMPORTED_MODULE_5_prop_types___default","__WEBPACK_IMPORTED_MODULE_6__components_column__","__WEBPACK_IMPORTED_MODULE_7__components_column_header__","__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__","__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default","_ImmutablePureCompone","title","multiColumn","focusable","propTypes","oneOfType","string","defaultProps","253","__WEBPACK_IMPORTED_MODULE_5_react_intl__","__WEBPACK_IMPORTED_MODULE_6__column__","__WEBPACK_IMPORTED_MODULE_7__column_header__","__WEBPACK_IMPORTED_MODULE_8__components_column_back_button_slim__","__WEBPACK_IMPORTED_MODULE_9__components_icon_button__","messages","body","retry","BundleColumnError","handleRetry","onRetry","size","274","Column","__WEBPACK_IMPORTED_MODULE_6__column_header__","__WEBPACK_IMPORTED_MODULE_7__scroll__","handleHeaderClick","scrollable","querySelector","_interruptScrollAnimation","handleScroll","c","scrollTop","heading","children","hideHeadingOnMobile","showHeading","window","innerWidth","replace","header","role","aria-labelledby","onScroll","276","ColumnBackButton","_temp2","__WEBPACK_IMPORTED_MODULE_6_prop_types__","__WEBPACK_IMPORTED_MODULE_6_prop_types___default","context","router","goBack","contextTypes","object","288","ColumnBackButtonSlim","__WEBPACK_IMPORTED_MODULE_6__column_back_button__","_ColumnBackButton","tabIndex","662","defineProperty","value","__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__","then","default","catch","console","error","663","main","perf","start","replaceState","_window$location","location","pathname","search","hash","test","document","__WEBPACK_IMPORTED_MODULE_4__ready__","mountNode","getElementById","JSON","parse","getAttribute","__WEBPACK_IMPORTED_MODULE_3_react_dom___default","__WEBPACK_IMPORTED_MODULE_2_react___default","__WEBPACK_IMPORTED_MODULE_1__containers_mastodon__","install","dispatch","__WEBPACK_IMPORTED_MODULE_0__actions_push_notifications__","stop","__WEBPACK_IMPORTED_MODULE_2_react__","__WEBPACK_IMPORTED_MODULE_3_react_dom__","664","store","Mastodon","__WEBPACK_IMPORTED_MODULE_5_react_redux__","__WEBPACK_IMPORTED_MODULE_6__store_configureStore__","__WEBPACK_IMPORTED_MODULE_7__actions_onboarding__","__WEBPACK_IMPORTED_MODULE_8_react_router_dom__","__WEBPACK_IMPORTED_MODULE_9_react_router_scroll_4__","__WEBPACK_IMPORTED_MODULE_10__features_ui__","__WEBPACK_IMPORTED_MODULE_11__actions_custom_emojis__","__WEBPACK_IMPORTED_MODULE_12__actions_store__","__WEBPACK_IMPORTED_MODULE_13__actions_streaming__","__WEBPACK_IMPORTED_MODULE_14_react_intl__","__WEBPACK_IMPORTED_MODULE_15__locales__","__WEBPACK_IMPORTED_MODULE_16__initial_state__","_getLocale","localeData","hydrateAction","componentDidMount","disconnect","Notification","permission","setTimeout","requestPermission","navigator","registerProtocolHandler","handlerUrl","protocol","host","componentWillUnmount","locale","basename","component","665","showOnboardingOnce","getState","getIn","__WEBPACK_IMPORTED_MODULE_0__modal__","__WEBPACK_IMPORTED_MODULE_1__settings__","666","UI","_dec","_class2","_class3","_temp3","__WEBPACK_IMPORTED_MODULE_6_react__","__WEBPACK_IMPORTED_MODULE_6_react___default","__WEBPACK_IMPORTED_MODULE_7__containers_notifications_container__","__WEBPACK_IMPORTED_MODULE_8_prop_types__","__WEBPACK_IMPORTED_MODULE_8_prop_types___default","__WEBPACK_IMPORTED_MODULE_9__containers_loading_bar_container__","__WEBPACK_IMPORTED_MODULE_10__components_tabs_bar__","__WEBPACK_IMPORTED_MODULE_11__containers_modal_container__","__WEBPACK_IMPORTED_MODULE_12_react_redux__","__WEBPACK_IMPORTED_MODULE_13_react_router_dom__","__WEBPACK_IMPORTED_MODULE_14__is_mobile__","__WEBPACK_IMPORTED_MODULE_15__actions_compose__","__WEBPACK_IMPORTED_MODULE_16__actions_timelines__","__WEBPACK_IMPORTED_MODULE_17__actions_notifications__","__WEBPACK_IMPORTED_MODULE_18__actions_height_cache__","__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__","__WEBPACK_IMPORTED_MODULE_20__components_upload_area__","__WEBPACK_IMPORTED_MODULE_21__containers_columns_area_container__","__WEBPACK_IMPORTED_MODULE_22__util_async_components__","__WEBPACK_IMPORTED_MODULE_23_react_hotkeys__","__WEBPACK_IMPORTED_MODULE_24__initial_state__","__WEBPACK_IMPORTED_MODULE_25_react_intl__","beforeUnload","mapStateToProps","state","isComposing","hasComposingText","dropdownMenuIsOpen","keyMap","help","new","forceNew","focusColumn","reply","favourite","boost","mention","open","openProfile","moveDown","moveUp","back","goToHome","goToNotifications","goToLocal","goToFederated","goToDirect","goToStart","goToFavourites","goToPinned","goToProfile","goToBlocked","goToMuted","toggleHidden","SwitchingColumnsArea","mobile","handleResize","onLayoutChange","setState","trailing","getWrappedInstance","componentWillMount","passive","componentDidUpdate","prevProps","includes","handleChildrenContentChange","redirect","from","singleColumn","content","componentParams","onlyMedia","isSearchPage","withReplies","_React$PureComponent2","_ret2","_len2","_key2","draggingOver","handleBeforeUnload","_this2$props","returnValue","handleLayoutChange","handleDragEnter","dragTargets","dataTransfer","types","handleDragOver","stopPropagation","dropEffect","err","handleDrop","files","handleDragLeave","filter","el","closeUploadModal","handleServiceWorkerPostMessage","_ref","data","warn","handleHotkeyNew","element","focus","handleHotkeySearch","handleHotkeyForceNew","handleHotkeyFocusColumn","column","status","handleHotkeyBack","setHotkeysRef","hotkeys","handleHotkeyToggleHelp","handleHotkeyGoToHome","handleHotkeyGoToNotifications","handleHotkeyGoToLocal","handleHotkeyGoToFederated","handleHotkeyGoToDirect","handleHotkeyGoToStart","handleHotkeyGoToFavourites","handleHotkeyGoToPinned","handleHotkeyGoToProfile","handleHotkeyGoToBlocked","handleHotkeyGoToMuted","handleDragEnd","serviceWorker","__mousetrap__","stopCallback","tagName","handlers","is-composing","pointerEvents","onClose","isRequired","670","WrappedSwitch","WrappedRoute","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_7_react_router_dom__","__WEBPACK_IMPORTED_MODULE_8__components_column_loading__","__WEBPACK_IMPORTED_MODULE_9__components_bundle_column_error__","__WEBPACK_IMPORTED_MODULE_10__containers_bundle_container__","Children","child","_React$Component","renderComponent","match","fetchComponent","loading","renderLoading","renderError","Component","params","_props2","rest","671","UploadArea","__WEBPACK_IMPORTED_MODULE_5__ui_util_optional_motion__","__WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring__","__WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default","handleKeyUp","keyCode","defaultStyle","backgroundOpacity","backgroundScale","stiffness","damping","visibility","opacity","transform","672","__WEBPACK_IMPORTED_MODULE_0_react_redux__","__WEBPACK_IMPORTED_MODULE_1__components_columns_area__","columns","isModalOpen","get","modalType","withRef","673","ColumnsArea","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__","__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx__","__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__","__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__","__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__","__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default","__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__","__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default","__WEBPACK_IMPORTED_MODULE_9_react_immutable_pure_component__","__WEBPACK_IMPORTED_MODULE_9_react_immutable_pure_component___default","__WEBPACK_IMPORTED_MODULE_10_react_swipeable_views__","__WEBPACK_IMPORTED_MODULE_10_react_swipeable_views___default","__WEBPACK_IMPORTED_MODULE_11__tabs_bar__","__WEBPACK_IMPORTED_MODULE_12_react_router_dom__","__WEBPACK_IMPORTED_MODULE_13__containers_bundle_container__","__WEBPACK_IMPORTED_MODULE_14__column_loading__","__WEBPACK_IMPORTED_MODULE_15__drawer_loading__","__WEBPACK_IMPORTED_MODULE_16__bundle_column_error__","__WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__","__WEBPACK_IMPORTED_MODULE_18_detect_passive_events__","__WEBPACK_IMPORTED_MODULE_18_detect_passive_events___default","__WEBPACK_IMPORTED_MODULE_19__scroll__","componentMap","COMPOSE","HOME","NOTIFICATIONS","PUBLIC","COMMUNITY","HASHTAG","DIRECT","FAVOURITES","LIST","shouldHideFAB","shouldAnimate","handleSwipe","pendingIndex","nextLinkTranslationId","nextLinkSelector","handleAnimationEnd","handleWheel","renderView","columnIndex","view","columnId","componentWillReceiveProps","hasSupport","lastIndex","isRtlLayout","getElementsByTagName","componentWillUpdate","nextProps","modifier","scrollWidth","floatingActionButton","onChangeIndex","onTransitionEnd","animateTransitions","springConfig","duration","delay","easeFunction","height","toJS","other","SpecificComponent","list","bool","674","__WEBPACK_IMPORTED_MODULE_1_react__","DrawerLoading","675","name","676","exports","hasSW","fetch","documentElement","hostname","options","register","applicationCache","doLoad","iframe","src","directory","display","appCacheIframe","appendChild","readyState","applyUpdate","callback","errback","update","getRegistration","registration","contentWindow","7","addLocaleData","undefined","isArray","forEach","__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default","__addLocaleData","__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default","hasLocaleData","localeParts","split","hasIMFAndIRFLocaleData","join","pop","normalizedLocale","toLowerCase","__localeData__","escape","str","UNSAFE_CHARS_REGEX","ESCAPED_CHARS","filterProps","whitelist","defaults$$1","reduce","filtered","hasOwnProperty","invariantIntlContext","__WEBPACK_IMPORTED_MODULE_5_invariant___default","shallowEquals","objA","objB","_typeof","keysA","keys","keysB","bHasOwnProperty","bind","i","shouldIntlComponentUpdate","_ref2","nextState","_ref2$context","nextContext","_context$intl","_nextContext$intl","nextIntl","intlConfigPropNames","getDisplayName","Component$$1","displayName","injectIntl","WrappedComponent","_options$intlPropName","intlPropName","_options$withRef","InjectIntl","_Component","classCallCheck","possibleConstructorReturn","__proto__","getPrototypeOf","inherits","createClass","refs","wrappedInstance","_extends","intlShape","defineMessages","messageDescriptors","resolveLocale","locales","_resolveLocale","findPluralFunction","_findPluralRuleFunction","updateRelativeFormatThresholds","newThresholds","thresholds","second","minute","hour","day","month","getNamedFormat","formats","format","formatDate","config","date","Date","filteredOptions","DATE_TIME_FORMAT_OPTIONS","getDateTimeFormat","String","formatTime","formatRelative","now","RELATIVE_FORMAT_OPTIONS","oldThresholds","RELATIVE_FORMAT_THRESHOLDS","getRelativeFormat","isFinite","formatNumber","NUMBER_FORMAT_OPTIONS","getNumberFormat","formatPlural","PLURAL_FORMAT_OPTIONS","getPluralFormat","messageDescriptor","values","defaultLocale","defaultFormats","message","formattedMessage","getMessageFormat","formatHTMLMessage","rawValues","escaped","selectUnits","delta","absDelta","Math","abs","MINUTE","HOUR","DAY","getUnitDelay","units","SECOND","MAX_TIMER_DELAY","isSameDate","b","aTime","getTime","bTime","IntlProvider","FormattedDate","FormattedNumber","FormattedMessage","__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__","__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default","__WEBPACK_IMPORTED_MODULE_1_intl_messageformat__","__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__","__WEBPACK_IMPORTED_MODULE_3_prop_types__","__WEBPACK_IMPORTED_MODULE_3_prop_types___default","__WEBPACK_IMPORTED_MODULE_5_invariant__","__WEBPACK_IMPORTED_MODULE_6_intl_format_cache__","__WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default","defaultLocaleData","pluralRuleFunction","ord","s","v0","t0","Number","n10","slice","n100","fields","year","relative","0","1","-1","relativeTime","future","one","past","Symbol","iterator","obj","constructor","instance","Constructor","TypeError","defineProperties","descriptor","enumerable","configurable","writable","protoProps","staticProps","assign","source","subClass","superClass","create","setPrototypeOf","objectWithoutProperties","self","ReferenceError","toConsumableArray","arr","arr2","number","func","oneOf","shape","any","localeMatcher","narrowShortLong","numeric2digit","funcReq","intlConfigPropTypes","textComponent","intlFormatPropTypes","formatters","dateTimeFormatPropTypes","formatMatcher","timeZone","hour12","weekday","era","timeZoneName","numberFormatPropTypes","currency","currencyDisplay","useGrouping","minimumIntegerDigits","minimumFractionDigits","maximumFractionDigits","minimumSignificantDigits","maximumSignificantDigits","relativeFormatPropTypes","pluralFormatPropTypes","&",">","<","\"","'","IntlPluralFormat","useOrdinal","pluralFn","freeze","intlConfigPropNames$1","intlFormatPropNames","Intl","intlContext","initialNow","_ref$formatters","DateTimeFormat","NumberFormat","_didDisplay","propName","_config","boundFormatFns","getConfig","getBoundFormatFns","_state","next","only","childContextTypes","Text","formattedDate","FormattedTime","formattedTime","FormattedRelative","clearTimeout","_timer","updateInterval","time","unitDelay","unitRemainder","max","scheduleNextUpdate","formattedRelative","formattedNumber","FormattedPlural","pluralCategory","formattedPlural","nextPropsToCheck","description","_props$tagName","tokenDelimiter","tokenizedValues","elements","uid","floor","random","toString","generateToken","counter","token","nodes","part","FormattedHTMLMessage","formattedHTMLMessage","html","__html","dangerouslySetInnerHTML"],"mappings":"AAAAA,cAAc,KAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOG,IAC9E,IAAIC,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEE,EAA2Cd,EAAoB,IAC/De,EAAmDf,EAAoBK,EAAES,GCd7EZ,EDuBF,SAAUc,GAG3B,QAASd,KACP,GAAIe,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMlB,EAEnF,KAAK,GAAImB,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,ECzBrNY,YAAc,WACZZ,EAAKa,MAAMC,WDwBJb,EAEJF,EAAQR,IAAwFS,EAAOC,GA0B5G,MAvCAR,KAAuET,EAAcc,GAgBrFd,EAAa+B,UC1BbC,OD0BgC,WC1BtB,GAAAC,GACuCf,KAAKW,MAA5CK,EADAD,EACAC,KAAMC,EADNF,EACME,KAAMC,EADZH,EACYG,OAAQC,EADpBJ,EACoBI,eACxBC,EAAc,EAMlB,OAJIJ,KACFI,EAAApC,IAAAoC,KAAAC,UAAA,eAA2CL,EAA3C,0BAGFhC,IAAA,MAAAqC,UACiB1B,IAAW,iBAAmBuB,WAD/CI,GAC8DH,GAAkB,UADhF,GAAAnC,IAAA,UAAA4B,QAEqBZ,KAAKU,iBAF1B,GAGOU,EACAH,KDqCFnC,GC/DiCW,EAAA8B,EAAMC,gBDsE1CC,IACA,SAAU/C,EAAQC,EAAqBC,GAE7C,YE3DO,SAAS8C,GAAUC,GACxB,MAAOC,GAAMC,UAAU,SAAAC,GAAA,MAAQA,GAAKnB,MAAMoB,KAAOJ,IAG5C,QAASK,GAASC,GACvB,MAAOL,GAAMK,GAAOtB,MAAMoB,GFuDGnD,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOiD,KAClEjD,EAAuB,EAAI+C,EAC3B/C,EAAuB,EAAIqD,EAC7BpD,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOuD,IAC9E,IAqBjBC,GArBqBC,EAAqExD,EAAoB,GACzFyD,EAA6EzD,EAAoBK,EAAEmD,GACnGE,EAAgF1D,EAAoB,GACpG2D,EAAwF3D,EAAoBK,EAAEqD,GAC9GE,EAA+D5D,EAAoB,GACnF6D,EAAuE7D,EAAoBK,EAAEuD,GAC7FE,EAA0D9D,EAAoB,GAC9E+D,EAAkE/D,EAAoBK,EAAEyD,GACxFE,EAAgDhE,EAAoB,IACpEiE,EAAwDjE,EAAoBK,EAAE2D,GAC9EE,EAAsClE,EAAoB,GAC1DmE,EAA8CnE,EAAoBK,EAAE6D,GACpEE,EAAiDpE,EAAoB,IACrEqE,EAA2CrE,EAAoB,GAC/DsE,EAA2CtE,EAAoB,IEzF3EgD,GAAQe,IAClBK,EAAA,GADkB3B,UACA,yBADAU,GAC4B,kBAD5BoB,wBACoE,cADpEC,oBACoG,YADpG,GAAAT,IAAA,KAAAtB,UACyH,qBADzHsB,IAC+IM,EAAA,GAD/I3B,GACmK,gBADnK+B,eACkM,UADlMV,IAElBK,EAAA,GAFkB3B,UAEA,yBAFAU,GAE4B,iBAF5BoB,wBAEmE,uBAFnEC,oBAE4G,YAF5G,GAAAT,IAAA,KAAAtB,UAEiI,qBAFjIsB,IAEuJM,EAAA,GAFvJ3B,GAE2K,yBAF3K+B,eAEmN,mBAFnNV,IAGlBK,EAAA,GAHkB3B,UAGA,yBAHAU,GAG4B,UAH5BoB,wBAG4D,kBAH5DC,oBAGgG,YAHhG,GAAAT,IAAA,KAAAtB,UAGqH,uBAHrHsB,IAG6IM,EAAA,GAH7I3B,GAGiK,kBAHjK+B,eAGkM,YAHlMV,IAKlBK,EAAA,GALkB3B,UAKA,2BALAU,GAK8B,0BAL9BoB,wBAK8E,mBAL9EC,oBAKmH,aALnH,GAAAT,IAAA,KAAAtB,UAKyI,sBALzIsB,IAKgKM,EAAA,GALhK3B,GAKoL,0BALpL+B,eAK6N,WAL7NV,IAMlBK,EAAA,GANkB3B,UAMA,2BANAiC,OAAA,EAAAvB,GAMoC,oBANpCoB,wBAM8E,gBAN9EC,oBAMgH,aANhH,GAAAT,IAAA,KAAAtB,UAMsI,sBANtIsB,IAM6JM,EAAA,GAN7J3B,GAMiL,8BANjL+B,eAM8N,eAN9NV,IAQlBK,EAAA,GARkB3B,UAQA,yBARAkC,OAQkCC,SAAU,IAAKC,UAAW,QAR5D1B,GAQyE,mBARzEoB,wBAQkH,0BARlHC,oBAQ8J,YAR9J,GAAAT,IAAA,KAAAtB,UAQmL,uBAanLa,EAFpBwB,OAAAT,EAAA,GF6JoFd,EE5JpFuB,OAAAV,EAAA,GF4J0Kb,EAAS,SAAUvC,GAG5L,QAASsC,KACP,GAAIrC,GAAOC,EAAOC,CAElBsC,KAA6ErC,KAAMkC,EAEnF,KAAK,GAAIjC,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQyC,IAAwFvC,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EEhKrN6D,OAAS,SAAAC,GACP9D,EAAK+D,KAAOD,GFiKT9D,EE9JLY,YAAc,SAACoD,GAGTJ,OAAAR,EAAA,OACFY,EAAEC,iBACFD,EAAEE,UAEFC,sBAAsB,WACpB,GAAMC,GAAO7D,mBAASP,EAAK+D,KAAKM,iBAAiB,oBAC3CC,EAAaF,EAAKG,KAAK,SAAAC,GAAA,MAAOA,GAAIC,UAAUC,SAAS,YACrDC,EAAUP,EAAKG,KAAK,SAAAC,GAAA,MAAOA,GAAIE,SAASV,EAAEY,UAC/B3C,EAASH,EAAMvB,mBAASP,EAAK+D,KAAKc,YAAYC,QAAQH,IAA/D9D,MAASoB,EAGjB,IAAIqC,IAAeK,EAAS,CACtBL,GACFA,EAAWG,UAAUM,OAAO,SAG9B,IAAMC,GAAWjC,IAAS,WACxB4B,EAAQM,oBAAoB,gBAAiBD,GAC7ChF,EAAKa,MAAMqE,QAAQC,KAAKlD,IACvB,GAEH0C,GAAQS,iBAAiB,gBAAiBJ,GAC1CL,EAAQF,UAAUY,IAAI,eFmIrBpF,EAmCJF,EAAQ0C,IAAwFzC,EAAOC,GAkB5G,MAhEA0C,KAAuEP,EAAStC,GAiDhFsC,EAAQrB,UElKRC,OFkK2B,WElKjB,GAAAsE,GAAApF,KACQqF,EAAoBrF,KAAKW,MAAjC2E,KAAQD,aAEhB,OACEtC,GAAAxB,EAAAgE,cAAA,OAAKlE,UAAU,WAAWuC,IAAK5D,KAAK2D,QACjC/B,EAAM4D,IAAI,SAAA1D,GAAA,MAAQiB,GAAAxB,EAAMkE,aAAa3D,GAAQ4D,IAAK5D,EAAKnB,MAAMoB,GAAInB,QAASwE,EAAK1E,YAAaiF,aAAcN,GAAgB/D,GAAIQ,EAAKnB,MAAM,iCF4KzIuB,GE5N4Ba,EAAAxB,EAAMC,iBF6NwBW,IAAWA,GAMxEyD,IACA,SAAUlH,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOkH,IAC9E,IAqBjB1D,GAAQtC,EArBad,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAE1DkH,GAD8ClH,EAAoBK,EAAEO,GACzBZ,EAAoB,IAC/DmH,EAAmDnH,EAAoBK,EAAE6G,GACzEE,EAAmDpH,EAAoB,IACvEqH,EAA0DrH,EAAoB,IAC9EsH,EAA+DtH,EAAoB,IACnFuH,EAAuEvH,EAAoBK,EAAEiH,GG5QjGL,GH2RAhG,EAAQsC,EAAS,SAAUiE,GAG9C,QAASP,KAGP,MAFA1G,KAA6Ea,KAAM6F,GAE5ExG,IAAwFW,KAAMoG,EAAsB5F,MAAMR,KAAME,YAkBzI,MAvBAX,KAAuEsG,EAAeO,GAQtFP,EAAchF,UGxRdC,OHwRiC,WGxRxB,GAAAC,GACef,KAAKW,MAArB0F,EADCtF,EACDsF,MAAOrF,EADND,EACMC,IACb,OAAAhC,KACGgH,EAAA,SADH,GAAAhH,IAEKiH,EAAA,GAFLjF,KAEwBA,EAFxBqF,MAEqCA,EAFrCC,aAEyD,EAFzDC,WAE2E,IAF3EvH,IAAA,OAAAqC,UAGmB,iBHkSdwE,GGnTkCM,EAAA5E,GHoTgCY,EGlTlEqE,WACLH,MAAON,EAAAxE,EAAUkF,WAAWV,EAAAxE,EAAUsC,KAAMkC,EAAAxE,EAAUmF,SACtD1F,KAAM+E,EAAAxE,EAAUmF,QHmTjBvE,EGhTMwE,cACLN,MAAO,GACPrF,KAAM,IHiTPnB,IAKG+G,IACA,SAAUlI,EAAQC,EAAqBC,GAE7C,YACqB,IAAIG,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEqH,EAA2CjI,EAAoB,GAC/DkI,EAAwClI,EAAoB,KAC5DmI,EAA+CnI,EAAoB,KACnEoI,EAAoEpI,EAAoB,KACxFqI,EAAwDrI,EAAoB,II/U/FsI,EAAWxD,OAAAmD,EAAA,IACfR,OAAA/E,GAAA,4BAAA+B,eAAA,iBACA8D,MAAA7F,GAAA,2BAAA+B,eAAA,sDACA+D,OAAA9F,GAAA,4BAAA+B,eAAA,eAGIgE,EJsWkB,SAAUzH,GAGhC,QAASyH,KACP,GAAIxH,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMqH,EAEnF,KAAK,GAAIpH,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EI3WrNwH,YAAc,WACZxH,EAAKa,MAAM4G,WJ0WJxH,EAEJF,EAAQR,IAAwFS,EAAOC,GAoB5G,MAjCAR,KAAuE8H,EAAmBzH,GAgB1FyH,EAAkBxG,UI5WlBC,OJ4WqC,WI5W3B,GACQuE,GAAoBrF,KAAKW,MAAjC2E,KAAQD,aAEhB,OAAArG,KACG8H,EAAA,SADH,GAAA9H,IAEK+H,EAAA,GAFL/F,KAEuB,qBAFvBC,KAEkDoE,EAAc6B,EAASb,SAFzErH,IAGKgI,EAAA,MAHLhI,IAAA,OAAAqC,UAImB,oBAJnB,GAAArC,IAKOiI,EAAA,GALPZ,MAKyBhB,EAAc6B,EAASE,OALhDpG,KAK6D,UAL7DJ,QAKgFZ,KAAKsH,YALrFE,KAKwG,KACjGnC,EAAc6B,EAASC,SJoXzBE,GIxYuB5H,EAAA8B,EAAMC,cA4BtC7C,GAAA,EAAe+E,OAAAmD,EAAA,GAAWQ,IJmXpBI,IACA,SAAU/I,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+I,IAC9E,IAAI3I,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FsD,EAAgDhE,EAAoB,IACpEiE,EAAwDjE,EAAoBK,EAAE2D,GAC9EE,EAAsClE,EAAoB,GAC1DmE,EAA8CnE,EAAoBK,EAAE6D,GACpE6E,EAA+C/I,EAAoB,KACnEgJ,EAAwChJ,EAAoB,IAC5DsE,EAA2CtE,EAAoB,IK1anE8I,ELsbR,SAAU9H,GAGrB,QAAS8H,KACP,GAAI7H,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAM0H,EAEnF,KAAK,GAAIzH,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EKxbrN+H,kBAAoB,WAClB,GAAMC,GAAahI,EAAK+D,KAAKkE,cAAc,cAEtCD,KAILhI,EAAKkI,0BAA4BtE,OAAAkE,EAAA,GAAUE,KLybxChI,EK3aLmI,aAAepF,IAAS,eACwB,KAAnC/C,EAAKkI,2BACdlI,EAAKkI,6BAEN,KL2aQlI,EKzaX6D,OAAS,SAACuE,GACRpI,EAAK+D,KAAOqE,GL4ZLnI,EAcJF,EAAQR,IAAwFS,EAAOC,GA8C5G,MAvEAR,KAAuEmI,EAAQ9H,GA4B/E8H,EAAO7G,UK/bPsH,UL+b6B,WK9b3B,GAAML,GAAa9H,KAAK6D,KAAKkE,cAAc,cAEtCD,KAIL9H,KAAKgI,0BAA4BtE,OAAAkE,EAAA,GAAUE,KLkc7CJ,EAAO7G,UKpbPC,OLob0B,WKpbhB,GAAAC,GACyDf,KAAKW,MAA9DyH,EADArH,EACAqH,QAASpH,EADTD,EACSC,KAAMqH,EADftH,EACesH,SAAUnH,EADzBH,EACyBG,OAAQoH,EADjCvH,EACiCuH,oBAEnCC,EAAcH,KAAaE,GAAwBA,IAAwB5E,OAAAR,EAAA,GAASsF,OAAOC,aAE3FtH,EAAiBoH,GAAeH,EAAQM,QAAQ,KAAM,KACtDC,EAASJ,GAAAvJ,IACZ2I,EAAA,GADY3G,KACOA,EADPE,OACqBA,EADrBD,KACmCmH,EADnCxH,QACqDZ,KAAK6H,kBAD1D1G,eAC6FA,GAE5G,OACE4B,GAAAxB,EAAAgE,cAAA,OACE3B,IAAK5D,KAAK2D,OACViF,KAAK,SACLC,kBAAiB1H,EACjBE,UAAU,SACVyH,SAAU9I,KAAKiI,cAEdU,EACAN,ILmcAX,GK9f2B3E,EAAAxB,EAAMC,gBLqgBpCuH,IACA,SAAUrK,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOqK,IAC9E,IAkBjB7G,GAAQ8G,EAlBalK,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEqH,EAA2CjI,EAAoB,GAC/DsK,EAA2CtK,EAAoB,GAC/DuK,EAAmDvK,EAAoBK,EAAEiK,GMzhB7EF,GNqiBGC,EAAS9G,EAAS,SAAUvC,GAGlD,QAASoJ,KACP,GAAInJ,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMgJ,EAEnF,KAAK,GAAI/I,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EM3iBrNY,YAAc,WACR8H,OAAOxD,SAAqC,IAA1BwD,OAAOxD,QAAQ7E,OACnCL,EAAKsJ,QAAQC,OAAOrE,QAAQC,KAAK,KAEjCnF,EAAKsJ,QAAQC,OAAOrE,QAAQsE,UNuiBvBvJ,EAMJF,EAAQR,IAAwFS,EAAOC,GAe5G,MAhCAR,KAAuEyJ,EAAkBpJ,GAoBzFoJ,EAAiBnI,UM5iBjBC,ON4iBoC,WM3iBlC,MAAA9B,KAAA,UAAA4B,QACmBZ,KAAKU,YADxBW,UAC+C,0BAD/C,GAAArC,IAAA,KAAAqC,UAEiB,sDAFjBrC,IAGK6H,EAAA,GAHLvF,GAGyB,2BAHzB+B,eAGmE,WNojB9D2F,GMtkBqCvJ,EAAA8B,EAAMC,eNukBYW,EMrkBvDoH,cACLF,OAAQF,EAAA5H,EAAUiI,QNskBnBP,IAKGQ,IACA,SAAU/K,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+K,IAC9E,IAAI3K,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAE1DiI,GAD8CjI,EAAoBK,EAAEO,GACzBZ,EAAoB,IAC/D+K,EAAoD/K,EAAoB,KO9lB5E8K,EPumBM,SAAUE,GAGnC,QAASF,KAGP,MAFAvK,KAA6Ea,KAAM0J,GAE5ErK,IAAwFW,KAAM4J,EAAkBpJ,MAAMR,KAAME,YAmBrI,MAxBAX,KAAuEmK,EAAsBE,GAQ7FF,EAAqB7I,UO9mBrBC,OP8mBwC,WO7mBtC,MAAA9B,KAAA,OAAAqC,UACiB,gCADjB,GAAArC,IAAA,OAAA4J,KAEc,SAFdiB,SAEgC,IAFhCjJ,QAE6CZ,KAAKU,YAFlDW,UAEyE,0DAFzE,GAAArC,IAAA,KAAAqC,UAGmB,sDAHnBrC,IAIO6H,EAAA,GAJPvF,GAI2B,2BAJ3B+B,eAIqE,YPynBhEqG,GOhoByCC,EAAA,IPuoB5CG,IACA,SAAUpL,EAAQC,EAAqBC,GAE7C,YACA8E,QAAOqG,eAAepL,EAAqB,cAAgBqL,OAAO,GAC7C,IAAIC,GAAyDrL,EAAoB,GQ9oBtG8E,QAAAuG,EAAA,KAAgBC,KAAK,WACnBtL,EAAQ,KAAoBuL,YAC3BC,MAAM,SAAAtG,GACPuG,QAAQC,MAAMxG,MRspBVyG,IACA,SAAU7L,EAAQC,EAAqBC,GAE7C,YStpBA,SAAS4L,KAGP,GAFAC,EAAKC,MAAM,UAEPlC,OAAOxD,SAAWA,QAAQ2F,aAAc,IAAAC,GACPpC,OAAOqC,SAAlCC,EADkCF,EAClCE,SAAUC,EADwBH,EACxBG,OAAQC,EADgBJ,EAChBI,KACpBrJ,EAAOmJ,EAAWC,EAASC,CAC3B,gBAAgBC,KAAKtJ,IACzBqD,QAAQ2F,aAAa,KAAMO,SAAS7E,MAApC,OAAkD1E,GAItD+B,OAAAyH,EAAA,SAAM,WACJ,GAAMC,GAAYF,SAASG,eAAe,YACpC1K,EAAQ2K,KAAKC,MAAMH,EAAUI,aAAa,cAEhDC,GAAAlK,EAAST,OAAO4K,EAAAnK,EAAAgE,cAACoG,EAAA,EAAahL,GAAWyK,GAGvCxM,EAAQ,KAA0BgN,UAClCD,EAAA,EAAME,SAASC,EAAA,KAEjBrB,EAAKsB,KAAK,YTkoBdrI,OAAOqG,eAAepL,EAAqB,cAAgBqL,OAAO,GAC7C,IAAI8B,GAA4DlN,EAAoB,KAChF+M,EAAqD/M,EAAoB,KACzEoN,EAAsCpN,EAAoB,GAC1D8M,EAA8C9M,EAAoBK,EAAE+M,GACpEC,EAA0CrN,EAAoB,IAC9D6M,EAAkD7M,EAAoBK,EAAEgN,GACxEd,EAAuCvM,EAAoB,IShqB9E6L,EAAO7L,EAAQ,IA2BrBD,GAAA,WT+qBMuN,IACA,SAAUxN,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOwN,KACpEvN,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOyN,IAC9E,IAAIrN,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpE6M,EAA4CzN,EAAoB,GAChE0N,EAAsD1N,EAAoB,KAC1E2N,EAAoD3N,EAAoB,KACxE4N,EAAiD5N,EAAoB,IACrE6N,EAAsD7N,EAAoB,KAC1E8N,EAA8C9N,EAAoB,KAClE+N,EAAwD/N,EAAoB,KAC5EgO,EAAgDhO,EAAoB,IACpEiO,EAAoDjO,EAAoB,IACxEkO,EAA4ClO,EAAoB,GAChEmO,EAA0CnO,EAAoB,GAC9DoO,EAAgDpO,EAAoB,IAoBzFqO,EUhvB6BvJ,OAAAqJ,EAAA,aAAzBG,EVivBSD,EUjvBTC,WAAYhG,EVkvBL+F,EUlvBK/F,QACpBxD,QAAAoJ,EAAA,GAAcI,EAEP,IAAMf,GAAQzI,OAAA4I,EAAA,KACfa,EAAgBzJ,OAAAkJ,EAAA,GAAaI,EAAA,EACnCb,GAAMN,SAASsB,GAGfhB,EAAMN,SAASnI,OAAAiJ,EAAA,KVqvBf,IUnvBqBP,GVmvBN,SAAUxM,GAGvB,QAASwM,KAGP,MAFAjN,KAA6Ea,KAAMoM,GAE5E/M,IAAwFW,KAAMJ,EAAqBY,MAAMR,KAAME,YAkDxI,MAvDAX,KAAuE6M,EAAUxM,GAQjFwM,EAASvL,UUtvBTuM,kBVsvBuC,WU3uBrC,GAVApN,KAAKqN,WAAalB,EAAMN,SAASnI,OAAAmJ,EAAA,UAIE,KAAxBrE,OAAO8E,cAA4D,YAA5BA,aAAaC,YAC7D/E,OAAOgF,WAAW,iBAAMF,cAAaG,qBAAqB,SAKX,KAAtCC,UAAUC,wBAAyC,CAC5D,GAAMC,GAAapF,OAAOqC,SAASgD,SAAW,KAAOrF,OAAOqC,SAASiD,KAAO,gBAC5EtF,QAAOgF,WAAW,iBAAME,WAAUC,wBAAwB,eAAgBC,EAAY,aAAa,KAGrGzB,EAAMN,SAASnI,OAAA6I,EAAA,OV6vBjBH,EAASvL,UU1vBTkN,qBV0vB0C,WUzvBpC/N,KAAKqN,aACPrN,KAAKqN,aACLrN,KAAKqN,WAAa,OV8vBtBjB,EAASvL,UU1vBTC,OV0vB4B,WU1vBlB,GACAkN,GAAWhO,KAAKW,MAAhBqN,MAER,OAAAhP,KACG8N,EAAA,GADHkB,OACwBA,EADxB9G,SAC0CA,OAD1C,GAAAlI,IAEKqN,EAAA,UAFLF,MAEqBA,OAFrB,GAAAnN,IAGOwN,EAAA,GAHPyB,SAG8B,YAH9B,GAAAjP,IAISyN,EAAA,SAJT,GAAAzN,IAKWwN,EAAA,GALX7K,KAKsB,IALtBuM,UAKqCxB,EAAA,SVmwBhCN,GU3yB6B3M,EAAA8B,EAAMC,gBVkzBtC2M,IACA,SAAUzP,EAAQC,EAAqBC,GAE7C,YW30BO,SAASwP,KACd,MAAO,UAACvC,EAAUwC,GACIA,IAAWC,OAAO,WAAY,gBAGhDzC,EAASnI,OAAA6K,EAAA,GAAU,eACnB1C,EAASnI,OAAA8K,EAAA,IAAe,cAAc,IACtC3C,EAASnI,OAAA8K,EAAA,QXq0BkB7P,EAAuB,EAAIyP,CACvC,IAAIG,GAAuC3P,EAAoB,IAC3D4P,EAA0C5P,EAAoB,KAkBjF6P,IACA,SAAU/P,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+P,IAC9E,IA0CjBC,GAAMC,EAASC,EAASC,EA1CH/P,EAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FsD,EAAgDhE,EAAoB,IACpEiE,EAAwDjE,EAAoBK,EAAE2D,GAC9ElD,EAA2Cd,EAAoB,IAC/De,EAAmDf,EAAoBK,EAAES,GACzEqP,EAAsCnQ,EAAoB,GAC1DoQ,EAA8CpQ,EAAoBK,EAAE8P,GACpEE,EAAoErQ,EAAoB,KACxFsQ,EAA2CtQ,EAAoB,GAC/DuQ,EAAmDvQ,EAAoBK,EAAEiQ,GACzEE,EAAkExQ,EAAoB,KACtFyQ,EAAsDzQ,EAAoB,KAC1E0Q,EAA6D1Q,EAAoB,KACjF2Q,EAA6C3Q,EAAoB,GACjE4Q,EAAkD5Q,EAAoB,IACtE6Q,EAA4C7Q,EAAoB,IAChE8Q,EAAkD9Q,EAAoB,IACtE+Q,EAAoD/Q,EAAoB,IACxEgR,EAAwDhR,EAAoB,KAC5EiR,EAAuDjR,EAAoB,IAC3EkR,EAA4DlR,EAAoB,KAChFmR,EAAyDnR,EAAoB,KAC7EoR,EAAoEpR,EAAoB,KACxFqR,EAAwDrR,EAAoB,IAC5EsR,EAA+CtR,EAAoB,KAEnEuR,GADuDvR,EAAoBK,EAAEiR,GAC7BtR,EAAoB,KACpEwR,EAA4CxR,EAAoB,GYr1BnFsI,GZs1BuEtI,EAAoB,KYt1BhF8E,OAAA0M,EAAA,IACfC,cAAA/O,GAAA,kBAAA+B,eAAA,qDAGIiN,EAAkB,SAAAC,GAAA,OACtBC,YAAaD,EAAMjC,OAAO,UAAW,iBACrCmC,iBAAuD,KAArCF,EAAMjC,OAAO,UAAW,SAC1CoC,mBAAiE,OAA7CH,EAAMjC,OAAO,gBAAiB,aAG9CqC,GACJC,KAAM,IACNC,IAAK,IACL9F,OAAQ,IACR+F,SAAU,WACVC,aAAc,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACtDC,MAAO,IACPC,UAAW,IACXC,MAAO,IACPC,QAAS,IACTC,MAAO,QAAS,KAChBC,YAAa,IACbC,UAAW,OAAQ,KACnBC,QAAS,KAAM,KACfC,KAAM,YACNC,SAAU,MACVC,kBAAmB,MACnBC,UAAW,MACXC,cAAe,MACfC,WAAY,MACZC,UAAW,MACXC,eAAgB,MAChBC,WAAY,MACZC,YAAa,MACbC,YAAa,MACbC,UAAW,MACXC,aAAc,KAGVC,EZ+3BqB,SAAUzS,GAGnC,QAASyS,KACP,GAAIxS,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMqS,EAEnF,KAAK,GAAIpS,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EYn4BrNyQ,OACE+B,OAAQ5O,OAAA+L,EAAA,GAASjH,OAAOC,aZo4BrB3I,EYn3BLyS,aAAe1P,IAAS,WAEtB/C,EAAKa,MAAM6R,iBAEX1S,EAAK2S,UAAWH,OAAQ5O,OAAA+L,EAAA,GAASjH,OAAOC,eACvC,KACDiK,UAAU,IZo3BN5S,EYj3BN6D,OAAS,SAAAuE,GACPpI,EAAK+D,KAAOqE,EAAEyK,qBAAqBA,sBZu2B5B5S,EAWJF,EAAQR,IAAwFS,EAAOC,GAiK5G,MAvLAR,KAAuE8S,EAAsBzS,GAyB7FyS,EAAqBxR,UY74BrB+R,mBZ64BoD,WY54BlDpK,OAAOtD,iBAAiB,SAAUlF,KAAKuS,cAAgBM,SAAS,KZg5BlER,EAAqBxR,UY74BrBiS,mBZ64BoD,SY74BhCC,IACZ/S,KAAKW,MAAMkK,SAASC,SAAU,KAAKkI,SAASD,EAAUlI,SAASC,WACnE9K,KAAK6D,KAAKoP,+BZi5BdZ,EAAqBxR,UY74BrBkN,qBZ64BsD,WY54BpDvF,OAAOzD,oBAAoB,SAAU/E,KAAKuS,eZg5B5CF,EAAqBxR,UYh4BrBC,OZg4BwC,WYh4B9B,GACAuH,GAAarI,KAAKW,MAAlB0H,SACAiK,EAAWtS,KAAKuQ,MAAhB+B,OACFY,EAAWZ,EAAAtT,IAAUwQ,EAAA,GAAV2D,KAAwB,IAAxBpR,GAA+B,kBAA/BuB,OAAA,IAAAtE,IAA6DwQ,EAAA,GAA7D2D,KAA2E,IAA3EpR,GAAkF,mBAAlFuB,OAAA,GAEjB,OACE0L,GAAAzN,EAAAgE,cAACyK,EAAA,GAAqBpM,IAAK5D,KAAK2D,OAAQyP,aAAcd,GAAtDtT,IACG8Q,EAAA,SADH,GAEKoD,EAFLlU,IAGK8Q,EAAA,GAHLnO,KAGuB,mBAHvBuM,UAGqD+B,EAAA,EAHrDoD,QAG8EhL,IAH9ErJ,IAIK8Q,EAAA,GAJLnO,KAIuB,sBAJvBuM,UAIwD+B,EAAA,EAJxDoD,QAIoFhL,IAJpFrJ,IAKK8Q,EAAA,GALLnO,KAKuB,kBALvBuM,UAKoD+B,EAAA,EALpDoD,QAK2EhL,IAL3ErJ,IAMK8Q,EAAA,GANLnO,KAMuB,oBANvB2B,OAAA,EAAA4K,UAM4D+B,EAAA,EAN5DoD,QAMqFhL,IANrFrJ,IAOK8Q,EAAA,GAPLnO,KAOuB,0BAPvBuM,UAO4D+B,EAAA,EAP5DoD,QAOqFhL,EAPrFiL,iBAOkHC,WAAW,KAP7HvU,IAQK8Q,EAAA,GARLnO,KAQuB,0BARvB2B,OAAA,EAAA4K,UAQkE+B,EAAA,EARlEoD,QAQ8FhL,IAR9FrJ,IASK8Q,EAAA,GATLnO,KASuB,gCATvBuM,UASkE+B,EAAA,EATlEoD,QAS8FhL,EAT9FiL,iBAS2HC,WAAW,KATtIvU,IAUK8Q,EAAA,GAVLnO,KAUuB,oBAVvBuM,UAUsD+B,EAAA,EAVtDoD,QAU+EhL,IAV/ErJ,IAWK8Q,EAAA,GAXLnO,KAWuB,qBAXvBuM,UAWuD+B,EAAA,EAXvDoD,QAWiFhL,IAXjFrJ,IAYK8Q,EAAA,GAZLnO,KAYuB,sBAZvBuM,UAYwD+B,EAAA,EAZxDoD,QAY+EhL,IAZ/ErJ,IAcK8Q,EAAA,GAdLnO,KAcuB,iBAdvBuM,UAcmD+B,EAAA,EAdnDoD,QAc2EhL,IAd3ErJ,IAeK8Q,EAAA,GAfLnO,KAeuB,cAfvBuM,UAegD+B,EAAA,EAfhDoD,QAe6EhL,IAf7ErJ,IAgBK8Q,EAAA,GAhBLnO,KAgBuB,UAhBvBuM,UAgB4C+B,EAAA,EAhB5CoD,QAgBqEhL,IAhBrErJ,IAkBK8Q,EAAA,GAlBLnO,KAkBuB,UAlBvBuM,UAkB4C+B,EAAA,EAlB5CoD,QAkB8DhL,EAlB9DiL,iBAkB2FE,cAAc,KAlBzGxU,IAoBK8Q,EAAA,GApBLnO,KAoBuB,gBApBvBuM,UAoBkD+B,EAAA,EApBlDoD,QAoBoEhL,IApBpErJ,IAqBK8Q,EAAA,GArBLnO,KAqBuB,sBArBvB2B,OAAA,EAAA4K,UAqB8D+B,EAAA,EArB9DoD,QAqB+EhL,IArB/ErJ,IAsBK8Q,EAAA,GAtBLnO,KAsBuB,8BAtBvBuM,UAsBgE+B,EAAA,EAtBhEoD,QAsBkFhL,IAtBlFrJ,IAuBK8Q,EAAA,GAvBLnO,KAuBuB,iCAvBvBuM,UAuBmE+B,EAAA,EAvBnEoD,QAuBwFhL,IAvBxFrJ,IAyBK8Q,EAAA,GAzBLnO,KAyBuB,uBAzBvB2B,OAAA,EAAA4K,UAyB+D+B,EAAA,EAzB/DoD,QAyByFhL,IAzBzFrJ,IA0BK8Q,EAAA,GA1BLnO,KA0BuB,oCA1BvBuM,UA0BsE+B,EAAA,EA1BtEoD,QA0BgGhL,EA1BhGiL,iBA0B6HG,aAAa,KA1B1IzU,IA2BK8Q,EAAA,GA3BLnO,KA2BuB,iCA3BvBuM,UA2BmE+B,EAAA,EA3BnEoD,QA2BuFhL,IA3BvFrJ,IA4BK8Q,EAAA,GA5BLnO,KA4BuB,iCA5BvBuM,UA4BmE+B,EAAA,EA5BnEoD,QA4BuFhL,IA5BvFrJ,IA6BK8Q,EAAA,GA7BLnO,KA6BuB,6BA7BvBuM,UA6B+D+B,EAAA,EA7B/DoD,QA6BwFhL,IA7BxFrJ,IA+BK8Q,EAAA,GA/BLnO,KA+BuB,mBA/BvBuM,UA+BqD+B,EAAA,EA/BrDoD,QA+B8EhL,IA/B9ErJ,IAgCK8Q,EAAA,GAhCLnO,KAgCuB,UAhCvBuM,UAgC4C+B,EAAA,EAhC5CoD,QAgC6DhL,IAhC7DrJ,IAiCK8Q,EAAA,GAjCLnO,KAiCuB,iBAjCvBuM,UAiCmD+B,EAAA,EAjCnDoD,QAiC0EhL,IAjC1ErJ,IAkCK8Q,EAAA,GAlCLnO,KAkCuB,SAlCvBuM,UAkC2C+B,EAAA,EAlC3CoD,QAkC2DhL,IAlC3DrJ,IAmCK8Q,EAAA,GAnCLnO,KAmCuB,SAnCvBuM,UAmC2C+B,EAAA,EAnC3CoD,QAmC2DhL,IAnC3DrJ,IAqCK8Q,EAAA,GArCL5B,UAqC6B+B,EAAA,EArC7BoD,QAqCuDhL,OZq+BpDgK,GYvjC0BrD,EAAAzN,EAAMC,eA6FpBkN,GZ69BXC,EYh+BTjL,OAAA6L,EAAA,SAAQe,IZg+B6F1B,EY/9BrGlL,OAAA0M,EAAA,GZ+9BuLxB,EY99BvLlL,OAAA8L,EAAA,IZ89B0RV,EAASD,EAAU,SAAU6E,GAGtT,QAAShF,KACP,GAAIzF,GAAQ7D,EAAQuO,CAEpBxU,KAA6Ea,KAAM0O,EAEnF,KAAK,GAAIkF,GAAQ1T,UAAUC,OAAQC,EAAOC,MAAMuT,GAAQC,EAAQ,EAAGA,EAAQD,EAAOC,IAChFzT,EAAKyT,GAAS3T,UAAU2T,EAG1B,OAAgB5K,GAAU7D,EAAS/F,IAAwFW,KAAM0T,EAAsBnT,KAAKC,MAAMkT,GAAwB1T,MAAMS,OAAOL,KAAkBgF,EYz9B3NmL,OACEuD,cAAc,GZ09BX1O,EYv9BL2O,mBAAqB,SAACjQ,GAAM,GAAAkQ,GACsB5O,EAAKzE,MAA7C2E,EADkB0O,EAClB1O,KAAMkL,EADYwD,EACZxD,YAAaC,EADDuD,EACCvD,gBAEvBD,IAAeC,IAIjB3M,EAAEmQ,YAAc3O,EAAKD,cAAc6B,EAASmJ,gBZ69B3CjL,EYz9BL8O,mBAAqB,WAEnB9O,EAAKzE,MAAMkL,SAASnI,OAAAmM,EAAA,OZ09BjBzK,EYv9BL+O,gBAAkB,SAACrQ,GACjBA,EAAEC,iBAEGqB,EAAKgP,cACRhP,EAAKgP,iBAGqC,IAAxChP,EAAKgP,YAAYxP,QAAQd,EAAEY,SAC7BU,EAAKgP,YAAYnP,KAAKnB,EAAEY,QAGtBZ,EAAEuQ,cAAgBhU,MAAM8S,KAAKrP,EAAEuQ,aAAaC,OAAOtB,SAAS,UAC9D5N,EAAKqN,UAAWqB,cAAc,KZy9B7B1O,EYr9BLmP,eAAiB,SAACzQ,GAChBA,EAAEC,iBACFD,EAAE0Q,iBAEF,KACE1Q,EAAEuQ,aAAaI,WAAa,OAC5B,MAAOC,IAIT,OAAO,GZo9BJtP,EYj9BLuP,WAAa,SAAC7Q,GACZA,EAAEC,iBAEFqB,EAAKqN,UAAWqB,cAAc,IAE1BhQ,EAAEuQ,cAAgD,IAAhCvQ,EAAEuQ,aAAaO,MAAMzU,QACzCiF,EAAKzE,MAAMkL,SAASnI,OAAAgM,EAAA,GAAc5L,EAAEuQ,aAAaO,SZm9BhDxP,EY/8BLyP,gBAAkB,SAAC/Q,GACjBA,EAAEC,iBACFD,EAAE0Q,kBAEFpP,EAAKgP,YAAchP,EAAKgP,YAAYU,OAAO,SAAAC,GAAA,MAAMA,KAAOjR,EAAEY,QAAUU,EAAKvB,KAAKW,SAASuQ,KAEnF3P,EAAKgP,YAAYjU,OAAS,GAI9BiF,EAAKqN,UAAWqB,cAAc,KZk9B3B1O,EY/8BL4P,iBAAmB,WACjB5P,EAAKqN,UAAWqB,cAAc,KZg9B3B1O,EY78BL6P,+BAAiC,SAAAC,GAAc,GAAXC,GAAWD,EAAXC,IAChB,cAAdA,EAAKlU,KACPmE,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAKkQ,EAAKxT,MAEtC0I,QAAQ+K,KAAK,wBAAyBD,EAAKlU,OZi9B1CmE,EY96BLzB,OAAS,SAAAuE,GACP9C,EAAKvB,KAAOqE,GZ+6BT9C,EY56BLiQ,gBAAkB,SAAAvR,GAChBA,EAAEC,gBAEF,IAAMuR,GAAUlQ,EAAKvB,KAAKkE,cAAc,8CAEpCuN,IACFA,EAAQC,SZ86BPnQ,EY16BLoQ,mBAAqB,SAAA1R,GACnBA,EAAEC,gBAEF,IAAMuR,GAAUlQ,EAAKvB,KAAKkE,cAAc,iBAEpCuN,IACFA,EAAQC,SZ46BPnQ,EYx6BLqQ,qBAAuB,SAAA3R,GACrBsB,EAAKiQ,gBAAgBvR,GACrBsB,EAAKzE,MAAMkL,SAASnI,OAAAgM,EAAA,OZy6BjBtK,EYt6BLsQ,wBAA0B,SAAA5R,GACxB,GAAM7B,GAAkB,EAAR6B,EAAE4B,IAAW,EACvBiQ,EAASvQ,EAAKvB,KAAKkE,cAAV,qBAA6C9F,EAA7C,IAEf,IAAI0T,EAAQ,CACV,GAAMC,GAASD,EAAO5N,cAAc,aAEhC6N,IACFA,EAAOL,UZy6BRnQ,EYp6BLyQ,iBAAmB,WACbrN,OAAOxD,SAAqC,IAA1BwD,OAAOxD,QAAQ7E,OACnCiF,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,KAEjCG,EAAKgE,QAAQC,OAAOrE,QAAQsE,UZs6B3BlE,EYl6BL0Q,cAAgB,SAAA5N,GACd9C,EAAK2Q,QAAU7N,GZm6BZ9C,EYh6BL4Q,uBAAyB,WACc,wBAAjC5Q,EAAKzE,MAAMkK,SAASC,SACtB1F,EAAKgE,QAAQC,OAAOrE,QAAQsE,SAE5BlE,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,wBZk6BhCG,EY95BL6Q,qBAAuB,WACrB7Q,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,oBZ+5B9BG,EY55BL8Q,8BAAgC,WAC9B9Q,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,mBZ65B9BG,EY15BL+Q,sBAAwB,WACtB/Q,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,4BZ25B9BG,EYx5BLgR,0BAA4B,WAC1BhR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,sBZy5B9BG,EYt5BLiR,uBAAyB,WACvBjR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,sBZu5B9BG,EYp5BLkR,sBAAwB,WACtBlR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,qBZq5B9BG,EYl5BLmR,2BAA6B,WAC3BnR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,gBZm5B9BG,EYh5BLoR,uBAAyB,WACvBpR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,YZi5B9BG,EY94BLqR,wBAA0B,WACxBrR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAA5B,aAA8CkL,EAAA,IZ+4B3C/K,EY54BLsR,wBAA0B,WACxBtR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,YZ64B9BG,EY14BLuR,sBAAwB,WACtBvR,EAAKgE,QAAQC,OAAOrE,QAAQC,KAAK,WZ+vB1B0O,EA4IJ1K,EAAS5J,IAAwF+F,EAAQuO,GAuF9G,MA9OApU,KAAuEmP,EAAIgF,GA0J3EhF,EAAG7N,UYphCH+R,mBZohCkC,WYnhChCpK,OAAOtD,iBAAiB,eAAgBlF,KAAK+T,oBAAoB,GACjE7I,SAAShG,iBAAiB,YAAalF,KAAKmU,iBAAiB,GAC7DjJ,SAAShG,iBAAiB,WAAYlF,KAAKuU,gBAAgB,GAC3DrJ,SAAShG,iBAAiB,OAAQlF,KAAK2U,YAAY,GACnDzJ,SAAShG,iBAAiB,YAAalF,KAAK6U,iBAAiB,GAC7D3J,SAAShG,iBAAiB,UAAWlF,KAAK4W,eAAe,GAErD,iBAAoBlJ,YACtBA,UAAUmJ,cAAc3R,iBAAiB,UAAWlF,KAAKiV,gCAG3DjV,KAAKW,MAAMkL,SAASnI,OAAAiM,EAAA,MACpB3P,KAAKW,MAAMkL,SAASnI,OAAAkM,EAAA,OZuhCtBlB,EAAG7N,UYphCHuM,kBZohCiC,WYnhC/BpN,KAAK+V,QAAQe,cAAcC,aAAe,SAACjT,EAAGwR,GAC5C,OAAQ,WAAY,SAAU,SAAStC,SAASsC,EAAQ0B,WZwhC5DtI,EAAG7N,UYphCHkN,qBZohCoC,WYnhClCvF,OAAOzD,oBAAoB,eAAgB/E,KAAK+T,oBAChD7I,SAASnG,oBAAoB,YAAa/E,KAAKmU,iBAC/CjJ,SAASnG,oBAAoB,WAAY/E,KAAKuU,gBAC9CrJ,SAASnG,oBAAoB,OAAQ/E,KAAK2U,YAC1CzJ,SAASnG,oBAAoB,YAAa/E,KAAK6U,iBAC/C3J,SAASnG,oBAAoB,UAAW/E,KAAK4W,gBZuhC/ClI,EAAG7N,UY16BHC,OZ06BsB,WY16BZ,GACAgT,GAAiB9T,KAAKuQ,MAAtBuD,aADA/S,EAEwDf,KAAKW,MAA7D0H,EAFAtH,EAEAsH,SAAUmI,EAFVzP,EAEUyP,YAAa3F,EAFvB9J,EAEuB8J,SAAU6F,EAFjC3P,EAEiC2P,mBAEnCuG,GACJrG,KAAM5Q,KAAKgW,uBACXnF,IAAK7Q,KAAKqV,gBACVtK,OAAQ/K,KAAKwV,mBACb1E,SAAU9Q,KAAKyV,qBACf1E,YAAa/Q,KAAK0V,wBAClBlE,KAAMxR,KAAK6V,iBACXpE,SAAUzR,KAAKiW,qBACfvE,kBAAmB1R,KAAKkW,8BACxBvE,UAAW3R,KAAKmW,sBAChBvE,cAAe5R,KAAKoW,0BACpBvE,WAAY7R,KAAKqW,uBACjBvE,UAAW9R,KAAKsW,sBAChBvE,eAAgB/R,KAAKuW,2BACrBvE,WAAYhS,KAAKwW,uBACjBvE,YAAajS,KAAKyW,wBAClBvE,YAAalS,KAAK0W,wBAClBvE,UAAWnS,KAAK2W,sBAGlB,OACE3H,GAAAzN,EAAAgE,cAAC2K,EAAA,SAAQS,OAAQA,EAAQsG,SAAUA,EAAUrT,IAAK5D,KAAK8V,eACrD9G,EAAAzN,EAAAgE,cAAA,OAAKlE,UAAW1B,IAAW,MAAQuX,eAAgB1G,IAAgB5M,IAAK5D,KAAK2D,OAAQJ,OAAS4T,cAAezG,EAAqB,OAAS,OAA3I1R,IACGqQ,EAAA,MADHrQ,IAGGqT,GAHHxH,SAGkCA,EAHlC2H,eAG4DxS,KAAKkU,wBAHjE,GAIK7L,GAJLrJ,IAOGiQ,EAAA,MAPHjQ,IAQGoQ,EAAA,GARH/N,UAQiC,gBARjCrC,IASGsQ,EAAA,MATHtQ,IAUG+Q,EAAA,GAVH7O,OAUsB4S,EAVtBsD,QAU6CpX,KAAKgV,sBZ27BjDtG,GY5sCuBM,EAAAzN,EAAMC,eZ6sC0BqN,EY3sCvDtF,cACLF,OAAQ8F,EAAA5N,EAAUiI,OAAO6N,YZ09BmPzI,EAkP7QE,KAAYF,IAAYA,IAAYA,GAKjC0I,IACA,SAAU5Y,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4Y,KACpE3Y,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO6Y,IAC9E,IAyBjBrV,GAAQ8G,EAzBawO,EAA8E7Y,EAAoB,IAClG8Y,EAAsF9Y,EAAoBK,EAAEwY,GAC5GE,EAA8D/Y,EAAoB,IAClFgZ,EAAsEhZ,EAAoBK,EAAE0Y,GAC5FE,EAA0DjZ,EAAoB,GAC9EkZ,EAAkElZ,EAAoBK,EAAE4Y,GACxFE,EAAqEnZ,EAAoB,GACzFoZ,EAA6EpZ,EAAoBK,EAAE8Y,GACnGE,EAAgFrZ,EAAoB,GACpGsZ,EAAwFtZ,EAAoBK,EAAEgZ,GAC9GE,EAA+DvZ,EAAoB,GACnFwZ,EAAuExZ,EAAoBK,EAAEkZ,GAC7FpJ,EAAsCnQ,EAAoB,GAC1DoQ,EAA8CpQ,EAAoBK,EAAE8P,GACpEsJ,EAAiDzZ,EAAoB,IACrE0Z,EAA2D1Z,EAAoB,KAC/E2Z,EAAgE3Z,EAAoB,KACpF4Z,EAA8D5Z,EAAoB,Ka35C9F2Y,EAAb,SAAA3X,GAAA,QAAA2X,KAAA,MAAAS,KAAAhY,KAAAuX,GAAAW,IAAAlY,KAAAJ,EAAAY,MAAAR,KAAAE,YAAA,MAAAkY,KAAAb,EAAA3X,GAAA2X,EAAA1W,UAEEC,OAFF,WAEY,GAAAC,GAC0Bf,KAAKW,MAA/B2F,EADAvF,EACAuF,YAAa+B,EADbtH,EACasH,QAErB,OAAAyP,KACGO,EAAA,SADH,GAEKrJ,EAAAzN,EAAMkX,SAASjT,IAAI6C,EAAU,SAAAqQ,GAAA,MAAS1J,GAAAzN,EAAMkE,aAAaiT,GAASpS,oBAP3EiR,GAAmCvI,EAAAzN,EAAMC,eAsB5BgW,GAAbvO,EAAA9G,EAAA,SAAAwW,GAAA,QAAAnB,KAAA,GAAA3X,GAAAuF,EAAArF,CAAAiY,KAAAhY,KAAAwX,EAAA,QAAAvX,GAAAC,UAAAC,OAAAC,EAAAC,MAAAJ,GAAAK,EAAA,EAAAA,EAAAL,EAAAK,IAAAF,EAAAE,GAAAJ,UAAAI,EAAA,OAAAT,GAAAuF,EAAA8S,IAAAlY,KAAA2Y,EAAApY,KAAAC,MAAAmY,GAAA3Y,MAAAS,OAAAL,KAAAgF,EAaEwT,gBAAkB,SAAA1D,GAAe,GAAZ2D,GAAY3D,EAAZ2D,MAAY7E,EAC8B5O,EAAKzE,MAA1DuN,EADuB8F,EACvB9F,UAAWmF,EADYW,EACZX,QAAS/M,EADG0N,EACH1N,YAAagN,EADVU,EACUV,eAEzC,OAAAwE,KACGU,EAAA,GADHM,eACmC5K,EADnC6K,QACuD3T,EAAK4T,cAD5D1O,MACkFlF,EAAK6T,iBADvF,GAEK,SAAAC,GAAA,MAAalK,GAAAzN,EAAAgE,cAAC2T,EAADtB,KAAWuB,OAAQN,EAAMM,OAAQ7S,YAAaA,GAAiBgN,GAAkBD,MAlBvGjO,EAuBE4T,cAAgB,WACd,MAAAlB,KAAQQ,EAAA,OAxBZlT,EA2BE6T,YAAc,SAACtY,GACb,MAAOqO,GAAAzN,EAAAgE,cAACgT,EAAA,EAAsB5X,IA5BlCZ,EAAAF,EAAAqY,IAAA9S,EAAArF,GAAA,MAAAqY,KAAAZ,EAAAmB,GAAAnB,EAAA3W,UA+BEC,OA/BF,WA+BY,GAAAsY,GAC2CpZ,KAAKW,MAAd0Y,GADlCD,EACAlL,UADAkL,EACsB/F,QADtBqE,IAAA0B,GAAA,wBAGR,OAAOpK,GAAAzN,EAAAgE,cAAC8S,EAAA,EAADT,OAAWyB,GAAMvY,OAAQd,KAAK4Y,oBAlCzCpB,GAAkCxI,EAAAzN,EAAM2X,WAAxC/W,EASSwE,cACL2M,oBAVJrK,Iby+CMqQ,IACA,SAAU5a,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4a,IAC9E,IAAIxa,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFG,EAAqEN,EAAoB,GACzFO,EAA6EP,EAAoBK,EAAEC,GACnGE,EAAgFR,EAAoB,GACpGS,EAAwFT,EAAoBK,EAAEG,GAC9GE,EAA+DV,EAAoB,GACnFW,EAAuEX,EAAoBK,EAAEK,GAC7FE,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpEga,EAAyD5a,EAAoB,IAC7E6a,EAAwD7a,EAAoB,IAC5E8a,EAAgE9a,EAAoBK,EAAEwa,GACtFxW,EAA2CrE,EAAoB,GcphDnE2a,Ed+hDJ,SAAU3Z,GAGzB,QAAS2Z,KACP,GAAI1Z,GAAOC,EAAOC,CAElBZ,KAA6Ea,KAAMuZ,EAEnF,KAAK,GAAItZ,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQT,IAAwFW,KAAMJ,EAAqBW,KAAKC,MAAMZ,GAAuBI,MAAMS,OAAOL,KAAiBN,EcpiDrN6Z,YAAc,SAAC7V,GACb,GAAM8V,GAAU9V,EAAE8V,OAClB,IAAI9Z,EAAKa,MAAMO,OACb,OAAO0Y,GACP,IAAK,IACH9V,EAAEC,iBACFD,EAAE0Q,kBACF1U,EAAKa,MAAMyW,Yd6hDRrX,EAWJF,EAAQR,IAAwFS,EAAOC,GAsC5G,MA5DAR,KAAuEga,EAAY3Z,GAyBnF2Z,EAAW1Y,UcriDXuM,kBdqiDyC,WcpiDvC5E,OAAOtD,iBAAiB,QAASlF,KAAK2Z,aAAa,IdwiDrDJ,EAAW1Y,UcriDXkN,qBdqiD4C,WcpiD1CvF,OAAOzD,oBAAoB,QAAS/E,KAAK2Z,cdwiD3CJ,EAAW1Y,UcriDXC,OdqiD8B,WcriDpB,GACAI,GAAWlB,KAAKW,MAAhBO,MAER,OAAAlC,KACGwa,EAAA,GADHK,cAC0BC,kBAAmB,EAAGC,gBAAiB,KADjExW,OACkFuW,kBAAmBJ,IAAOxY,EAAS,EAAI,GAAK8Y,UAAW,IAAKC,QAAS,KAAOF,gBAAiBL,IAAOxY,EAAS,EAAI,KAAQ8Y,UAAW,IAAKC,QAAS,UADpO,GAEK,SAAA/E,GAAA,GAAG4E,GAAH5E,EAAG4E,kBAAmBC,EAAtB7E,EAAsB6E,eAAtB,OAAA/a,KAAA,OAAAqC,UACgB,cADhBkC,OACuC2W,WAAYhZ,EAAS,UAAY,SAAUiZ,QAASL,QAD3F,GAAA9a,IAAA,OAAAqC,UAEkB,yBAFlB,GAAArC,IAAA,OAAAqC,UAGoB,0BAHpBkC,OAGuD6W,mBAAoBL,EAApB,OAHvD/a,IAAA,OAAAqC,UAIoB,4BAJpB,GAAArC,IAI4CiE,EAAA,GAJ5C3B,GAIgE,oBAJhE+B,eAImG,gCdujDnGkW,Gc5lD+B9Z,EAAA8B,EAAMC,gBdmmDxC6Y,IACA,SAAU3b,EAAQC,EAAqBC,GAE7C,YACqB,IAAI0b,GAA4C1b,EAAoB,GAChE2b,EAAyD3b,EAAoB,Ke3mDhG0R,EAAkB,SAAAC,GAAA,OACtBiK,QAASjK,EAAMjC,OAAO,WAAY,YAClCmM,cAAelK,EAAMmK,IAAI,SAASC,WAGpChc,GAAA,EAAe+E,OAAA4W,EAAA,SAAQhK,EAAiB,KAAM,MAAQsK,SAAS,IAAQL,EAAA,IfqnDjEM,IACA,SAAUnc,EAAQC,EAAqBC,GAE7C,YAC+BA,GAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOmc,IAC9E,IAqCjBnM,GAAMxM,EAAQyM,EAAS3F,EArCF8R,EAA8Dnc,EAAoB,IAClFoc,EAAsEpc,EAAoBK,EAAE8b,GAC5FE,EAA0Drc,EAAoB,GAC9Esc,EAAkEtc,EAAoBK,EAAEgc,GACxFE,EAAqEvc,EAAoB,GACzFwc,EAA6Exc,EAAoBK,EAAEkc,GACnGE,EAAgFzc,EAAoB,GACpG0c,EAAwF1c,EAAoBK,EAAEoc,GAC9GE,EAA+D3c,EAAoB,GACnF4c,EAAuE5c,EAAoBK,EAAEsc,GAC7FzY,EAAsClE,EAAoB,GAC1DmE,EAA8CnE,EAAoBK,EAAE6D,GACpEoG,EAA2CtK,EAAoB,GAC/DuK,EAAmDvK,EAAoBK,EAAEiK,GACzEjG,EAA2CrE,EAAoB,GAC/D6c,EAA0D7c,EAAoB,IAC9E8c,EAAkE9c,EAAoBK,EAAEwc,GACxFE,EAA+D/c,EAAoB,IACnFgd,EAAuEhd,EAAoBK,EAAE0c,GAC7FE,EAAuDjd,EAAoB,KAC3Ekd,EAA+Dld,EAAoBK,EAAE4c,GACrFE,EAA2Cnd,EAAoB,KAC/Dod,EAAkDpd,EAAoB,IACtEqd,EAA8Drd,EAAoB,KAClFsd,EAAiDtd,EAAoB,KACrEud,EAAiDvd,EAAoB,KACrEwd,EAAsDxd,EAAoB,KAC1Eyd,EAA2Dzd,EAAoB,IAC/E0d,EAAuD1d,EAAoB,IAC3E2d,EAA+D3d,EAAoBK,EAAEqd,GACrFE,EAAyC5d,EAAoB,IgB7oDhF6d,GACJC,QAAWL,EAAA,EACXM,KAAQN,EAAA,EACRO,cAAiBP,EAAA,EACjBQ,OAAUR,EAAA,EACVS,UAAaT,EAAA,EACbU,QAAWV,EAAA,EACXW,OAAUX,EAAA,EACVY,WAAcZ,EAAA,EACda,KAAQb,EAAA,GAGJc,EAAgB,SAAAxb,GAAA,MAAQA,GAAKkX,MAAM,kBAGpBiC,GhB0qDFnM,EgB3qDlB,SAAAT,GAAA,MAAaxK,QAAAT,EAAA,GAAWiL,GAAa0M,SAAS,OhB6qD7B3R,EAAS2F,EAAU,SAAUxI,GAG7C,QAAS0U,KACP,GAAIjb,GAAOC,EAAOC,CAElBqb,KAA6Epb,KAAM8a,EAEnF,KAAK,GAAI7a,GAAOC,UAAUC,OAAQC,EAAOC,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EF,EAAKE,GAAQJ,UAAUI,EAGzB,OAAeT,GAASC,EAAQwb,IAAwFtb,KAAMoG,EAAsB7F,KAAKC,MAAM4F,GAAwBpG,MAAMS,OAAOL,KAAiBN,EgB1qDvNyQ,OACE6M,eAAe,GhB2qDZtd,EgB9nDLud,YAAc,SAACpb,GACbnC,EAAKwd,aAAerb,CAEpB,IAAMsb,GAAwBxB,EAAA,EAAM9Z,GAAOtB,MAAM,yBAE3C6c,4CAA6DD,EAA7D,IAINrS,UAASnD,cALmB,0BAKgBxD,UAAUM,OAAO,UAC7DqG,SAASnD,cAAcyV,GAAkBjZ,UAAUY,IAAI,WhB+nDpDrF,EgB5nDL2d,mBAAqB,WACc,gBAAtB3d,GAAKwd,eACdxd,EAAKsJ,QAAQC,OAAOrE,QAAQC,KAAKvB,OAAAqY,EAAA,GAAQjc,EAAKwd,eAC9Cxd,EAAKwd,aAAe,OhB8nDnBxd,EgB1nDL4d,YAAc,WACkC,kBAAnC5d,GAAKkI,2BAIhBlI,EAAKkI,6BhB2nDFlI,EgBxnDL6D,OAAS,SAACE,GACR/D,EAAK+D,KAAOA,GhBynDT/D,EgBtnDL6d,WAAa,SAAC7b,EAAMG,GAClB,GAAM2b,GAAcla,OAAAqY,EAAA,GAASjc,EAAKsJ,QAAQC,OAAOrE,QAAQ6F,SAASC,UAC5DzE,EAAQvG,EAAKa,MAAM2E,KAAKD,eAAgB/D,GAAIQ,EAAKnB,MAAM,2BACvDK,EAAOc,EAAKnB,MAAM,qBAElBkd,EAAQ5b,IAAU2b,EACtB7a,EAAAxB,EAAMkE,aAAa3F,EAAKa,MAAM0H,UADnB6S,IAEVgB,EAAA,GAFU7V,MAEWA,EAFXrF,KAEwBA,GAErC,OAAAka,KAAA,OAAA7Z,UACiB,gBAAoBY,EAChC4b,IhBwnDF/d,EgBnnDLkZ,cAAgB,SAAA8E,GAAA,MAAY,YAC1B,MAAoB,YAAbA,EAAA5C,IAA0BiB,EAAA,MAA1BjB,IAA8CgB,EAAA,QhBsnDlDpc,EgBnnDLmZ,YAAc,SAACtY,GACb,MAAOoC,GAAAxB,EAAAgE,cAAC6W,EAAA,EAAsBzb,IhBukDvBZ,EA6CJF,EAAQyb,IAAwFxb,EAAOC,GAoG5G,MA5JAyb,KAAuEV,EAAa1U,GA2DpF0U,EAAYja,UgBttDZkd,0BhBstDkD,WgBrtDhD/d,KAAKyS,UAAW2K,eAAe,KhBytDjCtC,EAAYja,UgBttDZuM,kBhBstD0C,WgBrtDnCpN,KAAKW,MAAMyS,cACdpT,KAAK6D,KAAKqB,iBAAiB,QAASlF,KAAK0d,cAAcnB,EAAAhb,EAAoByc,aAAenL,SAAS,IAGrG7S,KAAKie,UAAcva,OAAAqY,EAAA,GAAS/b,KAAKoJ,QAAQC,OAAOrE,QAAQ6F,SAASC,UACjE9K,KAAKke,YAAchT,SAASiT,qBAAqB,QAAQ,GAAG5Z,UAAUC,SAAS,OAE/ExE,KAAKyS,UAAW2K,eAAe,KhBytDjCtC,EAAYja,UgBttDZud,oBhBstD4C,SgBttDxBC,GACdre,KAAKW,MAAMyS,eAAiBiL,EAAUjL,cAAgBiL,EAAUjL,cAClEpT,KAAK6D,KAAKkB,oBAAoB,QAAS/E,KAAK0d,chB0tDhD5C,EAAYja,UgBttDZiS,mBhBstD2C,SgBttDxBC,GACb/S,KAAKW,MAAMyS,eAAiBL,EAAUK,cAAiBpT,KAAKW,MAAMyS,cACpEpT,KAAK6D,KAAKqB,iBAAiB,QAASlF,KAAK0d,cAAcnB,EAAAhb,EAAoByc,aAAenL,SAAS,IAErG7S,KAAKie,UAAYva,OAAAqY,EAAA,GAAS/b,KAAKoJ,QAAQC,OAAOrE,QAAQ6F,SAASC,UAC/D9K,KAAKyS,UAAW2K,eAAe,KhBytDjCtC,EAAYja,UgBttDZkN,qBhBstD6C,WgBrtDtC/N,KAAKW,MAAMyS,cACdpT,KAAK6D,KAAKkB,oBAAoB,QAAS/E,KAAK0d,chB0tDhD5C,EAAYja,UgBttDZoS,4BhBstDoD,WgBrtDlD,IAAKjT,KAAKW,MAAMyS,aAAc,CAC5B,GAAMkL,GAAWte,KAAKke,aAAe,EAAI,CACzCle,MAAKgI,0BAA4BtE,OAAA8Y,EAAA,GAAYxc,KAAK6D,MAAO7D,KAAK6D,KAAK0a,YAAc/V,OAAOC,YAAc6V,KhB0tD1GxD,EAAYja,UgB9pDZC,OhB8pD+B,WgB9pDrB,GAAAsE,GAAApF,KAAAe,EACiDf,KAAKW,MAAtD6Z,EADAzZ,EACAyZ,QAASnS,EADTtH,EACSsH,SAAU+K,EADnBrS,EACmBqS,aAAcqH,EADjC1Z,EACiC0Z,YACjC2C,EAAkBpd,KAAKuQ,MAAvB6M,cAEFQ,EAAcla,OAAAqY,EAAA,GAAS/b,KAAKoJ,QAAQC,OAAOrE,QAAQ6F,SAASC,SAGlE,IAFA9K,KAAKsd,aAAe,KAEhBlK,EAAc,CAChB,GAAMoL,GAAuBrB,EAAcnd,KAAKoJ,QAAQC,OAAOrE,QAAQ6F,SAASC,UAAY,KAA/DoQ,IAAuEc,EAAA,GAAvEja,GAA4G,gBAA5GV,UAAsI,0BAAtD,yBAAhF6Z,IAAA,KAAA7Z,UAA4K,iBAEzM,QAAwB,IAAjBuc,GAAqB1C,IACzBY,EAAAva,GADyBU,MACgB2b,EADhBa,cAC4Cze,KAAKqd,YADjDqB,gBAC+E1e,KAAKyd,mBADpFkB,mBAC4HvB,EAD5HwB,cAC2JC,SAAU,QAASC,MAAO,KAAMC,aAAc,QADzMxb,OAC4Nyb,OAAQ,SAArO,UACtBjD,EAAA,EAAMvW,IAAIxF,KAAK2d,aAGlBa,IACEtD,IAAA,OAAA7Z,UACa,oBADb,GAC6BgH,GAE/BmW,GAIJ,MACEzb,GAAAxB,EAAAgE,cAAA,OAAKlE,UAAA,iBAA4BoZ,EAAc,eAAiB,IAAO7W,IAAK5D,KAAK2D,QAC9E6W,EAAQhV,IAAI,SAAAmQ,GACX,GAAMwD,GAAwC,OAA/BxD,EAAO+E,IAAI,SAAU,MAAiB,KAAO/E,EAAO+E,IAAI,UAAUuE,OAC3EC,EAAS/F,GAAUA,EAAO+F,MAAQ/F,EAAO+F,QAE/C,OAAAhE,KACGe,EAAA,GADHnD,eAC4D2D,EAAa9G,EAAO+E,IAAI,OADpF3B,QACqG3T,EAAK4T,cAAcrD,EAAO+E,IAAI,OADnIpQ,MACkJlF,EAAK6T,aAA/HtD,EAAO+E,IAAI,QAC9B,SAAAyE,GAAA,MAAqBpc,GAAAxB,EAAAgE,cAAC4Z,EAADnE,KAAmB8C,SAAUnI,EAAO+E,IAAI,QAASvB,OAAQA,EAAQ7S,aAAA,GAAgB4Y,QAK5Gnc,EAAAxB,EAAMkX,SAASjT,IAAI6C,EAAU,SAAAqQ,GAAA,MAAS3V,GAAAxB,EAAMkE,aAAaiT,GAASpS,aAAa,QhBirD/EwU,GgBz0DgCc,EAAAra,GhB00DkCqN,EgBx0DlErF,cACLF,OAAQF,EAAA5H,EAAUiI,OAAO6N,YhBy0D1BzI,EgBt0DMpI,WACLlB,KAAM6D,EAAA5H,EAAUiI,OAAO6N,WACvBmD,QAASkB,EAAAna,EAAmB6d,KAAK/H,WACjCoD,YAAatR,EAAA5H,EAAU8d,KAAKhI,WAC5BjE,aAAcjK,EAAA5H,EAAU8d,KACxBhX,SAAUc,EAAA5H,EAAUsC,MhBiqDhB1B,EAsKL8G,KAAY9G,GAKTmd,IACA,SAAU5gB,EAAQC,EAAqBC,GAE7C,YACqB,IAAIG,GAA0DH,EAAoB,GAC9EI,EAAkEJ,EAAoBK,EAAEF,GACxFwgB,EAAsC3gB,EAAoB,GiB73D7E4gB,GjB83DiE5gB,EAAoBK,EAAEsgB,GiB93DvE,iBAAAvgB,KAAA,OAAAqC,UACL,cADK,GAAArC,IAAA,OAAAqC,UAEH,qBAFG,GAAArC,IAAA,OAAAqC,UAGD,qBAKrB1C,GAAA,KjBw4DM8gB,IACA,SAAU/gB,EAAQC,EAAqBC,GAE7C,YkBj4DO,SAAS8L,GAAMgV,IAMf,QAAS3T,GAAK2T,IlB43DrBhc,OAAOqG,eAAepL,EAAqB,cAAgBqL,OAAO,IACjCrL,EAA2B,MAAI+L,EkBv5DhE/L,EAAA,KAAAoN,GlB27DM4T,IACA,SAAUjhB,EAAQkhB,GmB17DxB,QAASC,KACP,MAAO,iBAAmBnS,aAGvBlF,OAAOsX,OAAS,kBAAoB5U,UAAS6U,gBAAgBxc,SAChC,WAA7BiF,OAAOqC,SAASgD,UAAsD,cAA7BrF,OAAOqC,SAASmV,UAAyE,IAA7CxX,OAAOqC,SAASmV,SAASpb,QAAQ,SAG3H,QAASgH,GAAQqU,GAIb,GAHFA,IAAYA,MAGNJ,IACF,CAAmBnS,UAAUmJ,cAC1BqJ,SACC,cAWN,IAAI1X,OAAO2X,iBAAkB,CAC3B,GAGIC,GAAS,WACX,GACIC,GAASnV,SAAS3F,cAAc,SAIpC8a,GAAOC,IALIC,gCAMXF,EAAO9c,MAAMid,QAAU,OAEvBC,EAAiBJ,EACjBnV,SAAS/D,KAAKuZ,YAAYL,GAS5B,aAN4B,aAAxBnV,SAASyV,WACXnT,WAAW4S,GAEX5X,OAAOtD,iBAAiB,OAAQkb,KAQxC,QAASQ,GAAYC,EAAUC,IAM/B,QAASC,KAWL,GATIlB,KACFnS,UAAUmJ,cAAcmK,kBAAkB9W,KAAK,SAAS+W,GACtD,GAAKA,EACL,MAAOA,GAAaF,WAMpBN,EACF,IACEA,EAAeS,cAAcf,iBAAiBY,SAC9C,MAAOjd,KA5Ef,GAAI2c,EAmFJb,GAAQhU,QAAUA,EAClBgU,EAAQgB,YAAcA,EACtBhB,EAAQmB,OAASA,GnB46DXI,EACA,SAAUziB,EAAQC,EAAqBC,GAE7C,YoBv+DA,SAASwiB,KACP,GAAIjM,GAAOjV,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,OAE5DG,MAAMihB,QAAQnM,GAAQA,GAAQA,IAEpCoM,QAAQ,SAAUrU,GACpBA,GAAcA,EAAWc,SAC3BwT,EAAAjgB,EAAkBkgB,gBAAgBvU,GAClCwU,EAAAngB,EAAmBkgB,gBAAgBvU,MAKzC,QAASyU,GAAc3T,GAGrB,IAFA,GAAI4T,IAAe5T,GAAU,IAAI6T,MAAM,KAEhCD,EAAYzhB,OAAS,GAAG,CAC7B,GAAI2hB,EAAuBF,EAAYG,KAAK,MAC1C,OAAO,CAGTH,GAAYI,MAGd,OAAO,EAGT,QAASF,GAAuB9T,GAC9B,GAAIiU,GAAmBjU,GAAUA,EAAOkU,aAExC,UAAUV,EAAAjgB,EAAkB4gB,eAAeF,KAAqBP,EAAAngB,EAAmB4gB,eAAeF,IA2QpG,QAASG,GAAOC,GACd,OAAQ,GAAKA,GAAK3Z,QAAQ4Z,GAAoB,SAAUzJ,GACtD,MAAO0J,IAAc1J,KAIzB,QAAS2J,GAAY7hB,EAAO8hB,GAC1B,GAAIC,GAAcxiB,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,KAEjF,OAAOuiB,GAAUE,OAAO,SAAUC,EAAUlD,GAO1C,MANI/e,GAAMkiB,eAAenD,GACvBkD,EAASlD,GAAQ/e,EAAM+e,GACdgD,EAAYG,eAAenD,KACpCkD,EAASlD,GAAQgD,EAAYhD,IAGxBkD,OAIX,QAASE,KACP,GAAI5N,GAAOhV,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACtEoF,EAAO4P,EAAK5P,IAEhByd,KAAUzd,EAAM,gHAGlB,QAAS0d,GAAcC,EAAMC,GAC3B,GAAID,IAASC,EACX,OAAO,CAGT,IAAoE,gBAA/C,KAATD,EAAuB,YAAcE,EAAQF,KAAgC,OAATA,GAAiF,gBAA/C,KAATC,EAAuB,YAAcC,EAAQD,KAAgC,OAATA,EAC3K,OAAO,CAGT,IAAIE,GAAQ1f,OAAO2f,KAAKJ,GACpBK,EAAQ5f,OAAO2f,KAAKH,EAExB,IAAIE,EAAMjjB,SAAWmjB,EAAMnjB,OACzB,OAAO,CAKT,KAAK,GADDojB,GAAkB7f,OAAO7C,UAAUgiB,eAAeW,KAAKN,GAClDO,EAAI,EAAGA,EAAIL,EAAMjjB,OAAQsjB,IAChC,IAAKF,EAAgBH,EAAMK,KAAOR,EAAKG,EAAMK,MAAQP,EAAKE,EAAMK,IAC9D,OAAO,CAIX,QAAO,EAGT,QAASC,GAA0BC,EAAOtF,EAAWuF,GACnD,GAAIjjB,GAAQgjB,EAAMhjB,MACd4P,EAAQoT,EAAMpT,MACdsT,EAAgBF,EAAMva,QACtBA,MAA4BiY,KAAlBwC,KAAmCA,EAC7CC,EAAc5jB,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MAC7E6jB,EAAgB3a,EAAQ9D,KACxBA,MAAyB+b,KAAlB0C,KAAmCA,EAC1CC,EAAoBF,EAAYxe,KAChC2e,MAAiC5C,KAAtB2C,KAAuCA,CAGtD,QAAQhB,EAAc3E,EAAW1d,KAAWqiB,EAAcY,EAAWrT,MAAY0T,IAAa3e,GAAQ0d,EAAcR,EAAYyB,EAAUC,IAAsB1B,EAAYld,EAAM4e,MAYpL,QAASC,GAAeC,GACtB,MAAOA,GAAaC,aAAeD,EAAa1E,MAAQ,YAG1D,QAAS4E,GAAWC,GAClB,GAAItE,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACzEskB,EAAwBvE,EAAQwE,aAChCA,MAAyCpD,KAA1BmD,EAAsC,OAASA,EAC9DE,EAAmBzE,EAAQrF,QAC3BA,MAA+ByG,KAArBqD,GAAyCA,EAEnDC,EAAa,SAAUC,GAGzB,QAASD,GAAWhkB,EAAOyI,GACzByb,EAAe7kB,KAAM2kB,EAErB,IAAI7kB,GAAQglB,EAA0B9kB,MAAO2kB,EAAWI,WAAarhB,OAAOshB,eAAeL,IAAapkB,KAAKP,KAAMW,EAAOyI,GAG1H,OADA0Z,GAAqB1Z,GACdtJ,EAkBT,MA1BAmlB,GAASN,EAAYC,GAWrBM,EAAYP,IACVjf,IAAK,qBACLsE,MAAO,WAGL,MAFA+Y,KAAUnI,EAAS,sHAEZ5a,KAAKmlB,KAAKC,mBAGnB1f,IAAK,SACLsE,MAAO,WACL,MAAOvK,GAAA8B,EAAMgE,cAAcgf,EAAkBc,KAAarlB,KAAKW,MAAOoJ,KAAmB0a,EAAczkB,KAAKoJ,QAAQ9D,OAClH1B,IAAKgX,EAAU,kBAAoB,YAIlC+J,GACPnlB,EAAA,UASF,OAPAmlB,GAAWN,YAAc,cAAgBF,EAAeI,GAAoB,IAC5EI,EAAWpb,cACTjE,KAAMggB,IAERX,EAAWJ,iBAAmBA,EAGvBI,EAST,QAASY,GAAeC,GAGtB,MAAOA,GAWT,QAASC,GAAcC,GAErB,MAAOlE,GAAAjgB,EAAkBV,UAAU8kB,eAAeD,GAGpD,QAASE,GAAmB5X,GAE1B,MAAOwT,GAAAjgB,EAAkBV,UAAUglB,wBAAwB7X,GAkC7D,QAAS8X,GAA+BC,GACtC,GAAIC,GAAatE,EAAAngB,EAAmBykB,UACpCA,GAAWC,OAASF,EAAcE,OAClCD,EAAWE,OAASH,EAAcG,OAClCF,EAAWG,KAAOJ,EAAcI,KAChCH,EAAWI,IAAML,EAAcK,IAC/BJ,EAAWK,MAAQN,EAAcM,MAGnC,QAASC,GAAeC,EAAStlB,EAAMye,GACrC,GAAI8G,GAASD,GAAWA,EAAQtlB,IAASslB,EAAQtlB,GAAMye,EACvD,IAAI8G,EACF,MAAOA,GAQX,QAASC,GAAWC,EAAQnW,EAAOvG,GACjC,GAAIiW,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACzE8N,EAAS0Y,EAAO1Y,OAChBuY,EAAUG,EAAOH,QACjBC,EAASvG,EAAQuG,OAGjBG,EAAO,GAAIC,MAAK5c,GAChB0Y,EAAc8D,GAAUF,EAAeC,EAAS,OAAQC,GACxDK,EAAkBrE,EAAYvC,EAAS6G,GAA0BpE,EAErE,KACE,MAAOnS,GAAMwW,kBAAkB/Y,EAAQ6Y,GAAiBL,OAAOG,GAC/D,MAAO7iB,IAMT,MAAOkjB,QAAOL,GAGhB,QAASM,GAAWP,EAAQnW,EAAOvG,GACjC,GAAIiW,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACzE8N,EAAS0Y,EAAO1Y,OAChBuY,EAAUG,EAAOH,QACjBC,EAASvG,EAAQuG,OAGjBG,EAAO,GAAIC,MAAK5c,GAChB0Y,EAAc8D,GAAUF,EAAeC,EAAS,OAAQC,GACxDK,EAAkBrE,EAAYvC,EAAS6G,GAA0BpE,EAEhEmE,GAAgBV,MAASU,EAAgBX,QAAWW,EAAgBZ,SAEvEY,EAAkBxB,KAAawB,GAAmBV,KAAM,UAAWD,OAAQ,YAG7E,KACE,MAAO3V,GAAMwW,kBAAkB/Y,EAAQ6Y,GAAiBL,OAAOG,GAC/D,MAAO7iB,IAMT,MAAOkjB,QAAOL,GAGhB,QAASO,GAAeR,EAAQnW,EAAOvG,GACrC,GAAIiW,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACzE8N,EAAS0Y,EAAO1Y,OAChBuY,EAAUG,EAAOH,QACjBC,EAASvG,EAAQuG,OAGjBG,EAAO,GAAIC,MAAK5c,GAChBmd,EAAM,GAAIP,MAAK3G,EAAQkH,KACvBzE,EAAc8D,GAAUF,EAAeC,EAAS,WAAYC,GAC5DK,EAAkBrE,EAAYvC,EAASmH,GAAyB1E,GAIhE2E,EAAgBhC,KAAa3D,EAAAngB,EAAmBykB,WACpDF,GAA+BwB,GAE/B,KACE,MAAO/W,GAAMgX,kBAAkBvZ,EAAQ6Y,GAAiBL,OAAOG,GAC7DQ,IAAKK,SAASL,GAAOA,EAAM5W,EAAM4W,QAEnC,MAAOrjB,IAJT,QASEgiB,EAA+BuB,GAGjC,MAAOL,QAAOL,GAGhB,QAASc,GAAaf,EAAQnW,EAAOvG,GACnC,GAAIiW,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACzE8N,EAAS0Y,EAAO1Y,OAChBuY,EAAUG,EAAOH,QACjBC,EAASvG,EAAQuG,OAGjB9D,EAAc8D,GAAUF,EAAeC,EAAS,SAAUC,GAC1DK,EAAkBrE,EAAYvC,EAASyH,GAAuBhF,EAElE,KACE,MAAOnS,GAAMoX,gBAAgB3Z,EAAQ6Y,GAAiBL,OAAOxc,GAC7D,MAAOlG,IAMT,MAAOkjB,QAAOhd,GAGhB,QAAS4d,GAAalB,EAAQnW,EAAOvG,GACnC,GAAIiW,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACzE8N,EAAS0Y,EAAO1Y,OAGhB6Y,EAAkBrE,EAAYvC,EAAS4H,GAE3C,KACE,MAAOtX,GAAMuX,gBAAgB9Z,EAAQ6Y,GAAiBL,OAAOxc,GAC7D,MAAOlG,IAMT,MAAO,QAGT,QAASuB,GAAcqhB,EAAQnW,GAC7B,GAAIwX,GAAoB7nB,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACnF8nB,EAAS9nB,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,MACxE8N,EAAS0Y,EAAO1Y,OAChBuY,EAAUG,EAAOH,QACjBrf,EAAWwf,EAAOxf,SAClB+gB,EAAgBvB,EAAOuB,cACvBC,EAAiBxB,EAAOwB,eACxB5mB,EAAKymB,EAAkBzmB,GACvB+B,EAAiB0kB,EAAkB1kB,cAIvC0f,KAAUzhB,EAAI,6DAEd,IAAI6mB,GAAUjhB,GAAYA,EAAS5F,EAKnC,MAJgBoC,OAAO2f,KAAK2E,GAAQ7nB,OAAS,GAK3C,MAAOgoB,IAAW9kB,GAAkB/B,CAGtC,IAAI8mB,OAAmB,EAEvB,IAAID,EACF,IAGEC,EAFgB7X,EAAM8X,iBAAiBF,EAASna,EAAQuY,GAE3BC,OAAOwB,GACpC,MAAOlkB,IAgBX,IAAKskB,GAAoB/kB,EACvB,IAGE+kB,EAFiB7X,EAAM8X,iBAAiBhlB,EAAgB4kB,EAAeC,GAEzC1B,OAAOwB,GACrC,MAAOlkB,IAaX,MAAOskB,IAAoBD,GAAW9kB,GAAkB/B,EAG1D,QAASgnB,GAAkB5B,EAAQnW,EAAOwX,GACxC,GAAIQ,GAAYroB,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,KAW/E,OAAOmF,GAAcqhB,EAAQnW,EAAOwX,EANhBrkB,OAAO2f,KAAKkF,GAAW5F,OAAO,SAAU6F,EAAS9I,GACnE,GAAI1V,GAAQue,EAAU7I,EAEtB,OADA8I,GAAQ9I,GAAyB,gBAAV1V,GAAqBoY,EAAOpY,GAASA,EACrDwe,QAmVX,QAASC,GAAYC,GACnB,GAAIC,GAAWC,KAAKC,IAAIH,EAExB,OAAIC,GAAWG,GACN,SAGLH,EAAWI,GACN,SAGLJ,EAAWK,GACN,OAKF,MAGT,QAASC,GAAaC,GACpB,OAAQA,GACN,IAAK,SACH,MAAOC,GACT,KAAK,SACH,MAAOL,GACT,KAAK,OACH,MAAOC,GACT,KAAK,MACH,MAAOC,GACT,SACE,MAAOI,KAIb,QAASC,GAAW9nB,EAAG+nB,GACrB,GAAI/nB,IAAM+nB,EACR,OAAO,CAGT,IAAIC,GAAQ,GAAI3C,MAAKrlB,GAAGioB,UACpBC,EAAQ,GAAI7C,MAAK0C,GAAGE,SAExB,OAAOhC,UAAS+B,IAAU/B,SAASiC,IAAUF,IAAUE,EpB06B1B7qB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOyiB,KAEpExiB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO2lB,KACpE1lB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO4mB,KACpE3mB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAO+qB,MACpE9qB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOgrB,MAGpE/qB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOirB,MAEpEhrB,EAAoBC,EAAEF,EAAqB,IAAK,WAAa,MAAOkrB,KAE9E,IAAIC,GAAsDlrB,EAAoB,KAC1EmrB,EAA8DnrB,EAAoBK,EAAE6qB,GACpFE,EAAmDprB,EAAoB,IACvE4iB,EAA2D5iB,EAAoBK,EAAE+qB,GACjFC,EAAoDrrB,EAAoB,IACxE8iB,EAA4D9iB,EAAoBK,EAAEgrB,GAClFC,EAA2CtrB,EAAoB,GAC/DurB,EAAmDvrB,EAAoBK,EAAEirB,GACzE1qB,EAAsCZ,EAAoB,GAC1Da,EAA8Cb,EAAoBK,EAAEO,GACpE4qB,EAA0CxrB,EAAoB,IAC9DmkB,EAAkDnkB,EAAoBK,EAAEmrB,GoB5hEjGC,EAAAzrB,EAAA,KAAA0rB,EAAA1rB,EAAAK,EAAAorB,GAeIE,GAAsBvc,OAAU,KAAMwc,mBAAsB,SAA4BvrB,EAAGwrB,GAC3F,GAAIC,GAAI1D,OAAO/nB,GAAG4iB,MAAM,KACpB8I,GAAMD,EAAE,GACRE,EAAKC,OAAOH,EAAE,KAAOzrB,EACrB6rB,EAAMF,GAAMF,EAAE,GAAGK,OAAO,GACxBC,EAAOJ,GAAMF,EAAE,GAAGK,OAAO,EAAG,OAAIN,GAAmB,GAAPK,GAAoB,IAARE,EAAa,MAAe,GAAPF,GAAoB,IAARE,EAAa,MAAe,GAAPF,GAAoB,IAARE,EAAa,MAAQ,QAAoB,GAAL/rB,GAAU0rB,EAAK,MAAQ,SACxLM,QAAYC,MAAU7G,YAAe,OAAQ8G,UAAcC,EAAK,YAAaC,EAAK,YAAaC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,cAAevM,MAAS,gBAAkBwM,MAAUD,IAAO,eAAgBvM,MAAS,mBAAuBmH,OAAWhC,YAAe,QAAS8G,UAAcC,EAAK,aAAcC,EAAK,aAAcC,KAAM,cAAgBC,cAAkBC,QAAYC,IAAO,eAAgBvM,MAAS,iBAAmBwM,MAAUD,IAAO,gBAAiBvM,MAAS,oBAAwBkH,KAAS/B,YAAe,MAAO8G,UAAcC,EAAK,QAASC,EAAK,WAAYC,KAAM,aAAeC,cAAkBC,QAAYC,IAAO,aAAcvM,MAAS,eAAiBwM,MAAUD,IAAO,cAAevM,MAAS,kBAAsBiH,MAAU9B,YAAe,OAAQ8G,UAAcC,EAAK,aAAeG,cAAkBC,QAAYC,IAAO,cAAevM,MAAS,gBAAkBwM,MAAUD,IAAO,eAAgBvM,MAAS,mBAAuBgH,QAAY7B,YAAe,SAAU8G,UAAcC,EAAK,eAAiBG,cAAkBC,QAAYC,IAAO,gBAAiBvM,MAAS,kBAAoBwM,MAAUD,IAAO,iBAAkBvM,MAAS,qBAAyB+G,QAAY5B,YAAe,SAAU8G,UAAcC,EAAK,OAASG,cAAkBC,QAAYC,IAAO,gBAAiBvM,MAAS,kBAAoBwM,MAAUD,IAAO,iBAAkBvM,MAAS,uBAyCv2CiE,EAA4B,kBAAXwI,SAAoD,gBAApBA,QAAOC,SAAwB,SAAUC,GAC5F,aAAcA,IACZ,SAAUA,GACZ,MAAOA,IAAyB,kBAAXF,SAAyBE,EAAIC,cAAgBH,QAAUE,IAAQF,OAAO9qB,UAAY,eAAkBgrB,IAavHhH,EAAiB,SAAUkH,EAAUC,GACvC,KAAMD,YAAoBC,IACxB,KAAM,IAAIC,WAAU,sCAIpB/G,EAAc,WAChB,QAASgH,GAAiBxnB,EAAQ/D,GAChC,IAAK,GAAI8iB,GAAI,EAAGA,EAAI9iB,EAAMR,OAAQsjB,IAAK,CACrC,GAAI0I,GAAaxrB,EAAM8iB,EACvB0I,GAAWC,WAAaD,EAAWC,aAAc,EACjDD,EAAWE,cAAe,EACtB,SAAWF,KAAYA,EAAWG,UAAW,GACjD5oB,OAAOqG,eAAerF,EAAQynB,EAAWzmB,IAAKymB,IAIlD,MAAO,UAAUH,EAAaO,EAAYC,GAGxC,MAFID,IAAYL,EAAiBF,EAAYnrB,UAAW0rB,GACpDC,GAAaN,EAAiBF,EAAaQ,GACxCR,MAQPjiB,EAAiB,SAAU8hB,EAAKnmB,EAAKsE,GAYvC,MAXItE,KAAOmmB,GACTnoB,OAAOqG,eAAe8hB,EAAKnmB,GACzBsE,MAAOA,EACPoiB,YAAY,EACZC,cAAc,EACdC,UAAU,IAGZT,EAAInmB,GAAOsE,EAGN6hB,GAGLxG,EAAW3hB,OAAO+oB,QAAU,SAAU/nB,GACxC,IAAK,GAAI+e,GAAI,EAAGA,EAAIvjB,UAAUC,OAAQsjB,IAAK,CACzC,GAAIiJ,GAASxsB,UAAUujB,EAEvB,KAAK,GAAI/d,KAAOgnB,GACVhpB,OAAO7C,UAAUgiB,eAAetiB,KAAKmsB,EAAQhnB,KAC/ChB,EAAOgB,GAAOgnB,EAAOhnB,IAK3B,MAAOhB,IAKLugB,EAAW,SAAU0H,EAAUC,GACjC,GAA0B,kBAAfA,IAA4C,OAAfA,EACtC,KAAM,IAAIX,WAAU,iEAAoEW,GAG1FD,GAAS9rB,UAAY6C,OAAOmpB,OAAOD,GAAcA,EAAW/rB,WAC1DirB,aACE9hB,MAAO2iB,EACPP,YAAY,EACZE,UAAU,EACVD,cAAc,KAGdO,IAAYlpB,OAAOopB,eAAiBppB,OAAOopB,eAAeH,EAAUC,GAAcD,EAAS5H,UAAY6H,IAWzGG,EAA0B,SAAUlB,EAAKxI,GAC3C,GAAI3e,KAEJ,KAAK,GAAI+e,KAAKoI,GACRxI,EAAKze,QAAQ6e,IAAM,GAClB/f,OAAO7C,UAAUgiB,eAAetiB,KAAKsrB,EAAKpI,KAC/C/e,EAAO+e,GAAKoI,EAAIpI,GAGlB,OAAO/e,IAGLogB,EAA4B,SAAUkI,EAAMzsB,GAC9C,IAAKysB,EACH,KAAM,IAAIC,gBAAe,4DAG3B,QAAO1sB,GAAyB,gBAATA,IAAqC,kBAATA,GAA8BysB,EAAPzsB,GAqBxE2sB,EAAoB,SAAUC,GAChC,GAAI9sB,MAAMihB,QAAQ6L,GAAM,CACtB,IAAK,GAAI1J,GAAI,EAAG2J,EAAO/sB,MAAM8sB,EAAIhtB,QAASsjB,EAAI0J,EAAIhtB,OAAQsjB,IAAK2J,EAAK3J,GAAK0J,EAAI1J,EAE7E,OAAO2J,GAEP,MAAO/sB,OAAM8S,KAAKga,IAUlB9N,EAAO8K,EAAA5oB,EAAU8d,KACjBgO,EAASlD,EAAA5oB,EAAU8rB,OACnB3mB,GAASyjB,EAAA5oB,EAAUmF,OACnB4mB,GAAOnD,EAAA5oB,EAAU+rB,KACjB9jB,GAAS2gB,EAAA5oB,EAAUiI,OACnB+jB,GAAQpD,EAAA5oB,EAAUgsB,MAClBC,GAAQrD,EAAA5oB,EAAUisB,MAClBC,GAAMtD,EAAA5oB,EAAUksB,IAChBhnB,GAAY0jB,EAAA5oB,EAAUkF,UAEtBinB,GAAgBH,IAAO,WAAY,WACnCI,GAAkBJ,IAAO,SAAU,QAAS,SAC5CK,GAAgBL,IAAO,UAAW,YAClCM,GAAUP,GAAKjW,WAEfyW,IACF9f,OAAQtH,GACR6f,QAAS/c,GACTtC,SAAUsC,GACVukB,cAAeN,GAEfxF,cAAevhB,GACfwhB,eAAgB1e,IAGdwkB,IACFvH,WAAYoH,GACZ5G,WAAY4G,GACZ3G,eAAgB2G,GAChBpG,aAAcoG,GACdjG,aAAciG,GACdxoB,cAAewoB,GACfvF,kBAAmBuF,IAGjBvI,GAAYkI,GAAMnI,KAAayI,GAAqBE,IACtDC,WAAYzkB,GACZ2d,IAAK0G,MASHK,IALExnB,GAAO2Q,WACE5Q,IAAWC,GAAQ8C,MAKhCkkB,cAAeA,GACfS,cAAeZ,IAAO,QAAS,aAE/Ba,SAAU1nB,GACV2nB,OAAQhP,EAERiP,QAASX,GACTY,IAAKZ,GACLzC,KAAM0C,GACNvH,MAAOkH,IAAO,UAAW,UAAW,SAAU,QAAS,SACvDnH,IAAKwH,GACLzH,KAAMyH,GACN1H,OAAQ0H,GACR3H,OAAQ2H,GACRY,aAAcjB,IAAO,QAAS,WAG5BkB,IACFf,cAAeA,GAEfnqB,MAAOgqB,IAAO,UAAW,WAAY,YACrCmB,SAAUhoB,GACVioB,gBAAiBpB,IAAO,SAAU,OAAQ,SAC1CqB,YAAavP,EAEbwP,qBAAsBxB,EACtByB,sBAAuBzB,EACvB0B,sBAAuB1B,EACvB2B,yBAA0B3B,EAC1B4B,yBAA0B5B,GAGxB6B,IACF3rB,MAAOgqB,IAAO,WAAY,YAC1BrE,MAAOqE,IAAO,SAAU,SAAU,OAAQ,MAAO,QAAS,UAGxD4B,IACF5rB,MAAOgqB,IAAO,WAAY,aAcxBrJ,GAAsBxgB,OAAO2f,KAAKyK,IAElCvL,IACF6M,IAAK,QACLC,IAAK,OACLC,IAAK,OACLC,IAAK,SACLC,IAAK,UAGHlN,GAAqB,WAiKrBmN,GAAmB,QAASA,GAAiB/J,GAC/C,GAAIzF,GAAU/f,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,KAC7E2kB,GAAe7kB,KAAMyvB,EAErB,IAAIC,GAA+B,YAAlBzP,EAAQ1c,MACrBosB,EAAW/J,EAAmBH,EAAcC,GAEhD1lB,MAAKwmB,OAAS,SAAUxc,GACtB,MAAO2lB,GAAS3lB,EAAO0lB,KAUvB5I,GAA2BpjB,OAAO2f,KAAK6K,IACvCxG,GAAwBhkB,OAAO2f,KAAKoL,IACpCrH,GAA0B1jB,OAAO2f,KAAK6L,IACtCrH,GAAwBnkB,OAAO2f,KAAK8L,IAEpC7H,IACFrB,OAAQ,GACRC,OAAQ,GACRC,KAAM,GACNC,IAAK,GACLC,MAAO,IAoOLG,GAAS9iB,OAAOksB,QACnBnJ,WAAYA,EACZQ,WAAYA,EACZC,eAAgBA,EAChBO,aAAcA,EACdG,aAAcA,EACdviB,cAAeA,EACfijB,kBAAmBA,IAShBuH,GAAwBnsB,OAAO2f,KAAKyK,IACpCgC,GAAsBpsB,OAAO2f,KAAK2K,IAIlCrnB,IACF4f,WACArf,YACA6mB,cAAe,OAEf9F,cAAe,KACfC,mBAGEwB,GAAe,SAAU9E,GAG3B,QAAS8E,GAAa/oB,GACpB,GAAIyI,GAAUlJ,UAAUC,OAAS,OAAsBkhB,KAAjBnhB,UAAU,GAAmBA,UAAU,KAC7E2kB,GAAe7kB,KAAM0pB,EAErB,IAAI5pB,GAAQglB,EAA0B9kB,MAAO0pB,EAAa3E,WAAarhB,OAAOshB,eAAe0E,IAAenpB,KAAKP,KAAMW,EAAOyI,GAE9H2Z,KAA0B,mBAATgN,MAAsB,8LAEvC,IAAIC,GAAc5mB,EAAQ9D,KAKtB2qB,MAAa,EAEfA,GADEzI,SAAS7mB,EAAMsvB,YACJpF,OAAOlqB,EAAMsvB,YAKbD,EAAcA,EAAY7I,MAAQP,KAAKO,KAQtD,IAAIjS,GAAO8a,MACPE,EAAkBhb,EAAK+Y,WACvBA,MAAiC5M,KAApB6O,GACfnJ,kBAAmBuD,IAAuByF,KAAKI,gBAC/CxI,gBAAiB2C,IAAuByF,KAAKK,cAC7C/H,iBAAkBiC,IAAuB9I,EAAAjgB,GACzCgmB,kBAAmB+C,IAAuB5I,EAAAngB,GAC1CumB,gBAAiBwC,IAAuBmF,KACtCS,CASJ,OAPApwB,GAAMyQ,MAAQ8U,KAAa4I,GAGzB9G,IAAK,WACH,MAAOrnB,GAAMuwB,YAAczJ,KAAKO,MAAQ8I,KAGrCnwB,EA+FT,MA9IAmlB,GAASyE,EAAc9E,GAkDvBM,EAAYwE,IACVhkB,IAAK,YACLsE,MAAO,WACL,GAAIgmB,GAAchwB,KAAKoJ,QAAQ9D,KAK3BohB,EAASlE,EAAYxiB,KAAKW,MAAOkvB,GAAuBG,EAK5D,KAAK,GAAIM,KAAY3pB,QACM0a,KAArBqF,EAAO4J,KACT5J,EAAO4J,GAAY3pB,GAAa2pB,GAIpC,KAAK3O,EAAc+E,EAAO1Y,QAAS,CACjC,GAAIuiB,GAAU7J,EAEVuB,GADSsI,EAAQviB,OACDuiB,EAAQtI,eACxBC,EAAiBqI,EAAQrI,cAY7BxB,GAASrB,KAAaqB,GACpB1Y,OAAQia,EACR1B,QAAS2B,EACThhB,SAAUP,GAAaO,WAI3B,MAAOwf,MAGThhB,IAAK,oBACLsE,MAAO,SAA2B0c,EAAQnW,GACxC,MAAOuf,IAAoBnN,OAAO,SAAU6N,EAAgB9Q,GAE1D,MADA8Q,GAAe9Q,GAAQ8G,GAAO9G,GAAM8D,KAAK,KAAMkD,EAAQnW,GAChDigB,UAIX9qB,IAAK,kBACLsE,MAAO,WACL,GAAI0c,GAAS1mB,KAAKywB,YAGdD,EAAiBxwB,KAAK0wB,kBAAkBhK,EAAQ1mB,KAAKuQ,OAErDogB,EAAS3wB,KAAKuQ,MACd4W,EAAMwJ,EAAOxJ,IACb8G,EAAalB,EAAwB4D,GAAS,OAGlD,QACErrB,KAAM+f,KAAaqB,EAAQ8J,GACzBvC,WAAYA,EACZ9G,IAAKA,QAKXzhB,IAAK,wBACLsE,MAAO,WACL,IAAK,GAAI/J,GAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EswB,EAAKtwB,GAAQJ,UAAUI,EAGzB,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,MAAMS,OAAOmwB,OAGlElrB,IAAK,oBACLsE,MAAO,WACLhK,KAAKqwB,aAAc,KAGrB3qB,IAAK,SACLsE,MAAO,WACL,MAAOxK,GAAA,SAASqxB,KAAK7wB,KAAKW,MAAM0H,cAG7BqhB,GACPlqB,EAAA,UAEFkqB,IAAarF,YAAc,eAC3BqF,GAAangB,cACXjE,KAAMggB,IAERoE,GAAaoH,mBACXxrB,KAAMggB,GAAUjO,WAalB,IAAIsS,IAAgB,SAAU/E,GAG5B,QAAS+E,GAAchpB,EAAOyI,GAC5Byb,EAAe7kB,KAAM2pB,EAErB,IAAI7pB,GAAQglB,EAA0B9kB,MAAO2pB,EAAc5E,WAAarhB,OAAOshB,eAAe2E,IAAgBppB,KAAKP,KAAMW,EAAOyI,GAGhI,OADA0Z,GAAqB1Z,GACdtJ,EAoCT,MA5CAmlB,GAAS0E,EAAe/E,GAWxBM,EAAYyE,IACVjkB,IAAK,wBACLsE,MAAO,WACL,IAAK,GAAI/J,GAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EswB,EAAKtwB,GAAQJ,UAAUI,EAGzB,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,MAAMS,OAAOmwB,OAGlElrB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7BmhB,EAAa1C,EAAc0C,WAC3BsK,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdqJ,EAAQjJ,EAAOiJ,MACf3B,EAAWtH,EAAOsH,SAGlB2oB,EAAgBvK,EAAWzc,EAAOhK,KAAKW,MAE3C,OAAwB,kBAAb0H,GACFA,EAAS2oB,GAGXvxB,EAAA8B,EAAMgE,cACXwrB,EACA,KACAC,OAICrH,GACPnqB,EAAA,UAEFmqB,IAActF,YAAc,gBAC5BsF,GAAcpgB,cACZjE,KAAMggB,GAcR,IAAI2L,IAAgB,SAAUrM,GAG5B,QAASqM,GAActwB,EAAOyI,GAC5Byb,EAAe7kB,KAAMixB,EAErB,IAAInxB,GAAQglB,EAA0B9kB,MAAOixB,EAAclM,WAAarhB,OAAOshB,eAAeiM,IAAgB1wB,KAAKP,KAAMW,EAAOyI,GAGhI,OADA0Z,GAAqB1Z,GACdtJ,EAoCT,MA5CAmlB,GAASgM,EAAerM,GAWxBM,EAAY+L,IACVvrB,IAAK,wBACLsE,MAAO,WACL,IAAK,GAAI/J,GAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EswB,EAAKtwB,GAAQJ,UAAUI,EAGzB,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,MAAMS,OAAOmwB,OAGlElrB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7B2hB,EAAalD,EAAckD,WAC3B8J,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdqJ,EAAQjJ,EAAOiJ,MACf3B,EAAWtH,EAAOsH,SAGlB6oB,EAAgBjK,EAAWjd,EAAOhK,KAAKW,MAE3C,OAAwB,kBAAb0H,GACFA,EAAS6oB,GAGXzxB,EAAA8B,EAAMgE,cACXwrB,EACA,KACAG,OAICD,GACPzxB,EAAA,UAEFyxB,IAAc5M,YAAc,gBAC5B4M,GAAc1nB,cACZjE,KAAMggB,GAcR,IAAI6D,IAAS,IACTL,GAAS,IACTC,GAAO,KACPC,GAAM,MAINI,GAAkB,WAgDlB+H,GAAoB,SAAUvM,GAGhC,QAASuM,GAAkBxwB,EAAOyI,GAChCyb,EAAe7kB,KAAMmxB,EAErB,IAAIrxB,GAAQglB,EAA0B9kB,MAAOmxB,EAAkBpM,WAAarhB,OAAOshB,eAAemM,IAAoB5wB,KAAKP,KAAMW,EAAOyI,GAExI0Z,GAAqB1Z,EAErB,IAAI+d,GAAMK,SAAS7mB,EAAMsvB,YAAcpF,OAAOlqB,EAAMsvB,YAAc7mB,EAAQ9D,KAAK6hB,KAK/E,OADArnB,GAAMyQ,OAAU4W,IAAKA,GACdrnB,EAiGT,MA/GAmlB,GAASkM,EAAmBvM,GAiB5BM,EAAYiM,IACVzrB,IAAK,qBACLsE,MAAO,SAA4BrJ,EAAO4P,GACxC,GAAInL,GAASpF,IAGboxB,cAAapxB,KAAKqxB,OAElB,IAAIrnB,GAAQrJ,EAAMqJ,MACdkf,EAAQvoB,EAAMuoB,MACdoI,EAAiB3wB,EAAM2wB,eAEvBC,EAAO,GAAI3K,MAAK5c,GAAOwf,SAK3B,IAAK8H,GAAmB9J,SAAS+J,GAAjC,CAIA,GAAI7I,GAAQ6I,EAAOhhB,EAAM4W,IACrBqK,EAAYvI,EAAaC,GAAST,EAAYC,IAC9C+I,EAAgB7I,KAAKC,IAAIH,EAAQ8I,GAMjC1S,EAAQ4J,EAAQ,EAAIE,KAAK8I,IAAIJ,EAAgBE,EAAYC,GAAiB7I,KAAK8I,IAAIJ,EAAgBG,EAEvGzxB,MAAKqxB,OAAS7jB,WAAW,WACvBpI,EAAOqN,UAAW0U,IAAK/hB,EAAOgE,QAAQ9D,KAAK6hB,SAC1CrI,OAGLpZ,IAAK,oBACLsE,MAAO,WACLhK,KAAK2xB,mBAAmB3xB,KAAKW,MAAOX,KAAKuQ,UAG3C7K,IAAK,4BACLsE,MAAO,SAAmCkL,GAKnCmU,EAJWnU,EAAKlL,MAIMhK,KAAKW,MAAMqJ,QACpChK,KAAKyS,UAAW0U,IAAKnnB,KAAKoJ,QAAQ9D,KAAK6hB,WAI3CzhB,IAAK,wBACLsE,MAAO,WACL,IAAK,GAAI/J,GAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EswB,EAAKtwB,GAAQJ,UAAUI,EAGzB,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,MAAMS,OAAOmwB,OAGlElrB,IAAK,sBACLsE,MAAO,SAA6BqU,EAAWuF,GAC7C5jB,KAAK2xB,mBAAmBtT,EAAWuF,MAGrCle,IAAK,uBACLsE,MAAO,WACLonB,aAAapxB,KAAKqxB,WAGpB3rB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7B4hB,EAAiBnD,EAAcmD,eAC/B6J,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdqJ,EAAQjJ,EAAOiJ,MACf3B,EAAWtH,EAAOsH,SAGlBupB,EAAoB1K,EAAeld,EAAOqb,KAAarlB,KAAKW,MAAOX,KAAKuQ,OAE5E,OAAwB,kBAAblI,GACFA,EAASupB,GAGXnyB,EAAA8B,EAAMgE,cACXwrB,EACA,KACAa,OAICT,GACP3xB,EAAA,UAEF2xB,IAAkB9M,YAAc,oBAChC8M,GAAkB5nB,cAChBjE,KAAMggB,IAER6L,GAAkBxqB,cAChB2qB,eAAgB,IAgBlB,IAAI1H,IAAkB,SAAUhF,GAG9B,QAASgF,GAAgBjpB,EAAOyI,GAC9Byb,EAAe7kB,KAAM4pB,EAErB,IAAI9pB,GAAQglB,EAA0B9kB,MAAO4pB,EAAgB7E,WAAarhB,OAAOshB,eAAe4E,IAAkBrpB,KAAKP,KAAMW,EAAOyI,GAGpI,OADA0Z,GAAqB1Z,GACdtJ,EAoCT,MA5CAmlB,GAAS2E,EAAiBhF,GAW1BM,EAAY0E,IACVlkB,IAAK,wBACLsE,MAAO,WACL,IAAK,GAAI/J,GAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EswB,EAAKtwB,GAAQJ,UAAUI,EAGzB,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,MAAMS,OAAOmwB,OAGlElrB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7BmiB,EAAe1D,EAAc0D,aAC7BsJ,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdqJ,EAAQjJ,EAAOiJ,MACf3B,EAAWtH,EAAOsH,SAGlBwpB,EAAkBpK,EAAazd,EAAOhK,KAAKW,MAE/C,OAAwB,kBAAb0H,GACFA,EAASwpB,GAGXpyB,EAAA8B,EAAMgE,cACXwrB,EACA,KACAc,OAICjI,GACPpqB,EAAA,UAEFoqB,IAAgBvF,YAAc,kBAC9BuF,GAAgBrgB,cACdjE,KAAMggB,GAcR,IAAIwM,IAAkB,SAAUlN,GAG9B,QAASkN,GAAgBnxB,EAAOyI,GAC9Byb,EAAe7kB,KAAM8xB,EAErB,IAAIhyB,GAAQglB,EAA0B9kB,MAAO8xB,EAAgB/M,WAAarhB,OAAOshB,eAAe8M,IAAkBvxB,KAAKP,KAAMW,EAAOyI,GAGpI,OADA0Z,GAAqB1Z,GACdtJ,EAsCT,MA9CAmlB,GAAS6M,EAAiBlN,GAW1BM,EAAY4M,IACVpsB,IAAK,wBACLsE,MAAO,WACL,IAAK,GAAI/J,GAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,GAAOK,EAAO,EAAGA,EAAOL,EAAMK,IAC3EswB,EAAKtwB,GAAQJ,UAAUI,EAGzB,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,MAAMS,OAAOmwB,OAGlElrB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7BsiB,EAAe7D,EAAc6D,aAC7BmJ,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdqJ,EAAQjJ,EAAOiJ,MACfkV,EAAQne,EAAOme,MACf7W,EAAWtH,EAAOsH,SAGlB0pB,EAAiBnK,EAAa5d,EAAOhK,KAAKW,OAC1CqxB,EAAkBhyB,KAAKW,MAAMoxB,IAAmB7S,CAEpD,OAAwB,kBAAb7W,GACFA,EAAS2pB,GAGXvyB,EAAA8B,EAAMgE,cACXwrB,EACA,KACAiB,OAICF,GACPtyB,EAAA,UAEFsyB,IAAgBzN,YAAc,kBAC9ByN,GAAgBvoB,cACdjE,KAAMggB,IAERwM,GAAgBnrB,cACdpD,MAAO,WAqBT,IAAIsmB,IAAmB,SAAUjF,GAG/B,QAASiF,GAAiBlpB,EAAOyI,GAC/Byb,EAAe7kB,KAAM6pB,EAErB,IAAI/pB,GAAQglB,EAA0B9kB,MAAO6pB,EAAiB9E,WAAarhB,OAAOshB,eAAe6E,IAAmBtpB,KAAKP,KAAMW,EAAOyI,GAGtI,OADA0Z,GAAqB1Z,GACdtJ,EAkHT,MA1HAmlB,GAAS4E,EAAkBjF,GAW3BM,EAAY2E,IACVnkB,IAAK,wBACLsE,MAAO,SAA+BqU,GACpC,GAAI2J,GAAShoB,KAAKW,MAAMqnB,MAIxB,KAAKhF,EAHY3E,EAAU2J,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDiK,GAAmB5M,KAAahH,GAClC2J,OAAQA,IAGD/nB,EAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,EAAO,EAAIA,EAAO,EAAI,GAAIK,EAAO,EAAGA,EAAOL,EAAMK,IAC9FswB,EAAKtwB,EAAO,GAAKJ,UAAUI,EAG7B,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,KAAMiyB,GAAkBxxB,OAAOmwB,OAGpFlrB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7BD,EAAgB0e,EAAc1e,cAC9B0rB,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdW,EAAKP,EAAOO,GACZ4wB,EAAcnxB,EAAOmxB,YACrB7uB,EAAiBtC,EAAOsC,eACxB2kB,EAASjnB,EAAOinB,OAChBmK,EAAiBpxB,EAAOiW,QACxBoN,MAAkC/C,KAAnB8Q,EAA+BpB,EAAOoB,EACrD9pB,EAAWtH,EAAOsH,SAGlB+pB,MAAiB,GACjBC,MAAkB,GAClBC,MAAW,EAGf,IADgBtK,GAAUtkB,OAAO2f,KAAK2E,GAAQ7nB,OAAS,EACxC,CAGb,GAAIoyB,GAAM3J,KAAK4J,MAAsB,cAAhB5J,KAAK6J,UAA0BC,SAAS,IAEzDC,EAAgB,WAClB,GAAIC,GAAU,CACd,OAAO,YACL,MAAO,WAAaL,EAAM,KAAOK,GAAW,MAOhDR,GAAiB,MAAQG,EAAM,MAC/BF,KACAC,KAOA5uB,OAAO2f,KAAK2E,GAAQzG,QAAQ,SAAU7B,GACpC,GAAI1V,GAAQge,EAAOtI,EAEnB,IAAIhc,OAAAlE,EAAA,gBAAewK,GAAQ,CACzB,GAAI6oB,GAAQF,GACZN,GAAgB3S,GAAQ0S,EAAiBS,EAAQT,EACjDE,EAASO,GAAS7oB,MAElBqoB,GAAgB3S,GAAQ1V,IAK9B,GAAImiB,IAAe7qB,GAAIA,EAAI4wB,YAAaA,EAAa7uB,eAAgBA,GACjE+kB,EAAmB/iB,EAAc8mB,EAAYkG,GAAmBrK,GAEhE8K,MAAQ,EAiBZ,OATEA,GANgBR,GAAY5uB,OAAO2f,KAAKiP,GAAUnyB,OAAS,EAMnDioB,EAAiBvG,MAAMuQ,GAAgBtd,OAAO,SAAUie,GAC9D,QAASA,IACRvtB,IAAI,SAAUutB,GACf,MAAOT,GAASS,IAASA,KAGlB3K,GAGa,kBAAb/f,GACFA,EAAS7H,UAAM6gB,GAAW6L,EAAkB4F,IAK9CtzB,EAAA,cAAcgB,UAAM6gB,IAAY+C,EAAc,MAAM3jB,OAAOysB,EAAkB4F,SAGjFjJ,GACPrqB,EAAA,UAEFqqB,IAAiBxF,YAAc,mBAC/BwF,GAAiBtgB,cACfjE,KAAMggB,IAERuE,GAAiBljB,cACfqhB,UAcF,IAAIgL,IAAuB,SAAUpO,GAGnC,QAASoO,GAAqBryB,EAAOyI,GACnCyb,EAAe7kB,KAAMgzB,EAErB,IAAIlzB,GAAQglB,EAA0B9kB,MAAOgzB,EAAqBjO,WAAarhB,OAAOshB,eAAegO,IAAuBzyB,KAAKP,KAAMW,EAAOyI,GAG9I,OADA0Z,GAAqB1Z,GACdtJ,EA8DT,MAtEAmlB,GAAS+N,EAAsBpO,GAW/BM,EAAY8N,IACVttB,IAAK,wBACLsE,MAAO,SAA+BqU,GACpC,GAAI2J,GAAShoB,KAAKW,MAAMqnB,MAIxB,KAAKhF,EAHY3E,EAAU2J,OAGIA,GAC7B,OAAO,CAUT,KAAK,GAJDiK,GAAmB5M,KAAahH,GAClC2J,OAAQA,IAGD/nB,EAAOC,UAAUC,OAAQywB,EAAOvwB,MAAMJ,EAAO,EAAIA,EAAO,EAAI,GAAIK,EAAO,EAAGA,EAAOL,EAAMK,IAC9FswB,EAAKtwB,EAAO,GAAKJ,UAAUI,EAG7B,OAAOojB,GAA0BljB,UAAM6gB,IAAYrhB,KAAMiyB,GAAkBxxB,OAAOmwB,OAGpFlrB,IAAK,SACLsE,MAAO,WACL,GAAI+Z,GAAgB/jB,KAAKoJ,QAAQ9D,KAC7BgjB,EAAoBvE,EAAcuE,kBAClCyI,EAAOhN,EAAcgK,cACrBhtB,EAASf,KAAKW,MACdW,EAAKP,EAAOO,GACZ4wB,EAAcnxB,EAAOmxB,YACrB7uB,EAAiBtC,EAAOsC,eACxBklB,EAAYxnB,EAAOinB,OACnBmK,EAAiBpxB,EAAOiW,QACxBoN,MAAkC/C,KAAnB8Q,EAA+BpB,EAAOoB,EACrD9pB,EAAWtH,EAAOsH,SAGlB8jB,GAAe7qB,GAAIA,EAAI4wB,YAAaA,EAAa7uB,eAAgBA,GACjE4vB,EAAuB3K,EAAkB6D,EAAY5D,EAEzD,IAAwB,kBAAblgB,GACT,MAAOA,GAAS4qB,EAWlB,IAAIC,IAASC,OAAQF,EACrB,OAAOxzB,GAAA8B,EAAMgE,cAAc6e,GAAgBgP,wBAAyBF,QAGjEF,GACPxzB,EAAA,UAEFwzB,IAAqB3O,YAAc,uBACnC2O,GAAqBzpB,cACnBjE,KAAMggB,IAER0N,GAAqBrsB,cACnBqhB,WAcF5G,EAAcmJ,GAQdnJ,EAAc2I,EAAAxoB,MpBk7DX","file":"application.js","sourcesContent":["webpackJsonp([36],{\n\n/***/ 155:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnHeader; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames__ = __webpack_require__(10);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_classnames__);\n\n\n\n\n\n\n\n\nvar ColumnHeader = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnHeader, _React$PureComponent);\n\n function ColumnHeader() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnHeader);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleClick = function () {\n _this.props.onClick();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ColumnHeader.prototype.render = function render() {\n var _props = this.props,\n icon = _props.icon,\n type = _props.type,\n active = _props.active,\n columnHeaderId = _props.columnHeaderId;\n\n var iconElement = '';\n\n if (icon) {\n iconElement = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-' + icon + ' column-header__icon'\n });\n }\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('h1', {\n className: __WEBPACK_IMPORTED_MODULE_5_classnames___default()('column-header', { active: active }),\n id: columnHeaderId || null\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n onClick: this.handleClick\n }, void 0, iconElement, type));\n };\n\n return ColumnHeader;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 251:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"d\", function() { return links; });\n/* harmony export (immutable) */ __webpack_exports__[\"b\"] = getIndex;\n/* harmony export (immutable) */ __webpack_exports__[\"c\"] = getLink;\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return TabsBar; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce__ = __webpack_require__(32);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_router_dom__ = __webpack_require__(44);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__is_mobile__ = __webpack_require__(43);\n\n\n\n\n\n\nvar _class;\n\n\n\n\n\n\n\n\nvar links = [__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n to: '/timelines/home',\n 'data-preview-title-id': 'column.home',\n 'data-preview-icon': 'home'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-home'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.home',\n defaultMessage: 'Home'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n to: '/notifications',\n 'data-preview-title-id': 'column.notifications',\n 'data-preview-icon': 'bell'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-bell'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.notifications',\n defaultMessage: 'Notifications'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n to: '/search',\n 'data-preview-title-id': 'tabs_bar.search',\n 'data-preview-icon': 'bell'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-search'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.search',\n defaultMessage: 'Search'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link secondary',\n to: '/timelines/public/local',\n 'data-preview-title-id': 'column.community',\n 'data-preview-icon': 'users'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-users'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.local_timeline',\n defaultMessage: 'Local'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link secondary',\n exact: true,\n to: '/timelines/public',\n 'data-preview-title-id': 'column.public',\n 'data-preview-icon': 'globe'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-globe'\n}), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'tabs_bar.federated_timeline',\n defaultMessage: 'Federated'\n})), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"c\" /* NavLink */], {\n className: 'tabs-bar__link primary',\n style: { flexGrow: '0', flexBasis: '30px' },\n to: '/getting-started',\n 'data-preview-title-id': 'getting_started.heading',\n 'data-preview-icon': 'bars'\n}, void 0, __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-bars'\n}))];\n\nfunction getIndex(path) {\n return links.findIndex(function (link) {\n return link.props.to === path;\n });\n}\n\nfunction getLink(index) {\n return links[index].props.to;\n}\n\nvar TabsBar = Object(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"g\" /* injectIntl */])(_class = Object(__WEBPACK_IMPORTED_MODULE_6_react_router_dom__[\"g\" /* withRouter */])(_class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_inherits___default()(TabsBar, _React$PureComponent);\n\n function TabsBar() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_classCallCheck___default()(this, TabsBar);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.setRef = function (ref) {\n _this.node = ref;\n }, _this.handleClick = function (e) {\n // Only apply optimization for touch devices, which we assume are slower\n // We thus avoid the 250ms delay for non-touch devices and the lag for touch devices\n if (Object(__WEBPACK_IMPORTED_MODULE_8__is_mobile__[\"c\" /* isUserTouching */])()) {\n e.preventDefault();\n e.persist();\n\n requestAnimationFrame(function () {\n var tabs = Array.apply(undefined, _this.node.querySelectorAll('.tabs-bar__link'));\n var currentTab = tabs.find(function (tab) {\n return tab.classList.contains('active');\n });\n var nextTab = tabs.find(function (tab) {\n return tab.contains(e.target);\n });\n var to = links[Array.apply(undefined, _this.node.childNodes).indexOf(nextTab)].props.to;\n\n\n if (currentTab !== nextTab) {\n if (currentTab) {\n currentTab.classList.remove('active');\n }\n\n var listener = __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default()(function () {\n nextTab.removeEventListener('transitionend', listener);\n _this.props.history.push(to);\n }, 50);\n\n nextTab.addEventListener('transitionend', listener);\n nextTab.classList.add('active');\n }\n });\n }\n }, _temp), __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n TabsBar.prototype.render = function render() {\n var _this2 = this;\n\n var formatMessage = this.props.intl.formatMessage;\n\n\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'nav',\n { className: 'tabs-bar', ref: this.setRef },\n links.map(function (link) {\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.cloneElement(link, { key: link.props.to, onClick: _this2.handleClick, 'aria-label': formatMessage({ id: link.props['data-preview-title-id'] }) });\n })\n );\n };\n\n return TabsBar;\n}(__WEBPACK_IMPORTED_MODULE_5_react___default.a.PureComponent)) || _class) || _class;\n\n\n\n/***/ }),\n\n/***/ 252:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnLoading; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__components_column__ = __webpack_require__(71);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__components_column_header__ = __webpack_require__(70);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__ = __webpack_require__(12);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component__);\n\n\n\n\n\nvar _class, _temp;\n\n\n\n\n\n\n\n\nvar ColumnLoading = (_temp = _class = function (_ImmutablePureCompone) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnLoading, _ImmutablePureCompone);\n\n function ColumnLoading() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnLoading);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone.apply(this, arguments));\n }\n\n ColumnLoading.prototype.render = function render() {\n var _props = this.props,\n title = _props.title,\n icon = _props.icon;\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__components_column__[\"a\" /* default */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7__components_column_header__[\"a\" /* default */], {\n icon: icon,\n title: title,\n multiColumn: false,\n focusable: false\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'scrollable'\n }));\n };\n\n return ColumnLoading;\n}(__WEBPACK_IMPORTED_MODULE_8_react_immutable_pure_component___default.a), _class.propTypes = {\n title: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.oneOfType([__WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.node, __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string]),\n icon: __WEBPACK_IMPORTED_MODULE_5_prop_types___default.a.string\n}, _class.defaultProps = {\n title: '',\n icon: ''\n}, _temp);\n\n\n/***/ }),\n\n/***/ 253:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__column__ = __webpack_require__(274);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__column_header__ = __webpack_require__(155);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column_back_button_slim__ = __webpack_require__(288);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_icon_button__ = __webpack_require__(23);\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"f\" /* defineMessages */])({\n title: {\n 'id': 'bundle_column_error.title',\n 'defaultMessage': 'Network error'\n },\n body: {\n 'id': 'bundle_column_error.body',\n 'defaultMessage': 'Something went wrong while loading this component.'\n },\n retry: {\n 'id': 'bundle_column_error.retry',\n 'defaultMessage': 'Try again'\n }\n});\n\nvar BundleColumnError = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(BundleColumnError, _React$PureComponent);\n\n function BundleColumnError() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, BundleColumnError);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleRetry = function () {\n _this.props.onRetry();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n BundleColumnError.prototype.render = function render() {\n var formatMessage = this.props.intl.formatMessage;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__column__[\"a\" /* default */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7__column_header__[\"a\" /* default */], {\n icon: 'exclamation-circle',\n type: formatMessage(messages.title)\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8__components_column_back_button_slim__[\"a\" /* default */], {}), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'error-column'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__components_icon_button__[\"a\" /* default */], {\n title: formatMessage(messages.retry),\n icon: 'refresh',\n onClick: this.handleRetry,\n size: 64\n }), formatMessage(messages.body)));\n };\n\n return BundleColumnError;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"g\" /* injectIntl */])(BundleColumnError));\n\n/***/ }),\n\n/***/ 274:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return Column; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce__ = __webpack_require__(32);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__column_header__ = __webpack_require__(155);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__scroll__ = __webpack_require__(91);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__is_mobile__ = __webpack_require__(43);\n\n\n\n\n\n\n\n\n\n\n\nvar Column = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(Column, _React$PureComponent);\n\n function Column() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, Column);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleHeaderClick = function () {\n var scrollable = _this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n _this._interruptScrollAnimation = Object(__WEBPACK_IMPORTED_MODULE_7__scroll__[\"b\" /* scrollTop */])(scrollable);\n }, _this.handleScroll = __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default()(function () {\n if (typeof _this._interruptScrollAnimation !== 'undefined') {\n _this._interruptScrollAnimation();\n }\n }, 200), _this.setRef = function (c) {\n _this.node = c;\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n Column.prototype.scrollTop = function scrollTop() {\n var scrollable = this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n this._interruptScrollAnimation = Object(__WEBPACK_IMPORTED_MODULE_7__scroll__[\"b\" /* scrollTop */])(scrollable);\n };\n\n Column.prototype.render = function render() {\n var _props = this.props,\n heading = _props.heading,\n icon = _props.icon,\n children = _props.children,\n active = _props.active,\n hideHeadingOnMobile = _props.hideHeadingOnMobile;\n\n\n var showHeading = heading && (!hideHeadingOnMobile || hideHeadingOnMobile && !Object(__WEBPACK_IMPORTED_MODULE_8__is_mobile__[\"b\" /* isMobile */])(window.innerWidth));\n\n var columnHeaderId = showHeading && heading.replace(/ /g, '-');\n var header = showHeading && __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_6__column_header__[\"a\" /* default */], {\n icon: icon,\n active: active,\n type: heading,\n onClick: this.handleHeaderClick,\n columnHeaderId: columnHeaderId\n });\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n {\n ref: this.setRef,\n role: 'region',\n 'aria-labelledby': columnHeaderId,\n className: 'column',\n onScroll: this.handleScroll\n },\n header,\n children\n );\n };\n\n return Column;\n}(__WEBPACK_IMPORTED_MODULE_5_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 276:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnBackButton; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_prop_types__);\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\nvar ColumnBackButton = (_temp2 = _class = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnBackButton, _React$PureComponent);\n\n function ColumnBackButton() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnBackButton);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleClick = function () {\n if (window.history && window.history.length === 1) {\n _this.context.router.history.push('/');\n } else {\n _this.context.router.history.goBack();\n }\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ColumnBackButton.prototype.render = function render() {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('button', {\n onClick: this.handleClick,\n className: 'column-back-button'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-chevron-left column-back-button__icon'\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'column_back_button.label',\n defaultMessage: 'Back'\n }));\n };\n\n return ColumnBackButton;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent), _class.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.object\n}, _temp2);\n\n\n/***/ }),\n\n/***/ 288:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnBackButtonSlim; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__column_back_button__ = __webpack_require__(276);\n\n\n\n\n\n\n\n\nvar ColumnBackButtonSlim = function (_ColumnBackButton) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(ColumnBackButtonSlim, _ColumnBackButton);\n\n function ColumnBackButtonSlim() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, ColumnBackButtonSlim);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ColumnBackButton.apply(this, arguments));\n }\n\n ColumnBackButtonSlim.prototype.render = function render() {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'column-back-button--slim'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n role: 'button',\n tabIndex: '0',\n onClick: this.handleClick,\n className: 'column-back-button column-back-button--slim-button'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-fw fa-chevron-left column-back-button__icon'\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'column_back_button.label',\n defaultMessage: 'Back'\n })));\n };\n\n return ColumnBackButtonSlim;\n}(__WEBPACK_IMPORTED_MODULE_6__column_back_button__[\"a\" /* default */]);\n\n\n\n/***/ }),\n\n/***/ 662:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__ = __webpack_require__(77);\n\n\nObject(__WEBPACK_IMPORTED_MODULE_0__mastodon_load_polyfills__[\"a\" /* default */])().then(function () {\n __webpack_require__(663).default();\n}).catch(function (e) {\n console.error(e);\n});\n\n/***/ }),\n\n/***/ 663:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__actions_push_notifications__ = __webpack_require__(163);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__containers_mastodon__ = __webpack_require__(664);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react_dom__ = __webpack_require__(20);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_react_dom___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_react_dom__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4__ready__ = __webpack_require__(89);\n\n\n\n\n\n\nvar perf = __webpack_require__(675);\n\nfunction main() {\n perf.start('main()');\n\n if (window.history && history.replaceState) {\n var _window$location = window.location,\n pathname = _window$location.pathname,\n search = _window$location.search,\n hash = _window$location.hash;\n\n var path = pathname + search + hash;\n if (!/^\\/web($|\\/)/.test(path)) {\n history.replaceState(null, document.title, '/web' + path);\n }\n }\n\n Object(__WEBPACK_IMPORTED_MODULE_4__ready__[\"default\"])(function () {\n var mountNode = document.getElementById('mastodon');\n var props = JSON.parse(mountNode.getAttribute('data-props'));\n\n __WEBPACK_IMPORTED_MODULE_3_react_dom___default.a.render(__WEBPACK_IMPORTED_MODULE_2_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_1__containers_mastodon__[\"a\" /* default */], props), mountNode);\n if (true) {\n // avoid offline in dev mode because it's harder to debug\n __webpack_require__(676).install();\n __WEBPACK_IMPORTED_MODULE_1__containers_mastodon__[\"b\" /* store */].dispatch(__WEBPACK_IMPORTED_MODULE_0__actions_push_notifications__[\"f\" /* register */]());\n }\n perf.stop('main()');\n });\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (main);\n\n/***/ }),\n\n/***/ 664:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return store; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return Mastodon; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6__store_configureStore__ = __webpack_require__(126);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__actions_onboarding__ = __webpack_require__(665);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_router_dom__ = __webpack_require__(44);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_router_scroll_4__ = __webpack_require__(156);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__features_ui__ = __webpack_require__(666);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__actions_custom_emojis__ = __webpack_require__(210);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12__actions_store__ = __webpack_require__(31);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__actions_streaming__ = __webpack_require__(72);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__locales__ = __webpack_require__(6);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__initial_state__ = __webpack_require__(13);\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar _getLocale = Object(__WEBPACK_IMPORTED_MODULE_15__locales__[\"getLocale\"])(),\n localeData = _getLocale.localeData,\n messages = _getLocale.messages;\n\nObject(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"e\" /* addLocaleData */])(localeData);\n\nvar store = Object(__WEBPACK_IMPORTED_MODULE_6__store_configureStore__[\"a\" /* default */])();\nvar hydrateAction = Object(__WEBPACK_IMPORTED_MODULE_12__actions_store__[\"b\" /* hydrateStore */])(__WEBPACK_IMPORTED_MODULE_16__initial_state__[\"c\" /* default */]);\nstore.dispatch(hydrateAction);\n\n// load custom emojis\nstore.dispatch(Object(__WEBPACK_IMPORTED_MODULE_11__actions_custom_emojis__[\"b\" /* fetchCustomEmojis */])());\n\nvar Mastodon = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(Mastodon, _React$PureComponent);\n\n function Mastodon() {\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, Mastodon);\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n Mastodon.prototype.componentDidMount = function componentDidMount() {\n this.disconnect = store.dispatch(Object(__WEBPACK_IMPORTED_MODULE_13__actions_streaming__[\"f\" /* connectUserStream */])());\n\n // Desktop notifications\n // Ask after 1 minute\n if (typeof window.Notification !== 'undefined' && Notification.permission === 'default') {\n window.setTimeout(function () {\n return Notification.requestPermission();\n }, 60 * 1000);\n }\n\n // Protocol handler\n // Ask after 5 minutes\n if (typeof navigator.registerProtocolHandler !== 'undefined') {\n var handlerUrl = window.location.protocol + '//' + window.location.host + '/intent?uri=%s';\n window.setTimeout(function () {\n return navigator.registerProtocolHandler('web+mastodon', handlerUrl, 'Mastodon');\n }, 5 * 60 * 1000);\n }\n\n store.dispatch(Object(__WEBPACK_IMPORTED_MODULE_7__actions_onboarding__[\"a\" /* showOnboardingOnce */])());\n };\n\n Mastodon.prototype.componentWillUnmount = function componentWillUnmount() {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n };\n\n Mastodon.prototype.render = function render() {\n var locale = this.props.locale;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14_react_intl__[\"d\" /* IntlProvider */], {\n locale: locale,\n messages: messages\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5_react_redux__[\"Provider\"], {\n store: store\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8_react_router_dom__[\"a\" /* BrowserRouter */], {\n basename: '/web'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9_react_router_scroll_4__[\"b\" /* ScrollContext */], {}, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8_react_router_dom__[\"e\" /* Route */], {\n path: '/',\n component: __WEBPACK_IMPORTED_MODULE_10__features_ui__[\"a\" /* default */]\n })))));\n };\n\n return Mastodon;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 665:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (immutable) */ __webpack_exports__[\"a\"] = showOnboardingOnce;\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__modal__ = __webpack_require__(26);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__settings__ = __webpack_require__(56);\n\n\n\nfunction showOnboardingOnce() {\n return function (dispatch, getState) {\n var alreadySeen = getState().getIn(['settings', 'onboarded']);\n\n if (!alreadySeen) {\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_0__modal__[\"d\" /* openModal */])('ONBOARDING'));\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__settings__[\"c\" /* changeSetting */])(['onboarded'], true));\n dispatch(Object(__WEBPACK_IMPORTED_MODULE_1__settings__[\"d\" /* saveSettings */])());\n }\n };\n};\n\n/***/ }),\n\n/***/ 666:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return UI; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce__ = __webpack_require__(32);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_lodash_debounce__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames__ = __webpack_require__(10);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_classnames___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_classnames__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__containers_notifications_container__ = __webpack_require__(247);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__containers_loading_bar_container__ = __webpack_require__(250);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__components_tabs_bar__ = __webpack_require__(251);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__containers_modal_container__ = __webpack_require__(150);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13_react_router_dom__ = __webpack_require__(44);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__is_mobile__ = __webpack_require__(43);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__actions_compose__ = __webpack_require__(17);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__actions_timelines__ = __webpack_require__(19);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__actions_notifications__ = __webpack_require__(103);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_18__actions_height_cache__ = __webpack_require__(94);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__ = __webpack_require__(670);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_20__components_upload_area__ = __webpack_require__(671);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_21__containers_columns_area_container__ = __webpack_require__(672);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_22__util_async_components__ = __webpack_require__(58);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_23_react_hotkeys__ = __webpack_require__(162);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_23_react_hotkeys___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_23_react_hotkeys__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_24__initial_state__ = __webpack_require__(13);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_25_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_26__components_status__ = __webpack_require__(158);\n\n\n\n\n\n\nvar _dec, _class2, _class3, _temp3;\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n// Dummy import, to make sure that ends up in the application bundle.\n// Without this it ends up in ~8 very commonly used bundles.\n\n\nvar messages = Object(__WEBPACK_IMPORTED_MODULE_25_react_intl__[\"f\" /* defineMessages */])({\n beforeUnload: {\n 'id': 'ui.beforeunload',\n 'defaultMessage': 'Your draft will be lost if you leave Mastodon.'\n }\n});\n\nvar mapStateToProps = function mapStateToProps(state) {\n return {\n isComposing: state.getIn(['compose', 'is_composing']),\n hasComposingText: state.getIn(['compose', 'text']) !== '',\n dropdownMenuIsOpen: state.getIn(['dropdown_menu', 'openId']) !== null\n };\n};\n\nvar keyMap = {\n help: '?',\n new: 'n',\n search: 's',\n forceNew: 'option+n',\n focusColumn: ['1', '2', '3', '4', '5', '6', '7', '8', '9'],\n reply: 'r',\n favourite: 'f',\n boost: 'b',\n mention: 'm',\n open: ['enter', 'o'],\n openProfile: 'p',\n moveDown: ['down', 'j'],\n moveUp: ['up', 'k'],\n back: 'backspace',\n goToHome: 'g h',\n goToNotifications: 'g n',\n goToLocal: 'g l',\n goToFederated: 'g t',\n goToDirect: 'g d',\n goToStart: 'g s',\n goToFavourites: 'g f',\n goToPinned: 'g p',\n goToProfile: 'g u',\n goToBlocked: 'g b',\n goToMuted: 'g m',\n toggleHidden: 'x'\n};\n\nvar SwitchingColumnsArea = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(SwitchingColumnsArea, _React$PureComponent);\n\n function SwitchingColumnsArea() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, SwitchingColumnsArea);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.state = {\n mobile: Object(__WEBPACK_IMPORTED_MODULE_14__is_mobile__[\"b\" /* isMobile */])(window.innerWidth)\n }, _this.handleResize = __WEBPACK_IMPORTED_MODULE_4_lodash_debounce___default()(function () {\n // The cached heights are no longer accurate, invalidate\n _this.props.onLayoutChange();\n\n _this.setState({ mobile: Object(__WEBPACK_IMPORTED_MODULE_14__is_mobile__[\"b\" /* isMobile */])(window.innerWidth) });\n }, 500, {\n trailing: true\n }), _this.setRef = function (c) {\n _this.node = c.getWrappedInstance().getWrappedInstance();\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n SwitchingColumnsArea.prototype.componentWillMount = function componentWillMount() {\n window.addEventListener('resize', this.handleResize, { passive: true });\n };\n\n SwitchingColumnsArea.prototype.componentDidUpdate = function componentDidUpdate(prevProps) {\n if (![this.props.location.pathname, '/'].includes(prevProps.location.pathname)) {\n this.node.handleChildrenContentChange();\n }\n };\n\n SwitchingColumnsArea.prototype.componentWillUnmount = function componentWillUnmount() {\n window.removeEventListener('resize', this.handleResize);\n };\n\n SwitchingColumnsArea.prototype.render = function render() {\n var children = this.props.children;\n var mobile = this.state.mobile;\n\n var redirect = mobile ? __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13_react_router_dom__[\"d\" /* Redirect */], {\n from: '/',\n to: '/timelines/home',\n exact: true\n }) : __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13_react_router_dom__[\"d\" /* Redirect */], {\n from: '/',\n to: '/getting-started',\n exact: true\n });\n\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_21__containers_columns_area_container__[\"a\" /* default */],\n { ref: this.setRef, singleColumn: mobile },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"b\" /* WrappedSwitch */], {}, void 0, redirect, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/getting-started',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"p\" /* GettingStarted */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/keyboard-shortcuts',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"s\" /* KeyboardShortcuts */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/home',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"r\" /* HomeTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/public',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"C\" /* PublicTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/public/media',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"C\" /* PublicTimeline */],\n content: children,\n componentParams: { onlyMedia: true }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/public/local',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"d\" /* CommunityTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/public/local/media',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"d\" /* CommunityTimeline */],\n content: children,\n componentParams: { onlyMedia: true }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/direct',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"f\" /* DirectTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/tag/:id',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"q\" /* HashtagTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/timelines/list/:id',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"u\" /* ListTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/notifications',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"z\" /* Notifications */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/favourites',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"j\" /* FavouritedStatuses */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/pinned',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"B\" /* PinnedStatuses */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/search',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"e\" /* Compose */],\n content: children,\n componentParams: { isSearchPage: true }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/new',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"e\" /* Compose */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/:statusId',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"F\" /* Status */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/:statusId/reblogs',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"D\" /* Reblogs */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/statuses/:statusId/favourites',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"k\" /* Favourites */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId',\n exact: true,\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"b\" /* AccountTimeline */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/with_replies',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"b\" /* AccountTimeline */],\n content: children,\n componentParams: { withReplies: true }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/followers',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"m\" /* Followers */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/following',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"n\" /* Following */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/accounts/:accountId/media',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"a\" /* AccountGallery */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/follow_requests',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"l\" /* FollowRequests */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/blocks',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"c\" /* Blocks */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/domain_blocks',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"g\" /* DomainBlocks */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/mutes',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"y\" /* Mutes */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n path: '/lists',\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"v\" /* Lists */],\n content: children\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_19__util_react_router_helpers__[\"a\" /* WrappedRoute */], {\n component: __WEBPACK_IMPORTED_MODULE_22__util_async_components__[\"o\" /* GenericNotFound */],\n content: children\n }))\n );\n };\n\n return SwitchingColumnsArea;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.PureComponent);\n\nvar UI = (_dec = Object(__WEBPACK_IMPORTED_MODULE_12_react_redux__[\"connect\"])(mapStateToProps), _dec(_class2 = Object(__WEBPACK_IMPORTED_MODULE_25_react_intl__[\"g\" /* injectIntl */])(_class2 = Object(__WEBPACK_IMPORTED_MODULE_13_react_router_dom__[\"g\" /* withRouter */])(_class2 = (_temp3 = _class3 = function (_React$PureComponent2) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(UI, _React$PureComponent2);\n\n function UI() {\n var _temp2, _this2, _ret2;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, UI);\n\n for (var _len2 = arguments.length, args = Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {\n args[_key2] = arguments[_key2];\n }\n\n return _ret2 = (_temp2 = (_this2 = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent2.call.apply(_React$PureComponent2, [this].concat(args))), _this2), _this2.state = {\n draggingOver: false\n }, _this2.handleBeforeUnload = function (e) {\n var _this2$props = _this2.props,\n intl = _this2$props.intl,\n isComposing = _this2$props.isComposing,\n hasComposingText = _this2$props.hasComposingText;\n\n\n if (isComposing && hasComposingText) {\n // Setting returnValue to any string causes confirmation dialog.\n // Many browsers no longer display this text to users,\n // but we set user-friendly message for other browsers, e.g. Edge.\n e.returnValue = intl.formatMessage(messages.beforeUnload);\n }\n }, _this2.handleLayoutChange = function () {\n // The cached heights are no longer accurate, invalidate\n _this2.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_18__actions_height_cache__[\"c\" /* clearHeight */])());\n }, _this2.handleDragEnter = function (e) {\n e.preventDefault();\n\n if (!_this2.dragTargets) {\n _this2.dragTargets = [];\n }\n\n if (_this2.dragTargets.indexOf(e.target) === -1) {\n _this2.dragTargets.push(e.target);\n }\n\n if (e.dataTransfer && Array.from(e.dataTransfer.types).includes('Files')) {\n _this2.setState({ draggingOver: true });\n }\n }, _this2.handleDragOver = function (e) {\n e.preventDefault();\n e.stopPropagation();\n\n try {\n e.dataTransfer.dropEffect = 'copy';\n } catch (err) {}\n\n return false;\n }, _this2.handleDrop = function (e) {\n e.preventDefault();\n\n _this2.setState({ draggingOver: false });\n\n if (e.dataTransfer && e.dataTransfer.files.length === 1) {\n _this2.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_15__actions_compose__[\"Z\" /* uploadCompose */])(e.dataTransfer.files));\n }\n }, _this2.handleDragLeave = function (e) {\n e.preventDefault();\n e.stopPropagation();\n\n _this2.dragTargets = _this2.dragTargets.filter(function (el) {\n return el !== e.target && _this2.node.contains(el);\n });\n\n if (_this2.dragTargets.length > 0) {\n return;\n }\n\n _this2.setState({ draggingOver: false });\n }, _this2.closeUploadModal = function () {\n _this2.setState({ draggingOver: false });\n }, _this2.handleServiceWorkerPostMessage = function (_ref) {\n var data = _ref.data;\n\n if (data.type === 'navigate') {\n _this2.context.router.history.push(data.path);\n } else {\n console.warn('Unknown message type:', data.type);\n }\n }, _this2.setRef = function (c) {\n _this2.node = c;\n }, _this2.handleHotkeyNew = function (e) {\n e.preventDefault();\n\n var element = _this2.node.querySelector('.compose-form__autosuggest-wrapper textarea');\n\n if (element) {\n element.focus();\n }\n }, _this2.handleHotkeySearch = function (e) {\n e.preventDefault();\n\n var element = _this2.node.querySelector('.search__input');\n\n if (element) {\n element.focus();\n }\n }, _this2.handleHotkeyForceNew = function (e) {\n _this2.handleHotkeyNew(e);\n _this2.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_15__actions_compose__[\"U\" /* resetCompose */])());\n }, _this2.handleHotkeyFocusColumn = function (e) {\n var index = e.key * 1 + 1; // First child is drawer, skip that\n var column = _this2.node.querySelector('.column:nth-child(' + index + ')');\n\n if (column) {\n var status = column.querySelector('.focusable');\n\n if (status) {\n status.focus();\n }\n }\n }, _this2.handleHotkeyBack = function () {\n if (window.history && window.history.length === 1) {\n _this2.context.router.history.push('/');\n } else {\n _this2.context.router.history.goBack();\n }\n }, _this2.setHotkeysRef = function (c) {\n _this2.hotkeys = c;\n }, _this2.handleHotkeyToggleHelp = function () {\n if (_this2.props.location.pathname === '/keyboard-shortcuts') {\n _this2.context.router.history.goBack();\n } else {\n _this2.context.router.history.push('/keyboard-shortcuts');\n }\n }, _this2.handleHotkeyGoToHome = function () {\n _this2.context.router.history.push('/timelines/home');\n }, _this2.handleHotkeyGoToNotifications = function () {\n _this2.context.router.history.push('/notifications');\n }, _this2.handleHotkeyGoToLocal = function () {\n _this2.context.router.history.push('/timelines/public/local');\n }, _this2.handleHotkeyGoToFederated = function () {\n _this2.context.router.history.push('/timelines/public');\n }, _this2.handleHotkeyGoToDirect = function () {\n _this2.context.router.history.push('/timelines/direct');\n }, _this2.handleHotkeyGoToStart = function () {\n _this2.context.router.history.push('/getting-started');\n }, _this2.handleHotkeyGoToFavourites = function () {\n _this2.context.router.history.push('/favourites');\n }, _this2.handleHotkeyGoToPinned = function () {\n _this2.context.router.history.push('/pinned');\n }, _this2.handleHotkeyGoToProfile = function () {\n _this2.context.router.history.push('/accounts/' + __WEBPACK_IMPORTED_MODULE_24__initial_state__[\"i\" /* me */]);\n }, _this2.handleHotkeyGoToBlocked = function () {\n _this2.context.router.history.push('/blocks');\n }, _this2.handleHotkeyGoToMuted = function () {\n _this2.context.router.history.push('/mutes');\n }, _temp2), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this2, _ret2);\n }\n\n UI.prototype.componentWillMount = function componentWillMount() {\n window.addEventListener('beforeunload', this.handleBeforeUnload, false);\n document.addEventListener('dragenter', this.handleDragEnter, false);\n document.addEventListener('dragover', this.handleDragOver, false);\n document.addEventListener('drop', this.handleDrop, false);\n document.addEventListener('dragleave', this.handleDragLeave, false);\n document.addEventListener('dragend', this.handleDragEnd, false);\n\n if ('serviceWorker' in navigator) {\n navigator.serviceWorker.addEventListener('message', this.handleServiceWorkerPostMessage);\n }\n\n this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_16__actions_timelines__[\"p\" /* expandHomeTimeline */])());\n this.props.dispatch(Object(__WEBPACK_IMPORTED_MODULE_17__actions_notifications__[\"h\" /* expandNotifications */])());\n };\n\n UI.prototype.componentDidMount = function componentDidMount() {\n this.hotkeys.__mousetrap__.stopCallback = function (e, element) {\n return ['TEXTAREA', 'SELECT', 'INPUT'].includes(element.tagName);\n };\n };\n\n UI.prototype.componentWillUnmount = function componentWillUnmount() {\n window.removeEventListener('beforeunload', this.handleBeforeUnload);\n document.removeEventListener('dragenter', this.handleDragEnter);\n document.removeEventListener('dragover', this.handleDragOver);\n document.removeEventListener('drop', this.handleDrop);\n document.removeEventListener('dragleave', this.handleDragLeave);\n document.removeEventListener('dragend', this.handleDragEnd);\n };\n\n UI.prototype.render = function render() {\n var draggingOver = this.state.draggingOver;\n var _props = this.props,\n children = _props.children,\n isComposing = _props.isComposing,\n location = _props.location,\n dropdownMenuIsOpen = _props.dropdownMenuIsOpen;\n\n\n var handlers = {\n help: this.handleHotkeyToggleHelp,\n new: this.handleHotkeyNew,\n search: this.handleHotkeySearch,\n forceNew: this.handleHotkeyForceNew,\n focusColumn: this.handleHotkeyFocusColumn,\n back: this.handleHotkeyBack,\n goToHome: this.handleHotkeyGoToHome,\n goToNotifications: this.handleHotkeyGoToNotifications,\n goToLocal: this.handleHotkeyGoToLocal,\n goToFederated: this.handleHotkeyGoToFederated,\n goToDirect: this.handleHotkeyGoToDirect,\n goToStart: this.handleHotkeyGoToStart,\n goToFavourites: this.handleHotkeyGoToFavourites,\n goToPinned: this.handleHotkeyGoToPinned,\n goToProfile: this.handleHotkeyGoToProfile,\n goToBlocked: this.handleHotkeyGoToBlocked,\n goToMuted: this.handleHotkeyGoToMuted\n };\n\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n __WEBPACK_IMPORTED_MODULE_23_react_hotkeys__[\"HotKeys\"],\n { keyMap: keyMap, handlers: handlers, ref: this.setHotkeysRef },\n __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n 'div',\n { className: __WEBPACK_IMPORTED_MODULE_5_classnames___default()('ui', { 'is-composing': isComposing }), ref: this.setRef, style: { pointerEvents: dropdownMenuIsOpen ? 'none' : null } },\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__components_tabs_bar__[\"a\" /* default */], {}),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(SwitchingColumnsArea, {\n location: location,\n onLayoutChange: this.handleLayoutChange\n }, void 0, children),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7__containers_notifications_container__[\"a\" /* default */], {}),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_9__containers_loading_bar_container__[\"a\" /* default */], {\n className: 'loading-bar'\n }),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_11__containers_modal_container__[\"a\" /* default */], {}),\n __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_20__components_upload_area__[\"a\" /* default */], {\n active: draggingOver,\n onClose: this.closeUploadModal\n })\n )\n );\n };\n\n return UI;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.PureComponent), _class3.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_8_prop_types___default.a.object.isRequired\n}, _temp3)) || _class2) || _class2) || _class2);\n\n\n/***/ }),\n\n/***/ 670:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return WrappedSwitch; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return WrappedRoute; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__ = __webpack_require__(55);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_router_dom__ = __webpack_require__(44);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8__components_column_loading__ = __webpack_require__(252);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9__components_bundle_column_error__ = __webpack_require__(253);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10__containers_bundle_container__ = __webpack_require__(151);\n\n\n\n\n\n\n\nvar _class, _temp2;\n\n\n\n\n\n\n\n\n\n// Small wrapper to pass multiColumn to the route components\nvar WrappedSwitch = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(WrappedSwitch, _React$PureComponent);\n\n function WrappedSwitch() {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, WrappedSwitch);\n\n return __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.apply(this, arguments));\n }\n\n WrappedSwitch.prototype.render = function render() {\n var _props = this.props,\n multiColumn = _props.multiColumn,\n children = _props.children;\n\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_router_dom__[\"f\" /* Switch */], {}, void 0, __WEBPACK_IMPORTED_MODULE_6_react___default.a.Children.map(children, function (child) {\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.cloneElement(child, { multiColumn: multiColumn });\n }));\n };\n\n return WrappedSwitch;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.PureComponent);\n\n// Small Wraper to extract the params from the route and pass\n// them to the rendered component, together with the content to\n// be rendered inside (the children)\nvar WrappedRoute = (_temp2 = _class = function (_React$Component) {\n __WEBPACK_IMPORTED_MODULE_5_babel_runtime_helpers_inherits___default()(WrappedRoute, _React$Component);\n\n function WrappedRoute() {\n var _temp, _this2, _ret;\n\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_classCallCheck___default()(this, WrappedRoute);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this2 = __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$Component.call.apply(_React$Component, [this].concat(args))), _this2), _this2.renderComponent = function (_ref) {\n var match = _ref.match;\n var _this2$props = _this2.props,\n component = _this2$props.component,\n content = _this2$props.content,\n multiColumn = _this2$props.multiColumn,\n componentParams = _this2$props.componentParams;\n\n\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10__containers_bundle_container__[\"a\" /* default */], {\n fetchComponent: component,\n loading: _this2.renderLoading,\n error: _this2.renderError\n }, void 0, function (Component) {\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(\n Component,\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({ params: match.params, multiColumn: multiColumn }, componentParams),\n content\n );\n });\n }, _this2.renderLoading = function () {\n return __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_8__components_column_loading__[\"a\" /* default */], {});\n }, _this2.renderError = function (props) {\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_9__components_bundle_column_error__[\"a\" /* default */], props);\n }, _temp), __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_possibleConstructorReturn___default()(_this2, _ret);\n }\n\n WrappedRoute.prototype.render = function render() {\n var _props2 = this.props,\n Component = _props2.component,\n content = _props2.content,\n rest = __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_objectWithoutProperties___default()(_props2, ['component', 'content']);\n\n return __WEBPACK_IMPORTED_MODULE_6_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_7_react_router_dom__[\"e\" /* Route */], __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_extends___default()({}, rest, { render: this.renderComponent }));\n };\n\n return WrappedRoute;\n}(__WEBPACK_IMPORTED_MODULE_6_react___default.a.Component), _class.defaultProps = {\n componentParams: {}\n}, _temp2);\n\n/***/ }),\n\n/***/ 671:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return UploadArea; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5__ui_util_optional_motion__ = __webpack_require__(28);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring__ = __webpack_require__(27);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_intl__ = __webpack_require__(7);\n\n\n\n\n\n\n\n\n\n\nvar UploadArea = function (_React$PureComponent) {\n __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_inherits___default()(UploadArea, _React$PureComponent);\n\n function UploadArea() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_classCallCheck___default()(this, UploadArea);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(this, _React$PureComponent.call.apply(_React$PureComponent, [this].concat(args))), _this), _this.handleKeyUp = function (e) {\n var keyCode = e.keyCode;\n if (_this.props.active) {\n switch (keyCode) {\n case 27:\n e.preventDefault();\n e.stopPropagation();\n _this.props.onClose();\n break;\n }\n }\n }, _temp), __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n UploadArea.prototype.componentDidMount = function componentDidMount() {\n window.addEventListener('keyup', this.handleKeyUp, false);\n };\n\n UploadArea.prototype.componentWillUnmount = function componentWillUnmount() {\n window.removeEventListener('keyup', this.handleKeyUp);\n };\n\n UploadArea.prototype.render = function render() {\n var active = this.props.active;\n\n\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_5__ui_util_optional_motion__[\"a\" /* default */], {\n defaultStyle: { backgroundOpacity: 0, backgroundScale: 0.95 },\n style: { backgroundOpacity: __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default()(active ? 1 : 0, { stiffness: 150, damping: 15 }), backgroundScale: __WEBPACK_IMPORTED_MODULE_6_react_motion_lib_spring___default()(active ? 1 : 0.95, { stiffness: 200, damping: 3 }) }\n }, void 0, function (_ref) {\n var backgroundOpacity = _ref.backgroundOpacity,\n backgroundScale = _ref.backgroundScale;\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area',\n style: { visibility: active ? 'visible' : 'hidden', opacity: backgroundOpacity }\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area__drop'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area__background',\n style: { transform: 'scale(' + backgroundScale + ')' }\n }), __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'upload-area__content'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"b\" /* FormattedMessage */], {\n id: 'upload_area.title',\n defaultMessage: 'Drag & drop to upload'\n }))));\n });\n };\n\n return UploadArea;\n}(__WEBPACK_IMPORTED_MODULE_4_react___default.a.PureComponent);\n\n\n\n/***/ }),\n\n/***/ 672:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_react_redux__ = __webpack_require__(9);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1__components_columns_area__ = __webpack_require__(673);\n\n\n\nvar mapStateToProps = function mapStateToProps(state) {\n return {\n columns: state.getIn(['settings', 'columns']),\n isModalOpen: !!state.get('modal').modalType\n };\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (Object(__WEBPACK_IMPORTED_MODULE_0_react_redux__[\"connect\"])(mapStateToProps, null, null, { withRef: true })(__WEBPACK_IMPORTED_MODULE_1__components_columns_area__[\"a\" /* default */]));\n\n/***/ }),\n\n/***/ 673:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return ColumnsArea; });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__ = __webpack_require__(34);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__ = __webpack_require__(1);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__ = __webpack_require__(3);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__ = __webpack_require__(4);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7_react_intl__ = __webpack_require__(7);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__ = __webpack_require__(14);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_immutable_pure_component__ = __webpack_require__(12);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_9_react_immutable_pure_component___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_9_react_immutable_pure_component__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10_react_swipeable_views__ = __webpack_require__(164);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_10_react_swipeable_views___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_10_react_swipeable_views__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_11__tabs_bar__ = __webpack_require__(251);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_12_react_router_dom__ = __webpack_require__(44);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_13__containers_bundle_container__ = __webpack_require__(151);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_14__column_loading__ = __webpack_require__(252);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_15__drawer_loading__ = __webpack_require__(674);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_16__bundle_column_error__ = __webpack_require__(253);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__ = __webpack_require__(58);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_18_detect_passive_events__ = __webpack_require__(45);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_18_detect_passive_events___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_18_detect_passive_events__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_19__scroll__ = __webpack_require__(91);\n\n\n\n\n\n\nvar _dec, _class, _class2, _temp2;\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar componentMap = {\n 'COMPOSE': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"e\" /* Compose */],\n 'HOME': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"r\" /* HomeTimeline */],\n 'NOTIFICATIONS': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"z\" /* Notifications */],\n 'PUBLIC': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"C\" /* PublicTimeline */],\n 'COMMUNITY': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"d\" /* CommunityTimeline */],\n 'HASHTAG': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"q\" /* HashtagTimeline */],\n 'DIRECT': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"f\" /* DirectTimeline */],\n 'FAVOURITES': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"j\" /* FavouritedStatuses */],\n 'LIST': __WEBPACK_IMPORTED_MODULE_17__ui_util_async_components__[\"u\" /* ListTimeline */]\n};\n\nvar shouldHideFAB = function shouldHideFAB(path) {\n return path.match(/^\\/statuses\\//);\n};\n\nvar ColumnsArea = (_dec = function _dec(component) {\n return Object(__WEBPACK_IMPORTED_MODULE_7_react_intl__[\"g\" /* injectIntl */])(component, { withRef: true });\n}, _dec(_class = (_temp2 = _class2 = function (_ImmutablePureCompone) {\n __WEBPACK_IMPORTED_MODULE_4_babel_runtime_helpers_inherits___default()(ColumnsArea, _ImmutablePureCompone);\n\n function ColumnsArea() {\n var _temp, _this, _ret;\n\n __WEBPACK_IMPORTED_MODULE_2_babel_runtime_helpers_classCallCheck___default()(this, ColumnsArea);\n\n for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n return _ret = (_temp = (_this = __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default()(this, _ImmutablePureCompone.call.apply(_ImmutablePureCompone, [this].concat(args))), _this), _this.state = {\n shouldAnimate: false\n }, _this.handleSwipe = function (index) {\n _this.pendingIndex = index;\n\n var nextLinkTranslationId = __WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"d\" /* links */][index].props['data-preview-title-id'];\n var currentLinkSelector = '.tabs-bar__link.active';\n var nextLinkSelector = '.tabs-bar__link[data-preview-title-id=\"' + nextLinkTranslationId + '\"]';\n\n // HACK: Remove the active class from the current link and set it to the next one\n // React-router does this for us, but too late, feeling laggy.\n document.querySelector(currentLinkSelector).classList.remove('active');\n document.querySelector(nextLinkSelector).classList.add('active');\n }, _this.handleAnimationEnd = function () {\n if (typeof _this.pendingIndex === 'number') {\n _this.context.router.history.push(Object(__WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"c\" /* getLink */])(_this.pendingIndex));\n _this.pendingIndex = null;\n }\n }, _this.handleWheel = function () {\n if (typeof _this._interruptScrollAnimation !== 'function') {\n return;\n }\n\n _this._interruptScrollAnimation();\n }, _this.setRef = function (node) {\n _this.node = node;\n }, _this.renderView = function (link, index) {\n var columnIndex = Object(__WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"b\" /* getIndex */])(_this.context.router.history.location.pathname);\n var title = _this.props.intl.formatMessage({ id: link.props['data-preview-title-id'] });\n var icon = link.props['data-preview-icon'];\n\n var view = index === columnIndex ? __WEBPACK_IMPORTED_MODULE_5_react___default.a.cloneElement(_this.props.children) : __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14__column_loading__[\"a\" /* default */], {\n title: title,\n icon: icon\n });\n\n return __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('div', {\n className: 'columns-area'\n }, index, view);\n }, _this.renderLoading = function (columnId) {\n return function () {\n return columnId === 'COMPOSE' ? __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_15__drawer_loading__[\"a\" /* default */], {}) : __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_14__column_loading__[\"a\" /* default */], {});\n };\n }, _this.renderError = function (props) {\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(__WEBPACK_IMPORTED_MODULE_16__bundle_column_error__[\"a\" /* default */], props);\n }, _temp), __WEBPACK_IMPORTED_MODULE_3_babel_runtime_helpers_possibleConstructorReturn___default()(_this, _ret);\n }\n\n ColumnsArea.prototype.componentWillReceiveProps = function componentWillReceiveProps() {\n this.setState({ shouldAnimate: false });\n };\n\n ColumnsArea.prototype.componentDidMount = function componentDidMount() {\n if (!this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, __WEBPACK_IMPORTED_MODULE_18_detect_passive_events___default.a.hasSupport ? { passive: true } : false);\n }\n\n this.lastIndex = Object(__WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"b\" /* getIndex */])(this.context.router.history.location.pathname);\n this.isRtlLayout = document.getElementsByTagName('body')[0].classList.contains('rtl');\n\n this.setState({ shouldAnimate: true });\n };\n\n ColumnsArea.prototype.componentWillUpdate = function componentWillUpdate(nextProps) {\n if (this.props.singleColumn !== nextProps.singleColumn && nextProps.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n };\n\n ColumnsArea.prototype.componentDidUpdate = function componentDidUpdate(prevProps) {\n if (this.props.singleColumn !== prevProps.singleColumn && !this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, __WEBPACK_IMPORTED_MODULE_18_detect_passive_events___default.a.hasSupport ? { passive: true } : false);\n }\n this.lastIndex = Object(__WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"b\" /* getIndex */])(this.context.router.history.location.pathname);\n this.setState({ shouldAnimate: true });\n };\n\n ColumnsArea.prototype.componentWillUnmount = function componentWillUnmount() {\n if (!this.props.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n };\n\n ColumnsArea.prototype.handleChildrenContentChange = function handleChildrenContentChange() {\n if (!this.props.singleColumn) {\n var modifier = this.isRtlLayout ? -1 : 1;\n this._interruptScrollAnimation = Object(__WEBPACK_IMPORTED_MODULE_19__scroll__[\"a\" /* scrollRight */])(this.node, (this.node.scrollWidth - window.innerWidth) * modifier);\n }\n };\n\n ColumnsArea.prototype.render = function render() {\n var _this2 = this;\n\n var _props = this.props,\n columns = _props.columns,\n children = _props.children,\n singleColumn = _props.singleColumn,\n isModalOpen = _props.isModalOpen;\n var shouldAnimate = this.state.shouldAnimate;\n\n\n var columnIndex = Object(__WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"b\" /* getIndex */])(this.context.router.history.location.pathname);\n this.pendingIndex = null;\n\n if (singleColumn) {\n var floatingActionButton = shouldHideFAB(this.context.router.history.location.pathname) ? null : __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_12_react_router_dom__[\"b\" /* Link */], {\n to: '/statuses/new',\n className: 'floating-action-button'\n }, 'floating-action-button', __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('i', {\n className: 'fa fa-pencil'\n }));\n\n return columnIndex !== -1 ? [__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_10_react_swipeable_views___default.a, {\n index: columnIndex,\n onChangeIndex: this.handleSwipe,\n onTransitionEnd: this.handleAnimationEnd,\n animateTransitions: shouldAnimate,\n springConfig: { duration: '400ms', delay: '0s', easeFunction: 'ease' },\n style: { height: '100%' }\n }, 'content', __WEBPACK_IMPORTED_MODULE_11__tabs_bar__[\"d\" /* links */].map(this.renderView)), floatingActionButton] : [__WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()('div', {\n className: 'columns-area'\n }, void 0, children), floatingActionButton];\n }\n\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(\n 'div',\n { className: 'columns-area ' + (isModalOpen ? 'unscrollable' : ''), ref: this.setRef },\n columns.map(function (column) {\n var params = column.get('params', null) === null ? null : column.get('params').toJS();\n var other = params && params.other ? params.other : {};\n\n return __WEBPACK_IMPORTED_MODULE_1_babel_runtime_helpers_jsx___default()(__WEBPACK_IMPORTED_MODULE_13__containers_bundle_container__[\"a\" /* default */], {\n fetchComponent: componentMap[column.get('id')],\n loading: _this2.renderLoading(column.get('id')),\n error: _this2.renderError\n }, column.get('uuid'), function (SpecificComponent) {\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.createElement(SpecificComponent, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_extends___default()({ columnId: column.get('uuid'), params: params, multiColumn: true }, other));\n });\n }),\n __WEBPACK_IMPORTED_MODULE_5_react___default.a.Children.map(children, function (child) {\n return __WEBPACK_IMPORTED_MODULE_5_react___default.a.cloneElement(child, { multiColumn: true });\n })\n );\n };\n\n return ColumnsArea;\n}(__WEBPACK_IMPORTED_MODULE_9_react_immutable_pure_component___default.a), _class2.contextTypes = {\n router: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.object.isRequired\n}, _class2.propTypes = {\n intl: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.object.isRequired,\n columns: __WEBPACK_IMPORTED_MODULE_8_react_immutable_proptypes___default.a.list.isRequired,\n isModalOpen: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool.isRequired,\n singleColumn: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.bool,\n children: __WEBPACK_IMPORTED_MODULE_6_prop_types___default.a.node\n}, _temp2)) || _class);\n\n\n/***/ }),\n\n/***/ 674:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__ = __webpack_require__(2);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_react__);\n\n\n\nvar DrawerLoading = function DrawerLoading() {\n return __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'drawer'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'drawer__pager'\n }, void 0, __WEBPACK_IMPORTED_MODULE_0_babel_runtime_helpers_jsx___default()('div', {\n className: 'drawer__inner'\n })));\n};\n\n/* harmony default export */ __webpack_exports__[\"a\"] = (DrawerLoading);\n\n/***/ }),\n\n/***/ 675:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony export (immutable) */ __webpack_exports__[\"start\"] = start;\n/* harmony export (immutable) */ __webpack_exports__[\"stop\"] = stop;\n//\n// Tools for performance debugging, only enabled in development mode.\n// Open up Chrome Dev Tools, then Timeline, then User Timing to see output.\n// Also see config/webpack/loaders/mark.js for the webpack loader marks.\n//\n\nvar marky = void 0;\n\nif (false) {\n if (typeof performance !== 'undefined' && performance.setResourceTimingBufferSize) {\n // Increase Firefox's performance entry limit; otherwise it's capped to 150.\n // See: https://bugzilla.mozilla.org/show_bug.cgi?id=1331135\n performance.setResourceTimingBufferSize(Infinity);\n }\n marky = require('marky');\n // allows us to easily do e.g. ReactPerf.printWasted() while debugging\n //window.ReactPerf = require('react-addons-perf');\n //window.ReactPerf.start();\n}\n\nfunction start(name) {\n if (false) {\n marky.mark(name);\n }\n}\n\nfunction stop(name) {\n if (false) {\n marky.stop(name);\n }\n}\n\n/***/ }),\n\n/***/ 676:\n/***/ (function(module, exports) {\n\nvar appCacheIframe;\n\nfunction hasSW() {\n return 'serviceWorker' in navigator && (\n // This is how I block Chrome 40 and detect Chrome 41, because first has\n // bugs with history.pustState and/or hashchange\n window.fetch || 'imageRendering' in document.documentElement.style) && (window.location.protocol === 'https:' || window.location.hostname === 'localhost' || window.location.hostname.indexOf('127.') === 0);\n}\n\nfunction install(options) {\n options || (options = {});\n\n if (hasSW()) {\n var registration = navigator.serviceWorker.register(\"/sw.js\");\n\n return;\n }\n\n if (window.applicationCache) {\n var directory = \"/packs/appcache/\";\n var name = \"manifest\";\n\n var doLoad = function () {\n var page = directory + name + '.html';\n var iframe = document.createElement('iframe');\n\n iframe.src = page;\n iframe.style.display = 'none';\n\n appCacheIframe = iframe;\n document.body.appendChild(iframe);\n };\n\n if (document.readyState === 'complete') {\n setTimeout(doLoad);\n } else {\n window.addEventListener('load', doLoad);\n }\n\n return;\n }\n}\n\nfunction applyUpdate(callback, errback) {}\n\nfunction update() {\n\n if (hasSW()) {\n navigator.serviceWorker.getRegistration().then(function (registration) {\n if (!registration) return;\n return registration.update();\n });\n }\n\n if (appCacheIframe) {\n try {\n appCacheIframe.contentWindow.applicationCache.update();\n } catch (e) {}\n }\n}\n\nexports.install = install;\nexports.applyUpdate = applyUpdate;\nexports.update = update;\n\n/***/ }),\n\n/***/ 7:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"e\", function() { return addLocaleData; });\n/* unused harmony export intlShape */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"g\", function() { return injectIntl; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"f\", function() { return defineMessages; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"d\", function() { return IntlProvider; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"a\", function() { return FormattedDate; });\n/* unused harmony export FormattedTime */\n/* unused harmony export FormattedRelative */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"c\", function() { return FormattedNumber; });\n/* unused harmony export FormattedPlural */\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"b\", function() { return FormattedMessage; });\n/* unused harmony export FormattedHTMLMessage */\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__ = __webpack_require__(107);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat__ = __webpack_require__(59);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__ = __webpack_require__(76);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types__ = __webpack_require__(5);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_prop_types___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_prop_types__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react__ = __webpack_require__(0);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_react___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_react__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant__ = __webpack_require__(18);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_invariant___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_invariant__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache__ = __webpack_require__(108);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_intl_format_cache__);\n/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n\n\n\n\n\n\n\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__addLocaleData(localeData);\n __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.__localeData__[normalizedLocale] && __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.bool;\nvar number = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.number;\nvar string = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.string;\nvar func = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.func;\nvar object = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.object;\nvar oneOf = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOf;\nvar shape = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.shape;\nvar any = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.any;\nvar oneOfType = __WEBPACK_IMPORTED_MODULE_3_prop_types___default.a.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return __WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (false) {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, __WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && \"production\" === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (false) {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (false) {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (false) {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\nvar format = Object.freeze({\n formatDate: formatDate,\n formatTime: formatTime,\n formatRelative: formatRelative,\n formatNumber: formatNumber,\n formatPlural: formatPlural,\n formatMessage: formatMessage,\n formatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n __WEBPACK_IMPORTED_MODULE_5_invariant___default()(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.DateTimeFormat),\n getNumberFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(Intl.NumberFormat),\n getMessageFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_1_intl_messageformat___default.a),\n getRelativeFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(__WEBPACK_IMPORTED_MODULE_2_intl_relativeformat___default.a),\n getPluralFormat: __WEBPACK_IMPORTED_MODULE_6_intl_format_cache___default()(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n if (false) {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"Children\"].only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\n false ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedDate);\n }\n }]);\n return FormattedDate;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedTime);\n }\n }]);\n return FormattedTime;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedRelative);\n }\n }]);\n return FormattedRelative;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedNumber);\n }\n }]);\n return FormattedNumber;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Text, null, formattedPlural);\n }\n }]);\n return FormattedPlural;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (Object(__WEBPACK_IMPORTED_MODULE_4_react__[\"isValidElement\"])(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return __WEBPACK_IMPORTED_MODULE_4_react__[\"createElement\"].apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\n false ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return __WEBPACK_IMPORTED_MODULE_4_react___default.a.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(__WEBPACK_IMPORTED_MODULE_4_react__[\"Component\"]);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\n false ? void 0 : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(__WEBPACK_IMPORTED_MODULE_0__locale_data_index_js___default.a);\n\n\n\n/***/ })\n\n},[662]);\n\n\n// WEBPACK FOOTER //\n// application.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport classNames from 'classnames';\n\nexport default class ColumnHeader extends React.PureComponent {\n\n static propTypes = {\n icon: PropTypes.string,\n type: PropTypes.string,\n active: PropTypes.bool,\n onClick: PropTypes.func,\n columnHeaderId: PropTypes.string,\n };\n\n handleClick = () => {\n this.props.onClick();\n }\n\n render () {\n const { icon, type, active, columnHeaderId } = this.props;\n let iconElement = '';\n\n if (icon) {\n iconElement = ;\n }\n\n return (\n

\n \n

\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/column_header.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { NavLink, withRouter } from 'react-router-dom';\nimport { FormattedMessage, injectIntl } from 'react-intl';\nimport { debounce } from 'lodash';\nimport { isUserTouching } from '../../../is_mobile';\n\nexport const links = [\n ,\n ,\n ,\n\n ,\n ,\n\n ,\n];\n\nexport function getIndex (path) {\n return links.findIndex(link => link.props.to === path);\n}\n\nexport function getLink (index) {\n return links[index].props.to;\n}\n\n@injectIntl\n@withRouter\nexport default class TabsBar extends React.PureComponent {\n\n static propTypes = {\n intl: PropTypes.object.isRequired,\n history: PropTypes.object.isRequired,\n }\n\n setRef = ref => {\n this.node = ref;\n }\n\n handleClick = (e) => {\n // Only apply optimization for touch devices, which we assume are slower\n // We thus avoid the 250ms delay for non-touch devices and the lag for touch devices\n if (isUserTouching()) {\n e.preventDefault();\n e.persist();\n\n requestAnimationFrame(() => {\n const tabs = Array(...this.node.querySelectorAll('.tabs-bar__link'));\n const currentTab = tabs.find(tab => tab.classList.contains('active'));\n const nextTab = tabs.find(tab => tab.contains(e.target));\n const { props: { to } } = links[Array(...this.node.childNodes).indexOf(nextTab)];\n\n\n if (currentTab !== nextTab) {\n if (currentTab) {\n currentTab.classList.remove('active');\n }\n\n const listener = debounce(() => {\n nextTab.removeEventListener('transitionend', listener);\n this.props.history.push(to);\n }, 50);\n\n nextTab.addEventListener('transitionend', listener);\n nextTab.classList.add('active');\n }\n });\n }\n\n }\n\n render () {\n const { intl: { formatMessage } } = this.props;\n\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/tabs_bar.js","import React from 'react';\nimport PropTypes from 'prop-types';\n\nimport Column from '../../../components/column';\nimport ColumnHeader from '../../../components/column_header';\nimport ImmutablePureComponent from 'react-immutable-pure-component';\n\nexport default class ColumnLoading extends ImmutablePureComponent {\n\n static propTypes = {\n title: PropTypes.oneOfType([PropTypes.node, PropTypes.string]),\n icon: PropTypes.string,\n };\n\n static defaultProps = {\n title: '',\n icon: '',\n };\n\n render() {\n let { title, icon } = this.props;\n return (\n \n \n
\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/column_loading.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { defineMessages, injectIntl } from 'react-intl';\n\nimport Column from './column';\nimport ColumnHeader from './column_header';\nimport ColumnBackButtonSlim from '../../../components/column_back_button_slim';\nimport IconButton from '../../../components/icon_button';\n\nconst messages = defineMessages({\n title: { id: 'bundle_column_error.title', defaultMessage: 'Network error' },\n body: { id: 'bundle_column_error.body', defaultMessage: 'Something went wrong while loading this component.' },\n retry: { id: 'bundle_column_error.retry', defaultMessage: 'Try again' },\n});\n\nclass BundleColumnError extends React.PureComponent {\n\n static propTypes = {\n onRetry: PropTypes.func.isRequired,\n intl: PropTypes.object.isRequired,\n }\n\n handleRetry = () => {\n this.props.onRetry();\n }\n\n render () {\n const { intl: { formatMessage } } = this.props;\n\n return (\n \n \n \n
\n \n {formatMessage(messages.body)}\n
\n
\n );\n }\n\n}\n\nexport default injectIntl(BundleColumnError);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/bundle_column_error.js","import React from 'react';\nimport ColumnHeader from './column_header';\nimport PropTypes from 'prop-types';\nimport { debounce } from 'lodash';\nimport { scrollTop } from '../../../scroll';\nimport { isMobile } from '../../../is_mobile';\n\nexport default class Column extends React.PureComponent {\n\n static propTypes = {\n heading: PropTypes.string,\n icon: PropTypes.string,\n children: PropTypes.node,\n active: PropTypes.bool,\n hideHeadingOnMobile: PropTypes.bool,\n };\n\n handleHeaderClick = () => {\n const scrollable = this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n this._interruptScrollAnimation = scrollTop(scrollable);\n }\n\n scrollTop () {\n const scrollable = this.node.querySelector('.scrollable');\n\n if (!scrollable) {\n return;\n }\n\n this._interruptScrollAnimation = scrollTop(scrollable);\n }\n\n\n handleScroll = debounce(() => {\n if (typeof this._interruptScrollAnimation !== 'undefined') {\n this._interruptScrollAnimation();\n }\n }, 200)\n\n setRef = (c) => {\n this.node = c;\n }\n\n render () {\n const { heading, icon, children, active, hideHeadingOnMobile } = this.props;\n\n const showHeading = heading && (!hideHeadingOnMobile || (hideHeadingOnMobile && !isMobile(window.innerWidth)));\n\n const columnHeaderId = showHeading && heading.replace(/ /g, '-');\n const header = showHeading && (\n \n );\n return (\n \n {header}\n {children}\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/column.js","import React from 'react';\nimport { FormattedMessage } from 'react-intl';\nimport PropTypes from 'prop-types';\n\nexport default class ColumnBackButton extends React.PureComponent {\n\n static contextTypes = {\n router: PropTypes.object,\n };\n\n handleClick = () => {\n if (window.history && window.history.length === 1) {\n this.context.router.history.push('/');\n } else {\n this.context.router.history.goBack();\n }\n }\n\n render () {\n return (\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/column_back_button.js","import React from 'react';\nimport { FormattedMessage } from 'react-intl';\nimport ColumnBackButton from './column_back_button';\n\nexport default class ColumnBackButtonSlim extends ColumnBackButton {\n\n render () {\n return (\n
\n
\n \n \n
\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/components/column_back_button_slim.js","import loadPolyfills from '../mastodon/load_polyfills';\n\nloadPolyfills().then(() => {\n require('../mastodon/main').default();\n}).catch(e => {\n console.error(e);\n});\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/packs/application.js","import * as registerPushNotifications from './actions/push_notifications';\nimport { default as Mastodon, store } from './containers/mastodon';\nimport React from 'react';\nimport ReactDOM from 'react-dom';\nimport ready from './ready';\n\nconst perf = require('./performance');\n\nfunction main() {\n perf.start('main()');\n\n if (window.history && history.replaceState) {\n const { pathname, search, hash } = window.location;\n const path = pathname + search + hash;\n if (!(/^\\/web($|\\/)/).test(path)) {\n history.replaceState(null, document.title, `/web${path}`);\n }\n }\n\n ready(() => {\n const mountNode = document.getElementById('mastodon');\n const props = JSON.parse(mountNode.getAttribute('data-props'));\n\n ReactDOM.render(, mountNode);\n if (process.env.NODE_ENV === 'production') {\n // avoid offline in dev mode because it's harder to debug\n require('offline-plugin/runtime').install();\n store.dispatch(registerPushNotifications.register());\n }\n perf.stop('main()');\n });\n}\n\nexport default main;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/main.js","import React from 'react';\nimport { Provider } from 'react-redux';\nimport PropTypes from 'prop-types';\nimport configureStore from '../store/configureStore';\nimport { showOnboardingOnce } from '../actions/onboarding';\nimport { BrowserRouter, Route } from 'react-router-dom';\nimport { ScrollContext } from 'react-router-scroll-4';\nimport UI from '../features/ui';\nimport { fetchCustomEmojis } from '../actions/custom_emojis';\nimport { hydrateStore } from '../actions/store';\nimport { connectUserStream } from '../actions/streaming';\nimport { IntlProvider, addLocaleData } from 'react-intl';\nimport { getLocale } from '../locales';\nimport initialState from '../initial_state';\n\nconst { localeData, messages } = getLocale();\naddLocaleData(localeData);\n\nexport const store = configureStore();\nconst hydrateAction = hydrateStore(initialState);\nstore.dispatch(hydrateAction);\n\n// load custom emojis\nstore.dispatch(fetchCustomEmojis());\n\nexport default class Mastodon extends React.PureComponent {\n\n static propTypes = {\n locale: PropTypes.string.isRequired,\n };\n\n componentDidMount() {\n this.disconnect = store.dispatch(connectUserStream());\n\n // Desktop notifications\n // Ask after 1 minute\n if (typeof window.Notification !== 'undefined' && Notification.permission === 'default') {\n window.setTimeout(() => Notification.requestPermission(), 60 * 1000);\n }\n\n // Protocol handler\n // Ask after 5 minutes\n if (typeof navigator.registerProtocolHandler !== 'undefined') {\n const handlerUrl = window.location.protocol + '//' + window.location.host + '/intent?uri=%s';\n window.setTimeout(() => navigator.registerProtocolHandler('web+mastodon', handlerUrl, 'Mastodon'), 5 * 60 * 1000);\n }\n\n store.dispatch(showOnboardingOnce());\n }\n\n componentWillUnmount () {\n if (this.disconnect) {\n this.disconnect();\n this.disconnect = null;\n }\n }\n\n render () {\n const { locale } = this.props;\n\n return (\n \n \n \n \n \n \n \n \n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/containers/mastodon.js","import { openModal } from './modal';\nimport { changeSetting, saveSettings } from './settings';\n\nexport function showOnboardingOnce() {\n return (dispatch, getState) => {\n const alreadySeen = getState().getIn(['settings', 'onboarded']);\n\n if (!alreadySeen) {\n dispatch(openModal('ONBOARDING'));\n dispatch(changeSetting(['onboarded'], true));\n dispatch(saveSettings());\n }\n };\n};\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/actions/onboarding.js","import classNames from 'classnames';\nimport React from 'react';\nimport NotificationsContainer from './containers/notifications_container';\nimport PropTypes from 'prop-types';\nimport LoadingBarContainer from './containers/loading_bar_container';\nimport TabsBar from './components/tabs_bar';\nimport ModalContainer from './containers/modal_container';\nimport { connect } from 'react-redux';\nimport { Redirect, withRouter } from 'react-router-dom';\nimport { isMobile } from '../../is_mobile';\nimport { debounce } from 'lodash';\nimport { uploadCompose, resetCompose } from '../../actions/compose';\nimport { expandHomeTimeline } from '../../actions/timelines';\nimport { expandNotifications } from '../../actions/notifications';\nimport { clearHeight } from '../../actions/height_cache';\nimport { WrappedSwitch, WrappedRoute } from './util/react_router_helpers';\nimport UploadArea from './components/upload_area';\nimport ColumnsAreaContainer from './containers/columns_area_container';\nimport {\n Compose,\n Status,\n GettingStarted,\n KeyboardShortcuts,\n PublicTimeline,\n CommunityTimeline,\n AccountTimeline,\n AccountGallery,\n HomeTimeline,\n Followers,\n Following,\n Reblogs,\n Favourites,\n DirectTimeline,\n HashtagTimeline,\n Notifications,\n FollowRequests,\n GenericNotFound,\n FavouritedStatuses,\n ListTimeline,\n Blocks,\n DomainBlocks,\n Mutes,\n PinnedStatuses,\n Lists,\n} from './util/async-components';\nimport { HotKeys } from 'react-hotkeys';\nimport { me } from '../../initial_state';\nimport { defineMessages, injectIntl } from 'react-intl';\n\n// Dummy import, to make sure that ends up in the application bundle.\n// Without this it ends up in ~8 very commonly used bundles.\nimport '../../components/status';\n\nconst messages = defineMessages({\n beforeUnload: { id: 'ui.beforeunload', defaultMessage: 'Your draft will be lost if you leave Mastodon.' },\n});\n\nconst mapStateToProps = state => ({\n isComposing: state.getIn(['compose', 'is_composing']),\n hasComposingText: state.getIn(['compose', 'text']) !== '',\n dropdownMenuIsOpen: state.getIn(['dropdown_menu', 'openId']) !== null,\n});\n\nconst keyMap = {\n help: '?',\n new: 'n',\n search: 's',\n forceNew: 'option+n',\n focusColumn: ['1', '2', '3', '4', '5', '6', '7', '8', '9'],\n reply: 'r',\n favourite: 'f',\n boost: 'b',\n mention: 'm',\n open: ['enter', 'o'],\n openProfile: 'p',\n moveDown: ['down', 'j'],\n moveUp: ['up', 'k'],\n back: 'backspace',\n goToHome: 'g h',\n goToNotifications: 'g n',\n goToLocal: 'g l',\n goToFederated: 'g t',\n goToDirect: 'g d',\n goToStart: 'g s',\n goToFavourites: 'g f',\n goToPinned: 'g p',\n goToProfile: 'g u',\n goToBlocked: 'g b',\n goToMuted: 'g m',\n toggleHidden: 'x',\n};\n\nclass SwitchingColumnsArea extends React.PureComponent {\n\n static propTypes = {\n children: PropTypes.node,\n location: PropTypes.object,\n onLayoutChange: PropTypes.func.isRequired,\n };\n\n state = {\n mobile: isMobile(window.innerWidth),\n };\n\n componentWillMount () {\n window.addEventListener('resize', this.handleResize, { passive: true });\n }\n\n componentDidUpdate (prevProps) {\n if (![this.props.location.pathname, '/'].includes(prevProps.location.pathname)) {\n this.node.handleChildrenContentChange();\n }\n }\n\n componentWillUnmount () {\n window.removeEventListener('resize', this.handleResize);\n }\n\n handleResize = debounce(() => {\n // The cached heights are no longer accurate, invalidate\n this.props.onLayoutChange();\n\n this.setState({ mobile: isMobile(window.innerWidth) });\n }, 500, {\n trailing: true,\n });\n\n setRef = c => {\n this.node = c.getWrappedInstance().getWrappedInstance();\n }\n\n render () {\n const { children } = this.props;\n const { mobile } = this.state;\n const redirect = mobile ? : ;\n\n return (\n \n \n {redirect}\n \n \n \n \n \n \n \n \n \n \n\n \n \n \n\n \n\n \n \n \n \n\n \n \n \n \n \n\n \n \n \n \n \n\n \n \n \n );\n }\n\n}\n\n@connect(mapStateToProps)\n@injectIntl\n@withRouter\nexport default class UI extends React.PureComponent {\n\n static contextTypes = {\n router: PropTypes.object.isRequired,\n };\n\n static propTypes = {\n dispatch: PropTypes.func.isRequired,\n children: PropTypes.node,\n isComposing: PropTypes.bool,\n hasComposingText: PropTypes.bool,\n location: PropTypes.object,\n intl: PropTypes.object.isRequired,\n dropdownMenuIsOpen: PropTypes.bool,\n };\n\n state = {\n draggingOver: false,\n };\n\n handleBeforeUnload = (e) => {\n const { intl, isComposing, hasComposingText } = this.props;\n\n if (isComposing && hasComposingText) {\n // Setting returnValue to any string causes confirmation dialog.\n // Many browsers no longer display this text to users,\n // but we set user-friendly message for other browsers, e.g. Edge.\n e.returnValue = intl.formatMessage(messages.beforeUnload);\n }\n }\n\n handleLayoutChange = () => {\n // The cached heights are no longer accurate, invalidate\n this.props.dispatch(clearHeight());\n }\n\n handleDragEnter = (e) => {\n e.preventDefault();\n\n if (!this.dragTargets) {\n this.dragTargets = [];\n }\n\n if (this.dragTargets.indexOf(e.target) === -1) {\n this.dragTargets.push(e.target);\n }\n\n if (e.dataTransfer && Array.from(e.dataTransfer.types).includes('Files')) {\n this.setState({ draggingOver: true });\n }\n }\n\n handleDragOver = (e) => {\n e.preventDefault();\n e.stopPropagation();\n\n try {\n e.dataTransfer.dropEffect = 'copy';\n } catch (err) {\n\n }\n\n return false;\n }\n\n handleDrop = (e) => {\n e.preventDefault();\n\n this.setState({ draggingOver: false });\n\n if (e.dataTransfer && e.dataTransfer.files.length === 1) {\n this.props.dispatch(uploadCompose(e.dataTransfer.files));\n }\n }\n\n handleDragLeave = (e) => {\n e.preventDefault();\n e.stopPropagation();\n\n this.dragTargets = this.dragTargets.filter(el => el !== e.target && this.node.contains(el));\n\n if (this.dragTargets.length > 0) {\n return;\n }\n\n this.setState({ draggingOver: false });\n }\n\n closeUploadModal = () => {\n this.setState({ draggingOver: false });\n }\n\n handleServiceWorkerPostMessage = ({ data }) => {\n if (data.type === 'navigate') {\n this.context.router.history.push(data.path);\n } else {\n console.warn('Unknown message type:', data.type);\n }\n }\n\n componentWillMount () {\n window.addEventListener('beforeunload', this.handleBeforeUnload, false);\n document.addEventListener('dragenter', this.handleDragEnter, false);\n document.addEventListener('dragover', this.handleDragOver, false);\n document.addEventListener('drop', this.handleDrop, false);\n document.addEventListener('dragleave', this.handleDragLeave, false);\n document.addEventListener('dragend', this.handleDragEnd, false);\n\n if ('serviceWorker' in navigator) {\n navigator.serviceWorker.addEventListener('message', this.handleServiceWorkerPostMessage);\n }\n\n this.props.dispatch(expandHomeTimeline());\n this.props.dispatch(expandNotifications());\n }\n\n componentDidMount () {\n this.hotkeys.__mousetrap__.stopCallback = (e, element) => {\n return ['TEXTAREA', 'SELECT', 'INPUT'].includes(element.tagName);\n };\n }\n\n componentWillUnmount () {\n window.removeEventListener('beforeunload', this.handleBeforeUnload);\n document.removeEventListener('dragenter', this.handleDragEnter);\n document.removeEventListener('dragover', this.handleDragOver);\n document.removeEventListener('drop', this.handleDrop);\n document.removeEventListener('dragleave', this.handleDragLeave);\n document.removeEventListener('dragend', this.handleDragEnd);\n }\n\n setRef = c => {\n this.node = c;\n }\n\n handleHotkeyNew = e => {\n e.preventDefault();\n\n const element = this.node.querySelector('.compose-form__autosuggest-wrapper textarea');\n\n if (element) {\n element.focus();\n }\n }\n\n handleHotkeySearch = e => {\n e.preventDefault();\n\n const element = this.node.querySelector('.search__input');\n\n if (element) {\n element.focus();\n }\n }\n\n handleHotkeyForceNew = e => {\n this.handleHotkeyNew(e);\n this.props.dispatch(resetCompose());\n }\n\n handleHotkeyFocusColumn = e => {\n const index = (e.key * 1) + 1; // First child is drawer, skip that\n const column = this.node.querySelector(`.column:nth-child(${index})`);\n\n if (column) {\n const status = column.querySelector('.focusable');\n\n if (status) {\n status.focus();\n }\n }\n }\n\n handleHotkeyBack = () => {\n if (window.history && window.history.length === 1) {\n this.context.router.history.push('/');\n } else {\n this.context.router.history.goBack();\n }\n }\n\n setHotkeysRef = c => {\n this.hotkeys = c;\n }\n\n handleHotkeyToggleHelp = () => {\n if (this.props.location.pathname === '/keyboard-shortcuts') {\n this.context.router.history.goBack();\n } else {\n this.context.router.history.push('/keyboard-shortcuts');\n }\n }\n\n handleHotkeyGoToHome = () => {\n this.context.router.history.push('/timelines/home');\n }\n\n handleHotkeyGoToNotifications = () => {\n this.context.router.history.push('/notifications');\n }\n\n handleHotkeyGoToLocal = () => {\n this.context.router.history.push('/timelines/public/local');\n }\n\n handleHotkeyGoToFederated = () => {\n this.context.router.history.push('/timelines/public');\n }\n\n handleHotkeyGoToDirect = () => {\n this.context.router.history.push('/timelines/direct');\n }\n\n handleHotkeyGoToStart = () => {\n this.context.router.history.push('/getting-started');\n }\n\n handleHotkeyGoToFavourites = () => {\n this.context.router.history.push('/favourites');\n }\n\n handleHotkeyGoToPinned = () => {\n this.context.router.history.push('/pinned');\n }\n\n handleHotkeyGoToProfile = () => {\n this.context.router.history.push(`/accounts/${me}`);\n }\n\n handleHotkeyGoToBlocked = () => {\n this.context.router.history.push('/blocks');\n }\n\n handleHotkeyGoToMuted = () => {\n this.context.router.history.push('/mutes');\n }\n\n render () {\n const { draggingOver } = this.state;\n const { children, isComposing, location, dropdownMenuIsOpen } = this.props;\n\n const handlers = {\n help: this.handleHotkeyToggleHelp,\n new: this.handleHotkeyNew,\n search: this.handleHotkeySearch,\n forceNew: this.handleHotkeyForceNew,\n focusColumn: this.handleHotkeyFocusColumn,\n back: this.handleHotkeyBack,\n goToHome: this.handleHotkeyGoToHome,\n goToNotifications: this.handleHotkeyGoToNotifications,\n goToLocal: this.handleHotkeyGoToLocal,\n goToFederated: this.handleHotkeyGoToFederated,\n goToDirect: this.handleHotkeyGoToDirect,\n goToStart: this.handleHotkeyGoToStart,\n goToFavourites: this.handleHotkeyGoToFavourites,\n goToPinned: this.handleHotkeyGoToPinned,\n goToProfile: this.handleHotkeyGoToProfile,\n goToBlocked: this.handleHotkeyGoToBlocked,\n goToMuted: this.handleHotkeyGoToMuted,\n };\n\n return (\n \n
\n \n\n \n {children}\n \n\n \n \n \n \n
\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/index.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { Switch, Route } from 'react-router-dom';\n\nimport ColumnLoading from '../components/column_loading';\nimport BundleColumnError from '../components/bundle_column_error';\nimport BundleContainer from '../containers/bundle_container';\n\n// Small wrapper to pass multiColumn to the route components\nexport class WrappedSwitch extends React.PureComponent {\n\n render () {\n const { multiColumn, children } = this.props;\n\n return (\n \n {React.Children.map(children, child => React.cloneElement(child, { multiColumn }))}\n \n );\n }\n\n}\n\nWrappedSwitch.propTypes = {\n multiColumn: PropTypes.bool,\n children: PropTypes.node,\n};\n\n// Small Wraper to extract the params from the route and pass\n// them to the rendered component, together with the content to\n// be rendered inside (the children)\nexport class WrappedRoute extends React.Component {\n\n static propTypes = {\n component: PropTypes.func.isRequired,\n content: PropTypes.node,\n multiColumn: PropTypes.bool,\n componentParams: PropTypes.object,\n };\n\n static defaultProps = {\n componentParams: {},\n };\n\n renderComponent = ({ match }) => {\n const { component, content, multiColumn, componentParams } = this.props;\n\n return (\n \n {Component => {content}}\n \n );\n }\n\n renderLoading = () => {\n return ;\n }\n\n renderError = (props) => {\n return ;\n }\n\n render () {\n const { component: Component, content, ...rest } = this.props;\n\n return ;\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/util/react_router_helpers.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport Motion from '../../ui/util/optional_motion';\nimport spring from 'react-motion/lib/spring';\nimport { FormattedMessage } from 'react-intl';\n\nexport default class UploadArea extends React.PureComponent {\n\n static propTypes = {\n active: PropTypes.bool,\n onClose: PropTypes.func,\n };\n\n handleKeyUp = (e) => {\n const keyCode = e.keyCode;\n if (this.props.active) {\n switch(keyCode) {\n case 27:\n e.preventDefault();\n e.stopPropagation();\n this.props.onClose();\n break;\n }\n }\n }\n\n componentDidMount () {\n window.addEventListener('keyup', this.handleKeyUp, false);\n }\n\n componentWillUnmount () {\n window.removeEventListener('keyup', this.handleKeyUp);\n }\n\n render () {\n const { active } = this.props;\n\n return (\n \n {({ backgroundOpacity, backgroundScale }) => (\n
\n
\n
\n
\n
\n
\n )}\n \n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/upload_area.js","import { connect } from 'react-redux';\nimport ColumnsArea from '../components/columns_area';\n\nconst mapStateToProps = state => ({\n columns: state.getIn(['settings', 'columns']),\n isModalOpen: !!state.get('modal').modalType,\n});\n\nexport default connect(mapStateToProps, null, null, { withRef: true })(ColumnsArea);\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/containers/columns_area_container.js","import React from 'react';\nimport PropTypes from 'prop-types';\nimport { injectIntl } from 'react-intl';\nimport ImmutablePropTypes from 'react-immutable-proptypes';\nimport ImmutablePureComponent from 'react-immutable-pure-component';\n\nimport ReactSwipeableViews from 'react-swipeable-views';\nimport { links, getIndex, getLink } from './tabs_bar';\nimport { Link } from 'react-router-dom';\n\nimport BundleContainer from '../containers/bundle_container';\nimport ColumnLoading from './column_loading';\nimport DrawerLoading from './drawer_loading';\nimport BundleColumnError from './bundle_column_error';\nimport { Compose, Notifications, HomeTimeline, CommunityTimeline, PublicTimeline, HashtagTimeline, DirectTimeline, FavouritedStatuses, ListTimeline } from '../../ui/util/async-components';\n\nimport detectPassiveEvents from 'detect-passive-events';\nimport { scrollRight } from '../../../scroll';\n\nconst componentMap = {\n 'COMPOSE': Compose,\n 'HOME': HomeTimeline,\n 'NOTIFICATIONS': Notifications,\n 'PUBLIC': PublicTimeline,\n 'COMMUNITY': CommunityTimeline,\n 'HASHTAG': HashtagTimeline,\n 'DIRECT': DirectTimeline,\n 'FAVOURITES': FavouritedStatuses,\n 'LIST': ListTimeline,\n};\n\nconst shouldHideFAB = path => path.match(/^\\/statuses\\//);\n\n@component => injectIntl(component, { withRef: true })\nexport default class ColumnsArea extends ImmutablePureComponent {\n\n static contextTypes = {\n router: PropTypes.object.isRequired,\n };\n\n static propTypes = {\n intl: PropTypes.object.isRequired,\n columns: ImmutablePropTypes.list.isRequired,\n isModalOpen: PropTypes.bool.isRequired,\n singleColumn: PropTypes.bool,\n children: PropTypes.node,\n };\n\n state = {\n shouldAnimate: false,\n }\n\n componentWillReceiveProps() {\n this.setState({ shouldAnimate: false });\n }\n\n componentDidMount() {\n if (!this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, detectPassiveEvents.hasSupport ? { passive: true } : false);\n }\n\n this.lastIndex = getIndex(this.context.router.history.location.pathname);\n this.isRtlLayout = document.getElementsByTagName('body')[0].classList.contains('rtl');\n\n this.setState({ shouldAnimate: true });\n }\n\n componentWillUpdate(nextProps) {\n if (this.props.singleColumn !== nextProps.singleColumn && nextProps.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n }\n\n componentDidUpdate(prevProps) {\n if (this.props.singleColumn !== prevProps.singleColumn && !this.props.singleColumn) {\n this.node.addEventListener('wheel', this.handleWheel, detectPassiveEvents.hasSupport ? { passive: true } : false);\n }\n this.lastIndex = getIndex(this.context.router.history.location.pathname);\n this.setState({ shouldAnimate: true });\n }\n\n componentWillUnmount () {\n if (!this.props.singleColumn) {\n this.node.removeEventListener('wheel', this.handleWheel);\n }\n }\n\n handleChildrenContentChange() {\n if (!this.props.singleColumn) {\n const modifier = this.isRtlLayout ? -1 : 1;\n this._interruptScrollAnimation = scrollRight(this.node, (this.node.scrollWidth - window.innerWidth) * modifier);\n }\n }\n\n handleSwipe = (index) => {\n this.pendingIndex = index;\n\n const nextLinkTranslationId = links[index].props['data-preview-title-id'];\n const currentLinkSelector = '.tabs-bar__link.active';\n const nextLinkSelector = `.tabs-bar__link[data-preview-title-id=\"${nextLinkTranslationId}\"]`;\n\n // HACK: Remove the active class from the current link and set it to the next one\n // React-router does this for us, but too late, feeling laggy.\n document.querySelector(currentLinkSelector).classList.remove('active');\n document.querySelector(nextLinkSelector).classList.add('active');\n }\n\n handleAnimationEnd = () => {\n if (typeof this.pendingIndex === 'number') {\n this.context.router.history.push(getLink(this.pendingIndex));\n this.pendingIndex = null;\n }\n }\n\n handleWheel = () => {\n if (typeof this._interruptScrollAnimation !== 'function') {\n return;\n }\n\n this._interruptScrollAnimation();\n }\n\n setRef = (node) => {\n this.node = node;\n }\n\n renderView = (link, index) => {\n const columnIndex = getIndex(this.context.router.history.location.pathname);\n const title = this.props.intl.formatMessage({ id: link.props['data-preview-title-id'] });\n const icon = link.props['data-preview-icon'];\n\n const view = (index === columnIndex) ?\n React.cloneElement(this.props.children) :\n ;\n\n return (\n
\n {view}\n
\n );\n }\n\n renderLoading = columnId => () => {\n return columnId === 'COMPOSE' ? : ;\n }\n\n renderError = (props) => {\n return ;\n }\n\n render () {\n const { columns, children, singleColumn, isModalOpen } = this.props;\n const { shouldAnimate } = this.state;\n\n const columnIndex = getIndex(this.context.router.history.location.pathname);\n this.pendingIndex = null;\n\n if (singleColumn) {\n const floatingActionButton = shouldHideFAB(this.context.router.history.location.pathname) ? null : ;\n\n return columnIndex !== -1 ? [\n \n {links.map(this.renderView)}\n ,\n\n floatingActionButton,\n ] : [\n
{children}
,\n\n floatingActionButton,\n ];\n }\n\n return (\n
\n {columns.map(column => {\n const params = column.get('params', null) === null ? null : column.get('params').toJS();\n const other = params && params.other ? params.other : {};\n\n return (\n \n {SpecificComponent => }\n \n );\n })}\n\n {React.Children.map(children, child => React.cloneElement(child, { multiColumn: true }))}\n
\n );\n }\n\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/columns_area.js","import React from 'react';\n\nconst DrawerLoading = () => (\n
\n
\n
\n
\n
\n);\n\nexport default DrawerLoading;\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/features/ui/components/drawer_loading.js","//\n// Tools for performance debugging, only enabled in development mode.\n// Open up Chrome Dev Tools, then Timeline, then User Timing to see output.\n// Also see config/webpack/loaders/mark.js for the webpack loader marks.\n//\n\nlet marky;\n\nif (process.env.NODE_ENV === 'development') {\n if (typeof performance !== 'undefined' && performance.setResourceTimingBufferSize) {\n // Increase Firefox's performance entry limit; otherwise it's capped to 150.\n // See: https://bugzilla.mozilla.org/show_bug.cgi?id=1331135\n performance.setResourceTimingBufferSize(Infinity);\n }\n marky = require('marky');\n // allows us to easily do e.g. ReactPerf.printWasted() while debugging\n //window.ReactPerf = require('react-addons-perf');\n //window.ReactPerf.start();\n}\n\nexport function start(name) {\n if (process.env.NODE_ENV === 'development') {\n marky.mark(name);\n }\n}\n\nexport function stop(name) {\n if (process.env.NODE_ENV === 'development') {\n marky.stop(name);\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/performance.js","var appCacheIframe;\n\nfunction hasSW() {\n return 'serviceWorker' in navigator &&\n // This is how I block Chrome 40 and detect Chrome 41, because first has\n // bugs with history.pustState and/or hashchange\n (window.fetch || 'imageRendering' in document.documentElement.style) &&\n (window.location.protocol === 'https:' || window.location.hostname === 'localhost' || window.location.hostname.indexOf('127.') === 0)\n}\n\nfunction install(options) {\n options || (options = {});\n\n \n if (hasSW()) {\n var registration = navigator.serviceWorker\n .register(\n \"/sw.js\"\n \n );\n\n \n\n return;\n }\n \n\n \n if (window.applicationCache) {\n var directory = \"/packs/appcache/\";\n var name = \"manifest\";\n\n var doLoad = function() {\n var page = directory + name + '.html';\n var iframe = document.createElement('iframe');\n\n \n\n iframe.src = page;\n iframe.style.display = 'none';\n\n appCacheIframe = iframe;\n document.body.appendChild(iframe);\n };\n\n if (document.readyState === 'complete') {\n setTimeout(doLoad);\n } else {\n window.addEventListener('load', doLoad);\n }\n\n return;\n }\n \n}\n\nfunction applyUpdate(callback, errback) {\n \n\n \n}\n\nfunction update() {\n \n if (hasSW()) {\n navigator.serviceWorker.getRegistration().then(function(registration) {\n if (!registration) return;\n return registration.update();\n });\n }\n \n\n \n if (appCacheIframe) {\n try {\n appCacheIframe.contentWindow.applicationCache.update();\n } catch (e) {}\n }\n \n}\n\n\n\nexports.install = install;\nexports.applyUpdate = applyUpdate;\nexports.update = update;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/offline-plugin/runtime.js","/*\n * Copyright 2017, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nimport allLocaleData from '../locale-data/index.js';\nimport IntlMessageFormat from 'intl-messageformat';\nimport IntlRelativeFormat from 'intl-relativeformat';\nimport PropTypes from 'prop-types';\nimport React, { Children, Component, createElement, isValidElement } from 'react';\nimport invariant from 'invariant';\nimport memoizeIntlConstructor from 'intl-format-cache';\n\n// GENERATED FILE\nvar defaultLocaleData = { \"locale\": \"en\", \"pluralRuleFunction\": function pluralRuleFunction(n, ord) {\n var s = String(n).split(\".\"),\n v0 = !s[1],\n t0 = Number(s[0]) == n,\n n10 = t0 && s[0].slice(-1),\n n100 = t0 && s[0].slice(-2);if (ord) return n10 == 1 && n100 != 11 ? \"one\" : n10 == 2 && n100 != 12 ? \"two\" : n10 == 3 && n100 != 13 ? \"few\" : \"other\";return n == 1 && v0 ? \"one\" : \"other\";\n }, \"fields\": { \"year\": { \"displayName\": \"year\", \"relative\": { \"0\": \"this year\", \"1\": \"next year\", \"-1\": \"last year\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} year\", \"other\": \"in {0} years\" }, \"past\": { \"one\": \"{0} year ago\", \"other\": \"{0} years ago\" } } }, \"month\": { \"displayName\": \"month\", \"relative\": { \"0\": \"this month\", \"1\": \"next month\", \"-1\": \"last month\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} month\", \"other\": \"in {0} months\" }, \"past\": { \"one\": \"{0} month ago\", \"other\": \"{0} months ago\" } } }, \"day\": { \"displayName\": \"day\", \"relative\": { \"0\": \"today\", \"1\": \"tomorrow\", \"-1\": \"yesterday\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} day\", \"other\": \"in {0} days\" }, \"past\": { \"one\": \"{0} day ago\", \"other\": \"{0} days ago\" } } }, \"hour\": { \"displayName\": \"hour\", \"relative\": { \"0\": \"this hour\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} hour\", \"other\": \"in {0} hours\" }, \"past\": { \"one\": \"{0} hour ago\", \"other\": \"{0} hours ago\" } } }, \"minute\": { \"displayName\": \"minute\", \"relative\": { \"0\": \"this minute\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} minute\", \"other\": \"in {0} minutes\" }, \"past\": { \"one\": \"{0} minute ago\", \"other\": \"{0} minutes ago\" } } }, \"second\": { \"displayName\": \"second\", \"relative\": { \"0\": \"now\" }, \"relativeTime\": { \"future\": { \"one\": \"in {0} second\", \"other\": \"in {0} seconds\" }, \"past\": { \"one\": \"{0} second ago\", \"other\": \"{0} seconds ago\" } } } } };\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction addLocaleData() {\n var data = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : [];\n\n var locales = Array.isArray(data) ? data : [data];\n\n locales.forEach(function (localeData) {\n if (localeData && localeData.locale) {\n IntlMessageFormat.__addLocaleData(localeData);\n IntlRelativeFormat.__addLocaleData(localeData);\n }\n });\n}\n\nfunction hasLocaleData(locale) {\n var localeParts = (locale || '').split('-');\n\n while (localeParts.length > 0) {\n if (hasIMFAndIRFLocaleData(localeParts.join('-'))) {\n return true;\n }\n\n localeParts.pop();\n }\n\n return false;\n}\n\nfunction hasIMFAndIRFLocaleData(locale) {\n var normalizedLocale = locale && locale.toLowerCase();\n\n return !!(IntlMessageFormat.__localeData__[normalizedLocale] && IntlRelativeFormat.__localeData__[normalizedLocale]);\n}\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj;\n};\n\n\n\n\n\n\n\n\n\n\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\n\n\n\n\nvar defineProperty = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\n\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\n\n\n\n\n\n\n\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar bool = PropTypes.bool;\nvar number = PropTypes.number;\nvar string = PropTypes.string;\nvar func = PropTypes.func;\nvar object = PropTypes.object;\nvar oneOf = PropTypes.oneOf;\nvar shape = PropTypes.shape;\nvar any = PropTypes.any;\nvar oneOfType = PropTypes.oneOfType;\n\nvar localeMatcher = oneOf(['best fit', 'lookup']);\nvar narrowShortLong = oneOf(['narrow', 'short', 'long']);\nvar numeric2digit = oneOf(['numeric', '2-digit']);\nvar funcReq = func.isRequired;\n\nvar intlConfigPropTypes = {\n locale: string,\n formats: object,\n messages: object,\n textComponent: any,\n\n defaultLocale: string,\n defaultFormats: object\n};\n\nvar intlFormatPropTypes = {\n formatDate: funcReq,\n formatTime: funcReq,\n formatRelative: funcReq,\n formatNumber: funcReq,\n formatPlural: funcReq,\n formatMessage: funcReq,\n formatHTMLMessage: funcReq\n};\n\nvar intlShape = shape(_extends({}, intlConfigPropTypes, intlFormatPropTypes, {\n formatters: object,\n now: funcReq\n}));\n\nvar messageDescriptorPropTypes = {\n id: string.isRequired,\n description: oneOfType([string, object]),\n defaultMessage: string\n};\n\nvar dateTimeFormatPropTypes = {\n localeMatcher: localeMatcher,\n formatMatcher: oneOf(['basic', 'best fit']),\n\n timeZone: string,\n hour12: bool,\n\n weekday: narrowShortLong,\n era: narrowShortLong,\n year: numeric2digit,\n month: oneOf(['numeric', '2-digit', 'narrow', 'short', 'long']),\n day: numeric2digit,\n hour: numeric2digit,\n minute: numeric2digit,\n second: numeric2digit,\n timeZoneName: oneOf(['short', 'long'])\n};\n\nvar numberFormatPropTypes = {\n localeMatcher: localeMatcher,\n\n style: oneOf(['decimal', 'currency', 'percent']),\n currency: string,\n currencyDisplay: oneOf(['symbol', 'code', 'name']),\n useGrouping: bool,\n\n minimumIntegerDigits: number,\n minimumFractionDigits: number,\n maximumFractionDigits: number,\n minimumSignificantDigits: number,\n maximumSignificantDigits: number\n};\n\nvar relativeFormatPropTypes = {\n style: oneOf(['best fit', 'numeric']),\n units: oneOf(['second', 'minute', 'hour', 'day', 'month', 'year'])\n};\n\nvar pluralFormatPropTypes = {\n style: oneOf(['cardinal', 'ordinal'])\n};\n\n/*\nHTML escaping and shallow-equals implementations are the same as React's\n(on purpose.) Therefore, it has the following Copyright and Licensing:\n\nCopyright 2013-2014, Facebook, Inc.\nAll rights reserved.\n\nThis source code is licensed under the BSD-style license found in the LICENSE\nfile in the root directory of React's source tree.\n*/\n\nvar intlConfigPropNames = Object.keys(intlConfigPropTypes);\n\nvar ESCAPED_CHARS = {\n '&': '&',\n '>': '>',\n '<': '<',\n '\"': '"',\n \"'\": '''\n};\n\nvar UNSAFE_CHARS_REGEX = /[&><\"']/g;\n\nfunction escape(str) {\n return ('' + str).replace(UNSAFE_CHARS_REGEX, function (match) {\n return ESCAPED_CHARS[match];\n });\n}\n\nfunction filterProps(props, whitelist) {\n var defaults$$1 = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n\n return whitelist.reduce(function (filtered, name) {\n if (props.hasOwnProperty(name)) {\n filtered[name] = props[name];\n } else if (defaults$$1.hasOwnProperty(name)) {\n filtered[name] = defaults$$1[name];\n }\n\n return filtered;\n }, {});\n}\n\nfunction invariantIntlContext() {\n var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n intl = _ref.intl;\n\n invariant(intl, '[React Intl] Could not find required `intl` object. ' + ' needs to exist in the component ancestry.');\n}\n\nfunction shallowEquals(objA, objB) {\n if (objA === objB) {\n return true;\n }\n\n if ((typeof objA === 'undefined' ? 'undefined' : _typeof(objA)) !== 'object' || objA === null || (typeof objB === 'undefined' ? 'undefined' : _typeof(objB)) !== 'object' || objB === null) {\n return false;\n }\n\n var keysA = Object.keys(objA);\n var keysB = Object.keys(objB);\n\n if (keysA.length !== keysB.length) {\n return false;\n }\n\n // Test for A's keys different from B.\n var bHasOwnProperty = Object.prototype.hasOwnProperty.bind(objB);\n for (var i = 0; i < keysA.length; i++) {\n if (!bHasOwnProperty(keysA[i]) || objA[keysA[i]] !== objB[keysA[i]]) {\n return false;\n }\n }\n\n return true;\n}\n\nfunction shouldIntlComponentUpdate(_ref2, nextProps, nextState) {\n var props = _ref2.props,\n state = _ref2.state,\n _ref2$context = _ref2.context,\n context = _ref2$context === undefined ? {} : _ref2$context;\n var nextContext = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var _context$intl = context.intl,\n intl = _context$intl === undefined ? {} : _context$intl;\n var _nextContext$intl = nextContext.intl,\n nextIntl = _nextContext$intl === undefined ? {} : _nextContext$intl;\n\n\n return !shallowEquals(nextProps, props) || !shallowEquals(nextState, state) || !(nextIntl === intl || shallowEquals(filterProps(nextIntl, intlConfigPropNames), filterProps(intl, intlConfigPropNames)));\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// Inspired by react-redux's `connect()` HOC factory function implementation:\n// https://github.com/rackt/react-redux\n\nfunction getDisplayName(Component$$1) {\n return Component$$1.displayName || Component$$1.name || 'Component';\n}\n\nfunction injectIntl(WrappedComponent) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n var _options$intlPropName = options.intlPropName,\n intlPropName = _options$intlPropName === undefined ? 'intl' : _options$intlPropName,\n _options$withRef = options.withRef,\n withRef = _options$withRef === undefined ? false : _options$withRef;\n\n var InjectIntl = function (_Component) {\n inherits(InjectIntl, _Component);\n\n function InjectIntl(props, context) {\n classCallCheck(this, InjectIntl);\n\n var _this = possibleConstructorReturn(this, (InjectIntl.__proto__ || Object.getPrototypeOf(InjectIntl)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(InjectIntl, [{\n key: 'getWrappedInstance',\n value: function getWrappedInstance() {\n invariant(withRef, '[React Intl] To access the wrapped instance, ' + 'the `{withRef: true}` option must be set when calling: ' + '`injectIntl()`');\n\n return this.refs.wrappedInstance;\n }\n }, {\n key: 'render',\n value: function render() {\n return React.createElement(WrappedComponent, _extends({}, this.props, defineProperty({}, intlPropName, this.context.intl), {\n ref: withRef ? 'wrappedInstance' : null\n }));\n }\n }]);\n return InjectIntl;\n }(Component);\n\n InjectIntl.displayName = 'InjectIntl(' + getDisplayName(WrappedComponent) + ')';\n InjectIntl.contextTypes = {\n intl: intlShape\n };\n InjectIntl.WrappedComponent = WrappedComponent;\n\n\n return InjectIntl;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nfunction defineMessages(messageDescriptors) {\n // This simply returns what's passed-in because it's meant to be a hook for\n // babel-plugin-react-intl.\n return messageDescriptors;\n}\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\n// This is a \"hack\" until a proper `intl-pluralformat` package is created.\n\nfunction resolveLocale(locales) {\n // IntlMessageFormat#_resolveLocale() does not depend on `this`.\n return IntlMessageFormat.prototype._resolveLocale(locales);\n}\n\nfunction findPluralFunction(locale) {\n // IntlMessageFormat#_findPluralFunction() does not depend on `this`.\n return IntlMessageFormat.prototype._findPluralRuleFunction(locale);\n}\n\nvar IntlPluralFormat = function IntlPluralFormat(locales) {\n var options = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlPluralFormat);\n\n var useOrdinal = options.style === 'ordinal';\n var pluralFn = findPluralFunction(resolveLocale(locales));\n\n this.format = function (value) {\n return pluralFn(value, useOrdinal);\n };\n};\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar DATE_TIME_FORMAT_OPTIONS = Object.keys(dateTimeFormatPropTypes);\nvar NUMBER_FORMAT_OPTIONS = Object.keys(numberFormatPropTypes);\nvar RELATIVE_FORMAT_OPTIONS = Object.keys(relativeFormatPropTypes);\nvar PLURAL_FORMAT_OPTIONS = Object.keys(pluralFormatPropTypes);\n\nvar RELATIVE_FORMAT_THRESHOLDS = {\n second: 60, // seconds to minute\n minute: 60, // minutes to hour\n hour: 24, // hours to day\n day: 30, // days to month\n month: 12 // months to year\n};\n\nfunction updateRelativeFormatThresholds(newThresholds) {\n var thresholds = IntlRelativeFormat.thresholds;\n thresholds.second = newThresholds.second;\n thresholds.minute = newThresholds.minute;\n thresholds.hour = newThresholds.hour;\n thresholds.day = newThresholds.day;\n thresholds.month = newThresholds.month;\n}\n\nfunction getNamedFormat(formats, type, name) {\n var format = formats && formats[type] && formats[type][name];\n if (format) {\n return format;\n }\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] No ' + type + ' format named: ' + name);\n }\n}\n\nfunction formatDate(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'date', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting date.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatTime(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var defaults$$1 = format && getNamedFormat(formats, 'time', format);\n var filteredOptions = filterProps(options, DATE_TIME_FORMAT_OPTIONS, defaults$$1);\n\n if (!filteredOptions.hour && !filteredOptions.minute && !filteredOptions.second) {\n // Add default formatting options if hour, minute, or second isn't defined.\n filteredOptions = _extends({}, filteredOptions, { hour: 'numeric', minute: 'numeric' });\n }\n\n try {\n return state.getDateTimeFormat(locale, filteredOptions).format(date);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting time.\\n' + e);\n }\n }\n\n return String(date);\n}\n\nfunction formatRelative(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var date = new Date(value);\n var now = new Date(options.now);\n var defaults$$1 = format && getNamedFormat(formats, 'relative', format);\n var filteredOptions = filterProps(options, RELATIVE_FORMAT_OPTIONS, defaults$$1);\n\n // Capture the current threshold values, then temporarily override them with\n // specific values just for this render.\n var oldThresholds = _extends({}, IntlRelativeFormat.thresholds);\n updateRelativeFormatThresholds(RELATIVE_FORMAT_THRESHOLDS);\n\n try {\n return state.getRelativeFormat(locale, filteredOptions).format(date, {\n now: isFinite(now) ? now : state.now()\n });\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting relative time.\\n' + e);\n }\n } finally {\n updateRelativeFormatThresholds(oldThresholds);\n }\n\n return String(date);\n}\n\nfunction formatNumber(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats;\n var format = options.format;\n\n\n var defaults$$1 = format && getNamedFormat(formats, 'number', format);\n var filteredOptions = filterProps(options, NUMBER_FORMAT_OPTIONS, defaults$$1);\n\n try {\n return state.getNumberFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting number.\\n' + e);\n }\n }\n\n return String(value);\n}\n\nfunction formatPlural(config, state, value) {\n var options = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale;\n\n\n var filteredOptions = filterProps(options, PLURAL_FORMAT_OPTIONS);\n\n try {\n return state.getPluralFormat(locale, filteredOptions).format(value);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting plural.\\n' + e);\n }\n }\n\n return 'other';\n}\n\nfunction formatMessage(config, state) {\n var messageDescriptor = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : {};\n var values = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n var locale = config.locale,\n formats = config.formats,\n messages = config.messages,\n defaultLocale = config.defaultLocale,\n defaultFormats = config.defaultFormats;\n var id = messageDescriptor.id,\n defaultMessage = messageDescriptor.defaultMessage;\n\n // `id` is a required field of a Message Descriptor.\n\n invariant(id, '[React Intl] An `id` must be provided to format a message.');\n\n var message = messages && messages[id];\n var hasValues = Object.keys(values).length > 0;\n\n // Avoid expensive message formatting for simple messages without values. In\n // development messages will always be formatted in case of missing values.\n if (!hasValues && process.env.NODE_ENV === 'production') {\n return message || defaultMessage || id;\n }\n\n var formattedMessage = void 0;\n\n if (message) {\n try {\n var formatter = state.getMessageFormat(message, locale, formats);\n\n formattedMessage = formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : '') + ('\\n' + e));\n }\n }\n } else {\n if (process.env.NODE_ENV !== 'production') {\n // This prevents warnings from littering the console in development\n // when no `messages` are passed into the for the\n // default locale, and a default message is in the source.\n if (!defaultMessage || locale && locale.toLowerCase() !== defaultLocale.toLowerCase()) {\n console.error('[React Intl] Missing message: \"' + id + '\" for locale: \"' + locale + '\"' + (defaultMessage ? ', using default message as fallback.' : ''));\n }\n }\n }\n\n if (!formattedMessage && defaultMessage) {\n try {\n var _formatter = state.getMessageFormat(defaultMessage, defaultLocale, defaultFormats);\n\n formattedMessage = _formatter.format(values);\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Error formatting the default message for: \"' + id + '\"' + ('\\n' + e));\n }\n }\n }\n\n if (!formattedMessage) {\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Cannot format message: \"' + id + '\", ' + ('using message ' + (message || defaultMessage ? 'source' : 'id') + ' as fallback.'));\n }\n }\n\n return formattedMessage || message || defaultMessage || id;\n}\n\nfunction formatHTMLMessage(config, state, messageDescriptor) {\n var rawValues = arguments.length > 3 && arguments[3] !== undefined ? arguments[3] : {};\n\n // Process all the values before they are used when formatting the ICU\n // Message string. Since the formatted message might be injected via\n // `innerHTML`, all String-based values need to be HTML-escaped.\n var escapedValues = Object.keys(rawValues).reduce(function (escaped, name) {\n var value = rawValues[name];\n escaped[name] = typeof value === 'string' ? escape(value) : value;\n return escaped;\n }, {});\n\n return formatMessage(config, state, messageDescriptor, escapedValues);\n}\n\n\n\nvar format = Object.freeze({\n\tformatDate: formatDate,\n\tformatTime: formatTime,\n\tformatRelative: formatRelative,\n\tformatNumber: formatNumber,\n\tformatPlural: formatPlural,\n\tformatMessage: formatMessage,\n\tformatHTMLMessage: formatHTMLMessage\n});\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar intlConfigPropNames$1 = Object.keys(intlConfigPropTypes);\nvar intlFormatPropNames = Object.keys(intlFormatPropTypes);\n\n// These are not a static property on the `IntlProvider` class so the intl\n// config values can be inherited from an ancestor.\nvar defaultProps = {\n formats: {},\n messages: {},\n textComponent: 'span',\n\n defaultLocale: 'en',\n defaultFormats: {}\n};\n\nvar IntlProvider = function (_Component) {\n inherits(IntlProvider, _Component);\n\n function IntlProvider(props) {\n var context = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : {};\n classCallCheck(this, IntlProvider);\n\n var _this = possibleConstructorReturn(this, (IntlProvider.__proto__ || Object.getPrototypeOf(IntlProvider)).call(this, props, context));\n\n invariant(typeof Intl !== 'undefined', '[React Intl] The `Intl` APIs must be available in the runtime, ' + 'and do not appear to be built-in. An `Intl` polyfill should be loaded.\\n' + 'See: http://formatjs.io/guides/runtime-environments/');\n\n var intlContext = context.intl;\n\n // Used to stabilize time when performing an initial rendering so that\n // all relative times use the same reference \"now\" time.\n\n var initialNow = void 0;\n if (isFinite(props.initialNow)) {\n initialNow = Number(props.initialNow);\n } else {\n // When an `initialNow` isn't provided via `props`, look to see an\n // exists in the ancestry and call its `now()`\n // function to propagate its value for \"now\".\n initialNow = intlContext ? intlContext.now() : Date.now();\n }\n\n // Creating `Intl*` formatters is expensive. If there's a parent\n // ``, then its formatters will be used. Otherwise, this\n // memoize the `Intl*` constructors and cache them for the lifecycle of\n // this IntlProvider instance.\n\n var _ref = intlContext || {},\n _ref$formatters = _ref.formatters,\n formatters = _ref$formatters === undefined ? {\n getDateTimeFormat: memoizeIntlConstructor(Intl.DateTimeFormat),\n getNumberFormat: memoizeIntlConstructor(Intl.NumberFormat),\n getMessageFormat: memoizeIntlConstructor(IntlMessageFormat),\n getRelativeFormat: memoizeIntlConstructor(IntlRelativeFormat),\n getPluralFormat: memoizeIntlConstructor(IntlPluralFormat)\n } : _ref$formatters;\n\n _this.state = _extends({}, formatters, {\n\n // Wrapper to provide stable \"now\" time for initial render.\n now: function now() {\n return _this._didDisplay ? Date.now() : initialNow;\n }\n });\n return _this;\n }\n\n createClass(IntlProvider, [{\n key: 'getConfig',\n value: function getConfig() {\n var intlContext = this.context.intl;\n\n // Build a whitelisted config object from `props`, defaults, and\n // `context.intl`, if an exists in the ancestry.\n\n var config = filterProps(this.props, intlConfigPropNames$1, intlContext);\n\n // Apply default props. This must be applied last after the props have\n // been resolved and inherited from any in the ancestry.\n // This matches how React resolves `defaultProps`.\n for (var propName in defaultProps) {\n if (config[propName] === undefined) {\n config[propName] = defaultProps[propName];\n }\n }\n\n if (!hasLocaleData(config.locale)) {\n var _config = config,\n locale = _config.locale,\n defaultLocale = _config.defaultLocale,\n defaultFormats = _config.defaultFormats;\n\n\n if (process.env.NODE_ENV !== 'production') {\n console.error('[React Intl] Missing locale data for locale: \"' + locale + '\". ' + ('Using default locale: \"' + defaultLocale + '\" as fallback.'));\n }\n\n // Since there's no registered locale data for `locale`, this will\n // fallback to the `defaultLocale` to make sure things can render.\n // The `messages` are overridden to the `defaultProps` empty object\n // to maintain referential equality across re-renders. It's assumed\n // each contains a `defaultMessage` prop.\n config = _extends({}, config, {\n locale: defaultLocale,\n formats: defaultFormats,\n messages: defaultProps.messages\n });\n }\n\n return config;\n }\n }, {\n key: 'getBoundFormatFns',\n value: function getBoundFormatFns(config, state) {\n return intlFormatPropNames.reduce(function (boundFormatFns, name) {\n boundFormatFns[name] = format[name].bind(null, config, state);\n return boundFormatFns;\n }, {});\n }\n }, {\n key: 'getChildContext',\n value: function getChildContext() {\n var config = this.getConfig();\n\n // Bind intl factories and current config to the format functions.\n var boundFormatFns = this.getBoundFormatFns(config, this.state);\n\n var _state = this.state,\n now = _state.now,\n formatters = objectWithoutProperties(_state, ['now']);\n\n\n return {\n intl: _extends({}, config, boundFormatFns, {\n formatters: formatters,\n now: now\n })\n };\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this._didDisplay = true;\n }\n }, {\n key: 'render',\n value: function render() {\n return Children.only(this.props.children);\n }\n }]);\n return IntlProvider;\n}(Component);\n\nIntlProvider.displayName = 'IntlProvider';\nIntlProvider.contextTypes = {\n intl: intlShape\n};\nIntlProvider.childContextTypes = {\n intl: intlShape.isRequired\n};\nprocess.env.NODE_ENV !== \"production\" ? IntlProvider.propTypes = _extends({}, intlConfigPropTypes, {\n children: PropTypes.element.isRequired,\n initialNow: PropTypes.any\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedDate = function (_Component) {\n inherits(FormattedDate, _Component);\n\n function FormattedDate(props, context) {\n classCallCheck(this, FormattedDate);\n\n var _this = possibleConstructorReturn(this, (FormattedDate.__proto__ || Object.getPrototypeOf(FormattedDate)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedDate, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatDate = _context$intl.formatDate,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedDate = formatDate(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedDate);\n }\n\n return React.createElement(\n Text,\n null,\n formattedDate\n );\n }\n }]);\n return FormattedDate;\n}(Component);\n\nFormattedDate.displayName = 'FormattedDate';\nFormattedDate.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedDate.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedTime = function (_Component) {\n inherits(FormattedTime, _Component);\n\n function FormattedTime(props, context) {\n classCallCheck(this, FormattedTime);\n\n var _this = possibleConstructorReturn(this, (FormattedTime.__proto__ || Object.getPrototypeOf(FormattedTime)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedTime, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatTime = _context$intl.formatTime,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedTime = formatTime(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedTime);\n }\n\n return React.createElement(\n Text,\n null,\n formattedTime\n );\n }\n }]);\n return FormattedTime;\n}(Component);\n\nFormattedTime.displayName = 'FormattedTime';\nFormattedTime.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedTime.propTypes = _extends({}, dateTimeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar SECOND = 1000;\nvar MINUTE = 1000 * 60;\nvar HOUR = 1000 * 60 * 60;\nvar DAY = 1000 * 60 * 60 * 24;\n\n// The maximum timer delay value is a 32-bit signed integer.\n// See: https://mdn.io/setTimeout\nvar MAX_TIMER_DELAY = 2147483647;\n\nfunction selectUnits(delta) {\n var absDelta = Math.abs(delta);\n\n if (absDelta < MINUTE) {\n return 'second';\n }\n\n if (absDelta < HOUR) {\n return 'minute';\n }\n\n if (absDelta < DAY) {\n return 'hour';\n }\n\n // The maximum scheduled delay will be measured in days since the maximum\n // timer delay is less than the number of milliseconds in 25 days.\n return 'day';\n}\n\nfunction getUnitDelay(units) {\n switch (units) {\n case 'second':\n return SECOND;\n case 'minute':\n return MINUTE;\n case 'hour':\n return HOUR;\n case 'day':\n return DAY;\n default:\n return MAX_TIMER_DELAY;\n }\n}\n\nfunction isSameDate(a, b) {\n if (a === b) {\n return true;\n }\n\n var aTime = new Date(a).getTime();\n var bTime = new Date(b).getTime();\n\n return isFinite(aTime) && isFinite(bTime) && aTime === bTime;\n}\n\nvar FormattedRelative = function (_Component) {\n inherits(FormattedRelative, _Component);\n\n function FormattedRelative(props, context) {\n classCallCheck(this, FormattedRelative);\n\n var _this = possibleConstructorReturn(this, (FormattedRelative.__proto__ || Object.getPrototypeOf(FormattedRelative)).call(this, props, context));\n\n invariantIntlContext(context);\n\n var now = isFinite(props.initialNow) ? Number(props.initialNow) : context.intl.now();\n\n // `now` is stored as state so that `render()` remains a function of\n // props + state, instead of accessing `Date.now()` inside `render()`.\n _this.state = { now: now };\n return _this;\n }\n\n createClass(FormattedRelative, [{\n key: 'scheduleNextUpdate',\n value: function scheduleNextUpdate(props, state) {\n var _this2 = this;\n\n // Cancel and pending update because we're scheduling a new update.\n clearTimeout(this._timer);\n\n var value = props.value,\n units = props.units,\n updateInterval = props.updateInterval;\n\n var time = new Date(value).getTime();\n\n // If the `updateInterval` is falsy, including `0` or we don't have a\n // valid date, then auto updates have been turned off, so we bail and\n // skip scheduling an update.\n if (!updateInterval || !isFinite(time)) {\n return;\n }\n\n var delta = time - state.now;\n var unitDelay = getUnitDelay(units || selectUnits(delta));\n var unitRemainder = Math.abs(delta % unitDelay);\n\n // We want the largest possible timer delay which will still display\n // accurate information while reducing unnecessary re-renders. The delay\n // should be until the next \"interesting\" moment, like a tick from\n // \"1 minute ago\" to \"2 minutes ago\" when the delta is 120,000ms.\n var delay = delta < 0 ? Math.max(updateInterval, unitDelay - unitRemainder) : Math.max(updateInterval, unitRemainder);\n\n this._timer = setTimeout(function () {\n _this2.setState({ now: _this2.context.intl.now() });\n }, delay);\n }\n }, {\n key: 'componentDidMount',\n value: function componentDidMount() {\n this.scheduleNextUpdate(this.props, this.state);\n }\n }, {\n key: 'componentWillReceiveProps',\n value: function componentWillReceiveProps(_ref) {\n var nextValue = _ref.value;\n\n // When the `props.value` date changes, `state.now` needs to be updated,\n // and the next update can be rescheduled.\n if (!isSameDate(nextValue, this.props.value)) {\n this.setState({ now: this.context.intl.now() });\n }\n }\n }, {\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'componentWillUpdate',\n value: function componentWillUpdate(nextProps, nextState) {\n this.scheduleNextUpdate(nextProps, nextState);\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n clearTimeout(this._timer);\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatRelative = _context$intl.formatRelative,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedRelative = formatRelative(value, _extends({}, this.props, this.state));\n\n if (typeof children === 'function') {\n return children(formattedRelative);\n }\n\n return React.createElement(\n Text,\n null,\n formattedRelative\n );\n }\n }]);\n return FormattedRelative;\n}(Component);\n\nFormattedRelative.displayName = 'FormattedRelative';\nFormattedRelative.contextTypes = {\n intl: intlShape\n};\nFormattedRelative.defaultProps = {\n updateInterval: 1000 * 10\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedRelative.propTypes = _extends({}, relativeFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n updateInterval: PropTypes.number,\n initialNow: PropTypes.any,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedNumber = function (_Component) {\n inherits(FormattedNumber, _Component);\n\n function FormattedNumber(props, context) {\n classCallCheck(this, FormattedNumber);\n\n var _this = possibleConstructorReturn(this, (FormattedNumber.__proto__ || Object.getPrototypeOf(FormattedNumber)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedNumber, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatNumber = _context$intl.formatNumber,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n children = _props.children;\n\n\n var formattedNumber = formatNumber(value, this.props);\n\n if (typeof children === 'function') {\n return children(formattedNumber);\n }\n\n return React.createElement(\n Text,\n null,\n formattedNumber\n );\n }\n }]);\n return FormattedNumber;\n}(Component);\n\nFormattedNumber.displayName = 'FormattedNumber';\nFormattedNumber.contextTypes = {\n intl: intlShape\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedNumber.propTypes = _extends({}, numberFormatPropTypes, {\n value: PropTypes.any.isRequired,\n format: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedPlural = function (_Component) {\n inherits(FormattedPlural, _Component);\n\n function FormattedPlural(props, context) {\n classCallCheck(this, FormattedPlural);\n\n var _this = possibleConstructorReturn(this, (FormattedPlural.__proto__ || Object.getPrototypeOf(FormattedPlural)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedPlural, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate() {\n for (var _len = arguments.length, next = Array(_len), _key = 0; _key < _len; _key++) {\n next[_key] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatPlural = _context$intl.formatPlural,\n Text = _context$intl.textComponent;\n var _props = this.props,\n value = _props.value,\n other = _props.other,\n children = _props.children;\n\n\n var pluralCategory = formatPlural(value, this.props);\n var formattedPlural = this.props[pluralCategory] || other;\n\n if (typeof children === 'function') {\n return children(formattedPlural);\n }\n\n return React.createElement(\n Text,\n null,\n formattedPlural\n );\n }\n }]);\n return FormattedPlural;\n}(Component);\n\nFormattedPlural.displayName = 'FormattedPlural';\nFormattedPlural.contextTypes = {\n intl: intlShape\n};\nFormattedPlural.defaultProps = {\n style: 'cardinal'\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedPlural.propTypes = _extends({}, pluralFormatPropTypes, {\n value: PropTypes.any.isRequired,\n\n other: PropTypes.node.isRequired,\n zero: PropTypes.node,\n one: PropTypes.node,\n two: PropTypes.node,\n few: PropTypes.node,\n many: PropTypes.node,\n\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedMessage = function (_Component) {\n inherits(FormattedMessage, _Component);\n\n function FormattedMessage(props, context) {\n classCallCheck(this, FormattedMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedMessage.__proto__ || Object.getPrototypeOf(FormattedMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatMessage = _context$intl.formatMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n values = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var tokenDelimiter = void 0;\n var tokenizedValues = void 0;\n var elements = void 0;\n\n var hasValues = values && Object.keys(values).length > 0;\n if (hasValues) {\n // Creates a token with a random UID that should not be guessable or\n // conflict with other parts of the `message` string.\n var uid = Math.floor(Math.random() * 0x10000000000).toString(16);\n\n var generateToken = function () {\n var counter = 0;\n return function () {\n return 'ELEMENT-' + uid + '-' + (counter += 1);\n };\n }();\n\n // Splitting with a delimiter to support IE8. When using a regex\n // with a capture group IE8 does not include the capture group in\n // the resulting array.\n tokenDelimiter = '@__' + uid + '__@';\n tokenizedValues = {};\n elements = {};\n\n // Iterates over the `props` to keep track of any React Element\n // values so they can be represented by the `token` as a placeholder\n // when the `message` is formatted. This allows the formatted\n // message to then be broken-up into parts with references to the\n // React Elements inserted back in.\n Object.keys(values).forEach(function (name) {\n var value = values[name];\n\n if (isValidElement(value)) {\n var token = generateToken();\n tokenizedValues[name] = tokenDelimiter + token + tokenDelimiter;\n elements[token] = value;\n } else {\n tokenizedValues[name] = value;\n }\n });\n }\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedMessage = formatMessage(descriptor, tokenizedValues || values);\n\n var nodes = void 0;\n\n var hasElements = elements && Object.keys(elements).length > 0;\n if (hasElements) {\n // Split the message into parts so the React Element values captured\n // above can be inserted back into the rendered message. This\n // approach allows messages to render with React Elements while\n // keeping React's virtual diffing working properly.\n nodes = formattedMessage.split(tokenDelimiter).filter(function (part) {\n return !!part;\n }).map(function (part) {\n return elements[part] || part;\n });\n } else {\n nodes = [formattedMessage];\n }\n\n if (typeof children === 'function') {\n return children.apply(undefined, toConsumableArray(nodes));\n }\n\n // Needs to use `createElement()` instead of JSX, otherwise React will\n // warn about a missing `key` prop with rich-text message formatting.\n return createElement.apply(undefined, [Component$$1, null].concat(toConsumableArray(nodes)));\n }\n }]);\n return FormattedMessage;\n}(Component);\n\nFormattedMessage.displayName = 'FormattedMessage';\nFormattedMessage.contextTypes = {\n intl: intlShape\n};\nFormattedMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\nvar FormattedHTMLMessage = function (_Component) {\n inherits(FormattedHTMLMessage, _Component);\n\n function FormattedHTMLMessage(props, context) {\n classCallCheck(this, FormattedHTMLMessage);\n\n var _this = possibleConstructorReturn(this, (FormattedHTMLMessage.__proto__ || Object.getPrototypeOf(FormattedHTMLMessage)).call(this, props, context));\n\n invariantIntlContext(context);\n return _this;\n }\n\n createClass(FormattedHTMLMessage, [{\n key: 'shouldComponentUpdate',\n value: function shouldComponentUpdate(nextProps) {\n var values = this.props.values;\n var nextValues = nextProps.values;\n\n\n if (!shallowEquals(nextValues, values)) {\n return true;\n }\n\n // Since `values` has already been checked, we know they're not\n // different, so the current `values` are carried over so the shallow\n // equals comparison on the other props isn't affected by the `values`.\n var nextPropsToCheck = _extends({}, nextProps, {\n values: values\n });\n\n for (var _len = arguments.length, next = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n next[_key - 1] = arguments[_key];\n }\n\n return shouldIntlComponentUpdate.apply(undefined, [this, nextPropsToCheck].concat(next));\n }\n }, {\n key: 'render',\n value: function render() {\n var _context$intl = this.context.intl,\n formatHTMLMessage = _context$intl.formatHTMLMessage,\n Text = _context$intl.textComponent;\n var _props = this.props,\n id = _props.id,\n description = _props.description,\n defaultMessage = _props.defaultMessage,\n rawValues = _props.values,\n _props$tagName = _props.tagName,\n Component$$1 = _props$tagName === undefined ? Text : _props$tagName,\n children = _props.children;\n\n\n var descriptor = { id: id, description: description, defaultMessage: defaultMessage };\n var formattedHTMLMessage = formatHTMLMessage(descriptor, rawValues);\n\n if (typeof children === 'function') {\n return children(formattedHTMLMessage);\n }\n\n // Since the message presumably has HTML in it, we need to set\n // `innerHTML` in order for it to be rendered and not escaped by React.\n // To be safe, all string prop values were escaped when formatting the\n // message. It is assumed that the message is not UGC, and came from the\n // developer making it more like a template.\n //\n // Note: There's a perf impact of using this component since there's no\n // way for React to do its virtual DOM diffing.\n var html = { __html: formattedHTMLMessage };\n return React.createElement(Component$$1, { dangerouslySetInnerHTML: html });\n }\n }]);\n return FormattedHTMLMessage;\n}(Component);\n\nFormattedHTMLMessage.displayName = 'FormattedHTMLMessage';\nFormattedHTMLMessage.contextTypes = {\n intl: intlShape\n};\nFormattedHTMLMessage.defaultProps = {\n values: {}\n};\nprocess.env.NODE_ENV !== \"production\" ? FormattedHTMLMessage.propTypes = _extends({}, messageDescriptorPropTypes, {\n values: PropTypes.object,\n tagName: PropTypes.string,\n children: PropTypes.func\n}) : void 0;\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(defaultLocaleData);\n\n/*\n * Copyright 2015, Yahoo Inc.\n * Copyrights licensed under the New BSD License.\n * See the accompanying LICENSE file for terms.\n */\n\naddLocaleData(allLocaleData);\n\nexport { addLocaleData, intlShape, injectIntl, defineMessages, IntlProvider, FormattedDate, FormattedTime, FormattedRelative, FormattedNumber, FormattedPlural, FormattedMessage, FormattedHTMLMessage };\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/react-intl/lib/index.es.js"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/packs/base_polyfills.js b/priv/static/packs/base_polyfills.js index 17403bfd5..76b477453 100644 --- a/priv/static/packs/base_polyfills.js +++ b/priv/static/packs/base_polyfills.js @@ -1,2 +1,2 @@ -webpackJsonp([0],{800:function(e,r,n){"use strict";Object.defineProperty(r,"__esModule",{value:!0});var t=n(890),a=(n.n(t),n(893)),o=(n.n(a),n(894)),i=(n.n(o),n(914)),s=n.n(i),u=n(103),l=n.n(u),c=n(927),h=n.n(c),y=n(931),f=n.n(y);Array.prototype.includes||s.a.shim(),Object.assign||(Object.assign=l.a),Object.values||h.a.shim(),Number.isNaN||(Number.isNaN=f.a)},849:function(e,r,n){"use strict";var t=n(915),a=n(917),o="function"==typeof Symbol&&"symbol"==typeof Symbol(),i=Object.prototype.toString,s=function(e){return"function"==typeof e&&"[object Function]"===i.call(e)},u=Object.defineProperty&&function(){var e={};try{Object.defineProperty(e,"x",{enumerable:!1,value:e});for(var r in e)return!1;return e.x===e}catch(e){return!1}}(),l=function(e,r,n,t){(!(r in e)||s(t)&&t())&&(u?Object.defineProperty(e,r,{configurable:!0,enumerable:!1,value:n,writable:!0}):e[r]=n)},c=function(e,r){var n=arguments.length>2?arguments[2]:{},i=t(r);o&&(i=i.concat(Object.getOwnPropertySymbols(r))),a(i,function(t){l(e,t,r[t],n[t])})};c.supportsDescriptors=!!u,e.exports=c},856:function(e,r,n){var t=n(859);e.exports=t.call(Function.call,Object.prototype.hasOwnProperty)},858:function(e,r,n){"use strict";var t=n(905)();e.exports=function(e){return e!==t&&null!==e}},859:function(e,r,n){"use strict";var t=n(918);e.exports=Function.prototype.bind||t},860:function(e,r,n){"use strict";var t=Function.prototype.toString,a=/^\s*class /,o=function(e){try{var r=t.call(e),n=r.replace(/\/\/.*\n/g,""),o=n.replace(/\/\*[.\s\S]*\*\//g,""),i=o.replace(/\n/gm," ").replace(/ {2}/g," ");return a.test(i)}catch(e){return!1}},i=function(e){try{return!o(e)&&(t.call(e),!0)}catch(e){return!1}},s=Object.prototype.toString,u="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;e.exports=function(e){if(!e)return!1;if("function"!=typeof e&&"object"!=typeof e)return!1;if(u)return i(e);if(o(e))return!1;var r=s.call(e);return"[object Function]"===r||"[object GeneratorFunction]"===r}},871:function(e,r,n){"use strict";e.exports=n(872)},872:function(e,r,n){"use strict";var t=n(856),a=n(919),o=Object.prototype.toString,i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator,s=n(874),u=n(875),l=Number.MAX_SAFE_INTEGER||Math.pow(2,53)-1,c=n(876),h=n(877),y=n(878),f=n(922),p=parseInt,m=n(859),g=m.call(Function.call,Array.prototype.slice),d=m.call(Function.call,String.prototype.slice),b=m.call(Function.call,RegExp.prototype.test,/^0b[01]+$/i),v=m.call(Function.call,RegExp.prototype.test,/^0o[0-7]+$/i),w=m.call(Function.call,RegExp.prototype.exec),T=["…","​","￾"].join(""),S=new RegExp("["+T+"]","g"),M=m.call(Function.call,RegExp.prototype.test,S),k=/^[-+]0x[0-9a-f]+$/i,j=m.call(Function.call,RegExp.prototype.test,k),E=["\t\n\v\f\r   ᠎    ","          \u2028","\u2029\ufeff"].join(""),O=new RegExp("(^["+E+"]+)|(["+E+"]+$)","g"),K=m.call(Function.call,String.prototype.replace),x=function(e){return K(e,O,"")},P=n(923),A=n(925),D=c(c({},P),{Call:function(e,r){var n=arguments.length>2?arguments[2]:[];if(!this.IsCallable(e))throw new TypeError(e+" is not a function");return e.apply(r,n)},ToPrimitive:a,ToNumber:function(e){var r=f(e)?e:a(e,Number);if("symbol"==typeof r)throw new TypeError("Cannot convert a Symbol value to a number");if("string"==typeof r){if(b(r))return this.ToNumber(p(d(r,2),2));if(v(r))return this.ToNumber(p(d(r,2),8));if(M(r)||j(r))return NaN;var n=x(r);if(n!==r)return this.ToNumber(n)}return Number(r)},ToInt16:function(e){var r=this.ToUint16(e);return r>=32768?r-65536:r},ToInt8:function(e){var r=this.ToUint8(e);return r>=128?r-256:r},ToUint8:function(e){var r=this.ToNumber(e);if(s(r)||0===r||!u(r))return 0;var n=h(r)*Math.floor(Math.abs(r));return y(n,256)},ToUint8Clamp:function(e){var r=this.ToNumber(e);if(s(r)||r<=0)return 0;if(r>=255)return 255;var n=Math.floor(e);return n+.5l?l:r},CanonicalNumericIndexString:function(e){if("[object String]"!==o.call(e))throw new TypeError("must be a string");if("-0"===e)return-0;var r=this.ToNumber(e);return this.SameValue(this.ToString(r),e)?r:void 0},RequireObjectCoercible:P.CheckObjectCoercible,IsArray:Array.isArray||function(e){return"[object Array]"===o.call(e)},IsConstructor:function(e){return"function"==typeof e&&!!e.prototype},IsExtensible:function(e){return!Object.preventExtensions||!f(e)&&Object.isExtensible(e)},IsInteger:function(e){if("number"!=typeof e||s(e)||!u(e))return!1;var r=Math.abs(e);return Math.floor(r)===r},IsPropertyKey:function(e){return"string"==typeof e||"symbol"==typeof e},IsRegExp:function(e){if(!e||"object"!=typeof e)return!1;if(i){var r=e[Symbol.match];if(void 0!==r)return P.ToBoolean(r)}return A(e)},SameValueZero:function(e,r){return e===r||s(e)&&s(r)},GetV:function(e,r){if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");return this.ToObject(e)[r]},GetMethod:function(e,r){if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");var n=this.GetV(e,r);if(null!=n){if(!this.IsCallable(n))throw new TypeError(r+"is not a function");return n}},Get:function(e,r){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");return e[r]},Type:function(e){return"symbol"==typeof e?"Symbol":P.Type(e)},SpeciesConstructor:function(e,r){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");var n=e.constructor;if(void 0===n)return r;if("Object"!==this.Type(n))throw new TypeError("O.constructor is not an Object");var t=i&&Symbol.species?n[Symbol.species]:void 0;if(null==t)return r;if(this.IsConstructor(t))return t;throw new TypeError("no constructor found")},CompletePropertyDescriptor:function(e){if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return this.IsGenericDescriptor(e)||this.IsDataDescriptor(e)?(t(e,"[[Value]]")||(e["[[Value]]"]=void 0),t(e,"[[Writable]]")||(e["[[Writable]]"]=!1)):(t(e,"[[Get]]")||(e["[[Get]]"]=void 0),t(e,"[[Set]]")||(e["[[Set]]"]=void 0)),t(e,"[[Enumerable]]")||(e["[[Enumerable]]"]=!1),t(e,"[[Configurable]]")||(e["[[Configurable]]"]=!1),e},Set:function(e,r,n,t){if("Object"!==this.Type(e))throw new TypeError("O must be an Object");if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");if("Boolean"!==this.Type(t))throw new TypeError("Throw must be a Boolean");if(t)return e[r]=n,!0;try{e[r]=n}catch(e){return!1}},HasOwnProperty:function(e,r){if("Object"!==this.Type(e))throw new TypeError("O must be an Object");if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");return t(e,r)},HasProperty:function(e,r){if("Object"!==this.Type(e))throw new TypeError("O must be an Object");if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");return r in e},IsConcatSpreadable:function(e){if("Object"!==this.Type(e))return!1;if(i&&"symbol"==typeof Symbol.isConcatSpreadable){var r=this.Get(e,Symbol.isConcatSpreadable);if(void 0!==r)return this.ToBoolean(r)}return this.IsArray(e)},Invoke:function(e,r){if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");var n=g(arguments,2),t=this.GetV(e,r);return this.Call(t,e,n)},CreateIterResultObject:function(e,r){if("Boolean"!==this.Type(r))throw new TypeError("Assertion failed: Type(done) is not Boolean");return{value:e,done:r}},RegExpExec:function(e,r){if("Object"!==this.Type(e))throw new TypeError("R must be an Object");if("String"!==this.Type(r))throw new TypeError("S must be a String");var n=this.Get(e,"exec");if(this.IsCallable(n)){var t=this.Call(n,e,[r]);if(null===t||"Object"===this.Type(t))return t;throw new TypeError('"exec" method must return `null` or an Object')}return w(e,r)},ArraySpeciesCreate:function(e,r){if(!this.IsInteger(r)||r<0)throw new TypeError("Assertion failed: length must be an integer >= 0");var n,t=0===r?0:r;if(this.IsArray(e)&&(n=this.Get(e,"constructor"),"Object"===this.Type(n)&&i&&Symbol.species&&null===(n=this.Get(n,Symbol.species))&&(n=void 0)),void 0===n)return Array(t);if(!this.IsConstructor(n))throw new TypeError("C must be a constructor");return new n(t)},CreateDataProperty:function(e,r,n){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");var t=Object.getOwnPropertyDescriptor(e,r),a=t||"function"!=typeof Object.isExtensible||Object.isExtensible(e);if(t&&(!t.writable||!t.configurable)||!a)return!1;var o={configurable:!0,enumerable:!0,value:n,writable:!0};return Object.defineProperty(e,r,o),!0},CreateDataPropertyOrThrow:function(e,r,n){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");var t=this.CreateDataProperty(e,r,n);if(!t)throw new TypeError("unable to create data property");return t},AdvanceStringIndex:function(e,r,n){if("String"!==this.Type(e))throw new TypeError("Assertion failed: Type(S) is not String");if(!this.IsInteger(r))throw new TypeError("Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)");if(r<0||r>l)throw new RangeError("Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)");if("Boolean"!==this.Type(n))throw new TypeError("Assertion failed: Type(unicode) is not Boolean");if(!n)return r+1;if(r+1>=e.length)return r+1;var t=e.charCodeAt(r);if(t<55296||t>56319)return r+1;var a=e.charCodeAt(r+1);return a<56320||a>57343?r+1:r+2}});delete D.CheckObjectCoercible,e.exports=D},873:function(e,r){e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},874:function(e,r){e.exports=Number.isNaN||function(e){return e!==e}},875:function(e,r){var n=Number.isNaN||function(e){return e!==e};e.exports=Number.isFinite||function(e){return"number"==typeof e&&!n(e)&&e!==1/0&&e!==-1/0}},876:function(e,r){var n=Object.prototype.hasOwnProperty;e.exports=function(e,r){if(Object.assign)return Object.assign(e,r);for(var t in r)n.call(r,t)&&(e[t]=r[t]);return e}},877:function(e,r){e.exports=function(e){return e>=0?1:-1}},878:function(e,r){e.exports=function(e,r){var n=e%r;return Math.floor(n>=0?n:n+r)}},879:function(e,r,n){"use strict";(function(r){var t=n(871),a=Number.isNaN||function(e){return e!==e},o=Number.isFinite||function(e){return"number"==typeof e&&r.isFinite(e)},i=Array.prototype.indexOf;e.exports=function(e){var r=arguments.length>1?t.ToInteger(arguments[1]):0;if(i&&!a(e)&&o(r)&&void 0!==e)return i.apply(this,arguments)>-1;var n=t.ToObject(this),s=t.ToLength(n.length);if(0===s)return!1;for(var u=r>=0?r:Math.max(0,s+r);ue)}function t(e){for(var r in e)(e instanceof t||Ce.call(e,r))&&Re(this,r,{value:e[r],enumerable:!0,writable:!0,configurable:!0})}function a(){Re(this,"length",{writable:!0,value:0}),arguments.length&&Le.apply(this,Be.call(arguments))}function o(){if(qe.disableRegExpRestore)return function(){};for(var e={lastMatch:RegExp.lastMatch||"",leftContext:RegExp.leftContext,multiline:RegExp.multiline,input:RegExp.input},r=!1,n=1;n<=9;n++)r=(e["$"+n]=RegExp["$"+n])||r;return function(){var n=/[.?*+^$[\]\\(){}|-]/g,t=e.lastMatch.replace(n,"\\$&"),o=new a;if(r)for(var i=1;i<=9;i++){var s=e["$"+i];s?(s=s.replace(n,"\\$&"),t=t.replace(s,"("+s+")")):t="()"+t,Le.call(o,t.slice(0,t.indexOf("(")+1)),t=t.slice(t.indexOf("(")+1)}var u=_e.call(o,"")+t;u=u.replace(/(\\\(|\\\)|[^()])+/g,function(e){return"[\\s\\S]{"+e.replace("\\","").length+"}"});var l=new RegExp(u,e.multiline?"gm":"g");l.lastIndex=e.leftContext.length,l.exec(e.input)}}function i(e){if(null===e)throw new TypeError("Cannot convert null or undefined to object");return"object"===(void 0===e?"undefined":Ne.typeof(e))?e:Object(e)}function s(e){return"number"==typeof e?e:Number(e)}function u(e){var r=s(e);return isNaN(r)?0:0===r||-0===r||r===1/0||r===-1/0?r:r<0?-1*Math.floor(Math.abs(r)):Math.floor(Math.abs(r))}function l(e){var r=u(e);return r<=0?0:r===1/0?Math.pow(2,53)-1:Math.min(r,Math.pow(2,53)-1)}function c(e){return Ce.call(e,"__getInternalProperties")?e.__getInternalProperties(Ve):Ge(null)}function h(e){rr=e}function y(e){for(var r=e.length;r--;){var n=e.charAt(r);n>="a"&&n<="z"&&(e=e.slice(0,r)+n.toUpperCase()+e.slice(r+1))}return e}function f(e){return!!Qe.test(e)&&(!Ze.test(e)&&!Xe.test(e))}function p(e){var r=void 0,n=void 0;e=e.toLowerCase(),n=e.split("-");for(var t=1,a=n.length;t1&&(r.sort(),e=e.replace(RegExp("(?:"+er.source+")+","i"),_e.call(r,""))),Ce.call(nr.tags,e)&&(e=nr.tags[e]),n=e.split("-");for(var o=1,i=n.length;o-1)return n;var t=n.lastIndexOf("-");if(t<0)return;t>=2&&"-"===n.charAt(t-2)&&(t-=2),n=n.substring(0,t)}}function v(e,r){for(var n=0,a=r.length,o=void 0,i=void 0,s=void 0;n2){var E=l[j+1],O=k.call(T,E);-1!==O&&(S=E,M="-"+d+"-"+S)}else{var K=k(T,"true");-1!==K&&(S="true")}}if(Ce.call(n,"[["+d+"]]")){var x=n["[["+d+"]]"];-1!==k.call(T,x)&&x!==S&&(S=x,M="")}y["[["+d+"]]"]=S,f+=M,m++}if(f.length>2){var P=u.indexOf("-x-");if(-1===P)u+=f;else{u=u.substring(0,P)+f+u.substring(P)}u=p(u)}return y["[[locale]]"]=u,y}function S(e,r){for(var n=r.length,t=new a,o=0;ot)throw new RangeError("Value is not a number or outside accepted range");return Math.floor(o)}return a}function O(e){for(var r=d(e),n=[],t=r.length,a=0;ao;o++){var i=n[o],s={};s.type=i["[[type]]"],s.value=i["[[value]]"],t[a]=s,a+=1}return t}function N(e,r){var n=c(e),t=n["[[dataLocale]]"],o=n["[[numberingSystem]]"],i=qe.NumberFormat["[[localeData]]"][t],s=i.symbols[o]||i.symbols.latn,u=void 0;!isNaN(r)&&r<0?(r=-r,u=n["[[negativePattern]]"]):u=n["[[positivePattern]]"];for(var l=new a,h=u.indexOf("{",0),y=0,f=0,p=u.length;h>-1&&hf){var m=u.substring(f,h);Le.call(l,{"[[type]]":"literal","[[value]]":m})}var g=u.substring(h+1,y);if("number"===g)if(isNaN(r)){var d=s.nan;Le.call(l,{"[[type]]":"nan","[[value]]":d})}else if(isFinite(r)){"percent"===n["[[style]]"]&&isFinite(r)&&(r*=100);var b=void 0;b=Ce.call(n,"[[minimumSignificantDigits]]")&&Ce.call(n,"[[maximumSignificantDigits]]")?z(r,n["[[minimumSignificantDigits]]"],n["[[maximumSignificantDigits]]"]):C(r,n["[[minimumIntegerDigits]]"],n["[[minimumFractionDigits]]"],n["[[maximumFractionDigits]]"]),sr[o]?function(){var e=sr[o];b=String(b).replace(/\d/g,function(r){return e[r]})}():b=String(b);var v=void 0,w=void 0,T=b.indexOf(".",0);if(T>0?(v=b.substring(0,T),w=b.substring(T+1,T.length)):(v=b,w=void 0),!0===n["[[useGrouping]]"]){var S=s.group,M=[],k=i.patterns.primaryGroupSize||3,j=i.patterns.secondaryGroupSize||k;if(v.length>k){var E=v.length-k,O=E%j,K=v.slice(0,O);for(K.length&&Le.call(M,K);Oa;a++){t+=n[a]["[[value]]"]}return t}function z(e,r,t){var a=t,o=void 0,i=void 0;if(0===e)o=_e.call(Array(a+1),"0"),i=0;else{i=n(Math.abs(e));var s=Math.round(Math.exp(Math.abs(i-a+1)*Math.LN10));o=String(Math.round(i-a+1<0?e*s:e/s))}if(i>=a)return o+_e.call(Array(i-a+1+1),"0");if(i===a-1)return o;if(i>=0?o=o.slice(0,i+1)+"."+o.slice(i+1):i<0&&(o="0."+_e.call(Array(1-(i+1)),"0")+o),o.indexOf(".")>=0&&t>r){for(var u=t-r;u>0&&"0"===o.charAt(o.length-1);)o=o.slice(0,-1),u--;"."===o.charAt(o.length-1)&&(o=o.slice(0,-1))}return o}function C(e,r,n,t){var a=t,o=Math.pow(10,a)*e,i=0===o?"0":o.toFixed(0),s=void 0,u=(s=i.indexOf("e"))>-1?i.slice(s+1):0;u&&(i=i.slice(0,s).replace(".",""),i+=_e.call(Array(u-(i.length-1)+1),"0"));var l=void 0;if(0!==a){var c=i.length;if(c<=a){i=_e.call(Array(a+1-c+1),"0")+i,c=a+1}var h=i.substring(0,c-a);i=h+"."+i.substring(c-a,i.length),l=h.length}else l=i.length;for(var y=t-n;y>0&&"0"===i.slice(-1);)i=i.slice(0,-1),y--;if("."===i.slice(-1)&&(i=i.slice(0,-1)),ln&&(n=s,t=i),a++}return t}function Z(e,r){var n=[];for(var t in mr)Ce.call(mr,t)&&void 0!==e["[["+t+"]]"]&&n.push(t);if(1===n.length){var a=W(n[0],e["[["+n[0]+"]]"]);if(a)return a}for(var o=-1/0,i=void 0,s=0,u=r.length;s=2||d>=2&&g<=1?b>0?c-=6:b<0&&(c-=8):b>1?c-=3:b<-1&&(c-=6)}}l._.hour12!==e.hour12&&(c-=1),c>o&&(o=c,i=l),s++}return i}function X(){var e=null!==this&&"object"===Ne.typeof(this)&&c(this);if(!e||!e["[[initializedDateTimeFormat]]"])throw new TypeError("`this` value for format() is not an initialized Intl.DateTimeFormat object.");if(void 0===e["[[boundFormat]]"]){var r=function(){var e=arguments.length<=0||void 0===arguments[0]?void 0:arguments[0];return ne(this,void 0===e?Date.now():s(e))},n=$e.call(r,this);e["[[boundFormat]]"]=n}return e["[[boundFormat]]"]}function ee(){var e=arguments.length<=0||void 0===arguments[0]?void 0:arguments[0],r=null!==this&&"object"===Ne.typeof(this)&&c(this);if(!r||!r["[[initializedDateTimeFormat]]"])throw new TypeError("`this` value for formatToParts() is not an initialized Intl.DateTimeFormat object.");return te(this,void 0===e?Date.now():s(e))}function re(e,r){if(!isFinite(r))throw new RangeError("Invalid valid date passed to format");var n=e.__getInternalProperties(Ve);o();for(var t=n["[[locale]]"],i=new or.NumberFormat([t],{useGrouping:!1}),s=new or.NumberFormat([t],{minimumIntegerDigits:2,useGrouping:!1}),u=ae(r,n["[[calendar]]"],n["[[timeZone]]"]),l=n["[[pattern]]"],c=new a,h=0,y=l.indexOf("{"),f=0,p=n["[[dataLocale]]"],m=qe.DateTimeFormat["[[localeData]]"][p].calendars,g=n["[[calendar]]"];-1!==y;){var d=void 0;if(-1===(f=l.indexOf("}",y)))throw new Error("Unclosed pattern");y>h&&Le.call(c,{type:"literal",value:l.substring(h,y)});var b=l.substring(y+1,f);if(mr.hasOwnProperty(b)){var v=n["[["+b+"]]"],w=u["[["+b+"]]"];if("year"===b&&w<=0?w=1-w:"month"===b?w++:"hour"===b&&!0===n["[[hour12]]"]&&0===(w%=12)&&!0===n["[[hourNo0]]"]&&(w=12),"numeric"===v)d=I(i,w);else if("2-digit"===v)d=I(s,w),d.length>2&&(d=d.slice(-2));else if(v in pr)switch(b){case"month":d=$(m,g,"months",v,u["[["+b+"]]"]);break;case"weekday":try{d=$(m,g,"days",v,u["[["+b+"]]"])}catch(e){throw new Error("Could not find weekday data for locale "+t)}break;case"timeZoneName":d="";break;case"era":try{d=$(m,g,"eras",v,u["[["+b+"]]"])}catch(e){throw new Error("Could not find era data for locale "+t)}break;default:d=u["[["+b+"]]"]}Le.call(c,{type:b,value:d})}else if("ampm"===b){var T=u["[[hour]]"];d=$(m,g,"dayPeriods",T>11?"pm":"am",null),Le.call(c,{type:"dayPeriod",value:d})}else Le.call(c,{type:"literal",value:l.substring(y,f+1)});h=f+1,y=l.indexOf("{",h)}return fa;a++){t+=n[a].value}return t}function te(e,r){for(var n=re(e,r),t=[],a=0;n.length>a;a++){var o=n[a];t.push({type:o.type,value:o.value})}return t}function ae(e,r,n){var a=new Date(e),o="get"+(n||"");return new t({"[[weekday]]":a[o+"Day"](),"[[era]]":+(a[o+"FullYear"]()>=0),"[[year]]":a[o+"FullYear"](),"[[month]]":a[o+"Month"](),"[[day]]":a[o+"Date"](),"[[hour]]":a[o+"Hours"](),"[[minute]]":a[o+"Minutes"](),"[[second]]":a[o+"Seconds"](),"[[inDST]]":!1})}function oe(e,r){if(!e.number)throw new Error("Object passed doesn't contain locale data for Intl.NumberFormat");var n=void 0,t=[r],a=r.split("-");for(a.length>2&&4===a[1].length&&Le.call(t,a[0]+"-"+a[2]);n=We.call(t);)Le.call(qe.NumberFormat["[[availableLocales]]"],n),qe.NumberFormat["[[localeData]]"][n]=e.number,e.date&&(e.date.nu=e.number.nu,Le.call(qe.DateTimeFormat["[[availableLocales]]"],n),qe.DateTimeFormat["[[localeData]]"][n]=e.date);void 0===rr&&h(r)}var ie="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol?"symbol":typeof e},se=function(){var e="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;return function(r,n,t,a){var o=r&&r.defaultProps,i=arguments.length-3;if(n||0===i||(n={}),n&&o)for(var s in o)void 0===n[s]&&(n[s]=o[s]);else n||(n=o||{});if(1===i)n.children=a;else if(i>1){for(var u=Array(i),l=0;l=0||Object.prototype.hasOwnProperty.call(e,t)&&(n[t]=e[t]);return n},Me=function(e,r){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!r||"object"!=typeof r&&"function"!=typeof r?e:r},ke=void 0===r?self:r,je=function e(r,n,t,a){var o=Object.getOwnPropertyDescriptor(r,n);if(void 0===o){var i=Object.getPrototypeOf(r);null!==i&&e(i,n,t,a)}else if("value"in o&&o.writable)o.value=t;else{var s=o.set;void 0!==s&&s.call(a,t)}return t},Ee=function(){function e(e,r){var n=[],t=!0,a=!1,o=void 0;try{for(var i,s=e[Symbol.iterator]();!(t=(i=s.next()).done)&&(n.push(i.value),!r||n.length!==r);t=!0);}catch(e){a=!0,o=e}finally{try{!t&&s.return&&s.return()}finally{if(a)throw o}}return n}return function(r,n){if(Array.isArray(r))return r;if(Symbol.iterator in Object(r))return e(r,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),Oe=function(e,r){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e)){for(var n,t=[],a=e[Symbol.iterator]();!(n=a.next()).done&&(t.push(n.value),!r||t.length!==r););return t}throw new TypeError("Invalid attempt to destructure non-iterable instance")},Ke=function(e,r){return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(r)}}))},xe=function(e,r){return e.raw=r,e},Pe=function(e,r,n){if(e===n)throw new ReferenceError(r+" is not defined - temporal dead zone");return e},Ae={},De=function(e){return Array.isArray(e)?e:Array.from(e)},Fe=function(e){if(Array.isArray(e)){for(var r=0,n=Array(e.length);r-1}},912:function(e,r,n){"use strict";var t=n(913);e.exports=function(e){if(!t(e))throw new TypeError(e+" is not a symbol");return e}},913:function(e,r,n){"use strict";e.exports=function(e){return!!e&&("symbol"==typeof e||!!e.constructor&&("Symbol"===e.constructor.name&&"Symbol"===e[e.constructor.toStringTag]))}},914:function(e,r,n){"use strict";var t=n(849),a=n(871),o=n(879),i=n(880),s=i(),u=n(926),l=Array.prototype.slice,c=function(e,r){return a.RequireObjectCoercible(e),s.apply(e,l.call(arguments,1))};t(c,{getPolyfill:i,implementation:o,shim:u}),e.exports=c},915:function(e,r,n){"use strict";var t=Object.prototype.hasOwnProperty,a=Object.prototype.toString,o=Array.prototype.slice,i=n(916),s=Object.prototype.propertyIsEnumerable,u=!s.call({toString:null},"toString"),l=s.call(function(){},"prototype"),c=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],h=function(e){var r=e.constructor;return r&&r.prototype===e},y={$console:!0,$external:!0,$frame:!0,$frameElement:!0,$frames:!0,$innerHeight:!0,$innerWidth:!0,$outerHeight:!0,$outerWidth:!0,$pageXOffset:!0,$pageYOffset:!0,$parent:!0,$scrollLeft:!0,$scrollTop:!0,$scrollX:!0,$scrollY:!0,$self:!0,$webkitIndexedDB:!0,$webkitStorageInfo:!0,$window:!0},f=function(){if("undefined"==typeof window)return!1;for(var e in window)try{if(!y["$"+e]&&t.call(window,e)&&null!==window[e]&&"object"==typeof window[e])try{h(window[e])}catch(e){return!0}}catch(e){return!0}return!1}(),p=function(e){if("undefined"==typeof window||!f)return h(e);try{return h(e)}catch(e){return!1}},m=function(e){var r=null!==e&&"object"==typeof e,n="[object Function]"===a.call(e),o=i(e),s=r&&"[object String]"===a.call(e),h=[];if(!r&&!n&&!o)throw new TypeError("Object.keys called on a non-object");var y=l&&n;if(s&&e.length>0&&!t.call(e,0))for(var f=0;f0)for(var m=0;m=0&&"[object Function]"===t.call(e.callee)),n}},917:function(e,r){var n=Object.prototype.hasOwnProperty,t=Object.prototype.toString;e.exports=function(e,r,a){if("[object Function]"!==t.call(r))throw new TypeError("iterator must be a function");var o=e.length;if(o===+o)for(var i=0;i1&&(r===String?n="string":r===Number&&(n="number"));var o;if(t&&(Symbol.toPrimitive?o=l(e,Symbol.toPrimitive):s(e)&&(o=Symbol.prototype.valueOf)),void 0!==o){var c=o.call(e,n);if(a(c))return c;throw new TypeError("unable to convert exotic object to primitive")}return"default"===n&&(i(e)||s(e))&&(n="string"),u(e,"default"===n?"number":n)}},920:function(e,r,n){"use strict";var t=Date.prototype.getDay,a=function(e){try{return t.call(e),!0}catch(e){return!1}},o=Object.prototype.toString,i="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;e.exports=function(e){return"object"==typeof e&&null!==e&&(i?a(e):"[object Date]"===o.call(e))}},921:function(e,r,n){"use strict";var t=Object.prototype.toString;if("function"==typeof Symbol&&"symbol"==typeof Symbol()){var a=Symbol.prototype.toString,o=/^Symbol\(.*\)$/,i=function(e){return"symbol"==typeof e.valueOf()&&o.test(a.call(e))};e.exports=function(e){if("symbol"==typeof e)return!0;if("[object Symbol]"!==t.call(e))return!1;try{return i(e)}catch(e){return!1}}}else e.exports=function(e){return!1}},922:function(e,r){e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},923:function(e,r,n){"use strict";var t=n(874),a=n(875),o=n(877),i=n(878),s=n(860),u=n(924),l=n(856),c={ToPrimitive:u,ToBoolean:function(e){return!!e},ToNumber:function(e){return Number(e)},ToInteger:function(e){var r=this.ToNumber(e);return t(r)?0:0!==r&&a(r)?o(r)*Math.floor(Math.abs(r)):r},ToInt32:function(e){return this.ToNumber(e)>>0},ToUint32:function(e){return this.ToNumber(e)>>>0},ToUint16:function(e){var r=this.ToNumber(e);if(t(r)||0===r||!a(r))return 0;var n=o(r)*Math.floor(Math.abs(r));return i(n,65536)},ToString:function(e){return String(e)},ToObject:function(e){return this.CheckObjectCoercible(e),Object(e)},CheckObjectCoercible:function(e,r){if(null==e)throw new TypeError(r||"Cannot call method on "+e);return e},IsCallable:s,SameValue:function(e,r){return e===r?0!==e||1/e==1/r:t(e)&&t(r)},Type:function(e){return null===e?"Null":void 0===e?"Undefined":"function"==typeof e||"object"==typeof e?"Object":"number"==typeof e?"Number":"boolean"==typeof e?"Boolean":"string"==typeof e?"String":void 0},IsPropertyDescriptor:function(e){if("Object"!==this.Type(e))return!1;var r={"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Get]]":!0,"[[Set]]":!0,"[[Value]]":!0,"[[Writable]]":!0};for(var n in e)if(l(e,n)&&!r[n])return!1;var t=l(e,"[[Value]]"),a=l(e,"[[Get]]")||l(e,"[[Set]]");if(t&&a)throw new TypeError("Property Descriptors may not be both accessor and data descriptors");return!0},IsAccessorDescriptor:function(e){if(void 0===e)return!1;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return!(!l(e,"[[Get]]")&&!l(e,"[[Set]]"))},IsDataDescriptor:function(e){if(void 0===e)return!1;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return!(!l(e,"[[Value]]")&&!l(e,"[[Writable]]"))},IsGenericDescriptor:function(e){if(void 0===e)return!1;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return!this.IsAccessorDescriptor(e)&&!this.IsDataDescriptor(e)},FromPropertyDescriptor:function(e){if(void 0===e)return e;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");if(this.IsDataDescriptor(e))return{value:e["[[Value]]"],writable:!!e["[[Writable]]"],enumerable:!!e["[[Enumerable]]"],configurable:!!e["[[Configurable]]"]};if(this.IsAccessorDescriptor(e))return{get:e["[[Get]]"],set:e["[[Set]]"],enumerable:!!e["[[Enumerable]]"],configurable:!!e["[[Configurable]]"]};throw new TypeError("FromPropertyDescriptor must be called with a fully populated Property Descriptor")},ToPropertyDescriptor:function(e){if("Object"!==this.Type(e))throw new TypeError("ToPropertyDescriptor requires an object");var r={};if(l(e,"enumerable")&&(r["[[Enumerable]]"]=this.ToBoolean(e.enumerable)),l(e,"configurable")&&(r["[[Configurable]]"]=this.ToBoolean(e.configurable)),l(e,"value")&&(r["[[Value]]"]=e.value),l(e,"writable")&&(r["[[Writable]]"]=this.ToBoolean(e.writable)),l(e,"get")){var n=e.get;if(void 0!==n&&!this.IsCallable(n))throw new TypeError("getter must be a function");r["[[Get]]"]=n}if(l(e,"set")){var t=e.set;if(void 0!==t&&!this.IsCallable(t))throw new TypeError("setter must be a function");r["[[Set]]"]=t}if((l(r,"[[Get]]")||l(r,"[[Set]]"))&&(l(r,"[[Value]]")||l(r,"[[Writable]]")))throw new TypeError("Invalid property descriptor. Cannot both specify accessors and a value or writable attribute");return r}};e.exports=c},924:function(e,r,n){"use strict";var t=Object.prototype.toString,a=n(873),o=n(860),i={"[[DefaultValue]]":function(e,r){var n=r||("[object Date]"===t.call(e)?String:Number);if(n===String||n===Number){var i,s,u=n===String?["toString","valueOf"]:["valueOf","toString"];for(s=0;s1&&void 0!==arguments[1]?arguments[1]:"image/png",n=arguments[2],t=this.toDataURL(r,n),a=void 0;if(t.indexOf(";base64,")>=0){var o=t.split(";base64,"),i=o[1];a=Object(p.a)(i)}else{a=t.split(",")[1]}e(new Blob([a],{type:r}))}})}},883:function(e,r,n){"use strict";var t=n(947),a=n(949),o="function"==typeof Symbol&&"symbol"==typeof Symbol(),i=Object.prototype.toString,s=function(e){return"function"==typeof e&&"[object Function]"===i.call(e)},u=Object.defineProperty&&function(){var e={};try{Object.defineProperty(e,"x",{enumerable:!1,value:e});for(var r in e)return!1;return e.x===e}catch(e){return!1}}(),l=function(e,r,n,t){(!(r in e)||s(t)&&t())&&(u?Object.defineProperty(e,r,{configurable:!0,enumerable:!1,value:n,writable:!0}):e[r]=n)},c=function(e,r){var n=arguments.length>2?arguments[2]:{},i=t(r);o&&(i=i.concat(Object.getOwnPropertySymbols(r))),a(i,function(t){l(e,t,r[t],n[t])})};c.supportsDescriptors=!!u,e.exports=c},888:function(e,r,n){var t=n(892);e.exports=t.call(Function.call,Object.prototype.hasOwnProperty)},891:function(e,r,n){"use strict";var t=n(937)();e.exports=function(e){return e!==t&&null!==e}},892:function(e,r,n){"use strict";var t=n(950);e.exports=Function.prototype.bind||t},893:function(e,r,n){"use strict";var t=Function.prototype.toString,a=/^\s*class /,o=function(e){try{var r=t.call(e),n=r.replace(/\/\/.*\n/g,""),o=n.replace(/\/\*[.\s\S]*\*\//g,""),i=o.replace(/\n/gm," ").replace(/ {2}/g," ");return a.test(i)}catch(e){return!1}},i=function(e){try{return!o(e)&&(t.call(e),!0)}catch(e){return!1}},s=Object.prototype.toString,u="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;e.exports=function(e){if(!e)return!1;if("function"!=typeof e&&"object"!=typeof e)return!1;if(u)return i(e);if(o(e))return!1;var r=s.call(e);return"[object Function]"===r||"[object GeneratorFunction]"===r}},901:function(e,r,n){"use strict";e.exports=n(902)},902:function(e,r,n){"use strict";var t=n(888),a=n(951),o=Object.prototype.toString,i="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator,s=n(904),u=n(905),l=Number.MAX_SAFE_INTEGER||Math.pow(2,53)-1,c=n(906),h=n(907),y=n(908),f=n(954),p=parseInt,m=n(892),g=m.call(Function.call,Array.prototype.slice),d=m.call(Function.call,String.prototype.slice),b=m.call(Function.call,RegExp.prototype.test,/^0b[01]+$/i),v=m.call(Function.call,RegExp.prototype.test,/^0o[0-7]+$/i),w=m.call(Function.call,RegExp.prototype.exec),T=["…","​","￾"].join(""),S=new RegExp("["+T+"]","g"),M=m.call(Function.call,RegExp.prototype.test,S),k=/^[-+]0x[0-9a-f]+$/i,j=m.call(Function.call,RegExp.prototype.test,k),E=["\t\n\v\f\r   ᠎    ","          \u2028","\u2029\ufeff"].join(""),O=new RegExp("(^["+E+"]+)|(["+E+"]+$)","g"),K=m.call(Function.call,String.prototype.replace),x=function(e){return K(e,O,"")},P=n(955),A=n(957),D=c(c({},P),{Call:function(e,r){var n=arguments.length>2?arguments[2]:[];if(!this.IsCallable(e))throw new TypeError(e+" is not a function");return e.apply(r,n)},ToPrimitive:a,ToNumber:function(e){var r=f(e)?e:a(e,Number);if("symbol"==typeof r)throw new TypeError("Cannot convert a Symbol value to a number");if("string"==typeof r){if(b(r))return this.ToNumber(p(d(r,2),2));if(v(r))return this.ToNumber(p(d(r,2),8));if(M(r)||j(r))return NaN;var n=x(r);if(n!==r)return this.ToNumber(n)}return Number(r)},ToInt16:function(e){var r=this.ToUint16(e);return r>=32768?r-65536:r},ToInt8:function(e){var r=this.ToUint8(e);return r>=128?r-256:r},ToUint8:function(e){var r=this.ToNumber(e);if(s(r)||0===r||!u(r))return 0;var n=h(r)*Math.floor(Math.abs(r));return y(n,256)},ToUint8Clamp:function(e){var r=this.ToNumber(e);if(s(r)||r<=0)return 0;if(r>=255)return 255;var n=Math.floor(e);return n+.5l?l:r},CanonicalNumericIndexString:function(e){if("[object String]"!==o.call(e))throw new TypeError("must be a string");if("-0"===e)return-0;var r=this.ToNumber(e);return this.SameValue(this.ToString(r),e)?r:void 0},RequireObjectCoercible:P.CheckObjectCoercible,IsArray:Array.isArray||function(e){return"[object Array]"===o.call(e)},IsConstructor:function(e){return"function"==typeof e&&!!e.prototype},IsExtensible:function(e){return!Object.preventExtensions||!f(e)&&Object.isExtensible(e)},IsInteger:function(e){if("number"!=typeof e||s(e)||!u(e))return!1;var r=Math.abs(e);return Math.floor(r)===r},IsPropertyKey:function(e){return"string"==typeof e||"symbol"==typeof e},IsRegExp:function(e){if(!e||"object"!=typeof e)return!1;if(i){var r=e[Symbol.match];if(void 0!==r)return P.ToBoolean(r)}return A(e)},SameValueZero:function(e,r){return e===r||s(e)&&s(r)},GetV:function(e,r){if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");return this.ToObject(e)[r]},GetMethod:function(e,r){if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");var n=this.GetV(e,r);if(null!=n){if(!this.IsCallable(n))throw new TypeError(r+"is not a function");return n}},Get:function(e,r){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");return e[r]},Type:function(e){return"symbol"==typeof e?"Symbol":P.Type(e)},SpeciesConstructor:function(e,r){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");var n=e.constructor;if(void 0===n)return r;if("Object"!==this.Type(n))throw new TypeError("O.constructor is not an Object");var t=i&&Symbol.species?n[Symbol.species]:void 0;if(null==t)return r;if(this.IsConstructor(t))return t;throw new TypeError("no constructor found")},CompletePropertyDescriptor:function(e){if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return this.IsGenericDescriptor(e)||this.IsDataDescriptor(e)?(t(e,"[[Value]]")||(e["[[Value]]"]=void 0),t(e,"[[Writable]]")||(e["[[Writable]]"]=!1)):(t(e,"[[Get]]")||(e["[[Get]]"]=void 0),t(e,"[[Set]]")||(e["[[Set]]"]=void 0)),t(e,"[[Enumerable]]")||(e["[[Enumerable]]"]=!1),t(e,"[[Configurable]]")||(e["[[Configurable]]"]=!1),e},Set:function(e,r,n,t){if("Object"!==this.Type(e))throw new TypeError("O must be an Object");if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");if("Boolean"!==this.Type(t))throw new TypeError("Throw must be a Boolean");if(t)return e[r]=n,!0;try{e[r]=n}catch(e){return!1}},HasOwnProperty:function(e,r){if("Object"!==this.Type(e))throw new TypeError("O must be an Object");if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");return t(e,r)},HasProperty:function(e,r){if("Object"!==this.Type(e))throw new TypeError("O must be an Object");if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");return r in e},IsConcatSpreadable:function(e){if("Object"!==this.Type(e))return!1;if(i&&"symbol"==typeof Symbol.isConcatSpreadable){var r=this.Get(e,Symbol.isConcatSpreadable);if(void 0!==r)return this.ToBoolean(r)}return this.IsArray(e)},Invoke:function(e,r){if(!this.IsPropertyKey(r))throw new TypeError("P must be a Property Key");var n=g(arguments,2),t=this.GetV(e,r);return this.Call(t,e,n)},CreateIterResultObject:function(e,r){if("Boolean"!==this.Type(r))throw new TypeError("Assertion failed: Type(done) is not Boolean");return{value:e,done:r}},RegExpExec:function(e,r){if("Object"!==this.Type(e))throw new TypeError("R must be an Object");if("String"!==this.Type(r))throw new TypeError("S must be a String");var n=this.Get(e,"exec");if(this.IsCallable(n)){var t=this.Call(n,e,[r]);if(null===t||"Object"===this.Type(t))return t;throw new TypeError('"exec" method must return `null` or an Object')}return w(e,r)},ArraySpeciesCreate:function(e,r){if(!this.IsInteger(r)||r<0)throw new TypeError("Assertion failed: length must be an integer >= 0");var n,t=0===r?0:r;if(this.IsArray(e)&&(n=this.Get(e,"constructor"),"Object"===this.Type(n)&&i&&Symbol.species&&null===(n=this.Get(n,Symbol.species))&&(n=void 0)),void 0===n)return Array(t);if(!this.IsConstructor(n))throw new TypeError("C must be a constructor");return new n(t)},CreateDataProperty:function(e,r,n){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");var t=Object.getOwnPropertyDescriptor(e,r),a=t||"function"!=typeof Object.isExtensible||Object.isExtensible(e);if(t&&(!t.writable||!t.configurable)||!a)return!1;var o={configurable:!0,enumerable:!0,value:n,writable:!0};return Object.defineProperty(e,r,o),!0},CreateDataPropertyOrThrow:function(e,r,n){if("Object"!==this.Type(e))throw new TypeError("Assertion failed: Type(O) is not Object");if(!this.IsPropertyKey(r))throw new TypeError("Assertion failed: IsPropertyKey(P) is not true");var t=this.CreateDataProperty(e,r,n);if(!t)throw new TypeError("unable to create data property");return t},AdvanceStringIndex:function(e,r,n){if("String"!==this.Type(e))throw new TypeError("Assertion failed: Type(S) is not String");if(!this.IsInteger(r))throw new TypeError("Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)");if(r<0||r>l)throw new RangeError("Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)");if("Boolean"!==this.Type(n))throw new TypeError("Assertion failed: Type(unicode) is not Boolean");if(!n)return r+1;if(r+1>=e.length)return r+1;var t=e.charCodeAt(r);if(t<55296||t>56319)return r+1;var a=e.charCodeAt(r+1);return a<56320||a>57343?r+1:r+2}});delete D.CheckObjectCoercible,e.exports=D},903:function(e,r){e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},904:function(e,r){e.exports=Number.isNaN||function(e){return e!==e}},905:function(e,r){var n=Number.isNaN||function(e){return e!==e};e.exports=Number.isFinite||function(e){return"number"==typeof e&&!n(e)&&e!==1/0&&e!==-1/0}},906:function(e,r){var n=Object.prototype.hasOwnProperty;e.exports=function(e,r){if(Object.assign)return Object.assign(e,r);for(var t in r)n.call(r,t)&&(e[t]=r[t]);return e}},907:function(e,r){e.exports=function(e){return e>=0?1:-1}},908:function(e,r){e.exports=function(e,r){var n=e%r;return Math.floor(n>=0?n:n+r)}},909:function(e,r,n){"use strict";(function(r){var t=n(901),a=Number.isNaN||function(e){return e!==e},o=Number.isFinite||function(e){return"number"==typeof e&&r.isFinite(e)},i=Array.prototype.indexOf;e.exports=function(e){var r=arguments.length>1?t.ToInteger(arguments[1]):0;if(i&&!a(e)&&o(r)&&void 0!==e)return i.apply(this,arguments)>-1;var n=t.ToObject(this),s=t.ToLength(n.length);if(0===s)return!1;for(var u=r>=0?r:Math.max(0,s+r);ue)}function t(e){for(var r in e)(e instanceof t||Ce.call(e,r))&&Re(this,r,{value:e[r],enumerable:!0,writable:!0,configurable:!0})}function a(){Re(this,"length",{writable:!0,value:0}),arguments.length&&Le.apply(this,Be.call(arguments))}function o(){if(qe.disableRegExpRestore)return function(){};for(var e={lastMatch:RegExp.lastMatch||"",leftContext:RegExp.leftContext,multiline:RegExp.multiline,input:RegExp.input},r=!1,n=1;n<=9;n++)r=(e["$"+n]=RegExp["$"+n])||r;return function(){var n=/[.?*+^$[\]\\(){}|-]/g,t=e.lastMatch.replace(n,"\\$&"),o=new a;if(r)for(var i=1;i<=9;i++){var s=e["$"+i];s?(s=s.replace(n,"\\$&"),t=t.replace(s,"("+s+")")):t="()"+t,Le.call(o,t.slice(0,t.indexOf("(")+1)),t=t.slice(t.indexOf("(")+1)}var u=_e.call(o,"")+t;u=u.replace(/(\\\(|\\\)|[^()])+/g,function(e){return"[\\s\\S]{"+e.replace("\\","").length+"}"});var l=new RegExp(u,e.multiline?"gm":"g");l.lastIndex=e.leftContext.length,l.exec(e.input)}}function i(e){if(null===e)throw new TypeError("Cannot convert null or undefined to object");return"object"===(void 0===e?"undefined":Ne.typeof(e))?e:Object(e)}function s(e){return"number"==typeof e?e:Number(e)}function u(e){var r=s(e);return isNaN(r)?0:0===r||-0===r||r===1/0||r===-1/0?r:r<0?-1*Math.floor(Math.abs(r)):Math.floor(Math.abs(r))}function l(e){var r=u(e);return r<=0?0:r===1/0?Math.pow(2,53)-1:Math.min(r,Math.pow(2,53)-1)}function c(e){return Ce.call(e,"__getInternalProperties")?e.__getInternalProperties(Ve):Ge(null)}function h(e){rr=e}function y(e){for(var r=e.length;r--;){var n=e.charAt(r);n>="a"&&n<="z"&&(e=e.slice(0,r)+n.toUpperCase()+e.slice(r+1))}return e}function f(e){return!!Qe.test(e)&&(!Ze.test(e)&&!Xe.test(e))}function p(e){var r=void 0,n=void 0;e=e.toLowerCase(),n=e.split("-");for(var t=1,a=n.length;t1&&(r.sort(),e=e.replace(RegExp("(?:"+er.source+")+","i"),_e.call(r,""))),Ce.call(nr.tags,e)&&(e=nr.tags[e]),n=e.split("-");for(var o=1,i=n.length;o-1)return n;var t=n.lastIndexOf("-");if(t<0)return;t>=2&&"-"===n.charAt(t-2)&&(t-=2),n=n.substring(0,t)}}function v(e,r){for(var n=0,a=r.length,o=void 0,i=void 0,s=void 0;n2){var E=l[j+1],O=k.call(T,E);-1!==O&&(S=E,M="-"+d+"-"+S)}else{var K=k(T,"true");-1!==K&&(S="true")}}if(Ce.call(n,"[["+d+"]]")){var x=n["[["+d+"]]"];-1!==k.call(T,x)&&x!==S&&(S=x,M="")}y["[["+d+"]]"]=S,f+=M,m++}if(f.length>2){var P=u.indexOf("-x-");if(-1===P)u+=f;else{u=u.substring(0,P)+f+u.substring(P)}u=p(u)}return y["[[locale]]"]=u,y}function S(e,r){for(var n=r.length,t=new a,o=0;ot)throw new RangeError("Value is not a number or outside accepted range");return Math.floor(o)}return a}function O(e){for(var r=d(e),n=[],t=r.length,a=0;ao;o++){var i=n[o],s={};s.type=i["[[type]]"],s.value=i["[[value]]"],t[a]=s,a+=1}return t}function N(e,r){var n=c(e),t=n["[[dataLocale]]"],o=n["[[numberingSystem]]"],i=qe.NumberFormat["[[localeData]]"][t],s=i.symbols[o]||i.symbols.latn,u=void 0;!isNaN(r)&&r<0?(r=-r,u=n["[[negativePattern]]"]):u=n["[[positivePattern]]"];for(var l=new a,h=u.indexOf("{",0),y=0,f=0,p=u.length;h>-1&&hf){var m=u.substring(f,h);Le.call(l,{"[[type]]":"literal","[[value]]":m})}var g=u.substring(h+1,y);if("number"===g)if(isNaN(r)){var d=s.nan;Le.call(l,{"[[type]]":"nan","[[value]]":d})}else if(isFinite(r)){"percent"===n["[[style]]"]&&isFinite(r)&&(r*=100);var b=void 0;b=Ce.call(n,"[[minimumSignificantDigits]]")&&Ce.call(n,"[[maximumSignificantDigits]]")?z(r,n["[[minimumSignificantDigits]]"],n["[[maximumSignificantDigits]]"]):C(r,n["[[minimumIntegerDigits]]"],n["[[minimumFractionDigits]]"],n["[[maximumFractionDigits]]"]),sr[o]?function(){var e=sr[o];b=String(b).replace(/\d/g,function(r){return e[r]})}():b=String(b);var v=void 0,w=void 0,T=b.indexOf(".",0);if(T>0?(v=b.substring(0,T),w=b.substring(T+1,T.length)):(v=b,w=void 0),!0===n["[[useGrouping]]"]){var S=s.group,M=[],k=i.patterns.primaryGroupSize||3,j=i.patterns.secondaryGroupSize||k;if(v.length>k){var E=v.length-k,O=E%j,K=v.slice(0,O);for(K.length&&Le.call(M,K);Oa;a++){t+=n[a]["[[value]]"]}return t}function z(e,r,t){var a=t,o=void 0,i=void 0;if(0===e)o=_e.call(Array(a+1),"0"),i=0;else{i=n(Math.abs(e));var s=Math.round(Math.exp(Math.abs(i-a+1)*Math.LN10));o=String(Math.round(i-a+1<0?e*s:e/s))}if(i>=a)return o+_e.call(Array(i-a+1+1),"0");if(i===a-1)return o;if(i>=0?o=o.slice(0,i+1)+"."+o.slice(i+1):i<0&&(o="0."+_e.call(Array(1-(i+1)),"0")+o),o.indexOf(".")>=0&&t>r){for(var u=t-r;u>0&&"0"===o.charAt(o.length-1);)o=o.slice(0,-1),u--;"."===o.charAt(o.length-1)&&(o=o.slice(0,-1))}return o}function C(e,r,n,t){var a=t,o=Math.pow(10,a)*e,i=0===o?"0":o.toFixed(0),s=void 0,u=(s=i.indexOf("e"))>-1?i.slice(s+1):0;u&&(i=i.slice(0,s).replace(".",""),i+=_e.call(Array(u-(i.length-1)+1),"0"));var l=void 0;if(0!==a){var c=i.length;if(c<=a){i=_e.call(Array(a+1-c+1),"0")+i,c=a+1}var h=i.substring(0,c-a);i=h+"."+i.substring(c-a,i.length),l=h.length}else l=i.length;for(var y=t-n;y>0&&"0"===i.slice(-1);)i=i.slice(0,-1),y--;if("."===i.slice(-1)&&(i=i.slice(0,-1)),ln&&(n=s,t=i),a++}return t}function Z(e,r){var n=[];for(var t in mr)Ce.call(mr,t)&&void 0!==e["[["+t+"]]"]&&n.push(t);if(1===n.length){var a=W(n[0],e["[["+n[0]+"]]"]);if(a)return a}for(var o=-1/0,i=void 0,s=0,u=r.length;s=2||d>=2&&g<=1?b>0?c-=6:b<0&&(c-=8):b>1?c-=3:b<-1&&(c-=6)}}l._.hour12!==e.hour12&&(c-=1),c>o&&(o=c,i=l),s++}return i}function X(){var e=null!==this&&"object"===Ne.typeof(this)&&c(this);if(!e||!e["[[initializedDateTimeFormat]]"])throw new TypeError("`this` value for format() is not an initialized Intl.DateTimeFormat object.");if(void 0===e["[[boundFormat]]"]){var r=function(){var e=arguments.length<=0||void 0===arguments[0]?void 0:arguments[0];return ne(this,void 0===e?Date.now():s(e))},n=$e.call(r,this);e["[[boundFormat]]"]=n}return e["[[boundFormat]]"]}function ee(){var e=arguments.length<=0||void 0===arguments[0]?void 0:arguments[0],r=null!==this&&"object"===Ne.typeof(this)&&c(this);if(!r||!r["[[initializedDateTimeFormat]]"])throw new TypeError("`this` value for formatToParts() is not an initialized Intl.DateTimeFormat object.");return te(this,void 0===e?Date.now():s(e))}function re(e,r){if(!isFinite(r))throw new RangeError("Invalid valid date passed to format");var n=e.__getInternalProperties(Ve);o();for(var t=n["[[locale]]"],i=new or.NumberFormat([t],{useGrouping:!1}),s=new or.NumberFormat([t],{minimumIntegerDigits:2,useGrouping:!1}),u=ae(r,n["[[calendar]]"],n["[[timeZone]]"]),l=n["[[pattern]]"],c=new a,h=0,y=l.indexOf("{"),f=0,p=n["[[dataLocale]]"],m=qe.DateTimeFormat["[[localeData]]"][p].calendars,g=n["[[calendar]]"];-1!==y;){var d=void 0;if(-1===(f=l.indexOf("}",y)))throw new Error("Unclosed pattern");y>h&&Le.call(c,{type:"literal",value:l.substring(h,y)});var b=l.substring(y+1,f);if(mr.hasOwnProperty(b)){var v=n["[["+b+"]]"],w=u["[["+b+"]]"];if("year"===b&&w<=0?w=1-w:"month"===b?w++:"hour"===b&&!0===n["[[hour12]]"]&&0===(w%=12)&&!0===n["[[hourNo0]]"]&&(w=12),"numeric"===v)d=I(i,w);else if("2-digit"===v)d=I(s,w),d.length>2&&(d=d.slice(-2));else if(v in pr)switch(b){case"month":d=$(m,g,"months",v,u["[["+b+"]]"]);break;case"weekday":try{d=$(m,g,"days",v,u["[["+b+"]]"])}catch(e){throw new Error("Could not find weekday data for locale "+t)}break;case"timeZoneName":d="";break;case"era":try{d=$(m,g,"eras",v,u["[["+b+"]]"])}catch(e){throw new Error("Could not find era data for locale "+t)}break;default:d=u["[["+b+"]]"]}Le.call(c,{type:b,value:d})}else if("ampm"===b){var T=u["[[hour]]"];d=$(m,g,"dayPeriods",T>11?"pm":"am",null),Le.call(c,{type:"dayPeriod",value:d})}else Le.call(c,{type:"literal",value:l.substring(y,f+1)});h=f+1,y=l.indexOf("{",h)}return fa;a++){t+=n[a].value}return t}function te(e,r){for(var n=re(e,r),t=[],a=0;n.length>a;a++){var o=n[a];t.push({type:o.type,value:o.value})}return t}function ae(e,r,n){var a=new Date(e),o="get"+(n||"");return new t({"[[weekday]]":a[o+"Day"](),"[[era]]":+(a[o+"FullYear"]()>=0),"[[year]]":a[o+"FullYear"](),"[[month]]":a[o+"Month"](),"[[day]]":a[o+"Date"](),"[[hour]]":a[o+"Hours"](),"[[minute]]":a[o+"Minutes"](),"[[second]]":a[o+"Seconds"](),"[[inDST]]":!1})}function oe(e,r){if(!e.number)throw new Error("Object passed doesn't contain locale data for Intl.NumberFormat");var n=void 0,t=[r],a=r.split("-");for(a.length>2&&4===a[1].length&&Le.call(t,a[0]+"-"+a[2]);n=We.call(t);)Le.call(qe.NumberFormat["[[availableLocales]]"],n),qe.NumberFormat["[[localeData]]"][n]=e.number,e.date&&(e.date.nu=e.number.nu,Le.call(qe.DateTimeFormat["[[availableLocales]]"],n),qe.DateTimeFormat["[[localeData]]"][n]=e.date);void 0===rr&&h(r)}var ie="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol?"symbol":typeof e},se=function(){var e="function"==typeof Symbol&&Symbol.for&&Symbol.for("react.element")||60103;return function(r,n,t,a){var o=r&&r.defaultProps,i=arguments.length-3;if(n||0===i||(n={}),n&&o)for(var s in o)void 0===n[s]&&(n[s]=o[s]);else n||(n=o||{});if(1===i)n.children=a;else if(i>1){for(var u=Array(i),l=0;l=0||Object.prototype.hasOwnProperty.call(e,t)&&(n[t]=e[t]);return n},Me=function(e,r){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!r||"object"!=typeof r&&"function"!=typeof r?e:r},ke=void 0===r?self:r,je=function e(r,n,t,a){var o=Object.getOwnPropertyDescriptor(r,n);if(void 0===o){var i=Object.getPrototypeOf(r);null!==i&&e(i,n,t,a)}else if("value"in o&&o.writable)o.value=t;else{var s=o.set;void 0!==s&&s.call(a,t)}return t},Ee=function(){function e(e,r){var n=[],t=!0,a=!1,o=void 0;try{for(var i,s=e[Symbol.iterator]();!(t=(i=s.next()).done)&&(n.push(i.value),!r||n.length!==r);t=!0);}catch(e){a=!0,o=e}finally{try{!t&&s.return&&s.return()}finally{if(a)throw o}}return n}return function(r,n){if(Array.isArray(r))return r;if(Symbol.iterator in Object(r))return e(r,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),Oe=function(e,r){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e)){for(var n,t=[],a=e[Symbol.iterator]();!(n=a.next()).done&&(t.push(n.value),!r||t.length!==r););return t}throw new TypeError("Invalid attempt to destructure non-iterable instance")},Ke=function(e,r){return Object.freeze(Object.defineProperties(e,{raw:{value:Object.freeze(r)}}))},xe=function(e,r){return e.raw=r,e},Pe=function(e,r,n){if(e===n)throw new ReferenceError(r+" is not defined - temporal dead zone");return e},Ae={},De=function(e){return Array.isArray(e)?e:Array.from(e)},Fe=function(e){if(Array.isArray(e)){for(var r=0,n=Array(e.length);r-1}},944:function(e,r,n){"use strict";var t=n(945);e.exports=function(e){if(!t(e))throw new TypeError(e+" is not a symbol");return e}},945:function(e,r,n){"use strict";e.exports=function(e){return!!e&&("symbol"==typeof e||!!e.constructor&&("Symbol"===e.constructor.name&&"Symbol"===e[e.constructor.toStringTag]))}},946:function(e,r,n){"use strict";var t=n(883),a=n(901),o=n(909),i=n(910),s=i(),u=n(958),l=Array.prototype.slice,c=function(e,r){return a.RequireObjectCoercible(e),s.apply(e,l.call(arguments,1))};t(c,{getPolyfill:i,implementation:o,shim:u}),e.exports=c},947:function(e,r,n){"use strict";var t=Object.prototype.hasOwnProperty,a=Object.prototype.toString,o=Array.prototype.slice,i=n(948),s=Object.prototype.propertyIsEnumerable,u=!s.call({toString:null},"toString"),l=s.call(function(){},"prototype"),c=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],h=function(e){var r=e.constructor;return r&&r.prototype===e},y={$console:!0,$external:!0,$frame:!0,$frameElement:!0,$frames:!0,$innerHeight:!0,$innerWidth:!0,$outerHeight:!0,$outerWidth:!0,$pageXOffset:!0,$pageYOffset:!0,$parent:!0,$scrollLeft:!0,$scrollTop:!0,$scrollX:!0,$scrollY:!0,$self:!0,$webkitIndexedDB:!0,$webkitStorageInfo:!0,$window:!0},f=function(){if("undefined"==typeof window)return!1;for(var e in window)try{if(!y["$"+e]&&t.call(window,e)&&null!==window[e]&&"object"==typeof window[e])try{h(window[e])}catch(e){return!0}}catch(e){return!0}return!1}(),p=function(e){if("undefined"==typeof window||!f)return h(e);try{return h(e)}catch(e){return!1}},m=function(e){var r=null!==e&&"object"==typeof e,n="[object Function]"===a.call(e),o=i(e),s=r&&"[object String]"===a.call(e),h=[];if(!r&&!n&&!o)throw new TypeError("Object.keys called on a non-object");var y=l&&n;if(s&&e.length>0&&!t.call(e,0))for(var f=0;f0)for(var m=0;m=0&&"[object Function]"===t.call(e.callee)),n}},949:function(e,r){var n=Object.prototype.hasOwnProperty,t=Object.prototype.toString;e.exports=function(e,r,a){if("[object Function]"!==t.call(r))throw new TypeError("iterator must be a function");var o=e.length;if(o===+o)for(var i=0;i1&&(r===String?n="string":r===Number&&(n="number"));var o;if(t&&(Symbol.toPrimitive?o=l(e,Symbol.toPrimitive):s(e)&&(o=Symbol.prototype.valueOf)),void 0!==o){var c=o.call(e,n);if(a(c))return c;throw new TypeError("unable to convert exotic object to primitive")}return"default"===n&&(i(e)||s(e))&&(n="string"),u(e,"default"===n?"number":n)}},952:function(e,r,n){"use strict";var t=Date.prototype.getDay,a=function(e){try{return t.call(e),!0}catch(e){return!1}},o=Object.prototype.toString,i="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;e.exports=function(e){return"object"==typeof e&&null!==e&&(i?a(e):"[object Date]"===o.call(e))}},953:function(e,r,n){"use strict";var t=Object.prototype.toString;if("function"==typeof Symbol&&"symbol"==typeof Symbol()){var a=Symbol.prototype.toString,o=/^Symbol\(.*\)$/,i=function(e){return"symbol"==typeof e.valueOf()&&o.test(a.call(e))};e.exports=function(e){if("symbol"==typeof e)return!0;if("[object Symbol]"!==t.call(e))return!1;try{return i(e)}catch(e){return!1}}}else e.exports=function(e){return!1}},954:function(e,r){e.exports=function(e){return null===e||"function"!=typeof e&&"object"!=typeof e}},955:function(e,r,n){"use strict";var t=n(904),a=n(905),o=n(907),i=n(908),s=n(893),u=n(956),l=n(888),c={ToPrimitive:u,ToBoolean:function(e){return!!e},ToNumber:function(e){return Number(e)},ToInteger:function(e){var r=this.ToNumber(e);return t(r)?0:0!==r&&a(r)?o(r)*Math.floor(Math.abs(r)):r},ToInt32:function(e){return this.ToNumber(e)>>0},ToUint32:function(e){return this.ToNumber(e)>>>0},ToUint16:function(e){var r=this.ToNumber(e);if(t(r)||0===r||!a(r))return 0;var n=o(r)*Math.floor(Math.abs(r));return i(n,65536)},ToString:function(e){return String(e)},ToObject:function(e){return this.CheckObjectCoercible(e),Object(e)},CheckObjectCoercible:function(e,r){if(null==e)throw new TypeError(r||"Cannot call method on "+e);return e},IsCallable:s,SameValue:function(e,r){return e===r?0!==e||1/e==1/r:t(e)&&t(r)},Type:function(e){return null===e?"Null":void 0===e?"Undefined":"function"==typeof e||"object"==typeof e?"Object":"number"==typeof e?"Number":"boolean"==typeof e?"Boolean":"string"==typeof e?"String":void 0},IsPropertyDescriptor:function(e){if("Object"!==this.Type(e))return!1;var r={"[[Configurable]]":!0,"[[Enumerable]]":!0,"[[Get]]":!0,"[[Set]]":!0,"[[Value]]":!0,"[[Writable]]":!0};for(var n in e)if(l(e,n)&&!r[n])return!1;var t=l(e,"[[Value]]"),a=l(e,"[[Get]]")||l(e,"[[Set]]");if(t&&a)throw new TypeError("Property Descriptors may not be both accessor and data descriptors");return!0},IsAccessorDescriptor:function(e){if(void 0===e)return!1;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return!(!l(e,"[[Get]]")&&!l(e,"[[Set]]"))},IsDataDescriptor:function(e){if(void 0===e)return!1;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return!(!l(e,"[[Value]]")&&!l(e,"[[Writable]]"))},IsGenericDescriptor:function(e){if(void 0===e)return!1;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");return!this.IsAccessorDescriptor(e)&&!this.IsDataDescriptor(e)},FromPropertyDescriptor:function(e){if(void 0===e)return e;if(!this.IsPropertyDescriptor(e))throw new TypeError("Desc must be a Property Descriptor");if(this.IsDataDescriptor(e))return{value:e["[[Value]]"],writable:!!e["[[Writable]]"],enumerable:!!e["[[Enumerable]]"],configurable:!!e["[[Configurable]]"]};if(this.IsAccessorDescriptor(e))return{get:e["[[Get]]"],set:e["[[Set]]"],enumerable:!!e["[[Enumerable]]"],configurable:!!e["[[Configurable]]"]};throw new TypeError("FromPropertyDescriptor must be called with a fully populated Property Descriptor")},ToPropertyDescriptor:function(e){if("Object"!==this.Type(e))throw new TypeError("ToPropertyDescriptor requires an object");var r={};if(l(e,"enumerable")&&(r["[[Enumerable]]"]=this.ToBoolean(e.enumerable)),l(e,"configurable")&&(r["[[Configurable]]"]=this.ToBoolean(e.configurable)),l(e,"value")&&(r["[[Value]]"]=e.value),l(e,"writable")&&(r["[[Writable]]"]=this.ToBoolean(e.writable)),l(e,"get")){var n=e.get;if(void 0!==n&&!this.IsCallable(n))throw new TypeError("getter must be a function");r["[[Get]]"]=n}if(l(e,"set")){var t=e.set;if(void 0!==t&&!this.IsCallable(t))throw new TypeError("setter must be a function");r["[[Set]]"]=t}if((l(r,"[[Get]]")||l(r,"[[Set]]"))&&(l(r,"[[Value]]")||l(r,"[[Writable]]")))throw new TypeError("Invalid property descriptor. Cannot both specify accessors and a value or writable attribute");return r}};e.exports=c},956:function(e,r,n){"use strict";var t=Object.prototype.toString,a=n(903),o=n(893),i={"[[DefaultValue]]":function(e,r){var n=r||("[object Date]"===t.call(e)?String:Number);if(n===String||n===Number){var i,s,u=n===String?["toString","valueOf"]:["valueOf","toString"];for(s=0;s 2 ? arguments[2] : {};\n\tvar props = keys(map);\n\tif (hasSymbols) {\n\t\tprops = props.concat(Object.getOwnPropertySymbols(map));\n\t}\n\tforeach(props, function (name) {\n\t\tdefineProperty(object, name, map[name], predicates[name]);\n\t});\n};\n\ndefineProperties.supportsDescriptors = !!supportsDescriptors;\n\nmodule.exports = defineProperties;\n\n/***/ }),\n\n/***/ 856:\n/***/ (function(module, exports, __webpack_require__) {\n\nvar bind = __webpack_require__(859);\n\nmodule.exports = bind.call(Function.call, Object.prototype.hasOwnProperty);\n\n/***/ }),\n\n/***/ 858:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar _undefined = __webpack_require__(905)(); // Support ES3 engines\n\nmodule.exports = function (val) {\n return val !== _undefined && val !== null;\n};\n\n/***/ }),\n\n/***/ 859:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(918);\n\nmodule.exports = Function.prototype.bind || implementation;\n\n/***/ }),\n\n/***/ 860:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar fnToStr = Function.prototype.toString;\n\nvar constructorRegex = /^\\s*class /;\nvar isES6ClassFn = function isES6ClassFn(value) {\n\ttry {\n\t\tvar fnStr = fnToStr.call(value);\n\t\tvar singleStripped = fnStr.replace(/\\/\\/.*\\n/g, '');\n\t\tvar multiStripped = singleStripped.replace(/\\/\\*[.\\s\\S]*\\*\\//g, '');\n\t\tvar spaceStripped = multiStripped.replace(/\\n/mg, ' ').replace(/ {2}/g, ' ');\n\t\treturn constructorRegex.test(spaceStripped);\n\t} catch (e) {\n\t\treturn false; // not a function\n\t}\n};\n\nvar tryFunctionObject = function tryFunctionObject(value) {\n\ttry {\n\t\tif (isES6ClassFn(value)) {\n\t\t\treturn false;\n\t\t}\n\t\tfnToStr.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar fnClass = '[object Function]';\nvar genClass = '[object GeneratorFunction]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isCallable(value) {\n\tif (!value) {\n\t\treturn false;\n\t}\n\tif (typeof value !== 'function' && typeof value !== 'object') {\n\t\treturn false;\n\t}\n\tif (hasToStringTag) {\n\t\treturn tryFunctionObject(value);\n\t}\n\tif (isES6ClassFn(value)) {\n\t\treturn false;\n\t}\n\tvar strClass = toStr.call(value);\n\treturn strClass === fnClass || strClass === genClass;\n};\n\n/***/ }),\n\n/***/ 871:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(872);\n\n/***/ }),\n\n/***/ 872:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar has = __webpack_require__(856);\nvar toPrimitive = __webpack_require__(919);\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar $isNaN = __webpack_require__(874);\nvar $isFinite = __webpack_require__(875);\nvar MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1;\n\nvar assign = __webpack_require__(876);\nvar sign = __webpack_require__(877);\nvar mod = __webpack_require__(878);\nvar isPrimitive = __webpack_require__(922);\nvar parseInteger = parseInt;\nvar bind = __webpack_require__(859);\nvar arraySlice = bind.call(Function.call, Array.prototype.slice);\nvar strSlice = bind.call(Function.call, String.prototype.slice);\nvar isBinary = bind.call(Function.call, RegExp.prototype.test, /^0b[01]+$/i);\nvar isOctal = bind.call(Function.call, RegExp.prototype.test, /^0o[0-7]+$/i);\nvar regexExec = bind.call(Function.call, RegExp.prototype.exec);\nvar nonWS = ['\\u0085', '\\u200b', '\\ufffe'].join('');\nvar nonWSregex = new RegExp('[' + nonWS + ']', 'g');\nvar hasNonWS = bind.call(Function.call, RegExp.prototype.test, nonWSregex);\nvar invalidHexLiteral = /^[-+]0x[0-9a-f]+$/i;\nvar isInvalidHexLiteral = bind.call(Function.call, RegExp.prototype.test, invalidHexLiteral);\n\n// whitespace from: http://es5.github.io/#x15.5.4.20\n// implementation from https://github.com/es-shims/es5-shim/blob/v3.4.0/es5-shim.js#L1304-L1324\nvar ws = ['\\x09\\x0A\\x0B\\x0C\\x0D\\x20\\xA0\\u1680\\u180E\\u2000\\u2001\\u2002\\u2003', '\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200A\\u202F\\u205F\\u3000\\u2028', '\\u2029\\uFEFF'].join('');\nvar trimRegex = new RegExp('(^[' + ws + ']+)|([' + ws + ']+$)', 'g');\nvar replace = bind.call(Function.call, String.prototype.replace);\nvar trim = function (value) {\n\treturn replace(value, trimRegex, '');\n};\n\nvar ES5 = __webpack_require__(923);\n\nvar hasRegExpMatcher = __webpack_require__(925);\n\n// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-abstract-operations\nvar ES6 = assign(assign({}, ES5), {\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-call-f-v-args\n\tCall: function Call(F, V) {\n\t\tvar args = arguments.length > 2 ? arguments[2] : [];\n\t\tif (!this.IsCallable(F)) {\n\t\t\tthrow new TypeError(F + ' is not a function');\n\t\t}\n\t\treturn F.apply(V, args);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toprimitive\n\tToPrimitive: toPrimitive,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toboolean\n\t// ToBoolean: ES5.ToBoolean,\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-tonumber\n\tToNumber: function ToNumber(argument) {\n\t\tvar value = isPrimitive(argument) ? argument : toPrimitive(argument, Number);\n\t\tif (typeof value === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a number');\n\t\t}\n\t\tif (typeof value === 'string') {\n\t\t\tif (isBinary(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 2));\n\t\t\t} else if (isOctal(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 8));\n\t\t\t} else if (hasNonWS(value) || isInvalidHexLiteral(value)) {\n\t\t\t\treturn NaN;\n\t\t\t} else {\n\t\t\t\tvar trimmed = trim(value);\n\t\t\t\tif (trimmed !== value) {\n\t\t\t\t\treturn this.ToNumber(trimmed);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn Number(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tointeger\n\t// ToInteger: ES5.ToNumber,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint32\n\t// ToInt32: ES5.ToInt32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint32\n\t// ToUint32: ES5.ToUint32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint16\n\tToInt16: function ToInt16(argument) {\n\t\tvar int16bit = this.ToUint16(argument);\n\t\treturn int16bit >= 0x8000 ? int16bit - 0x10000 : int16bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint16\n\t// ToUint16: ES5.ToUint16,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint8\n\tToInt8: function ToInt8(argument) {\n\t\tvar int8bit = this.ToUint8(argument);\n\t\treturn int8bit >= 0x80 ? int8bit - 0x100 : int8bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8\n\tToUint8: function ToUint8(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) {\n\t\t\treturn 0;\n\t\t}\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x100);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8clamp\n\tToUint8Clamp: function ToUint8Clamp(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number <= 0) {\n\t\t\treturn 0;\n\t\t}\n\t\tif (number >= 0xFF) {\n\t\t\treturn 0xFF;\n\t\t}\n\t\tvar f = Math.floor(argument);\n\t\tif (f + 0.5 < number) {\n\t\t\treturn f + 1;\n\t\t}\n\t\tif (number < f + 0.5) {\n\t\t\treturn f;\n\t\t}\n\t\tif (f % 2 !== 0) {\n\t\t\treturn f + 1;\n\t\t}\n\t\treturn f;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tostring\n\tToString: function ToString(argument) {\n\t\tif (typeof argument === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a string');\n\t\t}\n\t\treturn String(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toobject\n\tToObject: function ToObject(value) {\n\t\tthis.RequireObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-topropertykey\n\tToPropertyKey: function ToPropertyKey(argument) {\n\t\tvar key = this.ToPrimitive(argument, String);\n\t\treturn typeof key === 'symbol' ? key : this.ToString(key);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength\n\tToLength: function ToLength(argument) {\n\t\tvar len = this.ToInteger(argument);\n\t\tif (len <= 0) {\n\t\t\treturn 0;\n\t\t} // includes converting -0 to +0\n\t\tif (len > MAX_SAFE_INTEGER) {\n\t\t\treturn MAX_SAFE_INTEGER;\n\t\t}\n\t\treturn len;\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-canonicalnumericindexstring\n\tCanonicalNumericIndexString: function CanonicalNumericIndexString(argument) {\n\t\tif (toStr.call(argument) !== '[object String]') {\n\t\t\tthrow new TypeError('must be a string');\n\t\t}\n\t\tif (argument === '-0') {\n\t\t\treturn -0;\n\t\t}\n\t\tvar n = this.ToNumber(argument);\n\t\tif (this.SameValue(this.ToString(n), argument)) {\n\t\t\treturn n;\n\t\t}\n\t\treturn void 0;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-requireobjectcoercible\n\tRequireObjectCoercible: ES5.CheckObjectCoercible,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isarray\n\tIsArray: Array.isArray || function IsArray(argument) {\n\t\treturn toStr.call(argument) === '[object Array]';\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-iscallable\n\t// IsCallable: ES5.IsCallable,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isconstructor\n\tIsConstructor: function IsConstructor(argument) {\n\t\treturn typeof argument === 'function' && !!argument.prototype; // unfortunately there's no way to truly check this without try/catch `new argument`\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isextensible-o\n\tIsExtensible: function IsExtensible(obj) {\n\t\tif (!Object.preventExtensions) {\n\t\t\treturn true;\n\t\t}\n\t\tif (isPrimitive(obj)) {\n\t\t\treturn false;\n\t\t}\n\t\treturn Object.isExtensible(obj);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isinteger\n\tIsInteger: function IsInteger(argument) {\n\t\tif (typeof argument !== 'number' || $isNaN(argument) || !$isFinite(argument)) {\n\t\t\treturn false;\n\t\t}\n\t\tvar abs = Math.abs(argument);\n\t\treturn Math.floor(abs) === abs;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-ispropertykey\n\tIsPropertyKey: function IsPropertyKey(argument) {\n\t\treturn typeof argument === 'string' || typeof argument === 'symbol';\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-isregexp\n\tIsRegExp: function IsRegExp(argument) {\n\t\tif (!argument || typeof argument !== 'object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols) {\n\t\t\tvar isRegExp = argument[Symbol.match];\n\t\t\tif (typeof isRegExp !== 'undefined') {\n\t\t\t\treturn ES5.ToBoolean(isRegExp);\n\t\t\t}\n\t\t}\n\t\treturn hasRegExpMatcher(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevalue\n\t// SameValue: ES5.SameValue,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevaluezero\n\tSameValueZero: function SameValueZero(x, y) {\n\t\treturn x === y || $isNaN(x) && $isNaN(y);\n\t},\n\n\t/**\n * 7.3.2 GetV (V, P)\n * 1. Assert: IsPropertyKey(P) is true.\n * 2. Let O be ToObject(V).\n * 3. ReturnIfAbrupt(O).\n * 4. Return O.[[Get]](P, V).\n */\n\tGetV: function GetV(V, P) {\n\t\t// 7.3.2.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.2.2-3\n\t\tvar O = this.ToObject(V);\n\n\t\t// 7.3.2.4\n\t\treturn O[P];\n\t},\n\n\t/**\n * 7.3.9 - http://www.ecma-international.org/ecma-262/6.0/#sec-getmethod\n * 1. Assert: IsPropertyKey(P) is true.\n * 2. Let func be GetV(O, P).\n * 3. ReturnIfAbrupt(func).\n * 4. If func is either undefined or null, return undefined.\n * 5. If IsCallable(func) is false, throw a TypeError exception.\n * 6. Return func.\n */\n\tGetMethod: function GetMethod(O, P) {\n\t\t// 7.3.9.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.9.2\n\t\tvar func = this.GetV(O, P);\n\n\t\t// 7.3.9.4\n\t\tif (func == null) {\n\t\t\treturn void 0;\n\t\t}\n\n\t\t// 7.3.9.5\n\t\tif (!this.IsCallable(func)) {\n\t\t\tthrow new TypeError(P + 'is not a function');\n\t\t}\n\n\t\t// 7.3.9.6\n\t\treturn func;\n\t},\n\n\t/**\n * 7.3.1 Get (O, P) - http://www.ecma-international.org/ecma-262/6.0/#sec-get-o-p\n * 1. Assert: Type(O) is Object.\n * 2. Assert: IsPropertyKey(P) is true.\n * 3. Return O.[[Get]](P, O).\n */\n\tGet: function Get(O, P) {\n\t\t// 7.3.1.1\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\t// 7.3.1.2\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\t// 7.3.1.3\n\t\treturn O[P];\n\t},\n\n\tType: function Type(x) {\n\t\tif (typeof x === 'symbol') {\n\t\t\treturn 'Symbol';\n\t\t}\n\t\treturn ES5.Type(x);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-speciesconstructor\n\tSpeciesConstructor: function SpeciesConstructor(O, defaultConstructor) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tvar C = O.constructor;\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.Type(C) !== 'Object') {\n\t\t\tthrow new TypeError('O.constructor is not an Object');\n\t\t}\n\t\tvar S = hasSymbols && Symbol.species ? C[Symbol.species] : void 0;\n\t\tif (S == null) {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.IsConstructor(S)) {\n\t\t\treturn S;\n\t\t}\n\t\tthrow new TypeError('no constructor found');\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-completepropertydescriptor\n\tCompletePropertyDescriptor: function CompletePropertyDescriptor(Desc) {\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsGenericDescriptor(Desc) || this.IsDataDescriptor(Desc)) {\n\t\t\tif (!has(Desc, '[[Value]]')) {\n\t\t\t\tDesc['[[Value]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Writable]]')) {\n\t\t\t\tDesc['[[Writable]]'] = false;\n\t\t\t}\n\t\t} else {\n\t\t\tif (!has(Desc, '[[Get]]')) {\n\t\t\t\tDesc['[[Get]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Set]]')) {\n\t\t\t\tDesc['[[Set]]'] = void 0;\n\t\t\t}\n\t\t}\n\t\tif (!has(Desc, '[[Enumerable]]')) {\n\t\t\tDesc['[[Enumerable]]'] = false;\n\t\t}\n\t\tif (!has(Desc, '[[Configurable]]')) {\n\t\t\tDesc['[[Configurable]]'] = false;\n\t\t}\n\t\treturn Desc;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-set-o-p-v-throw\n\tSet: function Set(O, P, V, Throw) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tif (this.Type(Throw) !== 'Boolean') {\n\t\t\tthrow new TypeError('Throw must be a Boolean');\n\t\t}\n\t\tif (Throw) {\n\t\t\tO[P] = V;\n\t\t\treturn true;\n\t\t} else {\n\t\t\ttry {\n\t\t\t\tO[P] = V;\n\t\t\t} catch (e) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasownproperty\n\tHasOwnProperty: function HasOwnProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn has(O, P);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasproperty\n\tHasProperty: function HasProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn P in O;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-isconcatspreadable\n\tIsConcatSpreadable: function IsConcatSpreadable(O) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols && typeof Symbol.isConcatSpreadable === 'symbol') {\n\t\t\tvar spreadable = this.Get(O, Symbol.isConcatSpreadable);\n\t\t\tif (typeof spreadable !== 'undefined') {\n\t\t\t\treturn this.ToBoolean(spreadable);\n\t\t\t}\n\t\t}\n\t\treturn this.IsArray(O);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-invoke\n\tInvoke: function Invoke(O, P) {\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tvar argumentsList = arraySlice(arguments, 2);\n\t\tvar func = this.GetV(O, P);\n\t\treturn this.Call(func, O, argumentsList);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createiterresultobject\n\tCreateIterResultObject: function CreateIterResultObject(value, done) {\n\t\tif (this.Type(done) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(done) is not Boolean');\n\t\t}\n\t\treturn {\n\t\t\tvalue: value,\n\t\t\tdone: done\n\t\t};\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-regexpexec\n\tRegExpExec: function RegExpExec(R, S) {\n\t\tif (this.Type(R) !== 'Object') {\n\t\t\tthrow new TypeError('R must be an Object');\n\t\t}\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('S must be a String');\n\t\t}\n\t\tvar exec = this.Get(R, 'exec');\n\t\tif (this.IsCallable(exec)) {\n\t\t\tvar result = this.Call(exec, R, [S]);\n\t\t\tif (result === null || this.Type(result) === 'Object') {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t\tthrow new TypeError('\"exec\" method must return `null` or an Object');\n\t\t}\n\t\treturn regexExec(R, S);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-arrayspeciescreate\n\tArraySpeciesCreate: function ArraySpeciesCreate(originalArray, length) {\n\t\tif (!this.IsInteger(length) || length < 0) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0');\n\t\t}\n\t\tvar len = length === 0 ? 0 : length;\n\t\tvar C;\n\t\tvar isArray = this.IsArray(originalArray);\n\t\tif (isArray) {\n\t\t\tC = this.Get(originalArray, 'constructor');\n\t\t\t// TODO: figure out how to make a cross-realm normal Array, a same-realm Array\n\t\t\t// if (this.IsConstructor(C)) {\n\t\t\t// \tif C is another realm's Array, C = undefined\n\t\t\t// \tObject.getPrototypeOf(Object.getPrototypeOf(Object.getPrototypeOf(Array))) === null ?\n\t\t\t// }\n\t\t\tif (this.Type(C) === 'Object' && hasSymbols && Symbol.species) {\n\t\t\t\tC = this.Get(C, Symbol.species);\n\t\t\t\tif (C === null) {\n\t\t\t\t\tC = void 0;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn Array(len);\n\t\t}\n\t\tif (!this.IsConstructor(C)) {\n\t\t\tthrow new TypeError('C must be a constructor');\n\t\t}\n\t\treturn new C(len); // this.Construct(C, len);\n\t},\n\n\tCreateDataProperty: function CreateDataProperty(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar oldDesc = Object.getOwnPropertyDescriptor(O, P);\n\t\tvar extensible = oldDesc || typeof Object.isExtensible !== 'function' || Object.isExtensible(O);\n\t\tvar immutable = oldDesc && (!oldDesc.writable || !oldDesc.configurable);\n\t\tif (immutable || !extensible) {\n\t\t\treturn false;\n\t\t}\n\t\tvar newDesc = {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: true,\n\t\t\tvalue: V,\n\t\t\twritable: true\n\t\t};\n\t\tObject.defineProperty(O, P, newDesc);\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createdatapropertyorthrow\n\tCreateDataPropertyOrThrow: function CreateDataPropertyOrThrow(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar success = this.CreateDataProperty(O, P, V);\n\t\tif (!success) {\n\t\t\tthrow new TypeError('unable to create data property');\n\t\t}\n\t\treturn success;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-advancestringindex\n\tAdvanceStringIndex: function AdvanceStringIndex(S, index, unicode) {\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('Assertion failed: Type(S) is not String');\n\t\t}\n\t\tif (!this.IsInteger(index)) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (index < 0 || index > MAX_SAFE_INTEGER) {\n\t\t\tthrow new RangeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (this.Type(unicode) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(unicode) is not Boolean');\n\t\t}\n\t\tif (!unicode) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar length = S.length;\n\t\tif (index + 1 >= length) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar first = S.charCodeAt(index);\n\t\tif (first < 0xD800 || first > 0xDBFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar second = S.charCodeAt(index + 1);\n\t\tif (second < 0xDC00 || second > 0xDFFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\treturn index + 2;\n\t}\n});\n\ndelete ES6.CheckObjectCoercible; // renamed in ES6 to RequireObjectCoercible\n\nmodule.exports = ES6;\n\n/***/ }),\n\n/***/ 873:\n/***/ (function(module, exports) {\n\nmodule.exports = function isPrimitive(value) {\n\treturn value === null || typeof value !== 'function' && typeof value !== 'object';\n};\n\n/***/ }),\n\n/***/ 874:\n/***/ (function(module, exports) {\n\nmodule.exports = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\n\n/***/ }),\n\n/***/ 875:\n/***/ (function(module, exports) {\n\nvar $isNaN = Number.isNaN || function (a) {\n return a !== a;\n};\n\nmodule.exports = Number.isFinite || function (x) {\n return typeof x === 'number' && !$isNaN(x) && x !== Infinity && x !== -Infinity;\n};\n\n/***/ }),\n\n/***/ 876:\n/***/ (function(module, exports) {\n\nvar has = Object.prototype.hasOwnProperty;\nmodule.exports = function assign(target, source) {\n\tif (Object.assign) {\n\t\treturn Object.assign(target, source);\n\t}\n\tfor (var key in source) {\n\t\tif (has.call(source, key)) {\n\t\t\ttarget[key] = source[key];\n\t\t}\n\t}\n\treturn target;\n};\n\n/***/ }),\n\n/***/ 877:\n/***/ (function(module, exports) {\n\nmodule.exports = function sign(number) {\n\treturn number >= 0 ? 1 : -1;\n};\n\n/***/ }),\n\n/***/ 878:\n/***/ (function(module, exports) {\n\nmodule.exports = function mod(number, modulo) {\n\tvar remain = number % modulo;\n\treturn Math.floor(remain >= 0 ? remain : remain + modulo);\n};\n\n/***/ }),\n\n/***/ 879:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n/* WEBPACK VAR INJECTION */(function(global) {\n\nvar ES = __webpack_require__(871);\nvar $isNaN = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\nvar $isFinite = Number.isFinite || function isFinite(n) {\n\treturn typeof n === 'number' && global.isFinite(n);\n};\nvar indexOf = Array.prototype.indexOf;\n\nmodule.exports = function includes(searchElement) {\n\tvar fromIndex = arguments.length > 1 ? ES.ToInteger(arguments[1]) : 0;\n\tif (indexOf && !$isNaN(searchElement) && $isFinite(fromIndex) && typeof searchElement !== 'undefined') {\n\t\treturn indexOf.apply(this, arguments) > -1;\n\t}\n\n\tvar O = ES.ToObject(this);\n\tvar length = ES.ToLength(O.length);\n\tif (length === 0) {\n\t\treturn false;\n\t}\n\tvar k = fromIndex >= 0 ? fromIndex : Math.max(0, length + fromIndex);\n\twhile (k < length) {\n\t\tif (ES.SameValueZero(searchElement, O[k])) {\n\t\t\treturn true;\n\t\t}\n\t\tk += 1;\n\t}\n\treturn false;\n};\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(46)))\n\n/***/ }),\n\n/***/ 880:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(879);\n\nmodule.exports = function getPolyfill() {\n\treturn Array.prototype.includes || implementation;\n};\n\n/***/ }),\n\n/***/ 881:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar ES = __webpack_require__(928);\nvar has = __webpack_require__(856);\nvar bind = __webpack_require__(859);\nvar isEnumerable = bind.call(Function.call, Object.prototype.propertyIsEnumerable);\n\nmodule.exports = function values(O) {\n\tvar obj = ES.RequireObjectCoercible(O);\n\tvar vals = [];\n\tfor (var key in obj) {\n\t\tif (has(obj, key) && isEnumerable(obj, key)) {\n\t\t\tvals.push(obj[key]);\n\t\t}\n\t}\n\treturn vals;\n};\n\n/***/ }),\n\n/***/ 882:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(881);\n\nmodule.exports = function getPolyfill() {\n\treturn typeof Object.values === 'function' ? Object.values : implementation;\n};\n\n/***/ }),\n\n/***/ 883:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function isNaN(value) {\n\treturn value !== value;\n};\n\n/***/ }),\n\n/***/ 884:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(883);\n\nmodule.exports = function getPolyfill() {\n\tif (Number.isNaN && Number.isNaN(NaN) && !Number.isNaN('a')) {\n\t\treturn Number.isNaN;\n\t}\n\treturn implementation;\n};\n\n/***/ }),\n\n/***/ 890:\n/***/ (function(module, exports, __webpack_require__) {\n\n/* WEBPACK VAR INJECTION */(function(global) {// Expose `IntlPolyfill` as global to add locale data into runtime later on.\nglobal.IntlPolyfill = __webpack_require__(891);\n\n// Require all locale data for `Intl`. This module will be\n// ignored when bundling for the browser with Browserify/Webpack.\n__webpack_require__(892);\n\n// hack to export the polyfill as global Intl if needed\nif (!global.Intl) {\n global.Intl = global.IntlPolyfill;\n global.IntlPolyfill.__applyLocaleSensitivePrototypes();\n}\n\n// providing an idiomatic api for the nodejs version of this module\nmodule.exports = global.IntlPolyfill;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(46)))\n\n/***/ }),\n\n/***/ 891:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n/* WEBPACK VAR INJECTION */(function(global) {\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol ? \"symbol\" : typeof obj;\n};\n\nvar jsx = function () {\n var REACT_ELEMENT_TYPE = typeof Symbol === \"function\" && Symbol.for && Symbol.for(\"react.element\") || 0xeac7;\n return function createRawReactElement(type, props, key, children) {\n var defaultProps = type && type.defaultProps;\n var childrenLength = arguments.length - 3;\n\n if (!props && childrenLength !== 0) {\n props = {};\n }\n\n if (props && defaultProps) {\n for (var propName in defaultProps) {\n if (props[propName] === void 0) {\n props[propName] = defaultProps[propName];\n }\n }\n } else if (!props) {\n props = defaultProps || {};\n }\n\n if (childrenLength === 1) {\n props.children = children;\n } else if (childrenLength > 1) {\n var childArray = Array(childrenLength);\n\n for (var i = 0; i < childrenLength; i++) {\n childArray[i] = arguments[i + 3];\n }\n\n props.children = childArray;\n }\n\n return {\n $$typeof: REACT_ELEMENT_TYPE,\n type: type,\n key: key === undefined ? null : '' + key,\n ref: null,\n props: props,\n _owner: null\n };\n };\n}();\n\nvar asyncToGenerator = function (fn) {\n return function () {\n var gen = fn.apply(this, arguments);\n return new Promise(function (resolve, reject) {\n function step(key, arg) {\n try {\n var info = gen[key](arg);\n var value = info.value;\n } catch (error) {\n reject(error);\n return;\n }\n\n if (info.done) {\n resolve(value);\n } else {\n return Promise.resolve(value).then(function (value) {\n return step(\"next\", value);\n }, function (err) {\n return step(\"throw\", err);\n });\n }\n }\n\n return step(\"next\");\n });\n };\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineEnumerableProperties = function (obj, descs) {\n for (var key in descs) {\n var desc = descs[key];\n desc.configurable = desc.enumerable = true;\n if (\"value\" in desc) desc.writable = true;\n Object.defineProperty(obj, key, desc);\n }\n\n return obj;\n};\n\nvar defaults = function (obj, defaults) {\n var keys = Object.getOwnPropertyNames(defaults);\n\n for (var i = 0; i < keys.length; i++) {\n var key = keys[i];\n var value = Object.getOwnPropertyDescriptor(defaults, key);\n\n if (value && value.configurable && obj[key] === undefined) {\n Object.defineProperty(obj, key, value);\n }\n }\n\n return obj;\n};\n\nvar defineProperty$1 = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar get = function get(object, property, receiver) {\n if (object === null) object = Function.prototype;\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent === null) {\n return undefined;\n } else {\n return get(parent, property, receiver);\n }\n } else if (\"value\" in desc) {\n return desc.value;\n } else {\n var getter = desc.get;\n\n if (getter === undefined) {\n return undefined;\n }\n\n return getter.call(receiver);\n }\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar _instanceof = function (left, right) {\n if (right != null && typeof Symbol !== \"undefined\" && right[Symbol.hasInstance]) {\n return right[Symbol.hasInstance](left);\n } else {\n return left instanceof right;\n }\n};\n\nvar interopRequireDefault = function (obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n};\n\nvar interopRequireWildcard = function (obj) {\n if (obj && obj.__esModule) {\n return obj;\n } else {\n var newObj = {};\n\n if (obj != null) {\n for (var key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];\n }\n }\n\n newObj.default = obj;\n return newObj;\n }\n};\n\nvar newArrowCheck = function (innerThis, boundThis) {\n if (innerThis !== boundThis) {\n throw new TypeError(\"Cannot instantiate an arrow function\");\n }\n};\n\nvar objectDestructuringEmpty = function (obj) {\n if (obj == null) throw new TypeError(\"Cannot destructure undefined\");\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar selfGlobal = typeof global === \"undefined\" ? self : global;\n\nvar set = function set(object, property, value, receiver) {\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent !== null) {\n set(parent, property, value, receiver);\n }\n } else if (\"value\" in desc && desc.writable) {\n desc.value = value;\n } else {\n var setter = desc.set;\n\n if (setter !== undefined) {\n setter.call(receiver, value);\n }\n }\n\n return value;\n};\n\nvar slicedToArray = function () {\n function sliceIterator(arr, i) {\n var _arr = [];\n var _n = true;\n var _d = false;\n var _e = undefined;\n\n try {\n for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {\n _arr.push(_s.value);\n\n if (i && _arr.length === i) break;\n }\n } catch (err) {\n _d = true;\n _e = err;\n } finally {\n try {\n if (!_n && _i[\"return\"]) _i[\"return\"]();\n } finally {\n if (_d) throw _e;\n }\n }\n\n return _arr;\n }\n\n return function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n return sliceIterator(arr, i);\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n };\n}();\n\nvar slicedToArrayLoose = function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n var _arr = [];\n\n for (var _iterator = arr[Symbol.iterator](), _step; !(_step = _iterator.next()).done;) {\n _arr.push(_step.value);\n\n if (i && _arr.length === i) break;\n }\n\n return _arr;\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n};\n\nvar taggedTemplateLiteral = function (strings, raw) {\n return Object.freeze(Object.defineProperties(strings, {\n raw: {\n value: Object.freeze(raw)\n }\n }));\n};\n\nvar taggedTemplateLiteralLoose = function (strings, raw) {\n strings.raw = raw;\n return strings;\n};\n\nvar temporalRef = function (val, name, undef) {\n if (val === undef) {\n throw new ReferenceError(name + \" is not defined - temporal dead zone\");\n } else {\n return val;\n }\n};\n\nvar temporalUndefined = {};\n\nvar toArray = function (arr) {\n return Array.isArray(arr) ? arr : Array.from(arr);\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\nvar babelHelpers$1 = Object.freeze({\n jsx: jsx,\n asyncToGenerator: asyncToGenerator,\n classCallCheck: classCallCheck,\n createClass: createClass,\n defineEnumerableProperties: defineEnumerableProperties,\n defaults: defaults,\n defineProperty: defineProperty$1,\n get: get,\n inherits: inherits,\n interopRequireDefault: interopRequireDefault,\n interopRequireWildcard: interopRequireWildcard,\n newArrowCheck: newArrowCheck,\n objectDestructuringEmpty: objectDestructuringEmpty,\n objectWithoutProperties: objectWithoutProperties,\n possibleConstructorReturn: possibleConstructorReturn,\n selfGlobal: selfGlobal,\n set: set,\n slicedToArray: slicedToArray,\n slicedToArrayLoose: slicedToArrayLoose,\n taggedTemplateLiteral: taggedTemplateLiteral,\n taggedTemplateLiteralLoose: taggedTemplateLiteralLoose,\n temporalRef: temporalRef,\n temporalUndefined: temporalUndefined,\n toArray: toArray,\n toConsumableArray: toConsumableArray,\n typeof: _typeof,\n extends: _extends,\n instanceof: _instanceof\n});\n\nvar realDefineProp = function () {\n var sentinel = function sentinel() {};\n try {\n Object.defineProperty(sentinel, 'a', {\n get: function get() {\n return 1;\n }\n });\n Object.defineProperty(sentinel, 'prototype', { writable: false });\n return sentinel.a === 1 && sentinel.prototype instanceof Object;\n } catch (e) {\n return false;\n }\n}();\n\n// Need a workaround for getters in ES3\nvar es3 = !realDefineProp && !Object.prototype.__defineGetter__;\n\n// We use this a lot (and need it for proto-less objects)\nvar hop = Object.prototype.hasOwnProperty;\n\n// Naive defineProperty for compatibility\nvar defineProperty = realDefineProp ? Object.defineProperty : function (obj, name, desc) {\n if ('get' in desc && obj.__defineGetter__) obj.__defineGetter__(name, desc.get);else if (!hop.call(obj, name) || 'value' in desc) obj[name] = desc.value;\n};\n\n// Array.prototype.indexOf, as good as we need it to be\nvar arrIndexOf = Array.prototype.indexOf || function (search) {\n /*jshint validthis:true */\n var t = this;\n if (!t.length) return -1;\n\n for (var i = arguments[1] || 0, max = t.length; i < max; i++) {\n if (t[i] === search) return i;\n }\n\n return -1;\n};\n\n// Create an object with the specified prototype (2nd arg required for Record)\nvar objCreate = Object.create || function (proto, props) {\n var obj = void 0;\n\n function F() {}\n F.prototype = proto;\n obj = new F();\n\n for (var k in props) {\n if (hop.call(props, k)) defineProperty(obj, k, props[k]);\n }\n\n return obj;\n};\n\n// Snapshot some (hopefully still) native built-ins\nvar arrSlice = Array.prototype.slice;\nvar arrConcat = Array.prototype.concat;\nvar arrPush = Array.prototype.push;\nvar arrJoin = Array.prototype.join;\nvar arrShift = Array.prototype.shift;\n\n// Naive Function.prototype.bind for compatibility\nvar fnBind = Function.prototype.bind || function (thisObj) {\n var fn = this,\n args = arrSlice.call(arguments, 1);\n\n // All our (presently) bound functions have either 1 or 0 arguments. By returning\n // different function signatures, we can pass some tests in ES3 environments\n if (fn.length === 1) {\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n }\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n};\n\n// Object housing internal properties for constructors\nvar internals = objCreate(null);\n\n// Keep internal properties internal\nvar secret = Math.random();\n\n// Helper functions\n// ================\n\n/**\n * A function to deal with the inaccuracy of calculating log10 in pre-ES6\n * JavaScript environments. Math.log(num) / Math.LN10 was responsible for\n * causing issue #62.\n */\nfunction log10Floor(n) {\n // ES6 provides the more accurate Math.log10\n if (typeof Math.log10 === 'function') return Math.floor(Math.log10(n));\n\n var x = Math.round(Math.log(n) * Math.LOG10E);\n return x - (Number('1e' + x) > n);\n}\n\n/**\n * A map that doesn't contain Object in its prototype chain\n */\nfunction Record(obj) {\n // Copy only own properties over unless this object is already a Record instance\n for (var k in obj) {\n if (obj instanceof Record || hop.call(obj, k)) defineProperty(this, k, { value: obj[k], enumerable: true, writable: true, configurable: true });\n }\n}\nRecord.prototype = objCreate(null);\n\n/**\n * An ordered list\n */\nfunction List() {\n defineProperty(this, 'length', { writable: true, value: 0 });\n\n if (arguments.length) arrPush.apply(this, arrSlice.call(arguments));\n}\nList.prototype = objCreate(null);\n\n/**\n * Constructs a regular expression to restore tainted RegExp properties\n */\nfunction createRegExpRestore() {\n if (internals.disableRegExpRestore) {\n return function () {/* no-op */};\n }\n\n var regExpCache = {\n lastMatch: RegExp.lastMatch || '',\n leftContext: RegExp.leftContext,\n multiline: RegExp.multiline,\n input: RegExp.input\n },\n has = false;\n\n // Create a snapshot of all the 'captured' properties\n for (var i = 1; i <= 9; i++) {\n has = (regExpCache['$' + i] = RegExp['$' + i]) || has;\n }return function () {\n // Now we've snapshotted some properties, escape the lastMatch string\n var esc = /[.?*+^$[\\]\\\\(){}|-]/g,\n lm = regExpCache.lastMatch.replace(esc, '\\\\$&'),\n reg = new List();\n\n // If any of the captured strings were non-empty, iterate over them all\n if (has) {\n for (var _i = 1; _i <= 9; _i++) {\n var m = regExpCache['$' + _i];\n\n // If it's empty, add an empty capturing group\n if (!m) lm = '()' + lm;\n\n // Else find the string in lm and escape & wrap it to capture it\n else {\n m = m.replace(esc, '\\\\$&');\n lm = lm.replace(m, '(' + m + ')');\n }\n\n // Push it to the reg and chop lm to make sure further groups come after\n arrPush.call(reg, lm.slice(0, lm.indexOf('(') + 1));\n lm = lm.slice(lm.indexOf('(') + 1);\n }\n }\n\n var exprStr = arrJoin.call(reg, '') + lm;\n\n // Shorten the regex by replacing each part of the expression with a match\n // for a string of that exact length. This is safe for the type of\n // expressions generated above, because the expression matches the whole\n // match string, so we know each group and each segment between capturing\n // groups can be matched by its length alone.\n exprStr = exprStr.replace(/(\\\\\\(|\\\\\\)|[^()])+/g, function (match) {\n return '[\\\\s\\\\S]{' + match.replace('\\\\', '').length + '}';\n });\n\n // Create the regular expression that will reconstruct the RegExp properties\n var expr = new RegExp(exprStr, regExpCache.multiline ? 'gm' : 'g');\n\n // Set the lastIndex of the generated expression to ensure that the match\n // is found in the correct index.\n expr.lastIndex = regExpCache.leftContext.length;\n\n expr.exec(regExpCache.input);\n };\n}\n\n/**\n * Mimics ES5's abstract ToObject() function\n */\nfunction toObject(arg) {\n if (arg === null) throw new TypeError('Cannot convert null or undefined to object');\n\n if ((typeof arg === 'undefined' ? 'undefined' : babelHelpers$1['typeof'](arg)) === 'object') return arg;\n return Object(arg);\n}\n\nfunction toNumber(arg) {\n if (typeof arg === 'number') return arg;\n return Number(arg);\n}\n\nfunction toInteger(arg) {\n var number = toNumber(arg);\n if (isNaN(number)) return 0;\n if (number === +0 || number === -0 || number === +Infinity || number === -Infinity) return number;\n if (number < 0) return Math.floor(Math.abs(number)) * -1;\n return Math.floor(Math.abs(number));\n}\n\nfunction toLength(arg) {\n var len = toInteger(arg);\n if (len <= 0) return 0;\n if (len === Infinity) return Math.pow(2, 53) - 1;\n return Math.min(len, Math.pow(2, 53) - 1);\n}\n\n/**\n * Returns \"internal\" properties for an object\n */\nfunction getInternalProperties(obj) {\n if (hop.call(obj, '__getInternalProperties')) return obj.__getInternalProperties(secret);\n\n return objCreate(null);\n}\n\n/**\n* Defines regular expressions for various operations related to the BCP 47 syntax,\n* as defined at http://tools.ietf.org/html/bcp47#section-2.1\n*/\n\n// extlang = 3ALPHA ; selected ISO 639 codes\n// *2(\"-\" 3ALPHA) ; permanently reserved\nvar extlang = '[a-z]{3}(?:-[a-z]{3}){0,2}';\n\n// language = 2*3ALPHA ; shortest ISO 639 code\n// [\"-\" extlang] ; sometimes followed by\n// ; extended language subtags\n// / 4ALPHA ; or reserved for future use\n// / 5*8ALPHA ; or registered language subtag\nvar language = '(?:[a-z]{2,3}(?:-' + extlang + ')?|[a-z]{4}|[a-z]{5,8})';\n\n// script = 4ALPHA ; ISO 15924 code\nvar script = '[a-z]{4}';\n\n// region = 2ALPHA ; ISO 3166-1 code\n// / 3DIGIT ; UN M.49 code\nvar region = '(?:[a-z]{2}|\\\\d{3})';\n\n// variant = 5*8alphanum ; registered variants\n// / (DIGIT 3alphanum)\nvar variant = '(?:[a-z0-9]{5,8}|\\\\d[a-z0-9]{3})';\n\n// ; Single alphanumerics\n// ; \"x\" reserved for private use\n// singleton = DIGIT ; 0 - 9\n// / %x41-57 ; A - W\n// / %x59-5A ; Y - Z\n// / %x61-77 ; a - w\n// / %x79-7A ; y - z\nvar singleton = '[0-9a-wy-z]';\n\n// extension = singleton 1*(\"-\" (2*8alphanum))\nvar extension = singleton + '(?:-[a-z0-9]{2,8})+';\n\n// privateuse = \"x\" 1*(\"-\" (1*8alphanum))\nvar privateuse = 'x(?:-[a-z0-9]{1,8})+';\n\n// irregular = \"en-GB-oed\" ; irregular tags do not match\n// / \"i-ami\" ; the 'langtag' production and\n// / \"i-bnn\" ; would not otherwise be\n// / \"i-default\" ; considered 'well-formed'\n// / \"i-enochian\" ; These tags are all valid,\n// / \"i-hak\" ; but most are deprecated\n// / \"i-klingon\" ; in favor of more modern\n// / \"i-lux\" ; subtags or subtag\n// / \"i-mingo\" ; combination\n// / \"i-navajo\"\n// / \"i-pwn\"\n// / \"i-tao\"\n// / \"i-tay\"\n// / \"i-tsu\"\n// / \"sgn-BE-FR\"\n// / \"sgn-BE-NL\"\n// / \"sgn-CH-DE\"\nvar irregular = '(?:en-GB-oed' + '|i-(?:ami|bnn|default|enochian|hak|klingon|lux|mingo|navajo|pwn|tao|tay|tsu)' + '|sgn-(?:BE-FR|BE-NL|CH-DE))';\n\n// regular = \"art-lojban\" ; these tags match the 'langtag'\n// / \"cel-gaulish\" ; production, but their subtags\n// / \"no-bok\" ; are not extended language\n// / \"no-nyn\" ; or variant subtags: their meaning\n// / \"zh-guoyu\" ; is defined by their registration\n// / \"zh-hakka\" ; and all of these are deprecated\n// / \"zh-min\" ; in favor of a more modern\n// / \"zh-min-nan\" ; subtag or sequence of subtags\n// / \"zh-xiang\"\nvar regular = '(?:art-lojban|cel-gaulish|no-bok|no-nyn' + '|zh-(?:guoyu|hakka|min|min-nan|xiang))';\n\n// grandfathered = irregular ; non-redundant tags registered\n// / regular ; during the RFC 3066 era\nvar grandfathered = '(?:' + irregular + '|' + regular + ')';\n\n// langtag = language\n// [\"-\" script]\n// [\"-\" region]\n// *(\"-\" variant)\n// *(\"-\" extension)\n// [\"-\" privateuse]\nvar langtag = language + '(?:-' + script + ')?(?:-' + region + ')?(?:-' + variant + ')*(?:-' + extension + ')*(?:-' + privateuse + ')?';\n\n// Language-Tag = langtag ; normal language tags\n// / privateuse ; private use tag\n// / grandfathered ; grandfathered tags\nvar expBCP47Syntax = RegExp('^(?:' + langtag + '|' + privateuse + '|' + grandfathered + ')$', 'i');\n\n// Match duplicate variants in a language tag\nvar expVariantDupes = RegExp('^(?!x).*?-(' + variant + ')-(?:\\\\w{4,8}-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match duplicate singletons in a language tag (except in private use)\nvar expSingletonDupes = RegExp('^(?!x).*?-(' + singleton + ')-(?:\\\\w+-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match all extension sequences\nvar expExtSequences = RegExp('-' + extension, 'ig');\n\n// Default locale is the first-added locale data for us\nvar defaultLocale = void 0;\nfunction setDefaultLocale(locale) {\n defaultLocale = locale;\n}\n\n// IANA Subtag Registry redundant tag and subtag maps\nvar redundantTags = {\n tags: {\n \"art-lojban\": \"jbo\",\n \"i-ami\": \"ami\",\n \"i-bnn\": \"bnn\",\n \"i-hak\": \"hak\",\n \"i-klingon\": \"tlh\",\n \"i-lux\": \"lb\",\n \"i-navajo\": \"nv\",\n \"i-pwn\": \"pwn\",\n \"i-tao\": \"tao\",\n \"i-tay\": \"tay\",\n \"i-tsu\": \"tsu\",\n \"no-bok\": \"nb\",\n \"no-nyn\": \"nn\",\n \"sgn-BE-FR\": \"sfb\",\n \"sgn-BE-NL\": \"vgt\",\n \"sgn-CH-DE\": \"sgg\",\n \"zh-guoyu\": \"cmn\",\n \"zh-hakka\": \"hak\",\n \"zh-min-nan\": \"nan\",\n \"zh-xiang\": \"hsn\",\n \"sgn-BR\": \"bzs\",\n \"sgn-CO\": \"csn\",\n \"sgn-DE\": \"gsg\",\n \"sgn-DK\": \"dsl\",\n \"sgn-ES\": \"ssp\",\n \"sgn-FR\": \"fsl\",\n \"sgn-GB\": \"bfi\",\n \"sgn-GR\": \"gss\",\n \"sgn-IE\": \"isg\",\n \"sgn-IT\": \"ise\",\n \"sgn-JP\": \"jsl\",\n \"sgn-MX\": \"mfs\",\n \"sgn-NI\": \"ncs\",\n \"sgn-NL\": \"dse\",\n \"sgn-NO\": \"nsl\",\n \"sgn-PT\": \"psr\",\n \"sgn-SE\": \"swl\",\n \"sgn-US\": \"ase\",\n \"sgn-ZA\": \"sfs\",\n \"zh-cmn\": \"cmn\",\n \"zh-cmn-Hans\": \"cmn-Hans\",\n \"zh-cmn-Hant\": \"cmn-Hant\",\n \"zh-gan\": \"gan\",\n \"zh-wuu\": \"wuu\",\n \"zh-yue\": \"yue\"\n },\n subtags: {\n BU: \"MM\",\n DD: \"DE\",\n FX: \"FR\",\n TP: \"TL\",\n YD: \"YE\",\n ZR: \"CD\",\n heploc: \"alalc97\",\n 'in': \"id\",\n iw: \"he\",\n ji: \"yi\",\n jw: \"jv\",\n mo: \"ro\",\n ayx: \"nun\",\n bjd: \"drl\",\n ccq: \"rki\",\n cjr: \"mom\",\n cka: \"cmr\",\n cmk: \"xch\",\n drh: \"khk\",\n drw: \"prs\",\n gav: \"dev\",\n hrr: \"jal\",\n ibi: \"opa\",\n kgh: \"kml\",\n lcq: \"ppr\",\n mst: \"mry\",\n myt: \"mry\",\n sca: \"hle\",\n tie: \"ras\",\n tkk: \"twm\",\n tlw: \"weo\",\n tnf: \"prs\",\n ybd: \"rki\",\n yma: \"lrr\"\n },\n extLang: {\n aao: [\"aao\", \"ar\"],\n abh: [\"abh\", \"ar\"],\n abv: [\"abv\", \"ar\"],\n acm: [\"acm\", \"ar\"],\n acq: [\"acq\", \"ar\"],\n acw: [\"acw\", \"ar\"],\n acx: [\"acx\", \"ar\"],\n acy: [\"acy\", \"ar\"],\n adf: [\"adf\", \"ar\"],\n ads: [\"ads\", \"sgn\"],\n aeb: [\"aeb\", \"ar\"],\n aec: [\"aec\", \"ar\"],\n aed: [\"aed\", \"sgn\"],\n aen: [\"aen\", \"sgn\"],\n afb: [\"afb\", \"ar\"],\n afg: [\"afg\", \"sgn\"],\n ajp: [\"ajp\", \"ar\"],\n apc: [\"apc\", \"ar\"],\n apd: [\"apd\", \"ar\"],\n arb: [\"arb\", \"ar\"],\n arq: [\"arq\", \"ar\"],\n ars: [\"ars\", \"ar\"],\n ary: [\"ary\", \"ar\"],\n arz: [\"arz\", \"ar\"],\n ase: [\"ase\", \"sgn\"],\n asf: [\"asf\", \"sgn\"],\n asp: [\"asp\", \"sgn\"],\n asq: [\"asq\", \"sgn\"],\n asw: [\"asw\", \"sgn\"],\n auz: [\"auz\", \"ar\"],\n avl: [\"avl\", \"ar\"],\n ayh: [\"ayh\", \"ar\"],\n ayl: [\"ayl\", \"ar\"],\n ayn: [\"ayn\", \"ar\"],\n ayp: [\"ayp\", \"ar\"],\n bbz: [\"bbz\", \"ar\"],\n bfi: [\"bfi\", \"sgn\"],\n bfk: [\"bfk\", \"sgn\"],\n bjn: [\"bjn\", \"ms\"],\n bog: [\"bog\", \"sgn\"],\n bqn: [\"bqn\", \"sgn\"],\n bqy: [\"bqy\", \"sgn\"],\n btj: [\"btj\", \"ms\"],\n bve: [\"bve\", \"ms\"],\n bvl: [\"bvl\", \"sgn\"],\n bvu: [\"bvu\", \"ms\"],\n bzs: [\"bzs\", \"sgn\"],\n cdo: [\"cdo\", \"zh\"],\n cds: [\"cds\", \"sgn\"],\n cjy: [\"cjy\", \"zh\"],\n cmn: [\"cmn\", \"zh\"],\n coa: [\"coa\", \"ms\"],\n cpx: [\"cpx\", \"zh\"],\n csc: [\"csc\", \"sgn\"],\n csd: [\"csd\", \"sgn\"],\n cse: [\"cse\", \"sgn\"],\n csf: [\"csf\", \"sgn\"],\n csg: [\"csg\", \"sgn\"],\n csl: [\"csl\", \"sgn\"],\n csn: [\"csn\", \"sgn\"],\n csq: [\"csq\", \"sgn\"],\n csr: [\"csr\", \"sgn\"],\n czh: [\"czh\", \"zh\"],\n czo: [\"czo\", \"zh\"],\n doq: [\"doq\", \"sgn\"],\n dse: [\"dse\", \"sgn\"],\n dsl: [\"dsl\", \"sgn\"],\n dup: [\"dup\", \"ms\"],\n ecs: [\"ecs\", \"sgn\"],\n esl: [\"esl\", \"sgn\"],\n esn: [\"esn\", \"sgn\"],\n eso: [\"eso\", \"sgn\"],\n eth: [\"eth\", \"sgn\"],\n fcs: [\"fcs\", \"sgn\"],\n fse: [\"fse\", \"sgn\"],\n fsl: [\"fsl\", \"sgn\"],\n fss: [\"fss\", \"sgn\"],\n gan: [\"gan\", \"zh\"],\n gds: [\"gds\", \"sgn\"],\n gom: [\"gom\", \"kok\"],\n gse: [\"gse\", \"sgn\"],\n gsg: [\"gsg\", \"sgn\"],\n gsm: [\"gsm\", \"sgn\"],\n gss: [\"gss\", \"sgn\"],\n gus: [\"gus\", \"sgn\"],\n hab: [\"hab\", \"sgn\"],\n haf: [\"haf\", \"sgn\"],\n hak: [\"hak\", \"zh\"],\n hds: [\"hds\", \"sgn\"],\n hji: [\"hji\", \"ms\"],\n hks: [\"hks\", \"sgn\"],\n hos: [\"hos\", \"sgn\"],\n hps: [\"hps\", \"sgn\"],\n hsh: [\"hsh\", \"sgn\"],\n hsl: [\"hsl\", \"sgn\"],\n hsn: [\"hsn\", \"zh\"],\n icl: [\"icl\", \"sgn\"],\n ils: [\"ils\", \"sgn\"],\n inl: [\"inl\", \"sgn\"],\n ins: [\"ins\", \"sgn\"],\n ise: [\"ise\", \"sgn\"],\n isg: [\"isg\", \"sgn\"],\n isr: [\"isr\", \"sgn\"],\n jak: [\"jak\", \"ms\"],\n jax: [\"jax\", \"ms\"],\n jcs: [\"jcs\", \"sgn\"],\n jhs: [\"jhs\", \"sgn\"],\n jls: [\"jls\", \"sgn\"],\n jos: [\"jos\", \"sgn\"],\n jsl: [\"jsl\", \"sgn\"],\n jus: [\"jus\", \"sgn\"],\n kgi: [\"kgi\", \"sgn\"],\n knn: [\"knn\", \"kok\"],\n kvb: [\"kvb\", \"ms\"],\n kvk: [\"kvk\", \"sgn\"],\n kvr: [\"kvr\", \"ms\"],\n kxd: [\"kxd\", \"ms\"],\n lbs: [\"lbs\", \"sgn\"],\n lce: [\"lce\", \"ms\"],\n lcf: [\"lcf\", \"ms\"],\n liw: [\"liw\", \"ms\"],\n lls: [\"lls\", \"sgn\"],\n lsg: [\"lsg\", \"sgn\"],\n lsl: [\"lsl\", \"sgn\"],\n lso: [\"lso\", \"sgn\"],\n lsp: [\"lsp\", \"sgn\"],\n lst: [\"lst\", \"sgn\"],\n lsy: [\"lsy\", \"sgn\"],\n ltg: [\"ltg\", \"lv\"],\n lvs: [\"lvs\", \"lv\"],\n lzh: [\"lzh\", \"zh\"],\n max: [\"max\", \"ms\"],\n mdl: [\"mdl\", \"sgn\"],\n meo: [\"meo\", \"ms\"],\n mfa: [\"mfa\", \"ms\"],\n mfb: [\"mfb\", \"ms\"],\n mfs: [\"mfs\", \"sgn\"],\n min: [\"min\", \"ms\"],\n mnp: [\"mnp\", \"zh\"],\n mqg: [\"mqg\", \"ms\"],\n mre: [\"mre\", \"sgn\"],\n msd: [\"msd\", \"sgn\"],\n msi: [\"msi\", \"ms\"],\n msr: [\"msr\", \"sgn\"],\n mui: [\"mui\", \"ms\"],\n mzc: [\"mzc\", \"sgn\"],\n mzg: [\"mzg\", \"sgn\"],\n mzy: [\"mzy\", \"sgn\"],\n nan: [\"nan\", \"zh\"],\n nbs: [\"nbs\", \"sgn\"],\n ncs: [\"ncs\", \"sgn\"],\n nsi: [\"nsi\", \"sgn\"],\n nsl: [\"nsl\", \"sgn\"],\n nsp: [\"nsp\", \"sgn\"],\n nsr: [\"nsr\", \"sgn\"],\n nzs: [\"nzs\", \"sgn\"],\n okl: [\"okl\", \"sgn\"],\n orn: [\"orn\", \"ms\"],\n ors: [\"ors\", \"ms\"],\n pel: [\"pel\", \"ms\"],\n pga: [\"pga\", \"ar\"],\n pks: [\"pks\", \"sgn\"],\n prl: [\"prl\", \"sgn\"],\n prz: [\"prz\", \"sgn\"],\n psc: [\"psc\", \"sgn\"],\n psd: [\"psd\", \"sgn\"],\n pse: [\"pse\", \"ms\"],\n psg: [\"psg\", \"sgn\"],\n psl: [\"psl\", \"sgn\"],\n pso: [\"pso\", \"sgn\"],\n psp: [\"psp\", \"sgn\"],\n psr: [\"psr\", \"sgn\"],\n pys: [\"pys\", \"sgn\"],\n rms: [\"rms\", \"sgn\"],\n rsi: [\"rsi\", \"sgn\"],\n rsl: [\"rsl\", \"sgn\"],\n sdl: [\"sdl\", \"sgn\"],\n sfb: [\"sfb\", \"sgn\"],\n sfs: [\"sfs\", \"sgn\"],\n sgg: [\"sgg\", \"sgn\"],\n sgx: [\"sgx\", \"sgn\"],\n shu: [\"shu\", \"ar\"],\n slf: [\"slf\", \"sgn\"],\n sls: [\"sls\", \"sgn\"],\n sqk: [\"sqk\", \"sgn\"],\n sqs: [\"sqs\", \"sgn\"],\n ssh: [\"ssh\", \"ar\"],\n ssp: [\"ssp\", \"sgn\"],\n ssr: [\"ssr\", \"sgn\"],\n svk: [\"svk\", \"sgn\"],\n swc: [\"swc\", \"sw\"],\n swh: [\"swh\", \"sw\"],\n swl: [\"swl\", \"sgn\"],\n syy: [\"syy\", \"sgn\"],\n tmw: [\"tmw\", \"ms\"],\n tse: [\"tse\", \"sgn\"],\n tsm: [\"tsm\", \"sgn\"],\n tsq: [\"tsq\", \"sgn\"],\n tss: [\"tss\", \"sgn\"],\n tsy: [\"tsy\", \"sgn\"],\n tza: [\"tza\", \"sgn\"],\n ugn: [\"ugn\", \"sgn\"],\n ugy: [\"ugy\", \"sgn\"],\n ukl: [\"ukl\", \"sgn\"],\n uks: [\"uks\", \"sgn\"],\n urk: [\"urk\", \"ms\"],\n uzn: [\"uzn\", \"uz\"],\n uzs: [\"uzs\", \"uz\"],\n vgt: [\"vgt\", \"sgn\"],\n vkk: [\"vkk\", \"ms\"],\n vkt: [\"vkt\", \"ms\"],\n vsi: [\"vsi\", \"sgn\"],\n vsl: [\"vsl\", \"sgn\"],\n vsv: [\"vsv\", \"sgn\"],\n wuu: [\"wuu\", \"zh\"],\n xki: [\"xki\", \"sgn\"],\n xml: [\"xml\", \"sgn\"],\n xmm: [\"xmm\", \"ms\"],\n xms: [\"xms\", \"sgn\"],\n yds: [\"yds\", \"sgn\"],\n ysl: [\"ysl\", \"sgn\"],\n yue: [\"yue\", \"zh\"],\n zib: [\"zib\", \"sgn\"],\n zlm: [\"zlm\", \"ms\"],\n zmi: [\"zmi\", \"ms\"],\n zsl: [\"zsl\", \"sgn\"],\n zsm: [\"zsm\", \"ms\"]\n }\n};\n\n/**\n * Convert only a-z to uppercase as per section 6.1 of the spec\n */\nfunction toLatinUpperCase(str) {\n var i = str.length;\n\n while (i--) {\n var ch = str.charAt(i);\n\n if (ch >= \"a\" && ch <= \"z\") str = str.slice(0, i) + ch.toUpperCase() + str.slice(i + 1);\n }\n\n return str;\n}\n\n/**\n * The IsStructurallyValidLanguageTag abstract operation verifies that the locale\n * argument (which must be a String value)\n *\n * - represents a well-formed BCP 47 language tag as specified in RFC 5646 section\n * 2.1, or successor,\n * - does not include duplicate variant subtags, and\n * - does not include duplicate singleton subtags.\n *\n * The abstract operation returns true if locale can be generated from the ABNF\n * grammar in section 2.1 of the RFC, starting with Language-Tag, and does not\n * contain duplicate variant or singleton subtags (other than as a private use\n * subtag). It returns false otherwise. Terminal value characters in the grammar are\n * interpreted as the Unicode equivalents of the ASCII octet values given.\n */\nfunction /* 6.2.2 */IsStructurallyValidLanguageTag(locale) {\n // represents a well-formed BCP 47 language tag as specified in RFC 5646\n if (!expBCP47Syntax.test(locale)) return false;\n\n // does not include duplicate variant subtags, and\n if (expVariantDupes.test(locale)) return false;\n\n // does not include duplicate singleton subtags.\n if (expSingletonDupes.test(locale)) return false;\n\n return true;\n}\n\n/**\n * The CanonicalizeLanguageTag abstract operation returns the canonical and case-\n * regularized form of the locale argument (which must be a String value that is\n * a structurally valid BCP 47 language tag as verified by the\n * IsStructurallyValidLanguageTag abstract operation). It takes the steps\n * specified in RFC 5646 section 4.5, or successor, to bring the language tag\n * into canonical form, and to regularize the case of the subtags, but does not\n * take the steps to bring a language tag into “extlang form” and to reorder\n * variant subtags.\n\n * The specifications for extensions to BCP 47 language tags, such as RFC 6067,\n * may include canonicalization rules for the extension subtag sequences they\n * define that go beyond the canonicalization rules of RFC 5646 section 4.5.\n * Implementations are allowed, but not required, to apply these additional rules.\n */\nfunction /* 6.2.3 */CanonicalizeLanguageTag(locale) {\n var match = void 0,\n parts = void 0;\n\n // A language tag is in 'canonical form' when the tag is well-formed\n // according to the rules in Sections 2.1 and 2.2\n\n // Section 2.1 says all subtags use lowercase...\n locale = locale.toLowerCase();\n\n // ...with 2 exceptions: 'two-letter and four-letter subtags that neither\n // appear at the start of the tag nor occur after singletons. Such two-letter\n // subtags are all uppercase (as in the tags \"en-CA-x-ca\" or \"sgn-BE-FR\") and\n // four-letter subtags are titlecase (as in the tag \"az-Latn-x-latn\").\n parts = locale.split('-');\n for (var i = 1, max = parts.length; i < max; i++) {\n // Two-letter subtags are all uppercase\n if (parts[i].length === 2) parts[i] = parts[i].toUpperCase();\n\n // Four-letter subtags are titlecase\n else if (parts[i].length === 4) parts[i] = parts[i].charAt(0).toUpperCase() + parts[i].slice(1);\n\n // Is it a singleton?\n else if (parts[i].length === 1 && parts[i] !== 'x') break;\n }\n locale = arrJoin.call(parts, '-');\n\n // The steps laid out in RFC 5646 section 4.5 are as follows:\n\n // 1. Extension sequences are ordered into case-insensitive ASCII order\n // by singleton subtag.\n if ((match = locale.match(expExtSequences)) && match.length > 1) {\n // The built-in sort() sorts by ASCII order, so use that\n match.sort();\n\n // Replace all extensions with the joined, sorted array\n locale = locale.replace(RegExp('(?:' + expExtSequences.source + ')+', 'i'), arrJoin.call(match, ''));\n }\n\n // 2. Redundant or grandfathered tags are replaced by their 'Preferred-\n // Value', if there is one.\n if (hop.call(redundantTags.tags, locale)) locale = redundantTags.tags[locale];\n\n // 3. Subtags are replaced by their 'Preferred-Value', if there is one.\n // For extlangs, the original primary language subtag is also\n // replaced if there is a primary language subtag in the 'Preferred-\n // Value'.\n parts = locale.split('-');\n\n for (var _i = 1, _max = parts.length; _i < _max; _i++) {\n if (hop.call(redundantTags.subtags, parts[_i])) parts[_i] = redundantTags.subtags[parts[_i]];else if (hop.call(redundantTags.extLang, parts[_i])) {\n parts[_i] = redundantTags.extLang[parts[_i]][0];\n\n // For extlang tags, the prefix needs to be removed if it is redundant\n if (_i === 1 && redundantTags.extLang[parts[1]][1] === parts[0]) {\n parts = arrSlice.call(parts, _i++);\n _max -= 1;\n }\n }\n }\n\n return arrJoin.call(parts, '-');\n}\n\n/**\n * The DefaultLocale abstract operation returns a String value representing the\n * structurally valid (6.2.2) and canonicalized (6.2.3) BCP 47 language tag for the\n * host environment’s current locale.\n */\nfunction /* 6.2.4 */DefaultLocale() {\n return defaultLocale;\n}\n\n// Sect 6.3 Currency Codes\n// =======================\n\nvar expCurrencyCode = /^[A-Z]{3}$/;\n\n/**\n * The IsWellFormedCurrencyCode abstract operation verifies that the currency argument\n * (after conversion to a String value) represents a well-formed 3-letter ISO currency\n * code. The following steps are taken:\n */\nfunction /* 6.3.1 */IsWellFormedCurrencyCode(currency) {\n // 1. Let `c` be ToString(currency)\n var c = String(currency);\n\n // 2. Let `normalized` be the result of mapping c to upper case as described\n // in 6.1.\n var normalized = toLatinUpperCase(c);\n\n // 3. If the string length of normalized is not 3, return false.\n // 4. If normalized contains any character that is not in the range \"A\" to \"Z\"\n // (U+0041 to U+005A), return false.\n if (expCurrencyCode.test(normalized) === false) return false;\n\n // 5. Return true\n return true;\n}\n\nvar expUnicodeExSeq = /-u(?:-[0-9a-z]{2,8})+/gi; // See `extension` below\n\nfunction /* 9.2.1 */CanonicalizeLocaleList(locales) {\n // The abstract operation CanonicalizeLocaleList takes the following steps:\n\n // 1. If locales is undefined, then a. Return a new empty List\n if (locales === undefined) return new List();\n\n // 2. Let seen be a new empty List.\n var seen = new List();\n\n // 3. If locales is a String value, then\n // a. Let locales be a new array created as if by the expression new\n // Array(locales) where Array is the standard built-in constructor with\n // that name and locales is the value of locales.\n locales = typeof locales === 'string' ? [locales] : locales;\n\n // 4. Let O be ToObject(locales).\n var O = toObject(locales);\n\n // 5. Let lenValue be the result of calling the [[Get]] internal method of\n // O with the argument \"length\".\n // 6. Let len be ToUint32(lenValue).\n var len = toLength(O.length);\n\n // 7. Let k be 0.\n var k = 0;\n\n // 8. Repeat, while k < len\n while (k < len) {\n // a. Let Pk be ToString(k).\n var Pk = String(k);\n\n // b. Let kPresent be the result of calling the [[HasProperty]] internal\n // method of O with argument Pk.\n var kPresent = Pk in O;\n\n // c. If kPresent is true, then\n if (kPresent) {\n // i. Let kValue be the result of calling the [[Get]] internal\n // method of O with argument Pk.\n var kValue = O[Pk];\n\n // ii. If the type of kValue is not String or Object, then throw a\n // TypeError exception.\n if (kValue === null || typeof kValue !== 'string' && (typeof kValue === \"undefined\" ? \"undefined\" : babelHelpers$1[\"typeof\"](kValue)) !== 'object') throw new TypeError('String or Object type expected');\n\n // iii. Let tag be ToString(kValue).\n var tag = String(kValue);\n\n // iv. If the result of calling the abstract operation\n // IsStructurallyValidLanguageTag (defined in 6.2.2), passing tag as\n // the argument, is false, then throw a RangeError exception.\n if (!IsStructurallyValidLanguageTag(tag)) throw new RangeError(\"'\" + tag + \"' is not a structurally valid language tag\");\n\n // v. Let tag be the result of calling the abstract operation\n // CanonicalizeLanguageTag (defined in 6.2.3), passing tag as the\n // argument.\n tag = CanonicalizeLanguageTag(tag);\n\n // vi. If tag is not an element of seen, then append tag as the last\n // element of seen.\n if (arrIndexOf.call(seen, tag) === -1) arrPush.call(seen, tag);\n }\n\n // d. Increase k by 1.\n k++;\n }\n\n // 9. Return seen.\n return seen;\n}\n\n/**\n * The BestAvailableLocale abstract operation compares the provided argument\n * locale, which must be a String value with a structurally valid and\n * canonicalized BCP 47 language tag, against the locales in availableLocales and\n * returns either the longest non-empty prefix of locale that is an element of\n * availableLocales, or undefined if there is no such element. It uses the\n * fallback mechanism of RFC 4647, section 3.4. The following steps are taken:\n */\nfunction /* 9.2.2 */BestAvailableLocale(availableLocales, locale) {\n // 1. Let candidate be locale\n var candidate = locale;\n\n // 2. Repeat\n while (candidate) {\n // a. If availableLocales contains an element equal to candidate, then return\n // candidate.\n if (arrIndexOf.call(availableLocales, candidate) > -1) return candidate;\n\n // b. Let pos be the character index of the last occurrence of \"-\"\n // (U+002D) within candidate. If that character does not occur, return\n // undefined.\n var pos = candidate.lastIndexOf('-');\n\n if (pos < 0) return;\n\n // c. If pos ≥ 2 and the character \"-\" occurs at index pos-2 of candidate,\n // then decrease pos by 2.\n if (pos >= 2 && candidate.charAt(pos - 2) === '-') pos -= 2;\n\n // d. Let candidate be the substring of candidate from position 0, inclusive,\n // to position pos, exclusive.\n candidate = candidate.substring(0, pos);\n }\n}\n\n/**\n * The LookupMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The following steps are taken:\n */\nfunction /* 9.2.3 */LookupMatcher(availableLocales, requestedLocales) {\n // 1. Let i be 0.\n var i = 0;\n\n // 2. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n\n // 3. Let availableLocale be undefined.\n var availableLocale = void 0;\n\n var locale = void 0,\n noExtensionsLocale = void 0;\n\n // 4. Repeat while i < len and availableLocale is undefined:\n while (i < len && !availableLocale) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position i.\n locale = requestedLocales[i];\n\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. Increase i by 1.\n i++;\n }\n\n // 5. Let result be a new Record.\n var result = new Record();\n\n // 6. If availableLocale is not undefined, then\n if (availableLocale !== undefined) {\n // a. Set result.[[locale]] to availableLocale.\n result['[[locale]]'] = availableLocale;\n\n // b. If locale and noExtensionsLocale are not the same String value, then\n if (String(locale) !== String(noExtensionsLocale)) {\n // i. Let extension be the String value consisting of the first\n // substring of locale that is a Unicode locale extension sequence.\n var extension = locale.match(expUnicodeExSeq)[0];\n\n // ii. Let extensionIndex be the character position of the initial\n // \"-\" of the first Unicode locale extension sequence within locale.\n var extensionIndex = locale.indexOf('-u-');\n\n // iii. Set result.[[extension]] to extension.\n result['[[extension]]'] = extension;\n\n // iv. Set result.[[extensionIndex]] to extensionIndex.\n result['[[extensionIndex]]'] = extensionIndex;\n }\n }\n // 7. Else\n else\n // a. Set result.[[locale]] to the value returned by the DefaultLocale abstract\n // operation (defined in 6.2.4).\n result['[[locale]]'] = DefaultLocale();\n\n // 8. Return result\n return result;\n}\n\n/**\n * The BestFitMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The algorithm is implementation dependent, but should produce results\n * that a typical user of the requested locales would perceive as at least as\n * good as those produced by the LookupMatcher abstract operation. Options\n * specified through Unicode locale extension sequences must be ignored by the\n * algorithm. Information about such subsequences is returned separately.\n * The abstract operation returns a record with a [[locale]] field, whose value\n * is the language tag of the selected locale, which must be an element of\n * availableLocales. If the language tag of the request locale that led to the\n * selected locale contained a Unicode locale extension sequence, then the\n * returned record also contains an [[extension]] field whose value is the first\n * Unicode locale extension sequence, and an [[extensionIndex]] field whose value\n * is the index of the first Unicode locale extension sequence within the request\n * locale language tag.\n */\nfunction /* 9.2.4 */BestFitMatcher(availableLocales, requestedLocales) {\n return LookupMatcher(availableLocales, requestedLocales);\n}\n\n/**\n * The ResolveLocale abstract operation compares a BCP 47 language priority list\n * requestedLocales against the locales in availableLocales and determines the\n * best available language to meet the request. availableLocales and\n * requestedLocales must be provided as List values, options as a Record.\n */\nfunction /* 9.2.5 */ResolveLocale(availableLocales, requestedLocales, options, relevantExtensionKeys, localeData) {\n if (availableLocales.length === 0) {\n throw new ReferenceError('No locale data has been provided for this object yet.');\n }\n\n // The following steps are taken:\n // 1. Let matcher be the value of options.[[localeMatcher]].\n var matcher = options['[[localeMatcher]]'];\n\n var r = void 0;\n\n // 2. If matcher is \"lookup\", then\n if (matcher === 'lookup')\n // a. Let r be the result of calling the LookupMatcher abstract operation\n // (defined in 9.2.3) with arguments availableLocales and\n // requestedLocales.\n r = LookupMatcher(availableLocales, requestedLocales);\n\n // 3. Else\n else\n // a. Let r be the result of calling the BestFitMatcher abstract\n // operation (defined in 9.2.4) with arguments availableLocales and\n // requestedLocales.\n r = BestFitMatcher(availableLocales, requestedLocales);\n\n // 4. Let foundLocale be the value of r.[[locale]].\n var foundLocale = r['[[locale]]'];\n\n var extensionSubtags = void 0,\n extensionSubtagsLength = void 0;\n\n // 5. If r has an [[extension]] field, then\n if (hop.call(r, '[[extension]]')) {\n // a. Let extension be the value of r.[[extension]].\n var extension = r['[[extension]]'];\n // b. Let split be the standard built-in function object defined in ES5,\n // 15.5.4.14.\n var split = String.prototype.split;\n // c. Let extensionSubtags be the result of calling the [[Call]] internal\n // method of split with extension as the this value and an argument\n // list containing the single item \"-\".\n extensionSubtags = split.call(extension, '-');\n // d. Let extensionSubtagsLength be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument \"length\".\n extensionSubtagsLength = extensionSubtags.length;\n }\n\n // 6. Let result be a new Record.\n var result = new Record();\n\n // 7. Set result.[[dataLocale]] to foundLocale.\n result['[[dataLocale]]'] = foundLocale;\n\n // 8. Let supportedExtension be \"-u\".\n var supportedExtension = '-u';\n // 9. Let i be 0.\n var i = 0;\n // 10. Let len be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument \"length\".\n var len = relevantExtensionKeys.length;\n\n // 11 Repeat while i < len:\n while (i < len) {\n // a. Let key be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument ToString(i).\n var key = relevantExtensionKeys[i];\n // b. Let foundLocaleData be the result of calling the [[Get]] internal\n // method of localeData with the argument foundLocale.\n var foundLocaleData = localeData[foundLocale];\n // c. Let keyLocaleData be the result of calling the [[Get]] internal\n // method of foundLocaleData with the argument key.\n var keyLocaleData = foundLocaleData[key];\n // d. Let value be the result of calling the [[Get]] internal method of\n // keyLocaleData with argument \"0\".\n var value = keyLocaleData['0'];\n // e. Let supportedExtensionAddition be \"\".\n var supportedExtensionAddition = '';\n // f. Let indexOf be the standard built-in function object defined in\n // ES5, 15.4.4.14.\n var indexOf = arrIndexOf;\n\n // g. If extensionSubtags is not undefined, then\n if (extensionSubtags !== undefined) {\n // i. Let keyPos be the result of calling the [[Call]] internal\n // method of indexOf with extensionSubtags as the this value and\n // an argument list containing the single item key.\n var keyPos = indexOf.call(extensionSubtags, key);\n\n // ii. If keyPos ≠ -1, then\n if (keyPos !== -1) {\n // 1. If keyPos + 1 < extensionSubtagsLength and the length of the\n // result of calling the [[Get]] internal method of\n // extensionSubtags with argument ToString(keyPos +1) is greater\n // than 2, then\n if (keyPos + 1 < extensionSubtagsLength && extensionSubtags[keyPos + 1].length > 2) {\n // a. Let requestedValue be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument\n // ToString(keyPos + 1).\n var requestedValue = extensionSubtags[keyPos + 1];\n // b. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the\n // this value and an argument list containing the single\n // item requestedValue.\n var valuePos = indexOf.call(keyLocaleData, requestedValue);\n\n // c. If valuePos ≠ -1, then\n if (valuePos !== -1) {\n // i. Let value be requestedValue.\n value = requestedValue,\n // ii. Let supportedExtensionAddition be the\n // concatenation of \"-\", key, \"-\", and value.\n supportedExtensionAddition = '-' + key + '-' + value;\n }\n }\n // 2. Else\n else {\n // a. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the this\n // value and an argument list containing the single item\n // \"true\".\n var _valuePos = indexOf(keyLocaleData, 'true');\n\n // b. If valuePos ≠ -1, then\n if (_valuePos !== -1)\n // i. Let value be \"true\".\n value = 'true';\n }\n }\n }\n // h. If options has a field [[]], then\n if (hop.call(options, '[[' + key + ']]')) {\n // i. Let optionsValue be the value of options.[[]].\n var optionsValue = options['[[' + key + ']]'];\n\n // ii. If the result of calling the [[Call]] internal method of indexOf\n // with keyLocaleData as the this value and an argument list\n // containing the single item optionsValue is not -1, then\n if (indexOf.call(keyLocaleData, optionsValue) !== -1) {\n // 1. If optionsValue is not equal to value, then\n if (optionsValue !== value) {\n // a. Let value be optionsValue.\n value = optionsValue;\n // b. Let supportedExtensionAddition be \"\".\n supportedExtensionAddition = '';\n }\n }\n }\n // i. Set result.[[]] to value.\n result['[[' + key + ']]'] = value;\n\n // j. Append supportedExtensionAddition to supportedExtension.\n supportedExtension += supportedExtensionAddition;\n\n // k. Increase i by 1.\n i++;\n }\n // 12. If the length of supportedExtension is greater than 2, then\n if (supportedExtension.length > 2) {\n // a.\n var privateIndex = foundLocale.indexOf(\"-x-\");\n // b.\n if (privateIndex === -1) {\n // i.\n foundLocale = foundLocale + supportedExtension;\n }\n // c.\n else {\n // i.\n var preExtension = foundLocale.substring(0, privateIndex);\n // ii.\n var postExtension = foundLocale.substring(privateIndex);\n // iii.\n foundLocale = preExtension + supportedExtension + postExtension;\n }\n // d. asserting - skipping\n // e.\n foundLocale = CanonicalizeLanguageTag(foundLocale);\n }\n // 13. Set result.[[locale]] to foundLocale.\n result['[[locale]]'] = foundLocale;\n\n // 14. Return result.\n return result;\n}\n\n/**\n * The LookupSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the BCP 47 Lookup algorithm.\n * Locales appear in the same order in the returned list as in requestedLocales.\n * The following steps are taken:\n */\nfunction /* 9.2.6 */LookupSupportedLocales(availableLocales, requestedLocales) {\n // 1. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n // 2. Let subset be a new empty List.\n var subset = new List();\n // 3. Let k be 0.\n var k = 0;\n\n // 4. Repeat while k < len\n while (k < len) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position k.\n var locale = requestedLocales[k];\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n var noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n var availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. If availableLocale is not undefined, then append locale to the end of\n // subset.\n if (availableLocale !== undefined) arrPush.call(subset, locale);\n\n // e. Increment k by 1.\n k++;\n }\n\n // 5. Let subsetArray be a new Array object whose elements are the same\n // values in the same order as the elements of subset.\n var subsetArray = arrSlice.call(subset);\n\n // 6. Return subsetArray.\n return subsetArray;\n}\n\n/**\n * The BestFitSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the Best Fit Matcher\n * algorithm. Locales appear in the same order in the returned list as in\n * requestedLocales. The steps taken are implementation dependent.\n */\nfunction /*9.2.7 */BestFitSupportedLocales(availableLocales, requestedLocales) {\n // ###TODO: implement this function as described by the specification###\n return LookupSupportedLocales(availableLocales, requestedLocales);\n}\n\n/**\n * The SupportedLocales abstract operation returns the subset of the provided BCP\n * 47 language priority list requestedLocales for which availableLocales has a\n * matching locale. Two algorithms are available to match the locales: the Lookup\n * algorithm described in RFC 4647 section 3.4, and an implementation dependent\n * best-fit algorithm. Locales appear in the same order in the returned list as\n * in requestedLocales. The following steps are taken:\n */\nfunction /*9.2.8 */SupportedLocales(availableLocales, requestedLocales, options) {\n var matcher = void 0,\n subset = void 0;\n\n // 1. If options is not undefined, then\n if (options !== undefined) {\n // a. Let options be ToObject(options).\n options = new Record(toObject(options));\n // b. Let matcher be the result of calling the [[Get]] internal method of\n // options with argument \"localeMatcher\".\n matcher = options.localeMatcher;\n\n // c. If matcher is not undefined, then\n if (matcher !== undefined) {\n // i. Let matcher be ToString(matcher).\n matcher = String(matcher);\n\n // ii. If matcher is not \"lookup\" or \"best fit\", then throw a RangeError\n // exception.\n if (matcher !== 'lookup' && matcher !== 'best fit') throw new RangeError('matcher should be \"lookup\" or \"best fit\"');\n }\n }\n // 2. If matcher is undefined or \"best fit\", then\n if (matcher === undefined || matcher === 'best fit')\n // a. Let subset be the result of calling the BestFitSupportedLocales\n // abstract operation (defined in 9.2.7) with arguments\n // availableLocales and requestedLocales.\n subset = BestFitSupportedLocales(availableLocales, requestedLocales);\n // 3. Else\n else\n // a. Let subset be the result of calling the LookupSupportedLocales\n // abstract operation (defined in 9.2.6) with arguments\n // availableLocales and requestedLocales.\n subset = LookupSupportedLocales(availableLocales, requestedLocales);\n\n // 4. For each named own property name P of subset,\n for (var P in subset) {\n if (!hop.call(subset, P)) continue;\n\n // a. Let desc be the result of calling the [[GetOwnProperty]] internal\n // method of subset with P.\n // b. Set desc.[[Writable]] to false.\n // c. Set desc.[[Configurable]] to false.\n // d. Call the [[DefineOwnProperty]] internal method of subset with P, desc,\n // and true as arguments.\n defineProperty(subset, P, {\n writable: false, configurable: false, value: subset[P]\n });\n }\n // \"Freeze\" the array so no new elements can be added\n defineProperty(subset, 'length', { writable: false });\n\n // 5. Return subset\n return subset;\n}\n\n/**\n * The GetOption abstract operation extracts the value of the property named\n * property from the provided options object, converts it to the required type,\n * checks whether it is one of a List of allowed values, and fills in a fallback\n * value if necessary.\n */\nfunction /*9.2.9 */GetOption(options, property, type, values, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Assert: type is \"boolean\" or \"string\".\n // b. If type is \"boolean\", then let value be ToBoolean(value).\n // c. If type is \"string\", then let value be ToString(value).\n value = type === 'boolean' ? Boolean(value) : type === 'string' ? String(value) : value;\n\n // d. If values is not undefined, then\n if (values !== undefined) {\n // i. If values does not contain an element equal to value, then throw a\n // RangeError exception.\n if (arrIndexOf.call(values, value) === -1) throw new RangeError(\"'\" + value + \"' is not an allowed value for `\" + property + '`');\n }\n\n // e. Return value.\n return value;\n }\n // Else return fallback.\n return fallback;\n}\n\n/**\n * The GetNumberOption abstract operation extracts a property value from the\n * provided options object, converts it to a Number value, checks whether it is\n * in the allowed range, and fills in a fallback value if necessary.\n */\nfunction /* 9.2.10 */GetNumberOption(options, property, minimum, maximum, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Let value be ToNumber(value).\n value = Number(value);\n\n // b. If value is NaN or less than minimum or greater than maximum, throw a\n // RangeError exception.\n if (isNaN(value) || value < minimum || value > maximum) throw new RangeError('Value is not a number or outside accepted range');\n\n // c. Return floor(value).\n return Math.floor(value);\n }\n // 3. Else return fallback.\n return fallback;\n}\n\n// 8 The Intl Object\nvar Intl = {};\n\n// 8.2 Function Properties of the Intl Object\n\n// 8.2.1\n// @spec[tc39/ecma402/master/spec/intl.html]\n// @clause[sec-intl.getcanonicallocales]\nfunction getCanonicalLocales(locales) {\n // 1. Let ll be ? CanonicalizeLocaleList(locales).\n var ll = CanonicalizeLocaleList(locales);\n // 2. Return CreateArrayFromList(ll).\n {\n var result = [];\n\n var len = ll.length;\n var k = 0;\n\n while (k < len) {\n result[k] = ll[k];\n k++;\n }\n return result;\n }\n}\n\nObject.defineProperty(Intl, 'getCanonicalLocales', {\n enumerable: false,\n configurable: true,\n writable: true,\n value: getCanonicalLocales\n});\n\n// Currency minor units output from get-4217 grunt task, formatted\nvar currencyMinorUnits = {\n BHD: 3, BYR: 0, XOF: 0, BIF: 0, XAF: 0, CLF: 4, CLP: 0, KMF: 0, DJF: 0,\n XPF: 0, GNF: 0, ISK: 0, IQD: 3, JPY: 0, JOD: 3, KRW: 0, KWD: 3, LYD: 3,\n OMR: 3, PYG: 0, RWF: 0, TND: 3, UGX: 0, UYI: 0, VUV: 0, VND: 0\n};\n\n// Define the NumberFormat constructor internally so it cannot be tainted\nfunction NumberFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.NumberFormat(locales, options);\n }\n\n return InitializeNumberFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'NumberFormat', {\n configurable: true,\n writable: true,\n value: NumberFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(Intl.NumberFormat, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeNumberFormat accepts the arguments\n * numberFormat (which must be an object), locales, and options. It initializes\n * numberFormat as a NumberFormat object.\n */\nfunction /*11.1.1.1 */InitializeNumberFormat(numberFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(numberFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If numberFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(numberFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. If options is undefined, then\n if (options === undefined)\n // a. Let options be the result of creating a new object as if by the\n // expression new Object() where Object is the standard built-in constructor\n // with that name.\n options = {};\n\n // 5. Else\n else\n // a. Let options be ToObject(options).\n options = toObject(options);\n\n // 6. Let opt be a new Record.\n var opt = new Record(),\n\n\n // 7. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with the arguments options, \"localeMatcher\", \"string\",\n // a List containing the two String values \"lookup\" and \"best fit\", and\n // \"best fit\".\n matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 8. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 9. Let NumberFormat be the standard built-in object that is the initial value\n // of Intl.NumberFormat.\n // 10. Let localeData be the value of the [[localeData]] internal property of\n // NumberFormat.\n var localeData = internals.NumberFormat['[[localeData]]'];\n\n // 11. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // NumberFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of NumberFormat, and localeData.\n var r = ResolveLocale(internals.NumberFormat['[[availableLocales]]'], requestedLocales, opt, internals.NumberFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 12. Set the [[locale]] internal property of numberFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 13. Set the [[numberingSystem]] internal property of numberFormat to the value\n // of r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let s be the result of calling the GetOption abstract operation with the\n // arguments options, \"style\", \"string\", a List containing the three String\n // values \"decimal\", \"percent\", and \"currency\", and \"decimal\".\n var s = GetOption(options, 'style', 'string', new List('decimal', 'percent', 'currency'), 'decimal');\n\n // 16. Set the [[style]] internal property of numberFormat to s.\n internal['[[style]]'] = s;\n\n // 17. Let c be the result of calling the GetOption abstract operation with the\n // arguments options, \"currency\", \"string\", undefined, and undefined.\n var c = GetOption(options, 'currency', 'string');\n\n // 18. If c is not undefined and the result of calling the\n // IsWellFormedCurrencyCode abstract operation (defined in 6.3.1) with\n // argument c is false, then throw a RangeError exception.\n if (c !== undefined && !IsWellFormedCurrencyCode(c)) throw new RangeError(\"'\" + c + \"' is not a valid currency code\");\n\n // 19. If s is \"currency\" and c is undefined, throw a TypeError exception.\n if (s === 'currency' && c === undefined) throw new TypeError('Currency code is required when style is currency');\n\n var cDigits = void 0;\n\n // 20. If s is \"currency\", then\n if (s === 'currency') {\n // a. Let c be the result of converting c to upper case as specified in 6.1.\n c = c.toUpperCase();\n\n // b. Set the [[currency]] internal property of numberFormat to c.\n internal['[[currency]]'] = c;\n\n // c. Let cDigits be the result of calling the CurrencyDigits abstract\n // operation (defined below) with argument c.\n cDigits = CurrencyDigits(c);\n }\n\n // 21. Let cd be the result of calling the GetOption abstract operation with the\n // arguments options, \"currencyDisplay\", \"string\", a List containing the\n // three String values \"code\", \"symbol\", and \"name\", and \"symbol\".\n var cd = GetOption(options, 'currencyDisplay', 'string', new List('code', 'symbol', 'name'), 'symbol');\n\n // 22. If s is \"currency\", then set the [[currencyDisplay]] internal property of\n // numberFormat to cd.\n if (s === 'currency') internal['[[currencyDisplay]]'] = cd;\n\n // 23. Let mnid be the result of calling the GetNumberOption abstract operation\n // (defined in 9.2.10) with arguments options, \"minimumIntegerDigits\", 1, 21,\n // and 1.\n var mnid = GetNumberOption(options, 'minimumIntegerDigits', 1, 21, 1);\n\n // 24. Set the [[minimumIntegerDigits]] internal property of numberFormat to mnid.\n internal['[[minimumIntegerDigits]]'] = mnid;\n\n // 25. If s is \"currency\", then let mnfdDefault be cDigits; else let mnfdDefault\n // be 0.\n var mnfdDefault = s === 'currency' ? cDigits : 0;\n\n // 26. Let mnfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"minimumFractionDigits\", 0, 20, and mnfdDefault.\n var mnfd = GetNumberOption(options, 'minimumFractionDigits', 0, 20, mnfdDefault);\n\n // 27. Set the [[minimumFractionDigits]] internal property of numberFormat to mnfd.\n internal['[[minimumFractionDigits]]'] = mnfd;\n\n // 28. If s is \"currency\", then let mxfdDefault be max(mnfd, cDigits); else if s\n // is \"percent\", then let mxfdDefault be max(mnfd, 0); else let mxfdDefault\n // be max(mnfd, 3).\n var mxfdDefault = s === 'currency' ? Math.max(mnfd, cDigits) : s === 'percent' ? Math.max(mnfd, 0) : Math.max(mnfd, 3);\n\n // 29. Let mxfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"maximumFractionDigits\", mnfd, 20, and mxfdDefault.\n var mxfd = GetNumberOption(options, 'maximumFractionDigits', mnfd, 20, mxfdDefault);\n\n // 30. Set the [[maximumFractionDigits]] internal property of numberFormat to mxfd.\n internal['[[maximumFractionDigits]]'] = mxfd;\n\n // 31. Let mnsd be the result of calling the [[Get]] internal method of options\n // with argument \"minimumSignificantDigits\".\n var mnsd = options.minimumSignificantDigits;\n\n // 32. Let mxsd be the result of calling the [[Get]] internal method of options\n // with argument \"maximumSignificantDigits\".\n var mxsd = options.maximumSignificantDigits;\n\n // 33. If mnsd is not undefined or mxsd is not undefined, then:\n if (mnsd !== undefined || mxsd !== undefined) {\n // a. Let mnsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"minimumSignificantDigits\", 1, 21,\n // and 1.\n mnsd = GetNumberOption(options, 'minimumSignificantDigits', 1, 21, 1);\n\n // b. Let mxsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"maximumSignificantDigits\", mnsd,\n // 21, and 21.\n mxsd = GetNumberOption(options, 'maximumSignificantDigits', mnsd, 21, 21);\n\n // c. Set the [[minimumSignificantDigits]] internal property of numberFormat\n // to mnsd, and the [[maximumSignificantDigits]] internal property of\n // numberFormat to mxsd.\n internal['[[minimumSignificantDigits]]'] = mnsd;\n internal['[[maximumSignificantDigits]]'] = mxsd;\n }\n // 34. Let g be the result of calling the GetOption abstract operation with the\n // arguments options, \"useGrouping\", \"boolean\", undefined, and true.\n var g = GetOption(options, 'useGrouping', 'boolean', undefined, true);\n\n // 35. Set the [[useGrouping]] internal property of numberFormat to g.\n internal['[[useGrouping]]'] = g;\n\n // 36. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 37. Let patterns be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"patterns\".\n var patterns = dataLocaleData.patterns;\n\n // 38. Assert: patterns is an object (see 11.2.3)\n\n // 39. Let stylePatterns be the result of calling the [[Get]] internal method of\n // patterns with argument s.\n var stylePatterns = patterns[s];\n\n // 40. Set the [[positivePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"positivePattern\".\n internal['[[positivePattern]]'] = stylePatterns.positivePattern;\n\n // 41. Set the [[negativePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"negativePattern\".\n internal['[[negativePattern]]'] = stylePatterns.negativePattern;\n\n // 42. Set the [[boundFormat]] internal property of numberFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 43. Set the [[initializedNumberFormat]] internal property of numberFormat to\n // true.\n internal['[[initializedNumberFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) numberFormat.format = GetFormatNumber.call(numberFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return numberFormat;\n}\n\nfunction CurrencyDigits(currency) {\n // When the CurrencyDigits abstract operation is called with an argument currency\n // (which must be an upper case String value), the following steps are taken:\n\n // 1. If the ISO 4217 currency and funds code list contains currency as an\n // alphabetic code, then return the minor unit value corresponding to the\n // currency from the list; else return 2.\n return currencyMinorUnits[currency] !== undefined ? currencyMinorUnits[currency] : 2;\n}\n\n/* 11.2.3 */internals.NumberFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.NumberFormat is called, the\n * following steps are taken:\n */\n/* 11.2.2 */\ndefineProperty(Intl.NumberFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * NumberFormat object.\n */\n/* 11.3.2 */defineProperty(Intl.NumberFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatNumber\n});\n\nfunction GetFormatNumber() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.NumberFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this NumberFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 1, that takes the argument value and\n // performs the following steps:\n var F = function F(value) {\n // i. If value is not provided, then let value be undefined.\n // ii. Let x be ToNumber(value).\n // iii. Return the result of calling the FormatNumber abstract\n // operation (defined below) with arguments this and x.\n return FormatNumber(this, /* x = */Number(value));\n };\n\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts() {\n var value = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.NumberFormat object.');\n\n var x = Number(value);\n return FormatNumberToParts(this, x);\n}\n\nObject.defineProperty(Intl.NumberFormat.prototype, 'formatToParts', {\n configurable: true,\n enumerable: false,\n writable: true,\n value: formatToParts\n});\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumbertoparts]\n */\nfunction FormatNumberToParts(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be ArrayCreate(0).\n var result = [];\n // 3. Let n be 0.\n var n = 0;\n // 4. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Let O be ObjectCreate(%ObjectPrototype%).\n var O = {};\n // a. Perform ? CreateDataPropertyOrThrow(O, \"type\", part.[[type]]).\n O.type = part['[[type]]'];\n // a. Perform ? CreateDataPropertyOrThrow(O, \"value\", part.[[value]]).\n O.value = part['[[value]]'];\n // a. Perform ? CreateDataPropertyOrThrow(result, ? ToString(n), O).\n result[n] = O;\n // a. Increment n by 1.\n n += 1;\n }\n // 5. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-partitionnumberpattern]\n */\nfunction PartitionNumberPattern(numberFormat, x) {\n\n var internal = getInternalProperties(numberFormat),\n locale = internal['[[dataLocale]]'],\n nums = internal['[[numberingSystem]]'],\n data = internals.NumberFormat['[[localeData]]'][locale],\n ild = data.symbols[nums] || data.symbols.latn,\n pattern = void 0;\n\n // 1. If x is not NaN and x < 0, then:\n if (!isNaN(x) && x < 0) {\n // a. Let x be -x.\n x = -x;\n // a. Let pattern be the value of numberFormat.[[negativePattern]].\n pattern = internal['[[negativePattern]]'];\n }\n // 2. Else,\n else {\n // a. Let pattern be the value of numberFormat.[[positivePattern]].\n pattern = internal['[[positivePattern]]'];\n }\n // 3. Let result be a new empty List.\n var result = new List();\n // 4. Let beginIndex be Call(%StringProto_indexOf%, pattern, \"{\", 0).\n var beginIndex = pattern.indexOf('{', 0);\n // 5. Let endIndex be 0.\n var endIndex = 0;\n // 6. Let nextIndex be 0.\n var nextIndex = 0;\n // 7. Let length be the number of code units in pattern.\n var length = pattern.length;\n // 8. Repeat while beginIndex is an integer index into pattern:\n while (beginIndex > -1 && beginIndex < length) {\n // a. Set endIndex to Call(%StringProto_indexOf%, pattern, \"}\", beginIndex)\n endIndex = pattern.indexOf('}', beginIndex);\n // a. If endIndex = -1, throw new Error exception.\n if (endIndex === -1) throw new Error();\n // a. If beginIndex is greater than nextIndex, then:\n if (beginIndex > nextIndex) {\n // i. Let literal be a substring of pattern from position nextIndex, inclusive, to position beginIndex, exclusive.\n var literal = pattern.substring(nextIndex, beginIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': literal });\n }\n // a. Let p be the substring of pattern from position beginIndex, exclusive, to position endIndex, exclusive.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // a. If p is equal \"number\", then:\n if (p === \"number\") {\n // i. If x is NaN,\n if (isNaN(x)) {\n // 1. Let n be an ILD String value indicating the NaN value.\n var n = ild.nan;\n // 2. Add new part record { [[type]]: \"nan\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'nan', '[[value]]': n });\n }\n // ii. Else if isFinite(x) is false,\n else if (!isFinite(x)) {\n // 1. Let n be an ILD String value indicating infinity.\n var _n = ild.infinity;\n // 2. Add new part record { [[type]]: \"infinity\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'infinity', '[[value]]': _n });\n }\n // iii. Else,\n else {\n // 1. If the value of numberFormat.[[style]] is \"percent\" and isFinite(x), let x be 100 × x.\n if (internal['[[style]]'] === 'percent' && isFinite(x)) x *= 100;\n\n var _n2 = void 0;\n // 2. If the numberFormat.[[minimumSignificantDigits]] and numberFormat.[[maximumSignificantDigits]] are present, then\n if (hop.call(internal, '[[minimumSignificantDigits]]') && hop.call(internal, '[[maximumSignificantDigits]]')) {\n // a. Let n be ToRawPrecision(x, numberFormat.[[minimumSignificantDigits]], numberFormat.[[maximumSignificantDigits]]).\n _n2 = ToRawPrecision(x, internal['[[minimumSignificantDigits]]'], internal['[[maximumSignificantDigits]]']);\n }\n // 3. Else,\n else {\n // a. Let n be ToRawFixed(x, numberFormat.[[minimumIntegerDigits]], numberFormat.[[minimumFractionDigits]], numberFormat.[[maximumFractionDigits]]).\n _n2 = ToRawFixed(x, internal['[[minimumIntegerDigits]]'], internal['[[minimumFractionDigits]]'], internal['[[maximumFractionDigits]]']);\n }\n // 4. If the value of the numberFormat.[[numberingSystem]] matches one of the values in the \"Numbering System\" column of Table 2 below, then\n if (numSys[nums]) {\n (function () {\n // a. Let digits be an array whose 10 String valued elements are the UTF-16 string representations of the 10 digits specified in the \"Digits\" column of the matching row in Table 2.\n var digits = numSys[nums];\n // a. Replace each digit in n with the value of digits[digit].\n _n2 = String(_n2).replace(/\\d/g, function (digit) {\n return digits[digit];\n });\n })();\n }\n // 5. Else use an implementation dependent algorithm to map n to the appropriate representation of n in the given numbering system.\n else _n2 = String(_n2); // ###TODO###\n\n var integer = void 0;\n var fraction = void 0;\n // 6. Let decimalSepIndex be Call(%StringProto_indexOf%, n, \".\", 0).\n var decimalSepIndex = _n2.indexOf('.', 0);\n // 7. If decimalSepIndex > 0, then:\n if (decimalSepIndex > 0) {\n // a. Let integer be the substring of n from position 0, inclusive, to position decimalSepIndex, exclusive.\n integer = _n2.substring(0, decimalSepIndex);\n // a. Let fraction be the substring of n from position decimalSepIndex, exclusive, to the end of n.\n fraction = _n2.substring(decimalSepIndex + 1, decimalSepIndex.length);\n }\n // 8. Else:\n else {\n // a. Let integer be n.\n integer = _n2;\n // a. Let fraction be undefined.\n fraction = undefined;\n }\n // 9. If the value of the numberFormat.[[useGrouping]] is true,\n if (internal['[[useGrouping]]'] === true) {\n // a. Let groupSepSymbol be the ILND String representing the grouping separator.\n var groupSepSymbol = ild.group;\n // a. Let groups be a List whose elements are, in left to right order, the substrings defined by ILND set of locations within the integer.\n var groups = [];\n // ----> implementation:\n // Primary group represents the group closest to the decimal\n var pgSize = data.patterns.primaryGroupSize || 3;\n // Secondary group is every other group\n var sgSize = data.patterns.secondaryGroupSize || pgSize;\n // Group only if necessary\n if (integer.length > pgSize) {\n // Index of the primary grouping separator\n var end = integer.length - pgSize;\n // Starting index for our loop\n var idx = end % sgSize;\n var start = integer.slice(0, idx);\n if (start.length) arrPush.call(groups, start);\n // Loop to separate into secondary grouping digits\n while (idx < end) {\n arrPush.call(groups, integer.slice(idx, idx + sgSize));\n idx += sgSize;\n }\n // Add the primary grouping digits\n arrPush.call(groups, integer.slice(end));\n } else {\n arrPush.call(groups, integer);\n }\n // a. Assert: The number of elements in groups List is greater than 0.\n if (groups.length === 0) throw new Error();\n // a. Repeat, while groups List is not empty:\n while (groups.length) {\n // i. Remove the first element from groups and let integerGroup be the value of that element.\n var integerGroup = arrShift.call(groups);\n // ii. Add new part record { [[type]]: \"integer\", [[value]]: integerGroup } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integerGroup });\n // iii. If groups List is not empty, then:\n if (groups.length) {\n // 1. Add new part record { [[type]]: \"group\", [[value]]: groupSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'group', '[[value]]': groupSepSymbol });\n }\n }\n }\n // 10. Else,\n else {\n // a. Add new part record { [[type]]: \"integer\", [[value]]: integer } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integer });\n }\n // 11. If fraction is not undefined, then:\n if (fraction !== undefined) {\n // a. Let decimalSepSymbol be the ILND String representing the decimal separator.\n var decimalSepSymbol = ild.decimal;\n // a. Add new part record { [[type]]: \"decimal\", [[value]]: decimalSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'decimal', '[[value]]': decimalSepSymbol });\n // a. Add new part record { [[type]]: \"fraction\", [[value]]: fraction } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'fraction', '[[value]]': fraction });\n }\n }\n }\n // a. Else if p is equal \"plusSign\", then:\n else if (p === \"plusSign\") {\n // i. Let plusSignSymbol be the ILND String representing the plus sign.\n var plusSignSymbol = ild.plusSign;\n // ii. Add new part record { [[type]]: \"plusSign\", [[value]]: plusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'plusSign', '[[value]]': plusSignSymbol });\n }\n // a. Else if p is equal \"minusSign\", then:\n else if (p === \"minusSign\") {\n // i. Let minusSignSymbol be the ILND String representing the minus sign.\n var minusSignSymbol = ild.minusSign;\n // ii. Add new part record { [[type]]: \"minusSign\", [[value]]: minusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'minusSign', '[[value]]': minusSignSymbol });\n }\n // a. Else if p is equal \"percentSign\" and numberFormat.[[style]] is \"percent\", then:\n else if (p === \"percentSign\" && internal['[[style]]'] === \"percent\") {\n // i. Let percentSignSymbol be the ILND String representing the percent sign.\n var percentSignSymbol = ild.percentSign;\n // ii. Add new part record { [[type]]: \"percentSign\", [[value]]: percentSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': percentSignSymbol });\n }\n // a. Else if p is equal \"currency\" and numberFormat.[[style]] is \"currency\", then:\n else if (p === \"currency\" && internal['[[style]]'] === \"currency\") {\n // i. Let currency be the value of numberFormat.[[currency]].\n var currency = internal['[[currency]]'];\n\n var cd = void 0;\n\n // ii. If numberFormat.[[currencyDisplay]] is \"code\", then\n if (internal['[[currencyDisplay]]'] === \"code\") {\n // 1. Let cd be currency.\n cd = currency;\n }\n // iii. Else if numberFormat.[[currencyDisplay]] is \"symbol\", then\n else if (internal['[[currencyDisplay]]'] === \"symbol\") {\n // 1. Let cd be an ILD string representing currency in short form. If the implementation does not have such a representation of currency, use currency itself.\n cd = data.currencies[currency] || currency;\n }\n // iv. Else if numberFormat.[[currencyDisplay]] is \"name\", then\n else if (internal['[[currencyDisplay]]'] === \"name\") {\n // 1. Let cd be an ILD string representing currency in long form. If the implementation does not have such a representation of currency, then use currency itself.\n cd = currency;\n }\n // v. Add new part record { [[type]]: \"currency\", [[value]]: cd } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'currency', '[[value]]': cd });\n }\n // a. Else,\n else {\n // i. Let literal be the substring of pattern from position beginIndex, inclusive, to position endIndex, inclusive.\n var _literal = pattern.substring(beginIndex, endIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal });\n }\n // a. Set nextIndex to endIndex + 1.\n nextIndex = endIndex + 1;\n // a. Set beginIndex to Call(%StringProto_indexOf%, pattern, \"{\", nextIndex)\n beginIndex = pattern.indexOf('{', nextIndex);\n }\n // 9. If nextIndex is less than length, then:\n if (nextIndex < length) {\n // a. Let literal be the substring of pattern from position nextIndex, inclusive, to position length, exclusive.\n var _literal2 = pattern.substring(nextIndex, length);\n // a. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal2 });\n }\n // 10. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumber]\n */\nfunction FormatNumber(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be an empty String.\n var result = '';\n // 3. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Set result to a String value produced by concatenating result and part.[[value]].\n result += part['[[value]]'];\n }\n // 4. Return result.\n return result;\n}\n\n/**\n * When the ToRawPrecision abstract operation is called with arguments x (which\n * must be a finite non-negative number), minPrecision, and maxPrecision (both\n * must be integers between 1 and 21) the following steps are taken:\n */\nfunction ToRawPrecision(x, minPrecision, maxPrecision) {\n // 1. Let p be maxPrecision.\n var p = maxPrecision;\n\n var m = void 0,\n e = void 0;\n\n // 2. If x = 0, then\n if (x === 0) {\n // a. Let m be the String consisting of p occurrences of the character \"0\".\n m = arrJoin.call(Array(p + 1), '0');\n // b. Let e be 0.\n e = 0;\n }\n // 3. Else\n else {\n // a. Let e and n be integers such that 10ᵖ⁻¹ ≤ n < 10ᵖ and for which the\n // exact mathematical value of n × 10ᵉ⁻ᵖ⁺¹ – x is as close to zero as\n // possible. If there are two such sets of e and n, pick the e and n for\n // which n × 10ᵉ⁻ᵖ⁺¹ is larger.\n e = log10Floor(Math.abs(x));\n\n // Easier to get to m from here\n var f = Math.round(Math.exp(Math.abs(e - p + 1) * Math.LN10));\n\n // b. Let m be the String consisting of the digits of the decimal\n // representation of n (in order, with no leading zeroes)\n m = String(Math.round(e - p + 1 < 0 ? x * f : x / f));\n }\n\n // 4. If e ≥ p, then\n if (e >= p)\n // a. Return the concatenation of m and e-p+1 occurrences of the character \"0\".\n return m + arrJoin.call(Array(e - p + 1 + 1), '0');\n\n // 5. If e = p-1, then\n else if (e === p - 1)\n // a. Return m.\n return m;\n\n // 6. If e ≥ 0, then\n else if (e >= 0)\n // a. Let m be the concatenation of the first e+1 characters of m, the character\n // \".\", and the remaining p–(e+1) characters of m.\n m = m.slice(0, e + 1) + '.' + m.slice(e + 1);\n\n // 7. If e < 0, then\n else if (e < 0)\n // a. Let m be the concatenation of the String \"0.\", –(e+1) occurrences of the\n // character \"0\", and the string m.\n m = '0.' + arrJoin.call(Array(-(e + 1) + 1), '0') + m;\n\n // 8. If m contains the character \".\", and maxPrecision > minPrecision, then\n if (m.indexOf(\".\") >= 0 && maxPrecision > minPrecision) {\n // a. Let cut be maxPrecision – minPrecision.\n var cut = maxPrecision - minPrecision;\n\n // b. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.charAt(m.length - 1) === '0') {\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n\n // ii. Decrease cut by 1.\n cut--;\n }\n\n // c. If the last character of m is \".\", then\n if (m.charAt(m.length - 1) === '.')\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. Return m.\n return m;\n}\n\n/**\n * @spec[tc39/ecma402/master/spec/numberformat.html]\n * @clause[sec-torawfixed]\n * When the ToRawFixed abstract operation is called with arguments x (which must\n * be a finite non-negative number), minInteger (which must be an integer between\n * 1 and 21), minFraction, and maxFraction (which must be integers between 0 and\n * 20) the following steps are taken:\n */\nfunction ToRawFixed(x, minInteger, minFraction, maxFraction) {\n // 1. Let f be maxFraction.\n var f = maxFraction;\n // 2. Let n be an integer for which the exact mathematical value of n ÷ 10f – x is as close to zero as possible. If there are two such n, pick the larger n.\n var n = Math.pow(10, f) * x; // diverging...\n // 3. If n = 0, let m be the String \"0\". Otherwise, let m be the String consisting of the digits of the decimal representation of n (in order, with no leading zeroes).\n var m = n === 0 ? \"0\" : n.toFixed(0); // divering...\n\n {\n // this diversion is needed to take into consideration big numbers, e.g.:\n // 1.2344501e+37 -> 12344501000000000000000000000000000000\n var idx = void 0;\n var exp = (idx = m.indexOf('e')) > -1 ? m.slice(idx + 1) : 0;\n if (exp) {\n m = m.slice(0, idx).replace('.', '');\n m += arrJoin.call(Array(exp - (m.length - 1) + 1), '0');\n }\n }\n\n var int = void 0;\n // 4. If f ≠ 0, then\n if (f !== 0) {\n // a. Let k be the number of characters in m.\n var k = m.length;\n // a. If k ≤ f, then\n if (k <= f) {\n // i. Let z be the String consisting of f+1–k occurrences of the character \"0\".\n var z = arrJoin.call(Array(f + 1 - k + 1), '0');\n // ii. Let m be the concatenation of Strings z and m.\n m = z + m;\n // iii. Let k be f+1.\n k = f + 1;\n }\n // a. Let a be the first k–f characters of m, and let b be the remaining f characters of m.\n var a = m.substring(0, k - f),\n b = m.substring(k - f, m.length);\n // a. Let m be the concatenation of the three Strings a, \".\", and b.\n m = a + \".\" + b;\n // a. Let int be the number of characters in a.\n int = a.length;\n }\n // 5. Else, let int be the number of characters in m.\n else int = m.length;\n // 6. Let cut be maxFraction – minFraction.\n var cut = maxFraction - minFraction;\n // 7. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.slice(-1) === \"0\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n // a. Decrease cut by 1.\n cut--;\n }\n // 8. If the last character of m is \".\", then\n if (m.slice(-1) === \".\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. If int < minInteger, then\n if (int < minInteger) {\n // a. Let z be the String consisting of minInteger–int occurrences of the character \"0\".\n var _z = arrJoin.call(Array(minInteger - int + 1), '0');\n // a. Let m be the concatenation of Strings z and m.\n m = _z + m;\n }\n // 10. Return m.\n return m;\n}\n\n// Sect 11.3.2 Table 2, Numbering systems\n// ======================================\nvar numSys = {\n arab: [\"٠\", \"١\", \"٢\", \"٣\", \"٤\", \"٥\", \"٦\", \"٧\", \"٨\", \"٩\"],\n arabext: [\"۰\", \"۱\", \"۲\", \"۳\", \"۴\", \"۵\", \"۶\", \"۷\", \"۸\", \"۹\"],\n bali: [\"᭐\", \"᭑\", \"᭒\", \"᭓\", \"᭔\", \"᭕\", \"᭖\", \"᭗\", \"᭘\", \"᭙\"],\n beng: [\"০\", \"১\", \"২\", \"৩\", \"৪\", \"৫\", \"৬\", \"৭\", \"৮\", \"৯\"],\n deva: [\"०\", \"१\", \"२\", \"३\", \"४\", \"५\", \"६\", \"७\", \"८\", \"९\"],\n fullwide: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n gujr: [\"૦\", \"૧\", \"૨\", \"૩\", \"૪\", \"૫\", \"૬\", \"૭\", \"૮\", \"૯\"],\n guru: [\"੦\", \"੧\", \"੨\", \"੩\", \"੪\", \"੫\", \"੬\", \"੭\", \"੮\", \"੯\"],\n hanidec: [\"〇\", \"一\", \"二\", \"三\", \"四\", \"五\", \"六\", \"七\", \"八\", \"九\"],\n khmr: [\"០\", \"១\", \"២\", \"៣\", \"៤\", \"៥\", \"៦\", \"៧\", \"៨\", \"៩\"],\n knda: [\"೦\", \"೧\", \"೨\", \"೩\", \"೪\", \"೫\", \"೬\", \"೭\", \"೮\", \"೯\"],\n laoo: [\"໐\", \"໑\", \"໒\", \"໓\", \"໔\", \"໕\", \"໖\", \"໗\", \"໘\", \"໙\"],\n latn: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n limb: [\"᥆\", \"᥇\", \"᥈\", \"᥉\", \"᥊\", \"᥋\", \"᥌\", \"᥍\", \"᥎\", \"᥏\"],\n mlym: [\"൦\", \"൧\", \"൨\", \"൩\", \"൪\", \"൫\", \"൬\", \"൭\", \"൮\", \"൯\"],\n mong: [\"᠐\", \"᠑\", \"᠒\", \"᠓\", \"᠔\", \"᠕\", \"᠖\", \"᠗\", \"᠘\", \"᠙\"],\n mymr: [\"၀\", \"၁\", \"၂\", \"၃\", \"၄\", \"၅\", \"၆\", \"၇\", \"၈\", \"၉\"],\n orya: [\"୦\", \"୧\", \"୨\", \"୩\", \"୪\", \"୫\", \"୬\", \"୭\", \"୮\", \"୯\"],\n tamldec: [\"௦\", \"௧\", \"௨\", \"௩\", \"௪\", \"௫\", \"௬\", \"௭\", \"௮\", \"௯\"],\n telu: [\"౦\", \"౧\", \"౨\", \"౩\", \"౪\", \"౫\", \"౬\", \"౭\", \"౮\", \"౯\"],\n thai: [\"๐\", \"๑\", \"๒\", \"๓\", \"๔\", \"๕\", \"๖\", \"๗\", \"๘\", \"๙\"],\n tibt: [\"༠\", \"༡\", \"༢\", \"༣\", \"༤\", \"༥\", \"༦\", \"༧\", \"༨\", \"༩\"]\n};\n\n/**\n * This function provides access to the locale and formatting options computed\n * during initialization of the object.\n *\n * The function returns a new object whose properties and attributes are set as\n * if constructed by an object literal assigning to each of the following\n * properties the value of the corresponding internal property of this\n * NumberFormat object (see 11.4): locale, numberingSystem, style, currency,\n * currencyDisplay, minimumIntegerDigits, minimumFractionDigits,\n * maximumFractionDigits, minimumSignificantDigits, maximumSignificantDigits, and\n * useGrouping. Properties whose corresponding internal properties are not present\n * are not assigned.\n */\n/* 11.3.3 */defineProperty(Intl.NumberFormat.prototype, 'resolvedOptions', {\n configurable: true,\n writable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'numberingSystem', 'style', 'currency', 'currencyDisplay', 'minimumIntegerDigits', 'minimumFractionDigits', 'maximumFractionDigits', 'minimumSignificantDigits', 'maximumSignificantDigits', 'useGrouping'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.NumberFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\n/* jslint esnext: true */\n\n// Match these datetime components in a CLDR pattern, except those in single quotes\nvar expDTComponents = /(?:[Eec]{1,6}|G{1,5}|[Qq]{1,5}|(?:[yYur]+|U{1,5})|[ML]{1,5}|d{1,2}|D{1,3}|F{1}|[abB]{1,5}|[hkHK]{1,2}|w{1,2}|W{1}|m{1,2}|s{1,2}|[zZOvVxX]{1,4})(?=([^']*'[^']*')*[^']*$)/g;\n// trim patterns after transformations\nvar expPatternTrimmer = /^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g;\n// Skip over patterns with these datetime components because we don't have data\n// to back them up:\n// timezone, weekday, amoung others\nvar unwantedDTCs = /[rqQASjJgwWIQq]/; // xXVO were removed from this list in favor of computing matches with timeZoneName values but printing as empty string\n\nvar dtKeys = [\"era\", \"year\", \"month\", \"day\", \"weekday\", \"quarter\"];\nvar tmKeys = [\"hour\", \"minute\", \"second\", \"hour12\", \"timeZoneName\"];\n\nfunction isDateFormatOnly(obj) {\n for (var i = 0; i < tmKeys.length; i += 1) {\n if (obj.hasOwnProperty(tmKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction isTimeFormatOnly(obj) {\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (obj.hasOwnProperty(dtKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction joinDateAndTimeFormats(dateFormatObj, timeFormatObj) {\n var o = { _: {} };\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (dateFormatObj[dtKeys[i]]) {\n o[dtKeys[i]] = dateFormatObj[dtKeys[i]];\n }\n if (dateFormatObj._[dtKeys[i]]) {\n o._[dtKeys[i]] = dateFormatObj._[dtKeys[i]];\n }\n }\n for (var j = 0; j < tmKeys.length; j += 1) {\n if (timeFormatObj[tmKeys[j]]) {\n o[tmKeys[j]] = timeFormatObj[tmKeys[j]];\n }\n if (timeFormatObj._[tmKeys[j]]) {\n o._[tmKeys[j]] = timeFormatObj._[tmKeys[j]];\n }\n }\n return o;\n}\n\nfunction computeFinalPatterns(formatObj) {\n // From http://www.unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns:\n // 'In patterns, two single quotes represents a literal single quote, either\n // inside or outside single quotes. Text within single quotes is not\n // interpreted in any way (except for two adjacent single quotes).'\n formatObj.pattern12 = formatObj.extendedPattern.replace(/'([^']*)'/g, function ($0, literal) {\n return literal ? literal : \"'\";\n });\n\n // pattern 12 is always the default. we can produce the 24 by removing {ampm}\n formatObj.pattern = formatObj.pattern12.replace('{ampm}', '').replace(expPatternTrimmer, '');\n return formatObj;\n}\n\nfunction expDTComponentsMeta($0, formatObj) {\n switch ($0.charAt(0)) {\n // --- Era\n case 'G':\n formatObj.era = ['short', 'short', 'short', 'long', 'narrow'][$0.length - 1];\n return '{era}';\n\n // --- Year\n case 'y':\n case 'Y':\n case 'u':\n case 'U':\n case 'r':\n formatObj.year = $0.length === 2 ? '2-digit' : 'numeric';\n return '{year}';\n\n // --- Quarter (not supported in this polyfill)\n case 'Q':\n case 'q':\n formatObj.quarter = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{quarter}';\n\n // --- Month\n case 'M':\n case 'L':\n formatObj.month = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{month}';\n\n // --- Week (not supported in this polyfill)\n case 'w':\n // week of the year\n formatObj.week = $0.length === 2 ? '2-digit' : 'numeric';\n return '{weekday}';\n case 'W':\n // week of the month\n formatObj.week = 'numeric';\n return '{weekday}';\n\n // --- Day\n case 'd':\n // day of the month\n formatObj.day = $0.length === 2 ? '2-digit' : 'numeric';\n return '{day}';\n case 'D': // day of the year\n case 'F': // day of the week\n case 'g':\n // 1..n: Modified Julian day\n formatObj.day = 'numeric';\n return '{day}';\n\n // --- Week Day\n case 'E':\n // day of the week\n formatObj.weekday = ['short', 'short', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'e':\n // local day of the week\n formatObj.weekday = ['numeric', '2-digit', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'c':\n // stand alone local day of the week\n formatObj.weekday = ['numeric', undefined, 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n\n // --- Period\n case 'a': // AM, PM\n case 'b': // am, pm, noon, midnight\n case 'B':\n // flexible day periods\n formatObj.hour12 = true;\n return '{ampm}';\n\n // --- Hour\n case 'h':\n case 'H':\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n case 'k':\n case 'K':\n formatObj.hour12 = true; // 12-hour-cycle time formats (using h or K)\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n\n // --- Minute\n case 'm':\n formatObj.minute = $0.length === 2 ? '2-digit' : 'numeric';\n return '{minute}';\n\n // --- Second\n case 's':\n formatObj.second = $0.length === 2 ? '2-digit' : 'numeric';\n return '{second}';\n case 'S':\n case 'A':\n formatObj.second = 'numeric';\n return '{second}';\n\n // --- Timezone\n case 'z': // 1..3, 4: specific non-location format\n case 'Z': // 1..3, 4, 5: The ISO8601 varios formats\n case 'O': // 1, 4: miliseconds in day short, long\n case 'v': // 1, 4: generic non-location format\n case 'V': // 1, 2, 3, 4: time zone ID or city\n case 'X': // 1, 2, 3, 4: The ISO8601 varios formats\n case 'x':\n // 1, 2, 3, 4: The ISO8601 varios formats\n // this polyfill only supports much, for now, we are just doing something dummy\n formatObj.timeZoneName = $0.length < 4 ? 'short' : 'long';\n return '{timeZoneName}';\n }\n}\n\n/**\n * Converts the CLDR availableFormats into the objects and patterns required by\n * the ECMAScript Internationalization API specification.\n */\nfunction createDateTimeFormat(skeleton, pattern) {\n // we ignore certain patterns that are unsupported to avoid this expensive op.\n if (unwantedDTCs.test(pattern)) return undefined;\n\n var formatObj = {\n originalPattern: pattern,\n _: {}\n };\n\n // Replace the pattern string with the one required by the specification, whilst\n // at the same time evaluating it for the subsets and formats\n formatObj.extendedPattern = pattern.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj._);\n });\n\n // Match the skeleton string with the one required by the specification\n // this implementation is based on the Date Field Symbol Table:\n // http://unicode.org/reports/tr35/tr35-dates.html#Date_Field_Symbol_Table\n // Note: we are adding extra data to the formatObject even though this polyfill\n // might not support it.\n skeleton.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj);\n });\n\n return computeFinalPatterns(formatObj);\n}\n\n/**\n * Processes DateTime formats from CLDR to an easier-to-parse format.\n * the result of this operation should be cached the first time a particular\n * calendar is analyzed.\n *\n * The specification requires we support at least the following subsets of\n * date/time components:\n *\n * - 'weekday', 'year', 'month', 'day', 'hour', 'minute', 'second'\n * - 'weekday', 'year', 'month', 'day'\n * - 'year', 'month', 'day'\n * - 'year', 'month'\n * - 'month', 'day'\n * - 'hour', 'minute', 'second'\n * - 'hour', 'minute'\n *\n * We need to cherry pick at least these subsets from the CLDR data and convert\n * them into the pattern objects used in the ECMA-402 API.\n */\nfunction createDateTimeFormats(formats) {\n var availableFormats = formats.availableFormats;\n var timeFormats = formats.timeFormats;\n var dateFormats = formats.dateFormats;\n var result = [];\n var skeleton = void 0,\n pattern = void 0,\n computed = void 0,\n i = void 0,\n j = void 0;\n var timeRelatedFormats = [];\n var dateRelatedFormats = [];\n\n // Map available (custom) formats into a pattern for createDateTimeFormats\n for (skeleton in availableFormats) {\n if (availableFormats.hasOwnProperty(skeleton)) {\n pattern = availableFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n // in some cases, the format is only displaying date specific props\n // or time specific props, in which case we need to also produce the\n // combined formats.\n if (isDateFormatOnly(computed)) {\n dateRelatedFormats.push(computed);\n } else if (isTimeFormatOnly(computed)) {\n timeRelatedFormats.push(computed);\n }\n }\n }\n }\n\n // Map time formats into a pattern for createDateTimeFormats\n for (skeleton in timeFormats) {\n if (timeFormats.hasOwnProperty(skeleton)) {\n pattern = timeFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n timeRelatedFormats.push(computed);\n }\n }\n }\n\n // Map date formats into a pattern for createDateTimeFormats\n for (skeleton in dateFormats) {\n if (dateFormats.hasOwnProperty(skeleton)) {\n pattern = dateFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n dateRelatedFormats.push(computed);\n }\n }\n }\n\n // combine custom time and custom date formats when they are orthogonals to complete the\n // formats supported by CLDR.\n // This Algo is based on section \"Missing Skeleton Fields\" from:\n // http://unicode.org/reports/tr35/tr35-dates.html#availableFormats_appendItems\n for (i = 0; i < timeRelatedFormats.length; i += 1) {\n for (j = 0; j < dateRelatedFormats.length; j += 1) {\n if (dateRelatedFormats[j].month === 'long') {\n pattern = dateRelatedFormats[j].weekday ? formats.full : formats.long;\n } else if (dateRelatedFormats[j].month === 'short') {\n pattern = formats.medium;\n } else {\n pattern = formats.short;\n }\n computed = joinDateAndTimeFormats(dateRelatedFormats[j], timeRelatedFormats[i]);\n computed.originalPattern = pattern;\n computed.extendedPattern = pattern.replace('{0}', timeRelatedFormats[i].extendedPattern).replace('{1}', dateRelatedFormats[j].extendedPattern).replace(/^[,\\s]+|[,\\s]+$/gi, '');\n result.push(computeFinalPatterns(computed));\n }\n }\n\n return result;\n}\n\n// this represents the exceptions of the rule that are not covered by CLDR availableFormats\n// for single property configurations, they play no role when using multiple properties, and\n// those that are not in this table, are not exceptions or are not covered by the data we\n// provide.\nvar validSyntheticProps = {\n second: {\n numeric: 's',\n '2-digit': 'ss'\n },\n minute: {\n numeric: 'm',\n '2-digit': 'mm'\n },\n year: {\n numeric: 'y',\n '2-digit': 'yy'\n },\n day: {\n numeric: 'd',\n '2-digit': 'dd'\n },\n month: {\n numeric: 'L',\n '2-digit': 'LL',\n narrow: 'LLLLL',\n short: 'LLL',\n long: 'LLLL'\n },\n weekday: {\n narrow: 'ccccc',\n short: 'ccc',\n long: 'cccc'\n }\n};\n\nfunction generateSyntheticFormat(propName, propValue) {\n if (validSyntheticProps[propName] && validSyntheticProps[propName][propValue]) {\n var _ref2;\n\n return _ref2 = {\n originalPattern: validSyntheticProps[propName][propValue],\n _: defineProperty$1({}, propName, propValue),\n extendedPattern: \"{\" + propName + \"}\"\n }, defineProperty$1(_ref2, propName, propValue), defineProperty$1(_ref2, \"pattern12\", \"{\" + propName + \"}\"), defineProperty$1(_ref2, \"pattern\", \"{\" + propName + \"}\"), _ref2;\n }\n}\n\n// An object map of date component keys, saves using a regex later\nvar dateWidths = objCreate(null, { narrow: {}, short: {}, long: {} });\n\n/**\n * Returns a string for a date component, resolved using multiple inheritance as specified\n * as specified in the Unicode Technical Standard 35.\n */\nfunction resolveDateString(data, ca, component, width, key) {\n // From http://www.unicode.org/reports/tr35/tr35.html#Multiple_Inheritance:\n // 'In clearly specified instances, resources may inherit from within the same locale.\n // For example, ... the Buddhist calendar inherits from the Gregorian calendar.'\n var obj = data[ca] && data[ca][component] ? data[ca][component] : data.gregory[component],\n\n\n // \"sideways\" inheritance resolves strings when a key doesn't exist\n alts = {\n narrow: ['short', 'long'],\n short: ['long', 'narrow'],\n long: ['short', 'narrow']\n },\n\n\n //\n resolved = hop.call(obj, width) ? obj[width] : hop.call(obj, alts[width][0]) ? obj[alts[width][0]] : obj[alts[width][1]];\n\n // `key` wouldn't be specified for components 'dayPeriods'\n return key !== null ? resolved[key] : resolved;\n}\n\n// Define the DateTimeFormat constructor internally so it cannot be tainted\nfunction DateTimeFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.DateTimeFormat(locales, options);\n }\n return InitializeDateTimeFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'DateTimeFormat', {\n configurable: true,\n writable: true,\n value: DateTimeFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(DateTimeFormatConstructor, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeDateTimeFormat accepts the arguments dateTimeFormat\n * (which must be an object), locales, and options. It initializes dateTimeFormat as a\n * DateTimeFormat object.\n */\nfunction /* 12.1.1.1 */InitializeDateTimeFormat(dateTimeFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(dateTimeFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If dateTimeFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(dateTimeFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined below) with arguments options, \"any\", and \"date\".\n options = ToDateTimeOptions(options, 'any', 'date');\n\n // 5. Let opt be a new Record.\n var opt = new Record();\n\n // 6. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with arguments options, \"localeMatcher\", \"string\", a List\n // containing the two String values \"lookup\" and \"best fit\", and \"best fit\".\n var matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 7. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 8. Let DateTimeFormat be the standard built-in object that is the initial\n // value of Intl.DateTimeFormat.\n var DateTimeFormat = internals.DateTimeFormat; // This is what we *really* need\n\n // 9. Let localeData be the value of the [[localeData]] internal property of\n // DateTimeFormat.\n var localeData = DateTimeFormat['[[localeData]]'];\n\n // 10. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // DateTimeFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of DateTimeFormat, and localeData.\n var r = ResolveLocale(DateTimeFormat['[[availableLocales]]'], requestedLocales, opt, DateTimeFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 11. Set the [[locale]] internal property of dateTimeFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 12. Set the [[calendar]] internal property of dateTimeFormat to the value of\n // r.[[ca]].\n internal['[[calendar]]'] = r['[[ca]]'];\n\n // 13. Set the [[numberingSystem]] internal property of dateTimeFormat to the value of\n // r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let tz be the result of calling the [[Get]] internal method of options with\n // argument \"timeZone\".\n var tz = options.timeZone;\n\n // 16. If tz is not undefined, then\n if (tz !== undefined) {\n // a. Let tz be ToString(tz).\n // b. Convert tz to upper case as described in 6.1.\n // NOTE: If an implementation accepts additional time zone values, as permitted\n // under certain conditions by the Conformance clause, different casing\n // rules apply.\n tz = toLatinUpperCase(tz);\n\n // c. If tz is not \"UTC\", then throw a RangeError exception.\n // ###TODO: accept more time zones###\n if (tz !== 'UTC') throw new RangeError('timeZone is not supported.');\n }\n\n // 17. Set the [[timeZone]] internal property of dateTimeFormat to tz.\n internal['[[timeZone]]'] = tz;\n\n // 18. Let opt be a new Record.\n opt = new Record();\n\n // 19. For each row of Table 3, except the header row, do:\n for (var prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, prop)) continue;\n\n // 20. Let prop be the name given in the Property column of the row.\n // 21. Let value be the result of calling the GetOption abstract operation,\n // passing as argument options, the name given in the Property column of the\n // row, \"string\", a List containing the strings given in the Values column of\n // the row, and undefined.\n var value = GetOption(options, prop, 'string', dateTimeComponents[prop]);\n\n // 22. Set opt.[[]] to value.\n opt['[[' + prop + ']]'] = value;\n }\n\n // Assigned a value below\n var bestFormat = void 0;\n\n // 23. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 24. Let formats be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"formats\".\n // Note: we process the CLDR formats into the spec'd structure\n var formats = ToDateTimeFormats(dataLocaleData.formats);\n\n // 25. Let matcher be the result of calling the GetOption abstract operation with\n // arguments options, \"formatMatcher\", \"string\", a List containing the two String\n // values \"basic\" and \"best fit\", and \"best fit\".\n matcher = GetOption(options, 'formatMatcher', 'string', new List('basic', 'best fit'), 'best fit');\n\n // Optimization: caching the processed formats as a one time operation by\n // replacing the initial structure from localeData\n dataLocaleData.formats = formats;\n\n // 26. If matcher is \"basic\", then\n if (matcher === 'basic') {\n // 27. Let bestFormat be the result of calling the BasicFormatMatcher abstract\n // operation (defined below) with opt and formats.\n bestFormat = BasicFormatMatcher(opt, formats);\n\n // 28. Else\n } else {\n {\n // diverging\n var _hr = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n opt.hour12 = _hr === undefined ? dataLocaleData.hour12 : _hr;\n }\n // 29. Let bestFormat be the result of calling the BestFitFormatMatcher\n // abstract operation (defined below) with opt and formats.\n bestFormat = BestFitFormatMatcher(opt, formats);\n }\n\n // 30. For each row in Table 3, except the header row, do\n for (var _prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _prop)) continue;\n\n // a. Let prop be the name given in the Property column of the row.\n // b. Let pDesc be the result of calling the [[GetOwnProperty]] internal method of\n // bestFormat with argument prop.\n // c. If pDesc is not undefined, then\n if (hop.call(bestFormat, _prop)) {\n // i. Let p be the result of calling the [[Get]] internal method of bestFormat\n // with argument prop.\n var p = bestFormat[_prop];\n {\n // diverging\n p = bestFormat._ && hop.call(bestFormat._, _prop) ? bestFormat._[_prop] : p;\n }\n\n // ii. Set the [[]] internal property of dateTimeFormat to p.\n internal['[[' + _prop + ']]'] = p;\n }\n }\n\n var pattern = void 0; // Assigned a value below\n\n // 31. Let hr12 be the result of calling the GetOption abstract operation with\n // arguments options, \"hour12\", \"boolean\", undefined, and undefined.\n var hr12 = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n\n // 32. If dateTimeFormat has an internal property [[hour]], then\n if (internal['[[hour]]']) {\n // a. If hr12 is undefined, then let hr12 be the result of calling the [[Get]]\n // internal method of dataLocaleData with argument \"hour12\".\n hr12 = hr12 === undefined ? dataLocaleData.hour12 : hr12;\n\n // b. Set the [[hour12]] internal property of dateTimeFormat to hr12.\n internal['[[hour12]]'] = hr12;\n\n // c. If hr12 is true, then\n if (hr12 === true) {\n // i. Let hourNo0 be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"hourNo0\".\n var hourNo0 = dataLocaleData.hourNo0;\n\n // ii. Set the [[hourNo0]] internal property of dateTimeFormat to hourNo0.\n internal['[[hourNo0]]'] = hourNo0;\n\n // iii. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern12\".\n pattern = bestFormat.pattern12;\n }\n\n // d. Else\n else\n // i. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n }\n\n // 33. Else\n else\n // a. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n\n // 34. Set the [[pattern]] internal property of dateTimeFormat to pattern.\n internal['[[pattern]]'] = pattern;\n\n // 35. Set the [[boundFormat]] internal property of dateTimeFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 36. Set the [[initializedDateTimeFormat]] internal property of dateTimeFormat to\n // true.\n internal['[[initializedDateTimeFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) dateTimeFormat.format = GetFormatDateTime.call(dateTimeFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return dateTimeFormat;\n}\n\n/**\n * Several DateTimeFormat algorithms use values from the following table, which provides\n * property names and allowable values for the components of date and time formats:\n */\nvar dateTimeComponents = {\n weekday: [\"narrow\", \"short\", \"long\"],\n era: [\"narrow\", \"short\", \"long\"],\n year: [\"2-digit\", \"numeric\"],\n month: [\"2-digit\", \"numeric\", \"narrow\", \"short\", \"long\"],\n day: [\"2-digit\", \"numeric\"],\n hour: [\"2-digit\", \"numeric\"],\n minute: [\"2-digit\", \"numeric\"],\n second: [\"2-digit\", \"numeric\"],\n timeZoneName: [\"short\", \"long\"]\n};\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeFormats(formats) {\n if (Object.prototype.toString.call(formats) === '[object Array]') {\n return formats;\n }\n return createDateTimeFormats(formats);\n}\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeOptions(options, required, defaults) {\n // 1. If options is undefined, then let options be null, else let options be\n // ToObject(options).\n if (options === undefined) options = null;else {\n // (#12) options needs to be a Record, but it also needs to inherit properties\n var opt2 = toObject(options);\n options = new Record();\n\n for (var k in opt2) {\n options[k] = opt2[k];\n }\n }\n\n // 2. Let create be the standard built-in function object defined in ES5, 15.2.3.5.\n var create = objCreate;\n\n // 3. Let options be the result of calling the [[Call]] internal method of create with\n // undefined as the this value and an argument list containing the single item\n // options.\n options = create(options);\n\n // 4. Let needDefaults be true.\n var needDefaults = true;\n\n // 5. If required is \"date\" or \"any\", then\n if (required === 'date' || required === 'any') {\n // a. For each of the property names \"weekday\", \"year\", \"month\", \"day\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.weekday !== undefined || options.year !== undefined || options.month !== undefined || options.day !== undefined) needDefaults = false;\n }\n\n // 6. If required is \"time\" or \"any\", then\n if (required === 'time' || required === 'any') {\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.hour !== undefined || options.minute !== undefined || options.second !== undefined) needDefaults = false;\n }\n\n // 7. If needDefaults is true and defaults is either \"date\" or \"all\", then\n if (needDefaults && (defaults === 'date' || defaults === 'all'))\n // a. For each of the property names \"year\", \"month\", \"day\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.year = options.month = options.day = 'numeric';\n\n // 8. If needDefaults is true and defaults is either \"time\" or \"all\", then\n if (needDefaults && (defaults === 'time' || defaults === 'all'))\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.hour = options.minute = options.second = 'numeric';\n\n // 9. Return options.\n return options;\n}\n\n/**\n * When the BasicFormatMatcher abstract operation is called with two arguments options and\n * formats, the following steps are taken:\n */\nfunction BasicFormatMatcher(options, formats) {\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, property) ? format[property] : undefined;\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta === 2) score -= longMorePenalty;\n\n // 6. Else if delta = 1, decrease score by shortMorePenalty.\n else if (delta === 1) score -= shortMorePenalty;\n\n // 7. Else if delta = -1, decrease score by shortLessPenalty.\n else if (delta === -1) score -= shortLessPenalty;\n\n // 8. Else if delta = -2, decrease score by longLessPenalty.\n else if (delta === -2) score -= longLessPenalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/**\n * When the BestFitFormatMatcher abstract operation is called with two arguments options\n * and formats, it performs implementation dependent steps, which should return a set of\n * component representations that a typical user of the selected locale would perceive as\n * at least as good as the one returned by BasicFormatMatcher.\n *\n * This polyfill defines the algorithm to be the same as BasicFormatMatcher,\n * with the addition of bonus points awarded where the requested format is of\n * the same data type as the potentially matching format.\n *\n * This algo relies on the concept of closest distance matching described here:\n * http://unicode.org/reports/tr35/tr35-dates.html#Matching_Skeletons\n * Typically a “best match” is found using a closest distance match, such as:\n *\n * Symbols requesting a best choice for the locale are replaced.\n * j → one of {H, k, h, K}; C → one of {a, b, B}\n * -> Covered by cldr.js matching process\n *\n * For fields with symbols representing the same type (year, month, day, etc):\n * Most symbols have a small distance from each other.\n * M ≅ L; E ≅ c; a ≅ b ≅ B; H ≅ k ≅ h ≅ K; ...\n * -> Covered by cldr.js matching process\n *\n * Width differences among fields, other than those marking text vs numeric, are given small distance from each other.\n * MMM ≅ MMMM\n * MM ≅ M\n * Numeric and text fields are given a larger distance from each other.\n * MMM ≈ MM\n * Symbols representing substantial differences (week of year vs week of month) are given much larger a distances from each other.\n * d ≋ D; ...\n * Missing or extra fields cause a match to fail. (But see Missing Skeleton Fields).\n *\n *\n * For example,\n *\n * { month: 'numeric', day: 'numeric' }\n *\n * should match\n *\n * { month: '2-digit', day: '2-digit' }\n *\n * rather than\n *\n * { month: 'short', day: 'numeric' }\n *\n * This makes sense because a user requesting a formatted date with numeric parts would\n * not expect to see the returned format containing narrow, short or long part names\n */\nfunction BestFitFormatMatcher(options, formats) {\n /** Diverging: this block implements the hack for single property configuration, eg.:\n *\n * `new Intl.DateTimeFormat('en', {day: 'numeric'})`\n *\n * should produce a single digit with the day of the month. This is needed because\n * CLDR `availableFormats` data structure doesn't cover these cases.\n */\n {\n var optionsPropNames = [];\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n if (options['[[' + property + ']]'] !== undefined) {\n optionsPropNames.push(property);\n }\n }\n if (optionsPropNames.length === 1) {\n var _bestFormat = generateSyntheticFormat(optionsPropNames[0], options['[[' + optionsPropNames[0] + ']]']);\n if (_bestFormat) {\n return _bestFormat;\n }\n }\n }\n\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n var patternPenalty = 2;\n\n var hour12Penalty = 1;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var _property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + _property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, _property) ? format[_property] : undefined;\n\n // Diverging: using the default properties produced by the pattern/skeleton\n // to match it with user options, and apply a penalty\n var patternProp = hop.call(format._, _property) ? format._[_property] : undefined;\n if (optionsProp !== patternProp) {\n score -= patternPenalty;\n }\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n {\n // diverging from spec\n // When the bestFit argument is true, subtract additional penalty where data types are not the same\n if (formatPropIndex <= 1 && optionsPropIndex >= 2 || formatPropIndex >= 2 && optionsPropIndex <= 1) {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 0) score -= longMorePenalty;else if (delta < 0) score -= longLessPenalty;\n } else {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 1) score -= shortMorePenalty;else if (delta < -1) score -= shortLessPenalty;\n }\n }\n }\n }\n\n {\n // diverging to also take into consideration differences between 12 or 24 hours\n // which is special for the best fit only.\n if (format._.hour12 !== options.hour12) {\n score -= hour12Penalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/* 12.2.3 */internals.DateTimeFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['ca', 'nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.DateTimeFormat is called, the\n * following steps are taken:\n */\n/* 12.2.2 */\ndefineProperty(Intl.DateTimeFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * DateTimeFormat object.\n */\n/* 12.3.2 */defineProperty(Intl.DateTimeFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatDateTime\n});\n\nfunction GetFormatDateTime() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.DateTimeFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this DateTimeFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 0, that takes the argument date and\n // performs the following steps:\n var F = function F() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n // i. If date is not provided or is undefined, then let x be the\n // result as if by the expression Date.now() where Date.now is\n // the standard built-in function defined in ES5, 15.9.4.4.\n // ii. Else let x be ToNumber(date).\n // iii. Return the result of calling the FormatDateTime abstract\n // operation (defined below) with arguments this and x.\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatDateTime(this, x);\n };\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts$1() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.DateTimeFormat object.');\n\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatToPartsDateTime(this, x);\n}\n\nObject.defineProperty(Intl.DateTimeFormat.prototype, 'formatToParts', {\n enumerable: false,\n writable: true,\n configurable: true,\n value: formatToParts$1\n});\n\nfunction CreateDateTimeParts(dateTimeFormat, x) {\n // 1. If x is not a finite Number, then throw a RangeError exception.\n if (!isFinite(x)) throw new RangeError('Invalid valid date passed to format');\n\n var internal = dateTimeFormat.__getInternalProperties(secret);\n\n // Creating restore point for properties on the RegExp object... please wait\n /* let regexpRestore = */createRegExpRestore(); // ###TODO: review this\n\n // 2. Let locale be the value of the [[locale]] internal property of dateTimeFormat.\n var locale = internal['[[locale]]'];\n\n // 3. Let nf be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {useGrouping: false}) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n var nf = new Intl.NumberFormat([locale], { useGrouping: false });\n\n // 4. Let nf2 be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {minimumIntegerDigits: 2, useGrouping:\n // false}) where Intl.NumberFormat is the standard built-in constructor defined in\n // 11.1.3.\n var nf2 = new Intl.NumberFormat([locale], { minimumIntegerDigits: 2, useGrouping: false });\n\n // 5. Let tm be the result of calling the ToLocalTime abstract operation (defined\n // below) with x, the value of the [[calendar]] internal property of dateTimeFormat,\n // and the value of the [[timeZone]] internal property of dateTimeFormat.\n var tm = ToLocalTime(x, internal['[[calendar]]'], internal['[[timeZone]]']);\n\n // 6. Let result be the value of the [[pattern]] internal property of dateTimeFormat.\n var pattern = internal['[[pattern]]'];\n\n // 7.\n var result = new List();\n\n // 8.\n var index = 0;\n\n // 9.\n var beginIndex = pattern.indexOf('{');\n\n // 10.\n var endIndex = 0;\n\n // Need the locale minus any extensions\n var dataLocale = internal['[[dataLocale]]'];\n\n // Need the calendar data from CLDR\n var localeData = internals.DateTimeFormat['[[localeData]]'][dataLocale].calendars;\n var ca = internal['[[calendar]]'];\n\n // 11.\n while (beginIndex !== -1) {\n var fv = void 0;\n // a.\n endIndex = pattern.indexOf('}', beginIndex);\n // b.\n if (endIndex === -1) {\n throw new Error('Unclosed pattern');\n }\n // c.\n if (beginIndex > index) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(index, beginIndex)\n });\n }\n // d.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // e.\n if (dateTimeComponents.hasOwnProperty(p)) {\n // i. Let f be the value of the [[

]] internal property of dateTimeFormat.\n var f = internal['[[' + p + ']]'];\n // ii. Let v be the value of tm.[[

]].\n var v = tm['[[' + p + ']]'];\n // iii. If p is \"year\" and v ≤ 0, then let v be 1 - v.\n if (p === 'year' && v <= 0) {\n v = 1 - v;\n }\n // iv. If p is \"month\", then increase v by 1.\n else if (p === 'month') {\n v++;\n }\n // v. If p is \"hour\" and the value of the [[hour12]] internal property of\n // dateTimeFormat is true, then\n else if (p === 'hour' && internal['[[hour12]]'] === true) {\n // 1. Let v be v modulo 12.\n v = v % 12;\n // 2. If v is 0 and the value of the [[hourNo0]] internal property of\n // dateTimeFormat is true, then let v be 12.\n if (v === 0 && internal['[[hourNo0]]'] === true) {\n v = 12;\n }\n }\n\n // vi. If f is \"numeric\", then\n if (f === 'numeric') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments nf and v.\n fv = FormatNumber(nf, v);\n }\n // vii. Else if f is \"2-digit\", then\n else if (f === '2-digit') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // with arguments nf2 and v.\n fv = FormatNumber(nf2, v);\n // 2. If the length of fv is greater than 2, let fv be the substring of fv\n // containing the last two characters.\n if (fv.length > 2) {\n fv = fv.slice(-2);\n }\n }\n // viii. Else if f is \"narrow\", \"short\", or \"long\", then let fv be a String\n // value representing f in the desired form; the String value depends upon\n // the implementation and the effective locale and calendar of\n // dateTimeFormat. If p is \"month\", then the String value may also depend\n // on whether dateTimeFormat has a [[day]] internal property. If p is\n // \"timeZoneName\", then the String value may also depend on the value of\n // the [[inDST]] field of tm.\n else if (f in dateWidths) {\n switch (p) {\n case 'month':\n fv = resolveDateString(localeData, ca, 'months', f, tm['[[' + p + ']]']);\n break;\n\n case 'weekday':\n try {\n fv = resolveDateString(localeData, ca, 'days', f, tm['[[' + p + ']]']);\n // fv = resolveDateString(ca.days, f)[tm['[['+ p +']]']];\n } catch (e) {\n throw new Error('Could not find weekday data for locale ' + locale);\n }\n break;\n\n case 'timeZoneName':\n fv = ''; // ###TODO\n break;\n\n case 'era':\n try {\n fv = resolveDateString(localeData, ca, 'eras', f, tm['[[' + p + ']]']);\n } catch (e) {\n throw new Error('Could not find era data for locale ' + locale);\n }\n break;\n\n default:\n fv = tm['[[' + p + ']]'];\n }\n }\n // ix\n arrPush.call(result, {\n type: p,\n value: fv\n });\n // f.\n } else if (p === 'ampm') {\n // i.\n var _v = tm['[[hour]]'];\n // ii./iii.\n fv = resolveDateString(localeData, ca, 'dayPeriods', _v > 11 ? 'pm' : 'am', null);\n // iv.\n arrPush.call(result, {\n type: 'dayPeriod',\n value: fv\n });\n // g.\n } else {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(beginIndex, endIndex + 1)\n });\n }\n // h.\n index = endIndex + 1;\n // i.\n beginIndex = pattern.indexOf('{', index);\n }\n // 12.\n if (endIndex < pattern.length - 1) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substr(endIndex + 1)\n });\n }\n // 13.\n return result;\n}\n\n/**\n * When the FormatDateTime abstract operation is called with arguments dateTimeFormat\n * (which must be an object initialized as a DateTimeFormat) and x (which must be a Number\n * value), it returns a String value representing x (interpreted as a time value as\n * specified in ES5, 15.9.1.1) according to the effective locale and the formatting\n * options of dateTimeFormat.\n */\nfunction FormatDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = '';\n\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result += part.value;\n }\n return result;\n}\n\nfunction FormatToPartsDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = [];\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result.push({\n type: part.type,\n value: part.value\n });\n }\n return result;\n}\n\n/**\n * When the ToLocalTime abstract operation is called with arguments date, calendar, and\n * timeZone, the following steps are taken:\n */\nfunction ToLocalTime(date, calendar, timeZone) {\n // 1. Apply calendrical calculations on date for the given calendar and time zone to\n // produce weekday, era, year, month, day, hour, minute, second, and inDST values.\n // The calculations should use best available information about the specified\n // calendar and time zone. If the calendar is \"gregory\", then the calculations must\n // match the algorithms specified in ES5, 15.9.1, except that calculations are not\n // bound by the restrictions on the use of best available information on time zones\n // for local time zone adjustment and daylight saving time adjustment imposed by\n // ES5, 15.9.1.7 and 15.9.1.8.\n // ###TODO###\n var d = new Date(date),\n m = 'get' + (timeZone || '');\n\n // 2. Return a Record with fields [[weekday]], [[era]], [[year]], [[month]], [[day]],\n // [[hour]], [[minute]], [[second]], and [[inDST]], each with the corresponding\n // calculated value.\n return new Record({\n '[[weekday]]': d[m + 'Day'](),\n '[[era]]': +(d[m + 'FullYear']() >= 0),\n '[[year]]': d[m + 'FullYear'](),\n '[[month]]': d[m + 'Month'](),\n '[[day]]': d[m + 'Date'](),\n '[[hour]]': d[m + 'Hours'](),\n '[[minute]]': d[m + 'Minutes'](),\n '[[second]]': d[m + 'Seconds'](),\n '[[inDST]]': false // ###TODO###\n });\n}\n\n/**\n * The function returns a new object whose properties and attributes are set as if\n * constructed by an object literal assigning to each of the following properties the\n * value of the corresponding internal property of this DateTimeFormat object (see 12.4):\n * locale, calendar, numberingSystem, timeZone, hour12, weekday, era, year, month, day,\n * hour, minute, second, and timeZoneName. Properties whose corresponding internal\n * properties are not present are not assigned.\n */\n/* 12.3.3 */defineProperty(Intl.DateTimeFormat.prototype, 'resolvedOptions', {\n writable: true,\n configurable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'calendar', 'numberingSystem', 'timeZone', 'hour12', 'weekday', 'era', 'year', 'month', 'day', 'hour', 'minute', 'second', 'timeZoneName'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.DateTimeFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\nvar ls = Intl.__localeSensitiveProtos = {\n Number: {},\n Date: {}\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.2.1 */ls.Number.toLocaleString = function () {\n // Satisfy test 13.2.1_1\n if (Object.prototype.toString.call(this) !== '[object Number]') throw new TypeError('`this` value must be a number for Number.prototype.toLocaleString()');\n\n // 1. Let x be this Number value (as defined in ES5, 15.7.4).\n // 2. If locales is not provided, then let locales be undefined.\n // 3. If options is not provided, then let options be undefined.\n // 4. Let numberFormat be the result of creating a new object as if by the\n // expression new Intl.NumberFormat(locales, options) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n // 5. Return the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments numberFormat and x.\n return FormatNumber(new NumberFormatConstructor(arguments[0], arguments[1]), this);\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.3.1 */ls.Date.toLocaleString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"any\", and \"all\".\n options = ToDateTimeOptions(options, 'any', 'all');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleDateString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.2 */ls.Date.toLocaleDateString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleDateString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0],\n\n\n // 4. If options is not provided, then let options be undefined.\n options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"date\", and \"date\".\n options = ToDateTimeOptions(options, 'date', 'date');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleTimeString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.3 */ls.Date.toLocaleTimeString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleTimeString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"time\", and \"time\".\n options = ToDateTimeOptions(options, 'time', 'time');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\ndefineProperty(Intl, '__applyLocaleSensitivePrototypes', {\n writable: true,\n configurable: true,\n value: function value() {\n defineProperty(Number.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Number.toLocaleString });\n // Need this here for IE 8, to avoid the _DontEnum_ bug\n defineProperty(Date.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Date.toLocaleString });\n\n for (var k in ls.Date) {\n if (hop.call(ls.Date, k)) defineProperty(Date.prototype, k, { writable: true, configurable: true, value: ls.Date[k] });\n }\n }\n});\n\n/**\n * Can't really ship a single script with data for hundreds of locales, so we provide\n * this __addLocaleData method as a means for the developer to add the data on an\n * as-needed basis\n */\ndefineProperty(Intl, '__addLocaleData', {\n value: function value(data) {\n if (!IsStructurallyValidLanguageTag(data.locale)) throw new Error(\"Object passed doesn't identify itself with a valid language tag\");\n\n addLocaleData(data, data.locale);\n }\n});\n\nfunction addLocaleData(data, tag) {\n // Both NumberFormat and DateTimeFormat require number data, so throw if it isn't present\n if (!data.number) throw new Error(\"Object passed doesn't contain locale data for Intl.NumberFormat\");\n\n var locale = void 0,\n locales = [tag],\n parts = tag.split('-');\n\n // Create fallbacks for locale data with scripts, e.g. Latn, Hans, Vaii, etc\n if (parts.length > 2 && parts[1].length === 4) arrPush.call(locales, parts[0] + '-' + parts[2]);\n\n while (locale = arrShift.call(locales)) {\n // Add to NumberFormat internal properties as per 11.2.3\n arrPush.call(internals.NumberFormat['[[availableLocales]]'], locale);\n internals.NumberFormat['[[localeData]]'][locale] = data.number;\n\n // ...and DateTimeFormat internal properties as per 12.2.3\n if (data.date) {\n data.date.nu = data.number.nu;\n arrPush.call(internals.DateTimeFormat['[[availableLocales]]'], locale);\n internals.DateTimeFormat['[[localeData]]'][locale] = data.date;\n }\n }\n\n // If this is the first set of locale data added, make it the default\n if (defaultLocale === undefined) setDefaultLocale(tag);\n}\n\ndefineProperty(Intl, '__disableRegExpRestore', {\n value: function value() {\n internals.disableRegExpRestore = true;\n }\n});\n\nmodule.exports = Intl;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(46)))\n\n/***/ }),\n\n/***/ 892:\n/***/ (function(module, exports) {\n\n/* (ignored) */\n\n/***/ }),\n\n/***/ 893:\n/***/ (function(module, exports) {\n\nIntlPolyfill.__addLocaleData({ locale: \"en\", date: { ca: [\"gregory\", \"buddhist\", \"chinese\", \"coptic\", \"dangi\", \"ethioaa\", \"ethiopic\", \"generic\", \"hebrew\", \"indian\", \"islamic\", \"islamicc\", \"japanese\", \"persian\", \"roc\"], hourNo0: true, hour12: true, formats: { short: \"{1}, {0}\", medium: \"{1}, {0}\", full: \"{1} 'at' {0}\", long: \"{1} 'at' {0}\", availableFormats: { \"d\": \"d\", \"E\": \"ccc\", Ed: \"d E\", Ehm: \"E h:mm a\", EHm: \"E HH:mm\", Ehms: \"E h:mm:ss a\", EHms: \"E HH:mm:ss\", Gy: \"y G\", GyMMM: \"MMM y G\", GyMMMd: \"MMM d, y G\", GyMMMEd: \"E, MMM d, y G\", \"h\": \"h a\", \"H\": \"HH\", hm: \"h:mm a\", Hm: \"HH:mm\", hms: \"h:mm:ss a\", Hms: \"HH:mm:ss\", hmsv: \"h:mm:ss a v\", Hmsv: \"HH:mm:ss v\", hmv: \"h:mm a v\", Hmv: \"HH:mm v\", \"M\": \"L\", Md: \"M/d\", MEd: \"E, M/d\", MMM: \"LLL\", MMMd: \"MMM d\", MMMEd: \"E, MMM d\", MMMMd: \"MMMM d\", ms: \"mm:ss\", \"y\": \"y\", yM: \"M/y\", yMd: \"M/d/y\", yMEd: \"E, M/d/y\", yMMM: \"MMM y\", yMMMd: \"MMM d, y\", yMMMEd: \"E, MMM d, y\", yMMMM: \"MMMM y\", yQQQ: \"QQQ y\", yQQQQ: \"QQQQ y\" }, dateFormats: { yMMMMEEEEd: \"EEEE, MMMM d, y\", yMMMMd: \"MMMM d, y\", yMMMd: \"MMM d, y\", yMd: \"M/d/yy\" }, timeFormats: { hmmsszzzz: \"h:mm:ss a zzzz\", hmsz: \"h:mm:ss a z\", hms: \"h:mm:ss a\", hm: \"h:mm a\" } }, calendars: { buddhist: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"BE\"], short: [\"BE\"], long: [\"BE\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, chinese: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Mo1\", \"Mo2\", \"Mo3\", \"Mo4\", \"Mo5\", \"Mo6\", \"Mo7\", \"Mo8\", \"Mo9\", \"Mo10\", \"Mo11\", \"Mo12\"], long: [\"Month1\", \"Month2\", \"Month3\", \"Month4\", \"Month5\", \"Month6\", \"Month7\", \"Month8\", \"Month9\", \"Month10\", \"Month11\", \"Month12\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, coptic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\"], short: [\"Tout\", \"Baba\", \"Hator\", \"Kiahk\", \"Toba\", \"Amshir\", \"Baramhat\", \"Baramouda\", \"Bashans\", \"Paona\", \"Epep\", \"Mesra\", \"Nasie\"], long: [\"Tout\", \"Baba\", \"Hator\", \"Kiahk\", \"Toba\", \"Amshir\", \"Baramhat\", \"Baramouda\", \"Bashans\", \"Paona\", \"Epep\", \"Mesra\", \"Nasie\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\", \"ERA1\"], short: [\"ERA0\", \"ERA1\"], long: [\"ERA0\", \"ERA1\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, dangi: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Mo1\", \"Mo2\", \"Mo3\", \"Mo4\", \"Mo5\", \"Mo6\", \"Mo7\", \"Mo8\", \"Mo9\", \"Mo10\", \"Mo11\", \"Mo12\"], long: [\"Month1\", \"Month2\", \"Month3\", \"Month4\", \"Month5\", \"Month6\", \"Month7\", \"Month8\", \"Month9\", \"Month10\", \"Month11\", \"Month12\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, ethiopic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\"], short: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"], long: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\", \"ERA1\"], short: [\"ERA0\", \"ERA1\"], long: [\"ERA0\", \"ERA1\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, ethioaa: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\"], short: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"], long: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\"], short: [\"ERA0\"], long: [\"ERA0\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, generic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"M01\", \"M02\", \"M03\", \"M04\", \"M05\", \"M06\", \"M07\", \"M08\", \"M09\", \"M10\", \"M11\", \"M12\"], long: [\"M01\", \"M02\", \"M03\", \"M04\", \"M05\", \"M06\", \"M07\", \"M08\", \"M09\", \"M10\", \"M11\", \"M12\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\", \"ERA1\"], short: [\"ERA0\", \"ERA1\"], long: [\"ERA0\", \"ERA1\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, gregory: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"B\", \"A\", \"BCE\", \"CE\"], short: [\"BC\", \"AD\", \"BCE\", \"CE\"], long: [\"Before Christ\", \"Anno Domini\", \"Before Common Era\", \"Common Era\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, hebrew: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\", \"7\"], short: [\"Tishri\", \"Heshvan\", \"Kislev\", \"Tevet\", \"Shevat\", \"Adar I\", \"Adar\", \"Nisan\", \"Iyar\", \"Sivan\", \"Tamuz\", \"Av\", \"Elul\", \"Adar II\"], long: [\"Tishri\", \"Heshvan\", \"Kislev\", \"Tevet\", \"Shevat\", \"Adar I\", \"Adar\", \"Nisan\", \"Iyar\", \"Sivan\", \"Tamuz\", \"Av\", \"Elul\", \"Adar II\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AM\"], short: [\"AM\"], long: [\"AM\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, indian: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Chaitra\", \"Vaisakha\", \"Jyaistha\", \"Asadha\", \"Sravana\", \"Bhadra\", \"Asvina\", \"Kartika\", \"Agrahayana\", \"Pausa\", \"Magha\", \"Phalguna\"], long: [\"Chaitra\", \"Vaisakha\", \"Jyaistha\", \"Asadha\", \"Sravana\", \"Bhadra\", \"Asvina\", \"Kartika\", \"Agrahayana\", \"Pausa\", \"Magha\", \"Phalguna\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"Saka\"], short: [\"Saka\"], long: [\"Saka\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, islamic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Muh.\", \"Saf.\", \"Rab. I\", \"Rab. II\", \"Jum. I\", \"Jum. II\", \"Raj.\", \"Sha.\", \"Ram.\", \"Shaw.\", \"Dhuʻl-Q.\", \"Dhuʻl-H.\"], long: [\"Muharram\", \"Safar\", \"Rabiʻ I\", \"Rabiʻ II\", \"Jumada I\", \"Jumada II\", \"Rajab\", \"Shaʻban\", \"Ramadan\", \"Shawwal\", \"Dhuʻl-Qiʻdah\", \"Dhuʻl-Hijjah\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AH\"], short: [\"AH\"], long: [\"AH\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, islamicc: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Muh.\", \"Saf.\", \"Rab. I\", \"Rab. II\", \"Jum. I\", \"Jum. II\", \"Raj.\", \"Sha.\", \"Ram.\", \"Shaw.\", \"Dhuʻl-Q.\", \"Dhuʻl-H.\"], long: [\"Muharram\", \"Safar\", \"Rabiʻ I\", \"Rabiʻ II\", \"Jumada I\", \"Jumada II\", \"Rajab\", \"Shaʻban\", \"Ramadan\", \"Shawwal\", \"Dhuʻl-Qiʻdah\", \"Dhuʻl-Hijjah\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AH\"], short: [\"AH\"], long: [\"AH\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, japanese: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"Taika (645–650)\", \"Hakuchi (650–671)\", \"Hakuhō (672–686)\", \"Shuchō (686–701)\", \"Taihō (701–704)\", \"Keiun (704–708)\", \"Wadō (708–715)\", \"Reiki (715–717)\", \"Yōrō (717–724)\", \"Jinki (724–729)\", \"Tenpyō (729–749)\", \"Tenpyō-kampō (749-749)\", \"Tenpyō-shōhō (749-757)\", \"Tenpyō-hōji (757-765)\", \"Tenpyō-jingo (765-767)\", \"Jingo-keiun (767-770)\", \"Hōki (770–780)\", \"Ten-ō (781-782)\", \"Enryaku (782–806)\", \"Daidō (806–810)\", \"Kōnin (810–824)\", \"Tenchō (824–834)\", \"Jōwa (834–848)\", \"Kajō (848–851)\", \"Ninju (851–854)\", \"Saikō (854–857)\", \"Ten-an (857-859)\", \"Jōgan (859–877)\", \"Gangyō (877–885)\", \"Ninna (885–889)\", \"Kanpyō (889–898)\", \"Shōtai (898–901)\", \"Engi (901–923)\", \"Enchō (923–931)\", \"Jōhei (931–938)\", \"Tengyō (938–947)\", \"Tenryaku (947–957)\", \"Tentoku (957–961)\", \"Ōwa (961–964)\", \"Kōhō (964–968)\", \"Anna (968–970)\", \"Tenroku (970–973)\", \"Ten’en (973–976)\", \"Jōgen (976–978)\", \"Tengen (978–983)\", \"Eikan (983–985)\", \"Kanna (985–987)\", \"Eien (987–989)\", \"Eiso (989–990)\", \"Shōryaku (990–995)\", \"Chōtoku (995–999)\", \"Chōhō (999–1004)\", \"Kankō (1004–1012)\", \"Chōwa (1012–1017)\", \"Kannin (1017–1021)\", \"Jian (1021–1024)\", \"Manju (1024–1028)\", \"Chōgen (1028–1037)\", \"Chōryaku (1037–1040)\", \"Chōkyū (1040–1044)\", \"Kantoku (1044–1046)\", \"Eishō (1046–1053)\", \"Tengi (1053–1058)\", \"Kōhei (1058–1065)\", \"Jiryaku (1065–1069)\", \"Enkyū (1069–1074)\", \"Shōho (1074–1077)\", \"Shōryaku (1077–1081)\", \"Eihō (1081–1084)\", \"Ōtoku (1084–1087)\", \"Kanji (1087–1094)\", \"Kahō (1094–1096)\", \"Eichō (1096–1097)\", \"Jōtoku (1097–1099)\", \"Kōwa (1099–1104)\", \"Chōji (1104–1106)\", \"Kashō (1106–1108)\", \"Tennin (1108–1110)\", \"Ten-ei (1110-1113)\", \"Eikyū (1113–1118)\", \"Gen’ei (1118–1120)\", \"Hōan (1120–1124)\", \"Tenji (1124–1126)\", \"Daiji (1126–1131)\", \"Tenshō (1131–1132)\", \"Chōshō (1132–1135)\", \"Hōen (1135–1141)\", \"Eiji (1141–1142)\", \"Kōji (1142–1144)\", \"Ten’yō (1144–1145)\", \"Kyūan (1145–1151)\", \"Ninpei (1151–1154)\", \"Kyūju (1154–1156)\", \"Hōgen (1156–1159)\", \"Heiji (1159–1160)\", \"Eiryaku (1160–1161)\", \"Ōho (1161–1163)\", \"Chōkan (1163–1165)\", \"Eiman (1165–1166)\", \"Nin’an (1166–1169)\", \"Kaō (1169–1171)\", \"Shōan (1171–1175)\", \"Angen (1175–1177)\", \"Jishō (1177–1181)\", \"Yōwa (1181–1182)\", \"Juei (1182–1184)\", \"Genryaku (1184–1185)\", \"Bunji (1185–1190)\", \"Kenkyū (1190–1199)\", \"Shōji (1199–1201)\", \"Kennin (1201–1204)\", \"Genkyū (1204–1206)\", \"Ken’ei (1206–1207)\", \"Jōgen (1207–1211)\", \"Kenryaku (1211–1213)\", \"Kenpō (1213–1219)\", \"Jōkyū (1219–1222)\", \"Jōō (1222–1224)\", \"Gennin (1224–1225)\", \"Karoku (1225–1227)\", \"Antei (1227–1229)\", \"Kanki (1229–1232)\", \"Jōei (1232–1233)\", \"Tenpuku (1233–1234)\", \"Bunryaku (1234–1235)\", \"Katei (1235–1238)\", \"Ryakunin (1238–1239)\", \"En’ō (1239–1240)\", \"Ninji (1240–1243)\", \"Kangen (1243–1247)\", \"Hōji (1247–1249)\", \"Kenchō (1249–1256)\", \"Kōgen (1256–1257)\", \"Shōka (1257–1259)\", \"Shōgen (1259–1260)\", \"Bun’ō (1260–1261)\", \"Kōchō (1261–1264)\", \"Bun’ei (1264–1275)\", \"Kenji (1275–1278)\", \"Kōan (1278–1288)\", \"Shōō (1288–1293)\", \"Einin (1293–1299)\", \"Shōan (1299–1302)\", \"Kengen (1302–1303)\", \"Kagen (1303–1306)\", \"Tokuji (1306–1308)\", \"Enkyō (1308–1311)\", \"Ōchō (1311–1312)\", \"Shōwa (1312–1317)\", \"Bunpō (1317–1319)\", \"Genō (1319–1321)\", \"Genkō (1321–1324)\", \"Shōchū (1324–1326)\", \"Karyaku (1326–1329)\", \"Gentoku (1329–1331)\", \"Genkō (1331–1334)\", \"Kenmu (1334–1336)\", \"Engen (1336–1340)\", \"Kōkoku (1340–1346)\", \"Shōhei (1346–1370)\", \"Kentoku (1370–1372)\", \"Bunchū (1372–1375)\", \"Tenju (1375–1379)\", \"Kōryaku (1379–1381)\", \"Kōwa (1381–1384)\", \"Genchū (1384–1392)\", \"Meitoku (1384–1387)\", \"Kakei (1387–1389)\", \"Kōō (1389–1390)\", \"Meitoku (1390–1394)\", \"Ōei (1394–1428)\", \"Shōchō (1428–1429)\", \"Eikyō (1429–1441)\", \"Kakitsu (1441–1444)\", \"Bun’an (1444–1449)\", \"Hōtoku (1449–1452)\", \"Kyōtoku (1452–1455)\", \"Kōshō (1455–1457)\", \"Chōroku (1457–1460)\", \"Kanshō (1460–1466)\", \"Bunshō (1466–1467)\", \"Ōnin (1467–1469)\", \"Bunmei (1469–1487)\", \"Chōkyō (1487–1489)\", \"Entoku (1489–1492)\", \"Meiō (1492–1501)\", \"Bunki (1501–1504)\", \"Eishō (1504–1521)\", \"Taiei (1521–1528)\", \"Kyōroku (1528–1532)\", \"Tenbun (1532–1555)\", \"Kōji (1555–1558)\", \"Eiroku (1558–1570)\", \"Genki (1570–1573)\", \"Tenshō (1573–1592)\", \"Bunroku (1592–1596)\", \"Keichō (1596–1615)\", \"Genna (1615–1624)\", \"Kan’ei (1624–1644)\", \"Shōho (1644–1648)\", \"Keian (1648–1652)\", \"Jōō (1652–1655)\", \"Meireki (1655–1658)\", \"Manji (1658–1661)\", \"Kanbun (1661–1673)\", \"Enpō (1673–1681)\", \"Tenna (1681–1684)\", \"Jōkyō (1684–1688)\", \"Genroku (1688–1704)\", \"Hōei (1704–1711)\", \"Shōtoku (1711–1716)\", \"Kyōhō (1716–1736)\", \"Genbun (1736–1741)\", \"Kanpō (1741–1744)\", \"Enkyō (1744–1748)\", \"Kan’en (1748–1751)\", \"Hōreki (1751–1764)\", \"Meiwa (1764–1772)\", \"An’ei (1772–1781)\", \"Tenmei (1781–1789)\", \"Kansei (1789–1801)\", \"Kyōwa (1801–1804)\", \"Bunka (1804–1818)\", \"Bunsei (1818–1830)\", \"Tenpō (1830–1844)\", \"Kōka (1844–1848)\", \"Kaei (1848–1854)\", \"Ansei (1854–1860)\", \"Man’en (1860–1861)\", \"Bunkyū (1861–1864)\", \"Genji (1864–1865)\", \"Keiō (1865–1868)\", \"M\", \"T\", \"S\", \"H\"], short: [\"Taika (645–650)\", \"Hakuchi (650–671)\", \"Hakuhō (672–686)\", \"Shuchō (686–701)\", \"Taihō (701–704)\", \"Keiun (704–708)\", \"Wadō (708–715)\", \"Reiki (715–717)\", \"Yōrō (717–724)\", \"Jinki (724–729)\", \"Tenpyō (729–749)\", \"Tenpyō-kampō (749-749)\", \"Tenpyō-shōhō (749-757)\", \"Tenpyō-hōji (757-765)\", \"Tenpyō-jingo (765-767)\", \"Jingo-keiun (767-770)\", \"Hōki (770–780)\", \"Ten-ō (781-782)\", \"Enryaku (782–806)\", \"Daidō (806–810)\", \"Kōnin (810–824)\", \"Tenchō (824–834)\", \"Jōwa (834–848)\", \"Kajō (848–851)\", \"Ninju (851–854)\", \"Saikō (854–857)\", \"Ten-an (857-859)\", \"Jōgan (859–877)\", \"Gangyō (877–885)\", \"Ninna (885–889)\", \"Kanpyō (889–898)\", \"Shōtai (898–901)\", \"Engi (901–923)\", \"Enchō (923–931)\", \"Jōhei (931–938)\", \"Tengyō (938–947)\", \"Tenryaku (947–957)\", \"Tentoku (957–961)\", \"Ōwa (961–964)\", \"Kōhō (964–968)\", \"Anna (968–970)\", \"Tenroku (970–973)\", \"Ten’en (973–976)\", \"Jōgen (976–978)\", \"Tengen (978–983)\", \"Eikan (983–985)\", \"Kanna (985–987)\", \"Eien (987–989)\", \"Eiso (989–990)\", \"Shōryaku (990–995)\", \"Chōtoku (995–999)\", \"Chōhō (999–1004)\", \"Kankō (1004–1012)\", \"Chōwa (1012–1017)\", \"Kannin (1017–1021)\", \"Jian (1021–1024)\", \"Manju (1024–1028)\", \"Chōgen (1028–1037)\", \"Chōryaku (1037–1040)\", \"Chōkyū (1040–1044)\", \"Kantoku (1044–1046)\", \"Eishō (1046–1053)\", \"Tengi (1053–1058)\", \"Kōhei (1058–1065)\", \"Jiryaku (1065–1069)\", \"Enkyū (1069–1074)\", \"Shōho (1074–1077)\", \"Shōryaku (1077–1081)\", \"Eihō (1081–1084)\", \"Ōtoku (1084–1087)\", \"Kanji (1087–1094)\", \"Kahō (1094–1096)\", \"Eichō (1096–1097)\", \"Jōtoku (1097–1099)\", \"Kōwa (1099–1104)\", \"Chōji (1104–1106)\", \"Kashō (1106–1108)\", \"Tennin (1108–1110)\", \"Ten-ei (1110-1113)\", \"Eikyū (1113–1118)\", \"Gen’ei (1118–1120)\", \"Hōan (1120–1124)\", \"Tenji (1124–1126)\", \"Daiji (1126–1131)\", \"Tenshō (1131–1132)\", \"Chōshō (1132–1135)\", \"Hōen (1135–1141)\", \"Eiji (1141–1142)\", \"Kōji (1142–1144)\", \"Ten’yō (1144–1145)\", \"Kyūan (1145–1151)\", \"Ninpei (1151–1154)\", \"Kyūju (1154–1156)\", \"Hōgen (1156–1159)\", \"Heiji (1159–1160)\", \"Eiryaku (1160–1161)\", \"Ōho (1161–1163)\", \"Chōkan (1163–1165)\", \"Eiman (1165–1166)\", \"Nin’an (1166–1169)\", \"Kaō (1169–1171)\", \"Shōan (1171–1175)\", \"Angen (1175–1177)\", \"Jishō (1177–1181)\", \"Yōwa (1181–1182)\", \"Juei (1182–1184)\", \"Genryaku (1184–1185)\", \"Bunji (1185–1190)\", \"Kenkyū (1190–1199)\", \"Shōji (1199–1201)\", \"Kennin (1201–1204)\", \"Genkyū (1204–1206)\", \"Ken’ei (1206–1207)\", \"Jōgen (1207–1211)\", \"Kenryaku (1211–1213)\", \"Kenpō (1213–1219)\", \"Jōkyū (1219–1222)\", \"Jōō (1222–1224)\", \"Gennin (1224–1225)\", \"Karoku (1225–1227)\", \"Antei (1227–1229)\", \"Kanki (1229–1232)\", \"Jōei (1232–1233)\", \"Tenpuku (1233–1234)\", \"Bunryaku (1234–1235)\", \"Katei (1235–1238)\", \"Ryakunin (1238–1239)\", \"En’ō (1239–1240)\", \"Ninji (1240–1243)\", \"Kangen (1243–1247)\", \"Hōji (1247–1249)\", \"Kenchō (1249–1256)\", \"Kōgen (1256–1257)\", \"Shōka (1257–1259)\", \"Shōgen (1259–1260)\", \"Bun’ō (1260–1261)\", \"Kōchō (1261–1264)\", \"Bun’ei (1264–1275)\", \"Kenji (1275–1278)\", \"Kōan (1278–1288)\", \"Shōō (1288–1293)\", \"Einin (1293–1299)\", \"Shōan (1299–1302)\", \"Kengen (1302–1303)\", \"Kagen (1303–1306)\", \"Tokuji (1306–1308)\", \"Enkyō (1308–1311)\", \"Ōchō (1311–1312)\", \"Shōwa (1312–1317)\", \"Bunpō (1317–1319)\", \"Genō (1319–1321)\", \"Genkō (1321–1324)\", \"Shōchū (1324–1326)\", \"Karyaku (1326–1329)\", \"Gentoku (1329–1331)\", \"Genkō (1331–1334)\", \"Kenmu (1334–1336)\", \"Engen (1336–1340)\", \"Kōkoku (1340–1346)\", \"Shōhei (1346–1370)\", \"Kentoku (1370–1372)\", \"Bunchū (1372–1375)\", \"Tenju (1375–1379)\", \"Kōryaku (1379–1381)\", \"Kōwa (1381–1384)\", \"Genchū (1384–1392)\", \"Meitoku (1384–1387)\", \"Kakei (1387–1389)\", \"Kōō (1389–1390)\", \"Meitoku (1390–1394)\", \"Ōei (1394–1428)\", \"Shōchō (1428–1429)\", \"Eikyō (1429–1441)\", \"Kakitsu (1441–1444)\", \"Bun’an (1444–1449)\", \"Hōtoku (1449–1452)\", \"Kyōtoku (1452–1455)\", \"Kōshō (1455–1457)\", \"Chōroku (1457–1460)\", \"Kanshō (1460–1466)\", \"Bunshō (1466–1467)\", \"Ōnin (1467–1469)\", \"Bunmei (1469–1487)\", \"Chōkyō (1487–1489)\", \"Entoku (1489–1492)\", \"Meiō (1492–1501)\", \"Bunki (1501–1504)\", \"Eishō (1504–1521)\", \"Taiei (1521–1528)\", \"Kyōroku (1528–1532)\", \"Tenbun (1532–1555)\", \"Kōji (1555–1558)\", \"Eiroku (1558–1570)\", \"Genki (1570–1573)\", \"Tenshō (1573–1592)\", \"Bunroku (1592–1596)\", \"Keichō (1596–1615)\", \"Genna (1615–1624)\", \"Kan’ei (1624–1644)\", \"Shōho (1644–1648)\", \"Keian (1648–1652)\", \"Jōō (1652–1655)\", \"Meireki (1655–1658)\", \"Manji (1658–1661)\", \"Kanbun (1661–1673)\", \"Enpō (1673–1681)\", \"Tenna (1681–1684)\", \"Jōkyō (1684–1688)\", \"Genroku (1688–1704)\", \"Hōei (1704–1711)\", \"Shōtoku (1711–1716)\", \"Kyōhō (1716–1736)\", \"Genbun (1736–1741)\", \"Kanpō (1741–1744)\", \"Enkyō (1744–1748)\", \"Kan’en (1748–1751)\", \"Hōreki (1751–1764)\", \"Meiwa (1764–1772)\", \"An’ei (1772–1781)\", \"Tenmei (1781–1789)\", \"Kansei (1789–1801)\", \"Kyōwa (1801–1804)\", \"Bunka (1804–1818)\", \"Bunsei (1818–1830)\", \"Tenpō (1830–1844)\", \"Kōka (1844–1848)\", \"Kaei (1848–1854)\", \"Ansei (1854–1860)\", \"Man’en (1860–1861)\", \"Bunkyū (1861–1864)\", \"Genji (1864–1865)\", \"Keiō (1865–1868)\", \"Meiji\", \"Taishō\", \"Shōwa\", \"Heisei\"], long: [\"Taika (645–650)\", \"Hakuchi (650–671)\", \"Hakuhō (672–686)\", \"Shuchō (686–701)\", \"Taihō (701–704)\", \"Keiun (704–708)\", \"Wadō (708–715)\", \"Reiki (715–717)\", \"Yōrō (717–724)\", \"Jinki (724–729)\", \"Tenpyō (729–749)\", \"Tenpyō-kampō (749-749)\", \"Tenpyō-shōhō (749-757)\", \"Tenpyō-hōji (757-765)\", \"Tenpyō-jingo (765-767)\", \"Jingo-keiun (767-770)\", \"Hōki (770–780)\", \"Ten-ō (781-782)\", \"Enryaku (782–806)\", \"Daidō (806–810)\", \"Kōnin (810–824)\", \"Tenchō (824–834)\", \"Jōwa (834–848)\", \"Kajō (848–851)\", \"Ninju (851–854)\", \"Saikō (854–857)\", \"Ten-an (857-859)\", \"Jōgan (859–877)\", \"Gangyō (877–885)\", \"Ninna (885–889)\", \"Kanpyō (889–898)\", \"Shōtai (898–901)\", \"Engi (901–923)\", \"Enchō (923–931)\", \"Jōhei (931–938)\", \"Tengyō (938–947)\", \"Tenryaku (947–957)\", \"Tentoku (957–961)\", \"Ōwa (961–964)\", \"Kōhō (964–968)\", \"Anna (968–970)\", \"Tenroku (970–973)\", \"Ten’en (973–976)\", \"Jōgen (976–978)\", \"Tengen (978–983)\", \"Eikan (983–985)\", \"Kanna (985–987)\", \"Eien (987–989)\", \"Eiso (989–990)\", \"Shōryaku (990–995)\", \"Chōtoku (995–999)\", \"Chōhō (999–1004)\", \"Kankō (1004–1012)\", \"Chōwa (1012–1017)\", \"Kannin (1017–1021)\", \"Jian (1021–1024)\", \"Manju (1024–1028)\", \"Chōgen (1028–1037)\", \"Chōryaku (1037–1040)\", \"Chōkyū (1040–1044)\", \"Kantoku (1044–1046)\", \"Eishō (1046–1053)\", \"Tengi (1053–1058)\", \"Kōhei (1058–1065)\", \"Jiryaku (1065–1069)\", \"Enkyū (1069–1074)\", \"Shōho (1074–1077)\", \"Shōryaku (1077–1081)\", \"Eihō (1081–1084)\", \"Ōtoku (1084–1087)\", \"Kanji (1087–1094)\", \"Kahō (1094–1096)\", \"Eichō (1096–1097)\", \"Jōtoku (1097–1099)\", \"Kōwa (1099–1104)\", \"Chōji (1104–1106)\", \"Kashō (1106–1108)\", \"Tennin (1108–1110)\", \"Ten-ei (1110-1113)\", \"Eikyū (1113–1118)\", \"Gen’ei (1118–1120)\", \"Hōan (1120–1124)\", \"Tenji (1124–1126)\", \"Daiji (1126–1131)\", \"Tenshō (1131–1132)\", \"Chōshō (1132–1135)\", \"Hōen (1135–1141)\", \"Eiji (1141–1142)\", \"Kōji (1142–1144)\", \"Ten’yō (1144–1145)\", \"Kyūan (1145–1151)\", \"Ninpei (1151–1154)\", \"Kyūju (1154–1156)\", \"Hōgen (1156–1159)\", \"Heiji (1159–1160)\", \"Eiryaku (1160–1161)\", \"Ōho (1161–1163)\", \"Chōkan (1163–1165)\", \"Eiman (1165–1166)\", \"Nin’an (1166–1169)\", \"Kaō (1169–1171)\", \"Shōan (1171–1175)\", \"Angen (1175–1177)\", \"Jishō (1177–1181)\", \"Yōwa (1181–1182)\", \"Juei (1182–1184)\", \"Genryaku (1184–1185)\", \"Bunji (1185–1190)\", \"Kenkyū (1190–1199)\", \"Shōji (1199–1201)\", \"Kennin (1201–1204)\", \"Genkyū (1204–1206)\", \"Ken’ei (1206–1207)\", \"Jōgen (1207–1211)\", \"Kenryaku (1211–1213)\", \"Kenpō (1213–1219)\", \"Jōkyū (1219–1222)\", \"Jōō (1222–1224)\", \"Gennin (1224–1225)\", \"Karoku (1225–1227)\", \"Antei (1227–1229)\", \"Kanki (1229–1232)\", \"Jōei (1232–1233)\", \"Tenpuku (1233–1234)\", \"Bunryaku (1234–1235)\", \"Katei (1235–1238)\", \"Ryakunin (1238–1239)\", \"En’ō (1239–1240)\", \"Ninji (1240–1243)\", \"Kangen (1243–1247)\", \"Hōji (1247–1249)\", \"Kenchō (1249–1256)\", \"Kōgen (1256–1257)\", \"Shōka (1257–1259)\", \"Shōgen (1259–1260)\", \"Bun’ō (1260–1261)\", \"Kōchō (1261–1264)\", \"Bun’ei (1264–1275)\", \"Kenji (1275–1278)\", \"Kōan (1278–1288)\", \"Shōō (1288–1293)\", \"Einin (1293–1299)\", \"Shōan (1299–1302)\", \"Kengen (1302–1303)\", \"Kagen (1303–1306)\", \"Tokuji (1306–1308)\", \"Enkyō (1308–1311)\", \"Ōchō (1311–1312)\", \"Shōwa (1312–1317)\", \"Bunpō (1317–1319)\", \"Genō (1319–1321)\", \"Genkō (1321–1324)\", \"Shōchū (1324–1326)\", \"Karyaku (1326–1329)\", \"Gentoku (1329–1331)\", \"Genkō (1331–1334)\", \"Kenmu (1334–1336)\", \"Engen (1336–1340)\", \"Kōkoku (1340–1346)\", \"Shōhei (1346–1370)\", \"Kentoku (1370–1372)\", \"Bunchū (1372–1375)\", \"Tenju (1375–1379)\", \"Kōryaku (1379–1381)\", \"Kōwa (1381–1384)\", \"Genchū (1384–1392)\", \"Meitoku (1384–1387)\", \"Kakei (1387–1389)\", \"Kōō (1389–1390)\", \"Meitoku (1390–1394)\", \"Ōei (1394–1428)\", \"Shōchō (1428–1429)\", \"Eikyō (1429–1441)\", \"Kakitsu (1441–1444)\", \"Bun’an (1444–1449)\", \"Hōtoku (1449–1452)\", \"Kyōtoku (1452–1455)\", \"Kōshō (1455–1457)\", \"Chōroku (1457–1460)\", \"Kanshō (1460–1466)\", \"Bunshō (1466–1467)\", \"Ōnin (1467–1469)\", \"Bunmei (1469–1487)\", \"Chōkyō (1487–1489)\", \"Entoku (1489–1492)\", \"Meiō (1492–1501)\", \"Bunki (1501–1504)\", \"Eishō (1504–1521)\", \"Taiei (1521–1528)\", \"Kyōroku (1528–1532)\", \"Tenbun (1532–1555)\", \"Kōji (1555–1558)\", \"Eiroku (1558–1570)\", \"Genki (1570–1573)\", \"Tenshō (1573–1592)\", \"Bunroku (1592–1596)\", \"Keichō (1596–1615)\", \"Genna (1615–1624)\", \"Kan’ei (1624–1644)\", \"Shōho (1644–1648)\", \"Keian (1648–1652)\", \"Jōō (1652–1655)\", \"Meireki (1655–1658)\", \"Manji (1658–1661)\", \"Kanbun (1661–1673)\", \"Enpō (1673–1681)\", \"Tenna (1681–1684)\", \"Jōkyō (1684–1688)\", \"Genroku (1688–1704)\", \"Hōei (1704–1711)\", \"Shōtoku (1711–1716)\", \"Kyōhō (1716–1736)\", \"Genbun (1736–1741)\", \"Kanpō (1741–1744)\", \"Enkyō (1744–1748)\", \"Kan’en (1748–1751)\", \"Hōreki (1751–1764)\", \"Meiwa (1764–1772)\", \"An’ei (1772–1781)\", \"Tenmei (1781–1789)\", \"Kansei (1789–1801)\", \"Kyōwa (1801–1804)\", \"Bunka (1804–1818)\", \"Bunsei (1818–1830)\", \"Tenpō (1830–1844)\", \"Kōka (1844–1848)\", \"Kaei (1848–1854)\", \"Ansei (1854–1860)\", \"Man’en (1860–1861)\", \"Bunkyū (1861–1864)\", \"Genji (1864–1865)\", \"Keiō (1865–1868)\", \"Meiji\", \"Taishō\", \"Shōwa\", \"Heisei\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, persian: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Farvardin\", \"Ordibehesht\", \"Khordad\", \"Tir\", \"Mordad\", \"Shahrivar\", \"Mehr\", \"Aban\", \"Azar\", \"Dey\", \"Bahman\", \"Esfand\"], long: [\"Farvardin\", \"Ordibehesht\", \"Khordad\", \"Tir\", \"Mordad\", \"Shahrivar\", \"Mehr\", \"Aban\", \"Azar\", \"Dey\", \"Bahman\", \"Esfand\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AP\"], short: [\"AP\"], long: [\"AP\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, roc: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"Before R.O.C.\", \"Minguo\"], short: [\"Before R.O.C.\", \"Minguo\"], long: [\"Before R.O.C.\", \"Minguo\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } } } }, number: { nu: [\"latn\"], patterns: { decimal: { positivePattern: \"{number}\", negativePattern: \"{minusSign}{number}\" }, currency: { positivePattern: \"{currency}{number}\", negativePattern: \"{minusSign}{currency}{number}\" }, percent: { positivePattern: \"{number}{percentSign}\", negativePattern: \"{minusSign}{number}{percentSign}\" } }, symbols: { latn: { decimal: \".\", group: \",\", nan: \"NaN\", plusSign: \"+\", minusSign: \"-\", percentSign: \"%\", infinity: \"∞\" } }, currencies: { AUD: \"A$\", BRL: \"R$\", CAD: \"CA$\", CNY: \"CN¥\", EUR: \"€\", GBP: \"£\", HKD: \"HK$\", ILS: \"₪\", INR: \"₹\", JPY: \"¥\", KRW: \"₩\", MXN: \"MX$\", NZD: \"NZ$\", TWD: \"NT$\", USD: \"$\", VND: \"₫\", XAF: \"FCFA\", XCD: \"EC$\", XOF: \"CFA\", XPF: \"CFPF\" } } });\n\n/***/ }),\n\n/***/ 894:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nif (!__webpack_require__(895)()) {\n\tObject.defineProperty(__webpack_require__(896), 'Symbol', { value: __webpack_require__(897), configurable: true, enumerable: false,\n\t\twritable: true });\n}\n\n/***/ }),\n\n/***/ 895:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar validTypes = { object: true, symbol: true };\n\nmodule.exports = function () {\n\tvar symbol;\n\tif (typeof Symbol !== 'function') return false;\n\tsymbol = Symbol('test symbol');\n\ttry {\n\t\tString(symbol);\n\t} catch (e) {\n\t\treturn false;\n\t}\n\n\t// Return 'true' also for polyfills\n\tif (!validTypes[typeof Symbol.iterator]) return false;\n\tif (!validTypes[typeof Symbol.toPrimitive]) return false;\n\tif (!validTypes[typeof Symbol.toStringTag]) return false;\n\n\treturn true;\n};\n\n/***/ }),\n\n/***/ 896:\n/***/ (function(module, exports) {\n\n/* eslint strict: \"off\" */\n\nmodule.exports = function () {\n\treturn this;\n}();\n\n/***/ }),\n\n/***/ 897:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n// ES2015 Symbol polyfill for environments that do not (or partially) support it\n\n\n\nvar d = __webpack_require__(898),\n validateSymbol = __webpack_require__(912),\n create = Object.create,\n defineProperties = Object.defineProperties,\n defineProperty = Object.defineProperty,\n objPrototype = Object.prototype,\n NativeSymbol,\n SymbolPolyfill,\n HiddenSymbol,\n globalSymbols = create(null),\n isNativeSafe;\n\nif (typeof Symbol === 'function') {\n\tNativeSymbol = Symbol;\n\ttry {\n\t\tString(NativeSymbol());\n\t\tisNativeSafe = true;\n\t} catch (ignore) {}\n}\n\nvar generateName = function () {\n\tvar created = create(null);\n\treturn function (desc) {\n\t\tvar postfix = 0,\n\t\t name,\n\t\t ie11BugWorkaround;\n\t\twhile (created[desc + (postfix || '')]) ++postfix;\n\t\tdesc += postfix || '';\n\t\tcreated[desc] = true;\n\t\tname = '@@' + desc;\n\t\tdefineProperty(objPrototype, name, d.gs(null, function (value) {\n\t\t\t// For IE11 issue see:\n\t\t\t// https://connect.microsoft.com/IE/feedbackdetail/view/1928508/\n\t\t\t// ie11-broken-getters-on-dom-objects\n\t\t\t// https://github.com/medikoo/es6-symbol/issues/12\n\t\t\tif (ie11BugWorkaround) return;\n\t\t\tie11BugWorkaround = true;\n\t\t\tdefineProperty(this, name, d(value));\n\t\t\tie11BugWorkaround = false;\n\t\t}));\n\t\treturn name;\n\t};\n}();\n\n// Internal constructor (not one exposed) for creating Symbol instances.\n// This one is used to ensure that `someSymbol instanceof Symbol` always return false\nHiddenSymbol = function Symbol(description) {\n\tif (this instanceof HiddenSymbol) throw new TypeError('Symbol is not a constructor');\n\treturn SymbolPolyfill(description);\n};\n\n// Exposed `Symbol` constructor\n// (returns instances of HiddenSymbol)\nmodule.exports = SymbolPolyfill = function Symbol(description) {\n\tvar symbol;\n\tif (this instanceof Symbol) throw new TypeError('Symbol is not a constructor');\n\tif (isNativeSafe) return NativeSymbol(description);\n\tsymbol = create(HiddenSymbol.prototype);\n\tdescription = description === undefined ? '' : String(description);\n\treturn defineProperties(symbol, {\n\t\t__description__: d('', description),\n\t\t__name__: d('', generateName(description))\n\t});\n};\ndefineProperties(SymbolPolyfill, {\n\tfor: d(function (key) {\n\t\tif (globalSymbols[key]) return globalSymbols[key];\n\t\treturn globalSymbols[key] = SymbolPolyfill(String(key));\n\t}),\n\tkeyFor: d(function (s) {\n\t\tvar key;\n\t\tvalidateSymbol(s);\n\t\tfor (key in globalSymbols) if (globalSymbols[key] === s) return key;\n\t}),\n\n\t// To ensure proper interoperability with other native functions (e.g. Array.from)\n\t// fallback to eventual native implementation of given symbol\n\thasInstance: d('', NativeSymbol && NativeSymbol.hasInstance || SymbolPolyfill('hasInstance')),\n\tisConcatSpreadable: d('', NativeSymbol && NativeSymbol.isConcatSpreadable || SymbolPolyfill('isConcatSpreadable')),\n\titerator: d('', NativeSymbol && NativeSymbol.iterator || SymbolPolyfill('iterator')),\n\tmatch: d('', NativeSymbol && NativeSymbol.match || SymbolPolyfill('match')),\n\treplace: d('', NativeSymbol && NativeSymbol.replace || SymbolPolyfill('replace')),\n\tsearch: d('', NativeSymbol && NativeSymbol.search || SymbolPolyfill('search')),\n\tspecies: d('', NativeSymbol && NativeSymbol.species || SymbolPolyfill('species')),\n\tsplit: d('', NativeSymbol && NativeSymbol.split || SymbolPolyfill('split')),\n\ttoPrimitive: d('', NativeSymbol && NativeSymbol.toPrimitive || SymbolPolyfill('toPrimitive')),\n\ttoStringTag: d('', NativeSymbol && NativeSymbol.toStringTag || SymbolPolyfill('toStringTag')),\n\tunscopables: d('', NativeSymbol && NativeSymbol.unscopables || SymbolPolyfill('unscopables'))\n});\n\n// Internal tweaks for real symbol producer\ndefineProperties(HiddenSymbol.prototype, {\n\tconstructor: d(SymbolPolyfill),\n\ttoString: d('', function () {\n\t\treturn this.__name__;\n\t})\n});\n\n// Proper implementation of methods exposed on Symbol.prototype\n// They won't be accessible on produced symbol instances as they derive from HiddenSymbol.prototype\ndefineProperties(SymbolPolyfill.prototype, {\n\ttoString: d(function () {\n\t\treturn 'Symbol (' + validateSymbol(this).__description__ + ')';\n\t}),\n\tvalueOf: d(function () {\n\t\treturn validateSymbol(this);\n\t})\n});\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toPrimitive, d('', function () {\n\tvar symbol = validateSymbol(this);\n\tif (typeof symbol === 'symbol') return symbol;\n\treturn symbol.toString();\n}));\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toStringTag, d('c', 'Symbol'));\n\n// Proper implementaton of toPrimitive and toStringTag for returned symbol instances\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toStringTag, d('c', SymbolPolyfill.prototype[SymbolPolyfill.toStringTag]));\n\n// Note: It's important to define `toPrimitive` as last one, as some implementations\n// implement `toPrimitive` natively without implementing `toStringTag` (or other specified symbols)\n// And that may invoke error in definition flow:\n// See: https://github.com/medikoo/es6-symbol/issues/13#issuecomment-164146149\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toPrimitive, d('c', SymbolPolyfill.prototype[SymbolPolyfill.toPrimitive]));\n\n/***/ }),\n\n/***/ 898:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar assign = __webpack_require__(899),\n normalizeOpts = __webpack_require__(907),\n isCallable = __webpack_require__(908),\n contains = __webpack_require__(909),\n d;\n\nd = module.exports = function (dscr, value /*, options*/) {\n\tvar c, e, w, options, desc;\n\tif (arguments.length < 2 || typeof dscr !== 'string') {\n\t\toptions = value;\n\t\tvalue = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[2];\n\t}\n\tif (dscr == null) {\n\t\tc = w = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t\tw = contains.call(dscr, 'w');\n\t}\n\n\tdesc = { value: value, configurable: c, enumerable: e, writable: w };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\nd.gs = function (dscr, get, set /*, options*/) {\n\tvar c, e, options, desc;\n\tif (typeof dscr !== 'string') {\n\t\toptions = set;\n\t\tset = get;\n\t\tget = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[3];\n\t}\n\tif (get == null) {\n\t\tget = undefined;\n\t} else if (!isCallable(get)) {\n\t\toptions = get;\n\t\tget = set = undefined;\n\t} else if (set == null) {\n\t\tset = undefined;\n\t} else if (!isCallable(set)) {\n\t\toptions = set;\n\t\tset = undefined;\n\t}\n\tif (dscr == null) {\n\t\tc = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t}\n\n\tdesc = { get: get, set: set, configurable: c, enumerable: e };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\n/***/ }),\n\n/***/ 899:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(900)() ? Object.assign : __webpack_require__(901);\n\n/***/ }),\n\n/***/ 900:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = function () {\n\tvar assign = Object.assign,\n\t obj;\n\tif (typeof assign !== \"function\") return false;\n\tobj = { foo: \"raz\" };\n\tassign(obj, { bar: \"dwa\" }, { trzy: \"trzy\" });\n\treturn obj.foo + obj.bar + obj.trzy === \"razdwatrzy\";\n};\n\n/***/ }),\n\n/***/ 901:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar keys = __webpack_require__(902),\n value = __webpack_require__(906),\n max = Math.max;\n\nmodule.exports = function (dest, src /*, …srcn*/) {\n\tvar error,\n\t i,\n\t length = max(arguments.length, 2),\n\t assign;\n\tdest = Object(value(dest));\n\tassign = function (key) {\n\t\ttry {\n\t\t\tdest[key] = src[key];\n\t\t} catch (e) {\n\t\t\tif (!error) error = e;\n\t\t}\n\t};\n\tfor (i = 1; i < length; ++i) {\n\t\tsrc = arguments[i];\n\t\tkeys(src).forEach(assign);\n\t}\n\tif (error !== undefined) throw error;\n\treturn dest;\n};\n\n/***/ }),\n\n/***/ 902:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(903)() ? Object.keys : __webpack_require__(904);\n\n/***/ }),\n\n/***/ 903:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = function () {\n\ttry {\n\t\tObject.keys(\"primitive\");\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\n/***/ }),\n\n/***/ 904:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isValue = __webpack_require__(858);\n\nvar keys = Object.keys;\n\nmodule.exports = function (object) {\n\treturn keys(isValue(object) ? Object(object) : object);\n};\n\n/***/ }),\n\n/***/ 905:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n// eslint-disable-next-line no-empty-function\n\nmodule.exports = function () {};\n\n/***/ }),\n\n/***/ 906:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isValue = __webpack_require__(858);\n\nmodule.exports = function (value) {\n\tif (!isValue(value)) throw new TypeError(\"Cannot use null or undefined\");\n\treturn value;\n};\n\n/***/ }),\n\n/***/ 907:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isValue = __webpack_require__(858);\n\nvar forEach = Array.prototype.forEach,\n create = Object.create;\n\nvar process = function (src, obj) {\n\tvar key;\n\tfor (key in src) obj[key] = src[key];\n};\n\n// eslint-disable-next-line no-unused-vars\nmodule.exports = function (opts1 /*, …options*/) {\n\tvar result = create(null);\n\tforEach.call(arguments, function (options) {\n\t\tif (!isValue(options)) return;\n\t\tprocess(Object(options), result);\n\t});\n\treturn result;\n};\n\n/***/ }),\n\n/***/ 908:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n// Deprecated\n\n\n\nmodule.exports = function (obj) {\n return typeof obj === \"function\";\n};\n\n/***/ }),\n\n/***/ 909:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(910)() ? String.prototype.contains : __webpack_require__(911);\n\n/***/ }),\n\n/***/ 910:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar str = \"razdwatrzy\";\n\nmodule.exports = function () {\n\tif (typeof str.contains !== \"function\") return false;\n\treturn str.contains(\"dwa\") === true && str.contains(\"foo\") === false;\n};\n\n/***/ }),\n\n/***/ 911:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar indexOf = String.prototype.indexOf;\n\nmodule.exports = function (searchString /*, position*/) {\n\treturn indexOf.call(this, searchString, arguments[1]) > -1;\n};\n\n/***/ }),\n\n/***/ 912:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isSymbol = __webpack_require__(913);\n\nmodule.exports = function (value) {\n\tif (!isSymbol(value)) throw new TypeError(value + \" is not a symbol\");\n\treturn value;\n};\n\n/***/ }),\n\n/***/ 913:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = function (x) {\n\tif (!x) return false;\n\tif (typeof x === 'symbol') return true;\n\tif (!x.constructor) return false;\n\tif (x.constructor.name !== 'Symbol') return false;\n\treturn x[x.constructor.toStringTag] === 'Symbol';\n};\n\n/***/ }),\n\n/***/ 914:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(849);\nvar ES = __webpack_require__(871);\n\nvar implementation = __webpack_require__(879);\nvar getPolyfill = __webpack_require__(880);\nvar polyfill = getPolyfill();\nvar shim = __webpack_require__(926);\n\nvar slice = Array.prototype.slice;\n\n/* eslint-disable no-unused-vars */\nvar boundIncludesShim = function includes(array, searchElement) {\n\t/* eslint-enable no-unused-vars */\n\tES.RequireObjectCoercible(array);\n\treturn polyfill.apply(array, slice.call(arguments, 1));\n};\ndefine(boundIncludesShim, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = boundIncludesShim;\n\n/***/ }),\n\n/***/ 915:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n// modified from https://github.com/es-shims/es5-shim\n\nvar has = Object.prototype.hasOwnProperty;\nvar toStr = Object.prototype.toString;\nvar slice = Array.prototype.slice;\nvar isArgs = __webpack_require__(916);\nvar isEnumerable = Object.prototype.propertyIsEnumerable;\nvar hasDontEnumBug = !isEnumerable.call({ toString: null }, 'toString');\nvar hasProtoEnumBug = isEnumerable.call(function () {}, 'prototype');\nvar dontEnums = ['toString', 'toLocaleString', 'valueOf', 'hasOwnProperty', 'isPrototypeOf', 'propertyIsEnumerable', 'constructor'];\nvar equalsConstructorPrototype = function (o) {\n\tvar ctor = o.constructor;\n\treturn ctor && ctor.prototype === o;\n};\nvar excludedKeys = {\n\t$console: true,\n\t$external: true,\n\t$frame: true,\n\t$frameElement: true,\n\t$frames: true,\n\t$innerHeight: true,\n\t$innerWidth: true,\n\t$outerHeight: true,\n\t$outerWidth: true,\n\t$pageXOffset: true,\n\t$pageYOffset: true,\n\t$parent: true,\n\t$scrollLeft: true,\n\t$scrollTop: true,\n\t$scrollX: true,\n\t$scrollY: true,\n\t$self: true,\n\t$webkitIndexedDB: true,\n\t$webkitStorageInfo: true,\n\t$window: true\n};\nvar hasAutomationEqualityBug = function () {\n\t/* global window */\n\tif (typeof window === 'undefined') {\n\t\treturn false;\n\t}\n\tfor (var k in window) {\n\t\ttry {\n\t\t\tif (!excludedKeys['$' + k] && has.call(window, k) && window[k] !== null && typeof window[k] === 'object') {\n\t\t\t\ttry {\n\t\t\t\t\tequalsConstructorPrototype(window[k]);\n\t\t\t\t} catch (e) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\t\t} catch (e) {\n\t\t\treturn true;\n\t\t}\n\t}\n\treturn false;\n}();\nvar equalsConstructorPrototypeIfNotBuggy = function (o) {\n\t/* global window */\n\tif (typeof window === 'undefined' || !hasAutomationEqualityBug) {\n\t\treturn equalsConstructorPrototype(o);\n\t}\n\ttry {\n\t\treturn equalsConstructorPrototype(o);\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar keysShim = function keys(object) {\n\tvar isObject = object !== null && typeof object === 'object';\n\tvar isFunction = toStr.call(object) === '[object Function]';\n\tvar isArguments = isArgs(object);\n\tvar isString = isObject && toStr.call(object) === '[object String]';\n\tvar theKeys = [];\n\n\tif (!isObject && !isFunction && !isArguments) {\n\t\tthrow new TypeError('Object.keys called on a non-object');\n\t}\n\n\tvar skipProto = hasProtoEnumBug && isFunction;\n\tif (isString && object.length > 0 && !has.call(object, 0)) {\n\t\tfor (var i = 0; i < object.length; ++i) {\n\t\t\ttheKeys.push(String(i));\n\t\t}\n\t}\n\n\tif (isArguments && object.length > 0) {\n\t\tfor (var j = 0; j < object.length; ++j) {\n\t\t\ttheKeys.push(String(j));\n\t\t}\n\t} else {\n\t\tfor (var name in object) {\n\t\t\tif (!(skipProto && name === 'prototype') && has.call(object, name)) {\n\t\t\t\ttheKeys.push(String(name));\n\t\t\t}\n\t\t}\n\t}\n\n\tif (hasDontEnumBug) {\n\t\tvar skipConstructor = equalsConstructorPrototypeIfNotBuggy(object);\n\n\t\tfor (var k = 0; k < dontEnums.length; ++k) {\n\t\t\tif (!(skipConstructor && dontEnums[k] === 'constructor') && has.call(object, dontEnums[k])) {\n\t\t\t\ttheKeys.push(dontEnums[k]);\n\t\t\t}\n\t\t}\n\t}\n\treturn theKeys;\n};\n\nkeysShim.shim = function shimObjectKeys() {\n\tif (Object.keys) {\n\t\tvar keysWorksWithArguments = function () {\n\t\t\t// Safari 5.0 bug\n\t\t\treturn (Object.keys(arguments) || '').length === 2;\n\t\t}(1, 2);\n\t\tif (!keysWorksWithArguments) {\n\t\t\tvar originalKeys = Object.keys;\n\t\t\tObject.keys = function keys(object) {\n\t\t\t\tif (isArgs(object)) {\n\t\t\t\t\treturn originalKeys(slice.call(object));\n\t\t\t\t} else {\n\t\t\t\t\treturn originalKeys(object);\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\t} else {\n\t\tObject.keys = keysShim;\n\t}\n\treturn Object.keys || keysShim;\n};\n\nmodule.exports = keysShim;\n\n/***/ }),\n\n/***/ 916:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar toStr = Object.prototype.toString;\n\nmodule.exports = function isArguments(value) {\n\tvar str = toStr.call(value);\n\tvar isArgs = str === '[object Arguments]';\n\tif (!isArgs) {\n\t\tisArgs = str !== '[object Array]' && value !== null && typeof value === 'object' && typeof value.length === 'number' && value.length >= 0 && toStr.call(value.callee) === '[object Function]';\n\t}\n\treturn isArgs;\n};\n\n/***/ }),\n\n/***/ 917:\n/***/ (function(module, exports) {\n\n\nvar hasOwn = Object.prototype.hasOwnProperty;\nvar toString = Object.prototype.toString;\n\nmodule.exports = function forEach(obj, fn, ctx) {\n if (toString.call(fn) !== '[object Function]') {\n throw new TypeError('iterator must be a function');\n }\n var l = obj.length;\n if (l === +l) {\n for (var i = 0; i < l; i++) {\n fn.call(ctx, obj[i], i, obj);\n }\n } else {\n for (var k in obj) {\n if (hasOwn.call(obj, k)) {\n fn.call(ctx, obj[k], k, obj);\n }\n }\n }\n};\n\n/***/ }),\n\n/***/ 918:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n/* eslint no-invalid-this: 1 */\n\nvar ERROR_MESSAGE = 'Function.prototype.bind called on incompatible ';\nvar slice = Array.prototype.slice;\nvar toStr = Object.prototype.toString;\nvar funcType = '[object Function]';\n\nmodule.exports = function bind(that) {\n var target = this;\n if (typeof target !== 'function' || toStr.call(target) !== funcType) {\n throw new TypeError(ERROR_MESSAGE + target);\n }\n var args = slice.call(arguments, 1);\n\n var bound;\n var binder = function () {\n if (this instanceof bound) {\n var result = target.apply(this, args.concat(slice.call(arguments)));\n if (Object(result) === result) {\n return result;\n }\n return this;\n } else {\n return target.apply(that, args.concat(slice.call(arguments)));\n }\n };\n\n var boundLength = Math.max(0, target.length - args.length);\n var boundArgs = [];\n for (var i = 0; i < boundLength; i++) {\n boundArgs.push('$' + i);\n }\n\n bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder);\n\n if (target.prototype) {\n var Empty = function Empty() {};\n Empty.prototype = target.prototype;\n bound.prototype = new Empty();\n Empty.prototype = null;\n }\n\n return bound;\n};\n\n/***/ }),\n\n/***/ 919:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar isPrimitive = __webpack_require__(873);\nvar isCallable = __webpack_require__(860);\nvar isDate = __webpack_require__(920);\nvar isSymbol = __webpack_require__(921);\n\nvar ordinaryToPrimitive = function OrdinaryToPrimitive(O, hint) {\n\tif (typeof O === 'undefined' || O === null) {\n\t\tthrow new TypeError('Cannot call method on ' + O);\n\t}\n\tif (typeof hint !== 'string' || hint !== 'number' && hint !== 'string') {\n\t\tthrow new TypeError('hint must be \"string\" or \"number\"');\n\t}\n\tvar methodNames = hint === 'string' ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\tvar method, result, i;\n\tfor (i = 0; i < methodNames.length; ++i) {\n\t\tmethod = O[methodNames[i]];\n\t\tif (isCallable(method)) {\n\t\t\tresult = method.call(O);\n\t\t\tif (isPrimitive(result)) {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t}\n\t}\n\tthrow new TypeError('No default value');\n};\n\nvar GetMethod = function GetMethod(O, P) {\n\tvar func = O[P];\n\tif (func !== null && typeof func !== 'undefined') {\n\t\tif (!isCallable(func)) {\n\t\t\tthrow new TypeError(func + ' returned for property ' + P + ' of object ' + O + ' is not a function');\n\t\t}\n\t\treturn func;\n\t}\n};\n\n// http://www.ecma-international.org/ecma-262/6.0/#sec-toprimitive\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\tvar hint = 'default';\n\tif (arguments.length > 1) {\n\t\tif (PreferredType === String) {\n\t\t\thint = 'string';\n\t\t} else if (PreferredType === Number) {\n\t\t\thint = 'number';\n\t\t}\n\t}\n\n\tvar exoticToPrim;\n\tif (hasSymbols) {\n\t\tif (Symbol.toPrimitive) {\n\t\t\texoticToPrim = GetMethod(input, Symbol.toPrimitive);\n\t\t} else if (isSymbol(input)) {\n\t\t\texoticToPrim = Symbol.prototype.valueOf;\n\t\t}\n\t}\n\tif (typeof exoticToPrim !== 'undefined') {\n\t\tvar result = exoticToPrim.call(input, hint);\n\t\tif (isPrimitive(result)) {\n\t\t\treturn result;\n\t\t}\n\t\tthrow new TypeError('unable to convert exotic object to primitive');\n\t}\n\tif (hint === 'default' && (isDate(input) || isSymbol(input))) {\n\t\thint = 'string';\n\t}\n\treturn ordinaryToPrimitive(input, hint === 'default' ? 'number' : hint);\n};\n\n/***/ }),\n\n/***/ 920:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar getDay = Date.prototype.getDay;\nvar tryDateObject = function tryDateObject(value) {\n\ttry {\n\t\tgetDay.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar toStr = Object.prototype.toString;\nvar dateClass = '[object Date]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isDateObject(value) {\n\tif (typeof value !== 'object' || value === null) {\n\t\treturn false;\n\t}\n\treturn hasToStringTag ? tryDateObject(value) : toStr.call(value) === dateClass;\n};\n\n/***/ }),\n\n/***/ 921:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nif (hasSymbols) {\n\tvar symToStr = Symbol.prototype.toString;\n\tvar symStringRegex = /^Symbol\\(.*\\)$/;\n\tvar isSymbolObject = function isSymbolObject(value) {\n\t\tif (typeof value.valueOf() !== 'symbol') {\n\t\t\treturn false;\n\t\t}\n\t\treturn symStringRegex.test(symToStr.call(value));\n\t};\n\tmodule.exports = function isSymbol(value) {\n\t\tif (typeof value === 'symbol') {\n\t\t\treturn true;\n\t\t}\n\t\tif (toStr.call(value) !== '[object Symbol]') {\n\t\t\treturn false;\n\t\t}\n\t\ttry {\n\t\t\treturn isSymbolObject(value);\n\t\t} catch (e) {\n\t\t\treturn false;\n\t\t}\n\t};\n} else {\n\tmodule.exports = function isSymbol(value) {\n\t\t// this environment does not support Symbols.\n\t\treturn false;\n\t};\n}\n\n/***/ }),\n\n/***/ 922:\n/***/ (function(module, exports) {\n\nmodule.exports = function isPrimitive(value) {\n\treturn value === null || typeof value !== 'function' && typeof value !== 'object';\n};\n\n/***/ }),\n\n/***/ 923:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar $isNaN = __webpack_require__(874);\nvar $isFinite = __webpack_require__(875);\n\nvar sign = __webpack_require__(877);\nvar mod = __webpack_require__(878);\n\nvar IsCallable = __webpack_require__(860);\nvar toPrimitive = __webpack_require__(924);\n\nvar has = __webpack_require__(856);\n\n// https://es5.github.io/#x9\nvar ES5 = {\n\tToPrimitive: toPrimitive,\n\n\tToBoolean: function ToBoolean(value) {\n\t\treturn !!value;\n\t},\n\tToNumber: function ToNumber(value) {\n\t\treturn Number(value);\n\t},\n\tToInteger: function ToInteger(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number)) {\n\t\t\treturn 0;\n\t\t}\n\t\tif (number === 0 || !$isFinite(number)) {\n\t\t\treturn number;\n\t\t}\n\t\treturn sign(number) * Math.floor(Math.abs(number));\n\t},\n\tToInt32: function ToInt32(x) {\n\t\treturn this.ToNumber(x) >> 0;\n\t},\n\tToUint32: function ToUint32(x) {\n\t\treturn this.ToNumber(x) >>> 0;\n\t},\n\tToUint16: function ToUint16(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) {\n\t\t\treturn 0;\n\t\t}\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x10000);\n\t},\n\tToString: function ToString(value) {\n\t\treturn String(value);\n\t},\n\tToObject: function ToObject(value) {\n\t\tthis.CheckObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\tCheckObjectCoercible: function CheckObjectCoercible(value, optMessage) {\n\t\t/* jshint eqnull:true */\n\t\tif (value == null) {\n\t\t\tthrow new TypeError(optMessage || 'Cannot call method on ' + value);\n\t\t}\n\t\treturn value;\n\t},\n\tIsCallable: IsCallable,\n\tSameValue: function SameValue(x, y) {\n\t\tif (x === y) {\n\t\t\t// 0 === -0, but they are not identical.\n\t\t\tif (x === 0) {\n\t\t\t\treturn 1 / x === 1 / y;\n\t\t\t}\n\t\t\treturn true;\n\t\t}\n\t\treturn $isNaN(x) && $isNaN(y);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/5.1/#sec-8\n\tType: function Type(x) {\n\t\tif (x === null) {\n\t\t\treturn 'Null';\n\t\t}\n\t\tif (typeof x === 'undefined') {\n\t\t\treturn 'Undefined';\n\t\t}\n\t\tif (typeof x === 'function' || typeof x === 'object') {\n\t\t\treturn 'Object';\n\t\t}\n\t\tif (typeof x === 'number') {\n\t\t\treturn 'Number';\n\t\t}\n\t\tif (typeof x === 'boolean') {\n\t\t\treturn 'Boolean';\n\t\t}\n\t\tif (typeof x === 'string') {\n\t\t\treturn 'String';\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-property-descriptor-specification-type\n\tIsPropertyDescriptor: function IsPropertyDescriptor(Desc) {\n\t\tif (this.Type(Desc) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tvar allowed = {\n\t\t\t'[[Configurable]]': true,\n\t\t\t'[[Enumerable]]': true,\n\t\t\t'[[Get]]': true,\n\t\t\t'[[Set]]': true,\n\t\t\t'[[Value]]': true,\n\t\t\t'[[Writable]]': true\n\t\t};\n\t\t// jscs:disable\n\t\tfor (var key in Desc) {\n\t\t\t// eslint-disable-line\n\t\t\tif (has(Desc, key) && !allowed[key]) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t// jscs:enable\n\t\tvar isData = has(Desc, '[[Value]]');\n\t\tvar IsAccessor = has(Desc, '[[Get]]') || has(Desc, '[[Set]]');\n\t\tif (isData && IsAccessor) {\n\t\t\tthrow new TypeError('Property Descriptors may not be both accessor and data descriptors');\n\t\t}\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.1\n\tIsAccessorDescriptor: function IsAccessorDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Get]]') && !has(Desc, '[[Set]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.2\n\tIsDataDescriptor: function IsDataDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Value]]') && !has(Desc, '[[Writable]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.3\n\tIsGenericDescriptor: function IsGenericDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!this.IsAccessorDescriptor(Desc) && !this.IsDataDescriptor(Desc)) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.4\n\tFromPropertyDescriptor: function FromPropertyDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn Desc;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsDataDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tvalue: Desc['[[Value]]'],\n\t\t\t\twritable: !!Desc['[[Writable]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else if (this.IsAccessorDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tget: Desc['[[Get]]'],\n\t\t\t\tset: Desc['[[Set]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else {\n\t\t\tthrow new TypeError('FromPropertyDescriptor must be called with a fully populated Property Descriptor');\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.5\n\tToPropertyDescriptor: function ToPropertyDescriptor(Obj) {\n\t\tif (this.Type(Obj) !== 'Object') {\n\t\t\tthrow new TypeError('ToPropertyDescriptor requires an object');\n\t\t}\n\n\t\tvar desc = {};\n\t\tif (has(Obj, 'enumerable')) {\n\t\t\tdesc['[[Enumerable]]'] = this.ToBoolean(Obj.enumerable);\n\t\t}\n\t\tif (has(Obj, 'configurable')) {\n\t\t\tdesc['[[Configurable]]'] = this.ToBoolean(Obj.configurable);\n\t\t}\n\t\tif (has(Obj, 'value')) {\n\t\t\tdesc['[[Value]]'] = Obj.value;\n\t\t}\n\t\tif (has(Obj, 'writable')) {\n\t\t\tdesc['[[Writable]]'] = this.ToBoolean(Obj.writable);\n\t\t}\n\t\tif (has(Obj, 'get')) {\n\t\t\tvar getter = Obj.get;\n\t\t\tif (typeof getter !== 'undefined' && !this.IsCallable(getter)) {\n\t\t\t\tthrow new TypeError('getter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Get]]'] = getter;\n\t\t}\n\t\tif (has(Obj, 'set')) {\n\t\t\tvar setter = Obj.set;\n\t\t\tif (typeof setter !== 'undefined' && !this.IsCallable(setter)) {\n\t\t\t\tthrow new TypeError('setter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Set]]'] = setter;\n\t\t}\n\n\t\tif ((has(desc, '[[Get]]') || has(desc, '[[Set]]')) && (has(desc, '[[Value]]') || has(desc, '[[Writable]]'))) {\n\t\t\tthrow new TypeError('Invalid property descriptor. Cannot both specify accessors and a value or writable attribute');\n\t\t}\n\t\treturn desc;\n\t}\n};\n\nmodule.exports = ES5;\n\n/***/ }),\n\n/***/ 924:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar toStr = Object.prototype.toString;\n\nvar isPrimitive = __webpack_require__(873);\n\nvar isCallable = __webpack_require__(860);\n\n// https://es5.github.io/#x8.12\nvar ES5internalSlots = {\n\t'[[DefaultValue]]': function (O, hint) {\n\t\tvar actualHint = hint || (toStr.call(O) === '[object Date]' ? String : Number);\n\n\t\tif (actualHint === String || actualHint === Number) {\n\t\t\tvar methods = actualHint === String ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\t\t\tvar value, i;\n\t\t\tfor (i = 0; i < methods.length; ++i) {\n\t\t\t\tif (isCallable(O[methods[i]])) {\n\t\t\t\t\tvalue = O[methods[i]]();\n\t\t\t\t\tif (isPrimitive(value)) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\tthrow new TypeError('No default value');\n\t\t}\n\t\tthrow new TypeError('invalid [[DefaultValue]] hint supplied');\n\t}\n};\n\n// https://es5.github.io/#x9\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\treturn ES5internalSlots['[[DefaultValue]]'](input, PreferredType);\n};\n\n/***/ }),\n\n/***/ 925:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar has = __webpack_require__(856);\nvar regexExec = RegExp.prototype.exec;\nvar gOPD = Object.getOwnPropertyDescriptor;\n\nvar tryRegexExecCall = function tryRegexExec(value) {\n\ttry {\n\t\tvar lastIndex = value.lastIndex;\n\t\tvalue.lastIndex = 0;\n\n\t\tregexExec.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t} finally {\n\t\tvalue.lastIndex = lastIndex;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar regexClass = '[object RegExp]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isRegex(value) {\n\tif (!value || typeof value !== 'object') {\n\t\treturn false;\n\t}\n\tif (!hasToStringTag) {\n\t\treturn toStr.call(value) === regexClass;\n\t}\n\n\tvar descriptor = gOPD(value, 'lastIndex');\n\tvar hasLastIndexDataProperty = descriptor && has(descriptor, 'value');\n\tif (!hasLastIndexDataProperty) {\n\t\treturn false;\n\t}\n\n\treturn tryRegexExecCall(value);\n};\n\n/***/ }),\n\n/***/ 926:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(849);\nvar getPolyfill = __webpack_require__(880);\n\nmodule.exports = function shimArrayPrototypeIncludes() {\n\tvar polyfill = getPolyfill();\n\tdefine(Array.prototype, { includes: polyfill }, { includes: function () {\n\t\t\treturn Array.prototype.includes !== polyfill;\n\t\t} });\n\treturn polyfill;\n};\n\n/***/ }),\n\n/***/ 927:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(849);\n\nvar implementation = __webpack_require__(881);\nvar getPolyfill = __webpack_require__(882);\nvar shim = __webpack_require__(930);\n\nvar polyfill = getPolyfill();\n\ndefine(polyfill, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = polyfill;\n\n/***/ }),\n\n/***/ 928:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(929);\n\n/***/ }),\n\n/***/ 929:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar ES2015 = __webpack_require__(872);\nvar assign = __webpack_require__(876);\n\nvar ES2016 = assign(assign({}, ES2015), {\n\t// https://github.com/tc39/ecma262/pull/60\n\tSameValueNonNumber: function SameValueNonNumber(x, y) {\n\t\tif (typeof x === 'number' || typeof x !== typeof y) {\n\t\t\tthrow new TypeError('SameValueNonNumber requires two non-number values of the same type.');\n\t\t}\n\t\treturn this.SameValue(x, y);\n\t}\n});\n\nmodule.exports = ES2016;\n\n/***/ }),\n\n/***/ 930:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar getPolyfill = __webpack_require__(882);\nvar define = __webpack_require__(849);\n\nmodule.exports = function shimValues() {\n\tvar polyfill = getPolyfill();\n\tdefine(Object, { values: polyfill }, {\n\t\tvalues: function testValues() {\n\t\t\treturn Object.values !== polyfill;\n\t\t}\n\t});\n\treturn polyfill;\n};\n\n/***/ }),\n\n/***/ 931:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(849);\n\nvar implementation = __webpack_require__(883);\nvar getPolyfill = __webpack_require__(884);\nvar shim = __webpack_require__(932);\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\ndefine(implementation, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = implementation;\n\n/***/ }),\n\n/***/ 932:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(849);\nvar getPolyfill = __webpack_require__(884);\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function shimNumberIsNaN() {\n\tvar polyfill = getPolyfill();\n\tdefine(Number, { isNaN: polyfill }, { isNaN: function () {\n\t\t\treturn Number.isNaN !== polyfill;\n\t\t} });\n\treturn polyfill;\n};\n\n/***/ })\n\n});\n\n\n// WEBPACK FOOTER //\n// base_polyfills.js","import 'intl';\nimport 'intl/locale-data/jsonp/en';\nimport 'es6-symbol/implement';\nimport includes from 'array-includes';\nimport assign from 'object-assign';\nimport values from 'object.values';\nimport isNaN from 'is-nan';\n\nif (!Array.prototype.includes) {\n includes.shim();\n}\n\nif (!Object.assign) {\n Object.assign = assign;\n}\n\nif (!Object.values) {\n values.shim();\n}\n\nif (!Number.isNaN) {\n Number.isNaN = isNaN;\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/base_polyfills.js","'use strict';\n\nvar keys = require('object-keys');\nvar foreach = require('foreach');\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nvar toStr = Object.prototype.toString;\n\nvar isFunction = function (fn) {\n\treturn typeof fn === 'function' && toStr.call(fn) === '[object Function]';\n};\n\nvar arePropertyDescriptorsSupported = function () {\n\tvar obj = {};\n\ttry {\n\t\tObject.defineProperty(obj, 'x', { enumerable: false, value: obj });\n /* eslint-disable no-unused-vars, no-restricted-syntax */\n for (var _ in obj) { return false; }\n /* eslint-enable no-unused-vars, no-restricted-syntax */\n\t\treturn obj.x === obj;\n\t} catch (e) { /* this is IE 8. */\n\t\treturn false;\n\t}\n};\nvar supportsDescriptors = Object.defineProperty && arePropertyDescriptorsSupported();\n\nvar defineProperty = function (object, name, value, predicate) {\n\tif (name in object && (!isFunction(predicate) || !predicate())) {\n\t\treturn;\n\t}\n\tif (supportsDescriptors) {\n\t\tObject.defineProperty(object, name, {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: false,\n\t\t\tvalue: value,\n\t\t\twritable: true\n\t\t});\n\t} else {\n\t\tobject[name] = value;\n\t}\n};\n\nvar defineProperties = function (object, map) {\n\tvar predicates = arguments.length > 2 ? arguments[2] : {};\n\tvar props = keys(map);\n\tif (hasSymbols) {\n\t\tprops = props.concat(Object.getOwnPropertySymbols(map));\n\t}\n\tforeach(props, function (name) {\n\t\tdefineProperty(object, name, map[name], predicates[name]);\n\t});\n};\n\ndefineProperties.supportsDescriptors = !!supportsDescriptors;\n\nmodule.exports = defineProperties;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/define-properties/index.js","var bind = require('function-bind');\n\nmodule.exports = bind.call(Function.call, Object.prototype.hasOwnProperty);\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/has/src/index.js","\"use strict\";\n\nvar _undefined = require(\"../function/noop\")(); // Support ES3 engines\n\nmodule.exports = function (val) {\n return (val !== _undefined) && (val !== null);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/is-value.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = Function.prototype.bind || implementation;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/function-bind/index.js","'use strict';\n\nvar fnToStr = Function.prototype.toString;\n\nvar constructorRegex = /^\\s*class /;\nvar isES6ClassFn = function isES6ClassFn(value) {\n\ttry {\n\t\tvar fnStr = fnToStr.call(value);\n\t\tvar singleStripped = fnStr.replace(/\\/\\/.*\\n/g, '');\n\t\tvar multiStripped = singleStripped.replace(/\\/\\*[.\\s\\S]*\\*\\//g, '');\n\t\tvar spaceStripped = multiStripped.replace(/\\n/mg, ' ').replace(/ {2}/g, ' ');\n\t\treturn constructorRegex.test(spaceStripped);\n\t} catch (e) {\n\t\treturn false; // not a function\n\t}\n};\n\nvar tryFunctionObject = function tryFunctionObject(value) {\n\ttry {\n\t\tif (isES6ClassFn(value)) { return false; }\n\t\tfnToStr.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar fnClass = '[object Function]';\nvar genClass = '[object GeneratorFunction]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isCallable(value) {\n\tif (!value) { return false; }\n\tif (typeof value !== 'function' && typeof value !== 'object') { return false; }\n\tif (hasToStringTag) { return tryFunctionObject(value); }\n\tif (isES6ClassFn(value)) { return false; }\n\tvar strClass = toStr.call(value);\n\treturn strClass === fnClass || strClass === genClass;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-callable/index.js","'use strict';\n\nmodule.exports = require('./es2015');\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es6.js","'use strict';\n\nvar has = require('has');\nvar toPrimitive = require('es-to-primitive/es6');\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar $isNaN = require('./helpers/isNaN');\nvar $isFinite = require('./helpers/isFinite');\nvar MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1;\n\nvar assign = require('./helpers/assign');\nvar sign = require('./helpers/sign');\nvar mod = require('./helpers/mod');\nvar isPrimitive = require('./helpers/isPrimitive');\nvar parseInteger = parseInt;\nvar bind = require('function-bind');\nvar arraySlice = bind.call(Function.call, Array.prototype.slice);\nvar strSlice = bind.call(Function.call, String.prototype.slice);\nvar isBinary = bind.call(Function.call, RegExp.prototype.test, /^0b[01]+$/i);\nvar isOctal = bind.call(Function.call, RegExp.prototype.test, /^0o[0-7]+$/i);\nvar regexExec = bind.call(Function.call, RegExp.prototype.exec);\nvar nonWS = ['\\u0085', '\\u200b', '\\ufffe'].join('');\nvar nonWSregex = new RegExp('[' + nonWS + ']', 'g');\nvar hasNonWS = bind.call(Function.call, RegExp.prototype.test, nonWSregex);\nvar invalidHexLiteral = /^[-+]0x[0-9a-f]+$/i;\nvar isInvalidHexLiteral = bind.call(Function.call, RegExp.prototype.test, invalidHexLiteral);\n\n// whitespace from: http://es5.github.io/#x15.5.4.20\n// implementation from https://github.com/es-shims/es5-shim/blob/v3.4.0/es5-shim.js#L1304-L1324\nvar ws = [\n\t'\\x09\\x0A\\x0B\\x0C\\x0D\\x20\\xA0\\u1680\\u180E\\u2000\\u2001\\u2002\\u2003',\n\t'\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200A\\u202F\\u205F\\u3000\\u2028',\n\t'\\u2029\\uFEFF'\n].join('');\nvar trimRegex = new RegExp('(^[' + ws + ']+)|([' + ws + ']+$)', 'g');\nvar replace = bind.call(Function.call, String.prototype.replace);\nvar trim = function (value) {\n\treturn replace(value, trimRegex, '');\n};\n\nvar ES5 = require('./es5');\n\nvar hasRegExpMatcher = require('is-regex');\n\n// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-abstract-operations\nvar ES6 = assign(assign({}, ES5), {\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-call-f-v-args\n\tCall: function Call(F, V) {\n\t\tvar args = arguments.length > 2 ? arguments[2] : [];\n\t\tif (!this.IsCallable(F)) {\n\t\t\tthrow new TypeError(F + ' is not a function');\n\t\t}\n\t\treturn F.apply(V, args);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toprimitive\n\tToPrimitive: toPrimitive,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toboolean\n\t// ToBoolean: ES5.ToBoolean,\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-tonumber\n\tToNumber: function ToNumber(argument) {\n\t\tvar value = isPrimitive(argument) ? argument : toPrimitive(argument, Number);\n\t\tif (typeof value === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a number');\n\t\t}\n\t\tif (typeof value === 'string') {\n\t\t\tif (isBinary(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 2));\n\t\t\t} else if (isOctal(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 8));\n\t\t\t} else if (hasNonWS(value) || isInvalidHexLiteral(value)) {\n\t\t\t\treturn NaN;\n\t\t\t} else {\n\t\t\t\tvar trimmed = trim(value);\n\t\t\t\tif (trimmed !== value) {\n\t\t\t\t\treturn this.ToNumber(trimmed);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn Number(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tointeger\n\t// ToInteger: ES5.ToNumber,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint32\n\t// ToInt32: ES5.ToInt32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint32\n\t// ToUint32: ES5.ToUint32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint16\n\tToInt16: function ToInt16(argument) {\n\t\tvar int16bit = this.ToUint16(argument);\n\t\treturn int16bit >= 0x8000 ? int16bit - 0x10000 : int16bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint16\n\t// ToUint16: ES5.ToUint16,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint8\n\tToInt8: function ToInt8(argument) {\n\t\tvar int8bit = this.ToUint8(argument);\n\t\treturn int8bit >= 0x80 ? int8bit - 0x100 : int8bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8\n\tToUint8: function ToUint8(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) { return 0; }\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x100);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8clamp\n\tToUint8Clamp: function ToUint8Clamp(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number <= 0) { return 0; }\n\t\tif (number >= 0xFF) { return 0xFF; }\n\t\tvar f = Math.floor(argument);\n\t\tif (f + 0.5 < number) { return f + 1; }\n\t\tif (number < f + 0.5) { return f; }\n\t\tif (f % 2 !== 0) { return f + 1; }\n\t\treturn f;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tostring\n\tToString: function ToString(argument) {\n\t\tif (typeof argument === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a string');\n\t\t}\n\t\treturn String(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toobject\n\tToObject: function ToObject(value) {\n\t\tthis.RequireObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-topropertykey\n\tToPropertyKey: function ToPropertyKey(argument) {\n\t\tvar key = this.ToPrimitive(argument, String);\n\t\treturn typeof key === 'symbol' ? key : this.ToString(key);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength\n\tToLength: function ToLength(argument) {\n\t\tvar len = this.ToInteger(argument);\n\t\tif (len <= 0) { return 0; } // includes converting -0 to +0\n\t\tif (len > MAX_SAFE_INTEGER) { return MAX_SAFE_INTEGER; }\n\t\treturn len;\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-canonicalnumericindexstring\n\tCanonicalNumericIndexString: function CanonicalNumericIndexString(argument) {\n\t\tif (toStr.call(argument) !== '[object String]') {\n\t\t\tthrow new TypeError('must be a string');\n\t\t}\n\t\tif (argument === '-0') { return -0; }\n\t\tvar n = this.ToNumber(argument);\n\t\tif (this.SameValue(this.ToString(n), argument)) { return n; }\n\t\treturn void 0;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-requireobjectcoercible\n\tRequireObjectCoercible: ES5.CheckObjectCoercible,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isarray\n\tIsArray: Array.isArray || function IsArray(argument) {\n\t\treturn toStr.call(argument) === '[object Array]';\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-iscallable\n\t// IsCallable: ES5.IsCallable,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isconstructor\n\tIsConstructor: function IsConstructor(argument) {\n\t\treturn typeof argument === 'function' && !!argument.prototype; // unfortunately there's no way to truly check this without try/catch `new argument`\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isextensible-o\n\tIsExtensible: function IsExtensible(obj) {\n\t\tif (!Object.preventExtensions) { return true; }\n\t\tif (isPrimitive(obj)) {\n\t\t\treturn false;\n\t\t}\n\t\treturn Object.isExtensible(obj);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isinteger\n\tIsInteger: function IsInteger(argument) {\n\t\tif (typeof argument !== 'number' || $isNaN(argument) || !$isFinite(argument)) {\n\t\t\treturn false;\n\t\t}\n\t\tvar abs = Math.abs(argument);\n\t\treturn Math.floor(abs) === abs;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-ispropertykey\n\tIsPropertyKey: function IsPropertyKey(argument) {\n\t\treturn typeof argument === 'string' || typeof argument === 'symbol';\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-isregexp\n\tIsRegExp: function IsRegExp(argument) {\n\t\tif (!argument || typeof argument !== 'object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols) {\n\t\t\tvar isRegExp = argument[Symbol.match];\n\t\t\tif (typeof isRegExp !== 'undefined') {\n\t\t\t\treturn ES5.ToBoolean(isRegExp);\n\t\t\t}\n\t\t}\n\t\treturn hasRegExpMatcher(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevalue\n\t// SameValue: ES5.SameValue,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevaluezero\n\tSameValueZero: function SameValueZero(x, y) {\n\t\treturn (x === y) || ($isNaN(x) && $isNaN(y));\n\t},\n\n\t/**\n\t * 7.3.2 GetV (V, P)\n\t * 1. Assert: IsPropertyKey(P) is true.\n\t * 2. Let O be ToObject(V).\n\t * 3. ReturnIfAbrupt(O).\n\t * 4. Return O.[[Get]](P, V).\n\t */\n\tGetV: function GetV(V, P) {\n\t\t// 7.3.2.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.2.2-3\n\t\tvar O = this.ToObject(V);\n\n\t\t// 7.3.2.4\n\t\treturn O[P];\n\t},\n\n\t/**\n\t * 7.3.9 - http://www.ecma-international.org/ecma-262/6.0/#sec-getmethod\n\t * 1. Assert: IsPropertyKey(P) is true.\n\t * 2. Let func be GetV(O, P).\n\t * 3. ReturnIfAbrupt(func).\n\t * 4. If func is either undefined or null, return undefined.\n\t * 5. If IsCallable(func) is false, throw a TypeError exception.\n\t * 6. Return func.\n\t */\n\tGetMethod: function GetMethod(O, P) {\n\t\t// 7.3.9.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.9.2\n\t\tvar func = this.GetV(O, P);\n\n\t\t// 7.3.9.4\n\t\tif (func == null) {\n\t\t\treturn void 0;\n\t\t}\n\n\t\t// 7.3.9.5\n\t\tif (!this.IsCallable(func)) {\n\t\t\tthrow new TypeError(P + 'is not a function');\n\t\t}\n\n\t\t// 7.3.9.6\n\t\treturn func;\n\t},\n\n\t/**\n\t * 7.3.1 Get (O, P) - http://www.ecma-international.org/ecma-262/6.0/#sec-get-o-p\n\t * 1. Assert: Type(O) is Object.\n\t * 2. Assert: IsPropertyKey(P) is true.\n\t * 3. Return O.[[Get]](P, O).\n\t */\n\tGet: function Get(O, P) {\n\t\t// 7.3.1.1\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\t// 7.3.1.2\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\t// 7.3.1.3\n\t\treturn O[P];\n\t},\n\n\tType: function Type(x) {\n\t\tif (typeof x === 'symbol') {\n\t\t\treturn 'Symbol';\n\t\t}\n\t\treturn ES5.Type(x);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-speciesconstructor\n\tSpeciesConstructor: function SpeciesConstructor(O, defaultConstructor) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tvar C = O.constructor;\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.Type(C) !== 'Object') {\n\t\t\tthrow new TypeError('O.constructor is not an Object');\n\t\t}\n\t\tvar S = hasSymbols && Symbol.species ? C[Symbol.species] : void 0;\n\t\tif (S == null) {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.IsConstructor(S)) {\n\t\t\treturn S;\n\t\t}\n\t\tthrow new TypeError('no constructor found');\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-completepropertydescriptor\n\tCompletePropertyDescriptor: function CompletePropertyDescriptor(Desc) {\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsGenericDescriptor(Desc) || this.IsDataDescriptor(Desc)) {\n\t\t\tif (!has(Desc, '[[Value]]')) {\n\t\t\t\tDesc['[[Value]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Writable]]')) {\n\t\t\t\tDesc['[[Writable]]'] = false;\n\t\t\t}\n\t\t} else {\n\t\t\tif (!has(Desc, '[[Get]]')) {\n\t\t\t\tDesc['[[Get]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Set]]')) {\n\t\t\t\tDesc['[[Set]]'] = void 0;\n\t\t\t}\n\t\t}\n\t\tif (!has(Desc, '[[Enumerable]]')) {\n\t\t\tDesc['[[Enumerable]]'] = false;\n\t\t}\n\t\tif (!has(Desc, '[[Configurable]]')) {\n\t\t\tDesc['[[Configurable]]'] = false;\n\t\t}\n\t\treturn Desc;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-set-o-p-v-throw\n\tSet: function Set(O, P, V, Throw) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tif (this.Type(Throw) !== 'Boolean') {\n\t\t\tthrow new TypeError('Throw must be a Boolean');\n\t\t}\n\t\tif (Throw) {\n\t\t\tO[P] = V;\n\t\t\treturn true;\n\t\t} else {\n\t\t\ttry {\n\t\t\t\tO[P] = V;\n\t\t\t} catch (e) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasownproperty\n\tHasOwnProperty: function HasOwnProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn has(O, P);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasproperty\n\tHasProperty: function HasProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn P in O;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-isconcatspreadable\n\tIsConcatSpreadable: function IsConcatSpreadable(O) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols && typeof Symbol.isConcatSpreadable === 'symbol') {\n\t\t\tvar spreadable = this.Get(O, Symbol.isConcatSpreadable);\n\t\t\tif (typeof spreadable !== 'undefined') {\n\t\t\t\treturn this.ToBoolean(spreadable);\n\t\t\t}\n\t\t}\n\t\treturn this.IsArray(O);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-invoke\n\tInvoke: function Invoke(O, P) {\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tvar argumentsList = arraySlice(arguments, 2);\n\t\tvar func = this.GetV(O, P);\n\t\treturn this.Call(func, O, argumentsList);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createiterresultobject\n\tCreateIterResultObject: function CreateIterResultObject(value, done) {\n\t\tif (this.Type(done) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(done) is not Boolean');\n\t\t}\n\t\treturn {\n\t\t\tvalue: value,\n\t\t\tdone: done\n\t\t};\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-regexpexec\n\tRegExpExec: function RegExpExec(R, S) {\n\t\tif (this.Type(R) !== 'Object') {\n\t\t\tthrow new TypeError('R must be an Object');\n\t\t}\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('S must be a String');\n\t\t}\n\t\tvar exec = this.Get(R, 'exec');\n\t\tif (this.IsCallable(exec)) {\n\t\t\tvar result = this.Call(exec, R, [S]);\n\t\t\tif (result === null || this.Type(result) === 'Object') {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t\tthrow new TypeError('\"exec\" method must return `null` or an Object');\n\t\t}\n\t\treturn regexExec(R, S);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-arrayspeciescreate\n\tArraySpeciesCreate: function ArraySpeciesCreate(originalArray, length) {\n\t\tif (!this.IsInteger(length) || length < 0) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0');\n\t\t}\n\t\tvar len = length === 0 ? 0 : length;\n\t\tvar C;\n\t\tvar isArray = this.IsArray(originalArray);\n\t\tif (isArray) {\n\t\t\tC = this.Get(originalArray, 'constructor');\n\t\t\t// TODO: figure out how to make a cross-realm normal Array, a same-realm Array\n\t\t\t// if (this.IsConstructor(C)) {\n\t\t\t// \tif C is another realm's Array, C = undefined\n\t\t\t// \tObject.getPrototypeOf(Object.getPrototypeOf(Object.getPrototypeOf(Array))) === null ?\n\t\t\t// }\n\t\t\tif (this.Type(C) === 'Object' && hasSymbols && Symbol.species) {\n\t\t\t\tC = this.Get(C, Symbol.species);\n\t\t\t\tif (C === null) {\n\t\t\t\t\tC = void 0;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn Array(len);\n\t\t}\n\t\tif (!this.IsConstructor(C)) {\n\t\t\tthrow new TypeError('C must be a constructor');\n\t\t}\n\t\treturn new C(len); // this.Construct(C, len);\n\t},\n\n\tCreateDataProperty: function CreateDataProperty(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar oldDesc = Object.getOwnPropertyDescriptor(O, P);\n\t\tvar extensible = oldDesc || (typeof Object.isExtensible !== 'function' || Object.isExtensible(O));\n\t\tvar immutable = oldDesc && (!oldDesc.writable || !oldDesc.configurable);\n\t\tif (immutable || !extensible) {\n\t\t\treturn false;\n\t\t}\n\t\tvar newDesc = {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: true,\n\t\t\tvalue: V,\n\t\t\twritable: true\n\t\t};\n\t\tObject.defineProperty(O, P, newDesc);\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createdatapropertyorthrow\n\tCreateDataPropertyOrThrow: function CreateDataPropertyOrThrow(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar success = this.CreateDataProperty(O, P, V);\n\t\tif (!success) {\n\t\t\tthrow new TypeError('unable to create data property');\n\t\t}\n\t\treturn success;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-advancestringindex\n\tAdvanceStringIndex: function AdvanceStringIndex(S, index, unicode) {\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('Assertion failed: Type(S) is not String');\n\t\t}\n\t\tif (!this.IsInteger(index)) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (index < 0 || index > MAX_SAFE_INTEGER) {\n\t\t\tthrow new RangeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (this.Type(unicode) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(unicode) is not Boolean');\n\t\t}\n\t\tif (!unicode) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar length = S.length;\n\t\tif ((index + 1) >= length) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar first = S.charCodeAt(index);\n\t\tif (first < 0xD800 || first > 0xDBFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar second = S.charCodeAt(index + 1);\n\t\tif (second < 0xDC00 || second > 0xDFFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\treturn index + 2;\n\t}\n});\n\ndelete ES6.CheckObjectCoercible; // renamed in ES6 to RequireObjectCoercible\n\nmodule.exports = ES6;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es2015.js","module.exports = function isPrimitive(value) {\n\treturn value === null || (typeof value !== 'function' && typeof value !== 'object');\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-to-primitive/helpers/isPrimitive.js","module.exports = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/isNaN.js","var $isNaN = Number.isNaN || function (a) { return a !== a; };\n\nmodule.exports = Number.isFinite || function (x) { return typeof x === 'number' && !$isNaN(x) && x !== Infinity && x !== -Infinity; };\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/isFinite.js","var has = Object.prototype.hasOwnProperty;\nmodule.exports = function assign(target, source) {\n\tif (Object.assign) {\n\t\treturn Object.assign(target, source);\n\t}\n\tfor (var key in source) {\n\t\tif (has.call(source, key)) {\n\t\t\ttarget[key] = source[key];\n\t\t}\n\t}\n\treturn target;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/assign.js","module.exports = function sign(number) {\n\treturn number >= 0 ? 1 : -1;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/sign.js","module.exports = function mod(number, modulo) {\n\tvar remain = number % modulo;\n\treturn Math.floor(remain >= 0 ? remain : remain + modulo);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/mod.js","'use strict';\n\nvar ES = require('es-abstract/es6');\nvar $isNaN = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\nvar $isFinite = Number.isFinite || function isFinite(n) {\n\treturn typeof n === 'number' && global.isFinite(n);\n};\nvar indexOf = Array.prototype.indexOf;\n\nmodule.exports = function includes(searchElement) {\n\tvar fromIndex = arguments.length > 1 ? ES.ToInteger(arguments[1]) : 0;\n\tif (indexOf && !$isNaN(searchElement) && $isFinite(fromIndex) && typeof searchElement !== 'undefined') {\n\t\treturn indexOf.apply(this, arguments) > -1;\n\t}\n\n\tvar O = ES.ToObject(this);\n\tvar length = ES.ToLength(O.length);\n\tif (length === 0) {\n\t\treturn false;\n\t}\n\tvar k = fromIndex >= 0 ? fromIndex : Math.max(0, length + fromIndex);\n\twhile (k < length) {\n\t\tif (ES.SameValueZero(searchElement, O[k])) {\n\t\t\treturn true;\n\t\t}\n\t\tk += 1;\n\t}\n\treturn false;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/implementation.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = function getPolyfill() {\n\treturn Array.prototype.includes || implementation;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/polyfill.js","'use strict';\n\nvar ES = require('es-abstract/es7');\nvar has = require('has');\nvar bind = require('function-bind');\nvar isEnumerable = bind.call(Function.call, Object.prototype.propertyIsEnumerable);\n\nmodule.exports = function values(O) {\n\tvar obj = ES.RequireObjectCoercible(O);\n\tvar vals = [];\n\tfor (var key in obj) {\n\t\tif (has(obj, key) && isEnumerable(obj, key)) {\n\t\t\tvals.push(obj[key]);\n\t\t}\n\t}\n\treturn vals;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/implementation.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = function getPolyfill() {\n\treturn typeof Object.values === 'function' ? Object.values : implementation;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/polyfill.js","'use strict';\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function isNaN(value) {\n\treturn value !== value;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/implementation.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = function getPolyfill() {\n\tif (Number.isNaN && Number.isNaN(NaN) && !Number.isNaN('a')) {\n\t\treturn Number.isNaN;\n\t}\n\treturn implementation;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/polyfill.js","// Expose `IntlPolyfill` as global to add locale data into runtime later on.\nglobal.IntlPolyfill = require('./lib/core.js');\n\n// Require all locale data for `Intl`. This module will be\n// ignored when bundling for the browser with Browserify/Webpack.\nrequire('./locale-data/complete.js');\n\n// hack to export the polyfill as global Intl if needed\nif (!global.Intl) {\n global.Intl = global.IntlPolyfill;\n global.IntlPolyfill.__applyLocaleSensitivePrototypes();\n}\n\n// providing an idiomatic api for the nodejs version of this module\nmodule.exports = global.IntlPolyfill;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/intl/index.js","'use strict';\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol ? \"symbol\" : typeof obj;\n};\n\nvar jsx = function () {\n var REACT_ELEMENT_TYPE = typeof Symbol === \"function\" && Symbol.for && Symbol.for(\"react.element\") || 0xeac7;\n return function createRawReactElement(type, props, key, children) {\n var defaultProps = type && type.defaultProps;\n var childrenLength = arguments.length - 3;\n\n if (!props && childrenLength !== 0) {\n props = {};\n }\n\n if (props && defaultProps) {\n for (var propName in defaultProps) {\n if (props[propName] === void 0) {\n props[propName] = defaultProps[propName];\n }\n }\n } else if (!props) {\n props = defaultProps || {};\n }\n\n if (childrenLength === 1) {\n props.children = children;\n } else if (childrenLength > 1) {\n var childArray = Array(childrenLength);\n\n for (var i = 0; i < childrenLength; i++) {\n childArray[i] = arguments[i + 3];\n }\n\n props.children = childArray;\n }\n\n return {\n $$typeof: REACT_ELEMENT_TYPE,\n type: type,\n key: key === undefined ? null : '' + key,\n ref: null,\n props: props,\n _owner: null\n };\n };\n}();\n\nvar asyncToGenerator = function (fn) {\n return function () {\n var gen = fn.apply(this, arguments);\n return new Promise(function (resolve, reject) {\n function step(key, arg) {\n try {\n var info = gen[key](arg);\n var value = info.value;\n } catch (error) {\n reject(error);\n return;\n }\n\n if (info.done) {\n resolve(value);\n } else {\n return Promise.resolve(value).then(function (value) {\n return step(\"next\", value);\n }, function (err) {\n return step(\"throw\", err);\n });\n }\n }\n\n return step(\"next\");\n });\n };\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineEnumerableProperties = function (obj, descs) {\n for (var key in descs) {\n var desc = descs[key];\n desc.configurable = desc.enumerable = true;\n if (\"value\" in desc) desc.writable = true;\n Object.defineProperty(obj, key, desc);\n }\n\n return obj;\n};\n\nvar defaults = function (obj, defaults) {\n var keys = Object.getOwnPropertyNames(defaults);\n\n for (var i = 0; i < keys.length; i++) {\n var key = keys[i];\n var value = Object.getOwnPropertyDescriptor(defaults, key);\n\n if (value && value.configurable && obj[key] === undefined) {\n Object.defineProperty(obj, key, value);\n }\n }\n\n return obj;\n};\n\nvar defineProperty$1 = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar get = function get(object, property, receiver) {\n if (object === null) object = Function.prototype;\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent === null) {\n return undefined;\n } else {\n return get(parent, property, receiver);\n }\n } else if (\"value\" in desc) {\n return desc.value;\n } else {\n var getter = desc.get;\n\n if (getter === undefined) {\n return undefined;\n }\n\n return getter.call(receiver);\n }\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar _instanceof = function (left, right) {\n if (right != null && typeof Symbol !== \"undefined\" && right[Symbol.hasInstance]) {\n return right[Symbol.hasInstance](left);\n } else {\n return left instanceof right;\n }\n};\n\nvar interopRequireDefault = function (obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n};\n\nvar interopRequireWildcard = function (obj) {\n if (obj && obj.__esModule) {\n return obj;\n } else {\n var newObj = {};\n\n if (obj != null) {\n for (var key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];\n }\n }\n\n newObj.default = obj;\n return newObj;\n }\n};\n\nvar newArrowCheck = function (innerThis, boundThis) {\n if (innerThis !== boundThis) {\n throw new TypeError(\"Cannot instantiate an arrow function\");\n }\n};\n\nvar objectDestructuringEmpty = function (obj) {\n if (obj == null) throw new TypeError(\"Cannot destructure undefined\");\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar selfGlobal = typeof global === \"undefined\" ? self : global;\n\nvar set = function set(object, property, value, receiver) {\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent !== null) {\n set(parent, property, value, receiver);\n }\n } else if (\"value\" in desc && desc.writable) {\n desc.value = value;\n } else {\n var setter = desc.set;\n\n if (setter !== undefined) {\n setter.call(receiver, value);\n }\n }\n\n return value;\n};\n\nvar slicedToArray = function () {\n function sliceIterator(arr, i) {\n var _arr = [];\n var _n = true;\n var _d = false;\n var _e = undefined;\n\n try {\n for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {\n _arr.push(_s.value);\n\n if (i && _arr.length === i) break;\n }\n } catch (err) {\n _d = true;\n _e = err;\n } finally {\n try {\n if (!_n && _i[\"return\"]) _i[\"return\"]();\n } finally {\n if (_d) throw _e;\n }\n }\n\n return _arr;\n }\n\n return function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n return sliceIterator(arr, i);\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n };\n}();\n\nvar slicedToArrayLoose = function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n var _arr = [];\n\n for (var _iterator = arr[Symbol.iterator](), _step; !(_step = _iterator.next()).done;) {\n _arr.push(_step.value);\n\n if (i && _arr.length === i) break;\n }\n\n return _arr;\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n};\n\nvar taggedTemplateLiteral = function (strings, raw) {\n return Object.freeze(Object.defineProperties(strings, {\n raw: {\n value: Object.freeze(raw)\n }\n }));\n};\n\nvar taggedTemplateLiteralLoose = function (strings, raw) {\n strings.raw = raw;\n return strings;\n};\n\nvar temporalRef = function (val, name, undef) {\n if (val === undef) {\n throw new ReferenceError(name + \" is not defined - temporal dead zone\");\n } else {\n return val;\n }\n};\n\nvar temporalUndefined = {};\n\nvar toArray = function (arr) {\n return Array.isArray(arr) ? arr : Array.from(arr);\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n\n\nvar babelHelpers$1 = Object.freeze({\n jsx: jsx,\n asyncToGenerator: asyncToGenerator,\n classCallCheck: classCallCheck,\n createClass: createClass,\n defineEnumerableProperties: defineEnumerableProperties,\n defaults: defaults,\n defineProperty: defineProperty$1,\n get: get,\n inherits: inherits,\n interopRequireDefault: interopRequireDefault,\n interopRequireWildcard: interopRequireWildcard,\n newArrowCheck: newArrowCheck,\n objectDestructuringEmpty: objectDestructuringEmpty,\n objectWithoutProperties: objectWithoutProperties,\n possibleConstructorReturn: possibleConstructorReturn,\n selfGlobal: selfGlobal,\n set: set,\n slicedToArray: slicedToArray,\n slicedToArrayLoose: slicedToArrayLoose,\n taggedTemplateLiteral: taggedTemplateLiteral,\n taggedTemplateLiteralLoose: taggedTemplateLiteralLoose,\n temporalRef: temporalRef,\n temporalUndefined: temporalUndefined,\n toArray: toArray,\n toConsumableArray: toConsumableArray,\n typeof: _typeof,\n extends: _extends,\n instanceof: _instanceof\n});\n\nvar realDefineProp = function () {\n var sentinel = function sentinel() {};\n try {\n Object.defineProperty(sentinel, 'a', {\n get: function get() {\n return 1;\n }\n });\n Object.defineProperty(sentinel, 'prototype', { writable: false });\n return sentinel.a === 1 && sentinel.prototype instanceof Object;\n } catch (e) {\n return false;\n }\n}();\n\n// Need a workaround for getters in ES3\nvar es3 = !realDefineProp && !Object.prototype.__defineGetter__;\n\n// We use this a lot (and need it for proto-less objects)\nvar hop = Object.prototype.hasOwnProperty;\n\n// Naive defineProperty for compatibility\nvar defineProperty = realDefineProp ? Object.defineProperty : function (obj, name, desc) {\n if ('get' in desc && obj.__defineGetter__) obj.__defineGetter__(name, desc.get);else if (!hop.call(obj, name) || 'value' in desc) obj[name] = desc.value;\n};\n\n// Array.prototype.indexOf, as good as we need it to be\nvar arrIndexOf = Array.prototype.indexOf || function (search) {\n /*jshint validthis:true */\n var t = this;\n if (!t.length) return -1;\n\n for (var i = arguments[1] || 0, max = t.length; i < max; i++) {\n if (t[i] === search) return i;\n }\n\n return -1;\n};\n\n// Create an object with the specified prototype (2nd arg required for Record)\nvar objCreate = Object.create || function (proto, props) {\n var obj = void 0;\n\n function F() {}\n F.prototype = proto;\n obj = new F();\n\n for (var k in props) {\n if (hop.call(props, k)) defineProperty(obj, k, props[k]);\n }\n\n return obj;\n};\n\n// Snapshot some (hopefully still) native built-ins\nvar arrSlice = Array.prototype.slice;\nvar arrConcat = Array.prototype.concat;\nvar arrPush = Array.prototype.push;\nvar arrJoin = Array.prototype.join;\nvar arrShift = Array.prototype.shift;\n\n// Naive Function.prototype.bind for compatibility\nvar fnBind = Function.prototype.bind || function (thisObj) {\n var fn = this,\n args = arrSlice.call(arguments, 1);\n\n // All our (presently) bound functions have either 1 or 0 arguments. By returning\n // different function signatures, we can pass some tests in ES3 environments\n if (fn.length === 1) {\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n }\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n};\n\n// Object housing internal properties for constructors\nvar internals = objCreate(null);\n\n// Keep internal properties internal\nvar secret = Math.random();\n\n// Helper functions\n// ================\n\n/**\n * A function to deal with the inaccuracy of calculating log10 in pre-ES6\n * JavaScript environments. Math.log(num) / Math.LN10 was responsible for\n * causing issue #62.\n */\nfunction log10Floor(n) {\n // ES6 provides the more accurate Math.log10\n if (typeof Math.log10 === 'function') return Math.floor(Math.log10(n));\n\n var x = Math.round(Math.log(n) * Math.LOG10E);\n return x - (Number('1e' + x) > n);\n}\n\n/**\n * A map that doesn't contain Object in its prototype chain\n */\nfunction Record(obj) {\n // Copy only own properties over unless this object is already a Record instance\n for (var k in obj) {\n if (obj instanceof Record || hop.call(obj, k)) defineProperty(this, k, { value: obj[k], enumerable: true, writable: true, configurable: true });\n }\n}\nRecord.prototype = objCreate(null);\n\n/**\n * An ordered list\n */\nfunction List() {\n defineProperty(this, 'length', { writable: true, value: 0 });\n\n if (arguments.length) arrPush.apply(this, arrSlice.call(arguments));\n}\nList.prototype = objCreate(null);\n\n/**\n * Constructs a regular expression to restore tainted RegExp properties\n */\nfunction createRegExpRestore() {\n if (internals.disableRegExpRestore) {\n return function () {/* no-op */};\n }\n\n var regExpCache = {\n lastMatch: RegExp.lastMatch || '',\n leftContext: RegExp.leftContext,\n multiline: RegExp.multiline,\n input: RegExp.input\n },\n has = false;\n\n // Create a snapshot of all the 'captured' properties\n for (var i = 1; i <= 9; i++) {\n has = (regExpCache['$' + i] = RegExp['$' + i]) || has;\n }return function () {\n // Now we've snapshotted some properties, escape the lastMatch string\n var esc = /[.?*+^$[\\]\\\\(){}|-]/g,\n lm = regExpCache.lastMatch.replace(esc, '\\\\$&'),\n reg = new List();\n\n // If any of the captured strings were non-empty, iterate over them all\n if (has) {\n for (var _i = 1; _i <= 9; _i++) {\n var m = regExpCache['$' + _i];\n\n // If it's empty, add an empty capturing group\n if (!m) lm = '()' + lm;\n\n // Else find the string in lm and escape & wrap it to capture it\n else {\n m = m.replace(esc, '\\\\$&');\n lm = lm.replace(m, '(' + m + ')');\n }\n\n // Push it to the reg and chop lm to make sure further groups come after\n arrPush.call(reg, lm.slice(0, lm.indexOf('(') + 1));\n lm = lm.slice(lm.indexOf('(') + 1);\n }\n }\n\n var exprStr = arrJoin.call(reg, '') + lm;\n\n // Shorten the regex by replacing each part of the expression with a match\n // for a string of that exact length. This is safe for the type of\n // expressions generated above, because the expression matches the whole\n // match string, so we know each group and each segment between capturing\n // groups can be matched by its length alone.\n exprStr = exprStr.replace(/(\\\\\\(|\\\\\\)|[^()])+/g, function (match) {\n return '[\\\\s\\\\S]{' + match.replace('\\\\', '').length + '}';\n });\n\n // Create the regular expression that will reconstruct the RegExp properties\n var expr = new RegExp(exprStr, regExpCache.multiline ? 'gm' : 'g');\n\n // Set the lastIndex of the generated expression to ensure that the match\n // is found in the correct index.\n expr.lastIndex = regExpCache.leftContext.length;\n\n expr.exec(regExpCache.input);\n };\n}\n\n/**\n * Mimics ES5's abstract ToObject() function\n */\nfunction toObject(arg) {\n if (arg === null) throw new TypeError('Cannot convert null or undefined to object');\n\n if ((typeof arg === 'undefined' ? 'undefined' : babelHelpers$1['typeof'](arg)) === 'object') return arg;\n return Object(arg);\n}\n\nfunction toNumber(arg) {\n if (typeof arg === 'number') return arg;\n return Number(arg);\n}\n\nfunction toInteger(arg) {\n var number = toNumber(arg);\n if (isNaN(number)) return 0;\n if (number === +0 || number === -0 || number === +Infinity || number === -Infinity) return number;\n if (number < 0) return Math.floor(Math.abs(number)) * -1;\n return Math.floor(Math.abs(number));\n}\n\nfunction toLength(arg) {\n var len = toInteger(arg);\n if (len <= 0) return 0;\n if (len === Infinity) return Math.pow(2, 53) - 1;\n return Math.min(len, Math.pow(2, 53) - 1);\n}\n\n/**\n * Returns \"internal\" properties for an object\n */\nfunction getInternalProperties(obj) {\n if (hop.call(obj, '__getInternalProperties')) return obj.__getInternalProperties(secret);\n\n return objCreate(null);\n}\n\n/**\n* Defines regular expressions for various operations related to the BCP 47 syntax,\n* as defined at http://tools.ietf.org/html/bcp47#section-2.1\n*/\n\n// extlang = 3ALPHA ; selected ISO 639 codes\n// *2(\"-\" 3ALPHA) ; permanently reserved\nvar extlang = '[a-z]{3}(?:-[a-z]{3}){0,2}';\n\n// language = 2*3ALPHA ; shortest ISO 639 code\n// [\"-\" extlang] ; sometimes followed by\n// ; extended language subtags\n// / 4ALPHA ; or reserved for future use\n// / 5*8ALPHA ; or registered language subtag\nvar language = '(?:[a-z]{2,3}(?:-' + extlang + ')?|[a-z]{4}|[a-z]{5,8})';\n\n// script = 4ALPHA ; ISO 15924 code\nvar script = '[a-z]{4}';\n\n// region = 2ALPHA ; ISO 3166-1 code\n// / 3DIGIT ; UN M.49 code\nvar region = '(?:[a-z]{2}|\\\\d{3})';\n\n// variant = 5*8alphanum ; registered variants\n// / (DIGIT 3alphanum)\nvar variant = '(?:[a-z0-9]{5,8}|\\\\d[a-z0-9]{3})';\n\n// ; Single alphanumerics\n// ; \"x\" reserved for private use\n// singleton = DIGIT ; 0 - 9\n// / %x41-57 ; A - W\n// / %x59-5A ; Y - Z\n// / %x61-77 ; a - w\n// / %x79-7A ; y - z\nvar singleton = '[0-9a-wy-z]';\n\n// extension = singleton 1*(\"-\" (2*8alphanum))\nvar extension = singleton + '(?:-[a-z0-9]{2,8})+';\n\n// privateuse = \"x\" 1*(\"-\" (1*8alphanum))\nvar privateuse = 'x(?:-[a-z0-9]{1,8})+';\n\n// irregular = \"en-GB-oed\" ; irregular tags do not match\n// / \"i-ami\" ; the 'langtag' production and\n// / \"i-bnn\" ; would not otherwise be\n// / \"i-default\" ; considered 'well-formed'\n// / \"i-enochian\" ; These tags are all valid,\n// / \"i-hak\" ; but most are deprecated\n// / \"i-klingon\" ; in favor of more modern\n// / \"i-lux\" ; subtags or subtag\n// / \"i-mingo\" ; combination\n// / \"i-navajo\"\n// / \"i-pwn\"\n// / \"i-tao\"\n// / \"i-tay\"\n// / \"i-tsu\"\n// / \"sgn-BE-FR\"\n// / \"sgn-BE-NL\"\n// / \"sgn-CH-DE\"\nvar irregular = '(?:en-GB-oed' + '|i-(?:ami|bnn|default|enochian|hak|klingon|lux|mingo|navajo|pwn|tao|tay|tsu)' + '|sgn-(?:BE-FR|BE-NL|CH-DE))';\n\n// regular = \"art-lojban\" ; these tags match the 'langtag'\n// / \"cel-gaulish\" ; production, but their subtags\n// / \"no-bok\" ; are not extended language\n// / \"no-nyn\" ; or variant subtags: their meaning\n// / \"zh-guoyu\" ; is defined by their registration\n// / \"zh-hakka\" ; and all of these are deprecated\n// / \"zh-min\" ; in favor of a more modern\n// / \"zh-min-nan\" ; subtag or sequence of subtags\n// / \"zh-xiang\"\nvar regular = '(?:art-lojban|cel-gaulish|no-bok|no-nyn' + '|zh-(?:guoyu|hakka|min|min-nan|xiang))';\n\n// grandfathered = irregular ; non-redundant tags registered\n// / regular ; during the RFC 3066 era\nvar grandfathered = '(?:' + irregular + '|' + regular + ')';\n\n// langtag = language\n// [\"-\" script]\n// [\"-\" region]\n// *(\"-\" variant)\n// *(\"-\" extension)\n// [\"-\" privateuse]\nvar langtag = language + '(?:-' + script + ')?(?:-' + region + ')?(?:-' + variant + ')*(?:-' + extension + ')*(?:-' + privateuse + ')?';\n\n// Language-Tag = langtag ; normal language tags\n// / privateuse ; private use tag\n// / grandfathered ; grandfathered tags\nvar expBCP47Syntax = RegExp('^(?:' + langtag + '|' + privateuse + '|' + grandfathered + ')$', 'i');\n\n// Match duplicate variants in a language tag\nvar expVariantDupes = RegExp('^(?!x).*?-(' + variant + ')-(?:\\\\w{4,8}-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match duplicate singletons in a language tag (except in private use)\nvar expSingletonDupes = RegExp('^(?!x).*?-(' + singleton + ')-(?:\\\\w+-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match all extension sequences\nvar expExtSequences = RegExp('-' + extension, 'ig');\n\n// Default locale is the first-added locale data for us\nvar defaultLocale = void 0;\nfunction setDefaultLocale(locale) {\n defaultLocale = locale;\n}\n\n// IANA Subtag Registry redundant tag and subtag maps\nvar redundantTags = {\n tags: {\n \"art-lojban\": \"jbo\",\n \"i-ami\": \"ami\",\n \"i-bnn\": \"bnn\",\n \"i-hak\": \"hak\",\n \"i-klingon\": \"tlh\",\n \"i-lux\": \"lb\",\n \"i-navajo\": \"nv\",\n \"i-pwn\": \"pwn\",\n \"i-tao\": \"tao\",\n \"i-tay\": \"tay\",\n \"i-tsu\": \"tsu\",\n \"no-bok\": \"nb\",\n \"no-nyn\": \"nn\",\n \"sgn-BE-FR\": \"sfb\",\n \"sgn-BE-NL\": \"vgt\",\n \"sgn-CH-DE\": \"sgg\",\n \"zh-guoyu\": \"cmn\",\n \"zh-hakka\": \"hak\",\n \"zh-min-nan\": \"nan\",\n \"zh-xiang\": \"hsn\",\n \"sgn-BR\": \"bzs\",\n \"sgn-CO\": \"csn\",\n \"sgn-DE\": \"gsg\",\n \"sgn-DK\": \"dsl\",\n \"sgn-ES\": \"ssp\",\n \"sgn-FR\": \"fsl\",\n \"sgn-GB\": \"bfi\",\n \"sgn-GR\": \"gss\",\n \"sgn-IE\": \"isg\",\n \"sgn-IT\": \"ise\",\n \"sgn-JP\": \"jsl\",\n \"sgn-MX\": \"mfs\",\n \"sgn-NI\": \"ncs\",\n \"sgn-NL\": \"dse\",\n \"sgn-NO\": \"nsl\",\n \"sgn-PT\": \"psr\",\n \"sgn-SE\": \"swl\",\n \"sgn-US\": \"ase\",\n \"sgn-ZA\": \"sfs\",\n \"zh-cmn\": \"cmn\",\n \"zh-cmn-Hans\": \"cmn-Hans\",\n \"zh-cmn-Hant\": \"cmn-Hant\",\n \"zh-gan\": \"gan\",\n \"zh-wuu\": \"wuu\",\n \"zh-yue\": \"yue\"\n },\n subtags: {\n BU: \"MM\",\n DD: \"DE\",\n FX: \"FR\",\n TP: \"TL\",\n YD: \"YE\",\n ZR: \"CD\",\n heploc: \"alalc97\",\n 'in': \"id\",\n iw: \"he\",\n ji: \"yi\",\n jw: \"jv\",\n mo: \"ro\",\n ayx: \"nun\",\n bjd: \"drl\",\n ccq: \"rki\",\n cjr: \"mom\",\n cka: \"cmr\",\n cmk: \"xch\",\n drh: \"khk\",\n drw: \"prs\",\n gav: \"dev\",\n hrr: \"jal\",\n ibi: \"opa\",\n kgh: \"kml\",\n lcq: \"ppr\",\n mst: \"mry\",\n myt: \"mry\",\n sca: \"hle\",\n tie: \"ras\",\n tkk: \"twm\",\n tlw: \"weo\",\n tnf: \"prs\",\n ybd: \"rki\",\n yma: \"lrr\"\n },\n extLang: {\n aao: [\"aao\", \"ar\"],\n abh: [\"abh\", \"ar\"],\n abv: [\"abv\", \"ar\"],\n acm: [\"acm\", \"ar\"],\n acq: [\"acq\", \"ar\"],\n acw: [\"acw\", \"ar\"],\n acx: [\"acx\", \"ar\"],\n acy: [\"acy\", \"ar\"],\n adf: [\"adf\", \"ar\"],\n ads: [\"ads\", \"sgn\"],\n aeb: [\"aeb\", \"ar\"],\n aec: [\"aec\", \"ar\"],\n aed: [\"aed\", \"sgn\"],\n aen: [\"aen\", \"sgn\"],\n afb: [\"afb\", \"ar\"],\n afg: [\"afg\", \"sgn\"],\n ajp: [\"ajp\", \"ar\"],\n apc: [\"apc\", \"ar\"],\n apd: [\"apd\", \"ar\"],\n arb: [\"arb\", \"ar\"],\n arq: [\"arq\", \"ar\"],\n ars: [\"ars\", \"ar\"],\n ary: [\"ary\", \"ar\"],\n arz: [\"arz\", \"ar\"],\n ase: [\"ase\", \"sgn\"],\n asf: [\"asf\", \"sgn\"],\n asp: [\"asp\", \"sgn\"],\n asq: [\"asq\", \"sgn\"],\n asw: [\"asw\", \"sgn\"],\n auz: [\"auz\", \"ar\"],\n avl: [\"avl\", \"ar\"],\n ayh: [\"ayh\", \"ar\"],\n ayl: [\"ayl\", \"ar\"],\n ayn: [\"ayn\", \"ar\"],\n ayp: [\"ayp\", \"ar\"],\n bbz: [\"bbz\", \"ar\"],\n bfi: [\"bfi\", \"sgn\"],\n bfk: [\"bfk\", \"sgn\"],\n bjn: [\"bjn\", \"ms\"],\n bog: [\"bog\", \"sgn\"],\n bqn: [\"bqn\", \"sgn\"],\n bqy: [\"bqy\", \"sgn\"],\n btj: [\"btj\", \"ms\"],\n bve: [\"bve\", \"ms\"],\n bvl: [\"bvl\", \"sgn\"],\n bvu: [\"bvu\", \"ms\"],\n bzs: [\"bzs\", \"sgn\"],\n cdo: [\"cdo\", \"zh\"],\n cds: [\"cds\", \"sgn\"],\n cjy: [\"cjy\", \"zh\"],\n cmn: [\"cmn\", \"zh\"],\n coa: [\"coa\", \"ms\"],\n cpx: [\"cpx\", \"zh\"],\n csc: [\"csc\", \"sgn\"],\n csd: [\"csd\", \"sgn\"],\n cse: [\"cse\", \"sgn\"],\n csf: [\"csf\", \"sgn\"],\n csg: [\"csg\", \"sgn\"],\n csl: [\"csl\", \"sgn\"],\n csn: [\"csn\", \"sgn\"],\n csq: [\"csq\", \"sgn\"],\n csr: [\"csr\", \"sgn\"],\n czh: [\"czh\", \"zh\"],\n czo: [\"czo\", \"zh\"],\n doq: [\"doq\", \"sgn\"],\n dse: [\"dse\", \"sgn\"],\n dsl: [\"dsl\", \"sgn\"],\n dup: [\"dup\", \"ms\"],\n ecs: [\"ecs\", \"sgn\"],\n esl: [\"esl\", \"sgn\"],\n esn: [\"esn\", \"sgn\"],\n eso: [\"eso\", \"sgn\"],\n eth: [\"eth\", \"sgn\"],\n fcs: [\"fcs\", \"sgn\"],\n fse: [\"fse\", \"sgn\"],\n fsl: [\"fsl\", \"sgn\"],\n fss: [\"fss\", \"sgn\"],\n gan: [\"gan\", \"zh\"],\n gds: [\"gds\", \"sgn\"],\n gom: [\"gom\", \"kok\"],\n gse: [\"gse\", \"sgn\"],\n gsg: [\"gsg\", \"sgn\"],\n gsm: [\"gsm\", \"sgn\"],\n gss: [\"gss\", \"sgn\"],\n gus: [\"gus\", \"sgn\"],\n hab: [\"hab\", \"sgn\"],\n haf: [\"haf\", \"sgn\"],\n hak: [\"hak\", \"zh\"],\n hds: [\"hds\", \"sgn\"],\n hji: [\"hji\", \"ms\"],\n hks: [\"hks\", \"sgn\"],\n hos: [\"hos\", \"sgn\"],\n hps: [\"hps\", \"sgn\"],\n hsh: [\"hsh\", \"sgn\"],\n hsl: [\"hsl\", \"sgn\"],\n hsn: [\"hsn\", \"zh\"],\n icl: [\"icl\", \"sgn\"],\n ils: [\"ils\", \"sgn\"],\n inl: [\"inl\", \"sgn\"],\n ins: [\"ins\", \"sgn\"],\n ise: [\"ise\", \"sgn\"],\n isg: [\"isg\", \"sgn\"],\n isr: [\"isr\", \"sgn\"],\n jak: [\"jak\", \"ms\"],\n jax: [\"jax\", \"ms\"],\n jcs: [\"jcs\", \"sgn\"],\n jhs: [\"jhs\", \"sgn\"],\n jls: [\"jls\", \"sgn\"],\n jos: [\"jos\", \"sgn\"],\n jsl: [\"jsl\", \"sgn\"],\n jus: [\"jus\", \"sgn\"],\n kgi: [\"kgi\", \"sgn\"],\n knn: [\"knn\", \"kok\"],\n kvb: [\"kvb\", \"ms\"],\n kvk: [\"kvk\", \"sgn\"],\n kvr: [\"kvr\", \"ms\"],\n kxd: [\"kxd\", \"ms\"],\n lbs: [\"lbs\", \"sgn\"],\n lce: [\"lce\", \"ms\"],\n lcf: [\"lcf\", \"ms\"],\n liw: [\"liw\", \"ms\"],\n lls: [\"lls\", \"sgn\"],\n lsg: [\"lsg\", \"sgn\"],\n lsl: [\"lsl\", \"sgn\"],\n lso: [\"lso\", \"sgn\"],\n lsp: [\"lsp\", \"sgn\"],\n lst: [\"lst\", \"sgn\"],\n lsy: [\"lsy\", \"sgn\"],\n ltg: [\"ltg\", \"lv\"],\n lvs: [\"lvs\", \"lv\"],\n lzh: [\"lzh\", \"zh\"],\n max: [\"max\", \"ms\"],\n mdl: [\"mdl\", \"sgn\"],\n meo: [\"meo\", \"ms\"],\n mfa: [\"mfa\", \"ms\"],\n mfb: [\"mfb\", \"ms\"],\n mfs: [\"mfs\", \"sgn\"],\n min: [\"min\", \"ms\"],\n mnp: [\"mnp\", \"zh\"],\n mqg: [\"mqg\", \"ms\"],\n mre: [\"mre\", \"sgn\"],\n msd: [\"msd\", \"sgn\"],\n msi: [\"msi\", \"ms\"],\n msr: [\"msr\", \"sgn\"],\n mui: [\"mui\", \"ms\"],\n mzc: [\"mzc\", \"sgn\"],\n mzg: [\"mzg\", \"sgn\"],\n mzy: [\"mzy\", \"sgn\"],\n nan: [\"nan\", \"zh\"],\n nbs: [\"nbs\", \"sgn\"],\n ncs: [\"ncs\", \"sgn\"],\n nsi: [\"nsi\", \"sgn\"],\n nsl: [\"nsl\", \"sgn\"],\n nsp: [\"nsp\", \"sgn\"],\n nsr: [\"nsr\", \"sgn\"],\n nzs: [\"nzs\", \"sgn\"],\n okl: [\"okl\", \"sgn\"],\n orn: [\"orn\", \"ms\"],\n ors: [\"ors\", \"ms\"],\n pel: [\"pel\", \"ms\"],\n pga: [\"pga\", \"ar\"],\n pks: [\"pks\", \"sgn\"],\n prl: [\"prl\", \"sgn\"],\n prz: [\"prz\", \"sgn\"],\n psc: [\"psc\", \"sgn\"],\n psd: [\"psd\", \"sgn\"],\n pse: [\"pse\", \"ms\"],\n psg: [\"psg\", \"sgn\"],\n psl: [\"psl\", \"sgn\"],\n pso: [\"pso\", \"sgn\"],\n psp: [\"psp\", \"sgn\"],\n psr: [\"psr\", \"sgn\"],\n pys: [\"pys\", \"sgn\"],\n rms: [\"rms\", \"sgn\"],\n rsi: [\"rsi\", \"sgn\"],\n rsl: [\"rsl\", \"sgn\"],\n sdl: [\"sdl\", \"sgn\"],\n sfb: [\"sfb\", \"sgn\"],\n sfs: [\"sfs\", \"sgn\"],\n sgg: [\"sgg\", \"sgn\"],\n sgx: [\"sgx\", \"sgn\"],\n shu: [\"shu\", \"ar\"],\n slf: [\"slf\", \"sgn\"],\n sls: [\"sls\", \"sgn\"],\n sqk: [\"sqk\", \"sgn\"],\n sqs: [\"sqs\", \"sgn\"],\n ssh: [\"ssh\", \"ar\"],\n ssp: [\"ssp\", \"sgn\"],\n ssr: [\"ssr\", \"sgn\"],\n svk: [\"svk\", \"sgn\"],\n swc: [\"swc\", \"sw\"],\n swh: [\"swh\", \"sw\"],\n swl: [\"swl\", \"sgn\"],\n syy: [\"syy\", \"sgn\"],\n tmw: [\"tmw\", \"ms\"],\n tse: [\"tse\", \"sgn\"],\n tsm: [\"tsm\", \"sgn\"],\n tsq: [\"tsq\", \"sgn\"],\n tss: [\"tss\", \"sgn\"],\n tsy: [\"tsy\", \"sgn\"],\n tza: [\"tza\", \"sgn\"],\n ugn: [\"ugn\", \"sgn\"],\n ugy: [\"ugy\", \"sgn\"],\n ukl: [\"ukl\", \"sgn\"],\n uks: [\"uks\", \"sgn\"],\n urk: [\"urk\", \"ms\"],\n uzn: [\"uzn\", \"uz\"],\n uzs: [\"uzs\", \"uz\"],\n vgt: [\"vgt\", \"sgn\"],\n vkk: [\"vkk\", \"ms\"],\n vkt: [\"vkt\", \"ms\"],\n vsi: [\"vsi\", \"sgn\"],\n vsl: [\"vsl\", \"sgn\"],\n vsv: [\"vsv\", \"sgn\"],\n wuu: [\"wuu\", \"zh\"],\n xki: [\"xki\", \"sgn\"],\n xml: [\"xml\", \"sgn\"],\n xmm: [\"xmm\", \"ms\"],\n xms: [\"xms\", \"sgn\"],\n yds: [\"yds\", \"sgn\"],\n ysl: [\"ysl\", \"sgn\"],\n yue: [\"yue\", \"zh\"],\n zib: [\"zib\", \"sgn\"],\n zlm: [\"zlm\", \"ms\"],\n zmi: [\"zmi\", \"ms\"],\n zsl: [\"zsl\", \"sgn\"],\n zsm: [\"zsm\", \"ms\"]\n }\n};\n\n/**\n * Convert only a-z to uppercase as per section 6.1 of the spec\n */\nfunction toLatinUpperCase(str) {\n var i = str.length;\n\n while (i--) {\n var ch = str.charAt(i);\n\n if (ch >= \"a\" && ch <= \"z\") str = str.slice(0, i) + ch.toUpperCase() + str.slice(i + 1);\n }\n\n return str;\n}\n\n/**\n * The IsStructurallyValidLanguageTag abstract operation verifies that the locale\n * argument (which must be a String value)\n *\n * - represents a well-formed BCP 47 language tag as specified in RFC 5646 section\n * 2.1, or successor,\n * - does not include duplicate variant subtags, and\n * - does not include duplicate singleton subtags.\n *\n * The abstract operation returns true if locale can be generated from the ABNF\n * grammar in section 2.1 of the RFC, starting with Language-Tag, and does not\n * contain duplicate variant or singleton subtags (other than as a private use\n * subtag). It returns false otherwise. Terminal value characters in the grammar are\n * interpreted as the Unicode equivalents of the ASCII octet values given.\n */\nfunction /* 6.2.2 */IsStructurallyValidLanguageTag(locale) {\n // represents a well-formed BCP 47 language tag as specified in RFC 5646\n if (!expBCP47Syntax.test(locale)) return false;\n\n // does not include duplicate variant subtags, and\n if (expVariantDupes.test(locale)) return false;\n\n // does not include duplicate singleton subtags.\n if (expSingletonDupes.test(locale)) return false;\n\n return true;\n}\n\n/**\n * The CanonicalizeLanguageTag abstract operation returns the canonical and case-\n * regularized form of the locale argument (which must be a String value that is\n * a structurally valid BCP 47 language tag as verified by the\n * IsStructurallyValidLanguageTag abstract operation). It takes the steps\n * specified in RFC 5646 section 4.5, or successor, to bring the language tag\n * into canonical form, and to regularize the case of the subtags, but does not\n * take the steps to bring a language tag into “extlang form” and to reorder\n * variant subtags.\n\n * The specifications for extensions to BCP 47 language tags, such as RFC 6067,\n * may include canonicalization rules for the extension subtag sequences they\n * define that go beyond the canonicalization rules of RFC 5646 section 4.5.\n * Implementations are allowed, but not required, to apply these additional rules.\n */\nfunction /* 6.2.3 */CanonicalizeLanguageTag(locale) {\n var match = void 0,\n parts = void 0;\n\n // A language tag is in 'canonical form' when the tag is well-formed\n // according to the rules in Sections 2.1 and 2.2\n\n // Section 2.1 says all subtags use lowercase...\n locale = locale.toLowerCase();\n\n // ...with 2 exceptions: 'two-letter and four-letter subtags that neither\n // appear at the start of the tag nor occur after singletons. Such two-letter\n // subtags are all uppercase (as in the tags \"en-CA-x-ca\" or \"sgn-BE-FR\") and\n // four-letter subtags are titlecase (as in the tag \"az-Latn-x-latn\").\n parts = locale.split('-');\n for (var i = 1, max = parts.length; i < max; i++) {\n // Two-letter subtags are all uppercase\n if (parts[i].length === 2) parts[i] = parts[i].toUpperCase();\n\n // Four-letter subtags are titlecase\n else if (parts[i].length === 4) parts[i] = parts[i].charAt(0).toUpperCase() + parts[i].slice(1);\n\n // Is it a singleton?\n else if (parts[i].length === 1 && parts[i] !== 'x') break;\n }\n locale = arrJoin.call(parts, '-');\n\n // The steps laid out in RFC 5646 section 4.5 are as follows:\n\n // 1. Extension sequences are ordered into case-insensitive ASCII order\n // by singleton subtag.\n if ((match = locale.match(expExtSequences)) && match.length > 1) {\n // The built-in sort() sorts by ASCII order, so use that\n match.sort();\n\n // Replace all extensions with the joined, sorted array\n locale = locale.replace(RegExp('(?:' + expExtSequences.source + ')+', 'i'), arrJoin.call(match, ''));\n }\n\n // 2. Redundant or grandfathered tags are replaced by their 'Preferred-\n // Value', if there is one.\n if (hop.call(redundantTags.tags, locale)) locale = redundantTags.tags[locale];\n\n // 3. Subtags are replaced by their 'Preferred-Value', if there is one.\n // For extlangs, the original primary language subtag is also\n // replaced if there is a primary language subtag in the 'Preferred-\n // Value'.\n parts = locale.split('-');\n\n for (var _i = 1, _max = parts.length; _i < _max; _i++) {\n if (hop.call(redundantTags.subtags, parts[_i])) parts[_i] = redundantTags.subtags[parts[_i]];else if (hop.call(redundantTags.extLang, parts[_i])) {\n parts[_i] = redundantTags.extLang[parts[_i]][0];\n\n // For extlang tags, the prefix needs to be removed if it is redundant\n if (_i === 1 && redundantTags.extLang[parts[1]][1] === parts[0]) {\n parts = arrSlice.call(parts, _i++);\n _max -= 1;\n }\n }\n }\n\n return arrJoin.call(parts, '-');\n}\n\n/**\n * The DefaultLocale abstract operation returns a String value representing the\n * structurally valid (6.2.2) and canonicalized (6.2.3) BCP 47 language tag for the\n * host environment’s current locale.\n */\nfunction /* 6.2.4 */DefaultLocale() {\n return defaultLocale;\n}\n\n// Sect 6.3 Currency Codes\n// =======================\n\nvar expCurrencyCode = /^[A-Z]{3}$/;\n\n/**\n * The IsWellFormedCurrencyCode abstract operation verifies that the currency argument\n * (after conversion to a String value) represents a well-formed 3-letter ISO currency\n * code. The following steps are taken:\n */\nfunction /* 6.3.1 */IsWellFormedCurrencyCode(currency) {\n // 1. Let `c` be ToString(currency)\n var c = String(currency);\n\n // 2. Let `normalized` be the result of mapping c to upper case as described\n // in 6.1.\n var normalized = toLatinUpperCase(c);\n\n // 3. If the string length of normalized is not 3, return false.\n // 4. If normalized contains any character that is not in the range \"A\" to \"Z\"\n // (U+0041 to U+005A), return false.\n if (expCurrencyCode.test(normalized) === false) return false;\n\n // 5. Return true\n return true;\n}\n\nvar expUnicodeExSeq = /-u(?:-[0-9a-z]{2,8})+/gi; // See `extension` below\n\nfunction /* 9.2.1 */CanonicalizeLocaleList(locales) {\n // The abstract operation CanonicalizeLocaleList takes the following steps:\n\n // 1. If locales is undefined, then a. Return a new empty List\n if (locales === undefined) return new List();\n\n // 2. Let seen be a new empty List.\n var seen = new List();\n\n // 3. If locales is a String value, then\n // a. Let locales be a new array created as if by the expression new\n // Array(locales) where Array is the standard built-in constructor with\n // that name and locales is the value of locales.\n locales = typeof locales === 'string' ? [locales] : locales;\n\n // 4. Let O be ToObject(locales).\n var O = toObject(locales);\n\n // 5. Let lenValue be the result of calling the [[Get]] internal method of\n // O with the argument \"length\".\n // 6. Let len be ToUint32(lenValue).\n var len = toLength(O.length);\n\n // 7. Let k be 0.\n var k = 0;\n\n // 8. Repeat, while k < len\n while (k < len) {\n // a. Let Pk be ToString(k).\n var Pk = String(k);\n\n // b. Let kPresent be the result of calling the [[HasProperty]] internal\n // method of O with argument Pk.\n var kPresent = Pk in O;\n\n // c. If kPresent is true, then\n if (kPresent) {\n // i. Let kValue be the result of calling the [[Get]] internal\n // method of O with argument Pk.\n var kValue = O[Pk];\n\n // ii. If the type of kValue is not String or Object, then throw a\n // TypeError exception.\n if (kValue === null || typeof kValue !== 'string' && (typeof kValue === \"undefined\" ? \"undefined\" : babelHelpers$1[\"typeof\"](kValue)) !== 'object') throw new TypeError('String or Object type expected');\n\n // iii. Let tag be ToString(kValue).\n var tag = String(kValue);\n\n // iv. If the result of calling the abstract operation\n // IsStructurallyValidLanguageTag (defined in 6.2.2), passing tag as\n // the argument, is false, then throw a RangeError exception.\n if (!IsStructurallyValidLanguageTag(tag)) throw new RangeError(\"'\" + tag + \"' is not a structurally valid language tag\");\n\n // v. Let tag be the result of calling the abstract operation\n // CanonicalizeLanguageTag (defined in 6.2.3), passing tag as the\n // argument.\n tag = CanonicalizeLanguageTag(tag);\n\n // vi. If tag is not an element of seen, then append tag as the last\n // element of seen.\n if (arrIndexOf.call(seen, tag) === -1) arrPush.call(seen, tag);\n }\n\n // d. Increase k by 1.\n k++;\n }\n\n // 9. Return seen.\n return seen;\n}\n\n/**\n * The BestAvailableLocale abstract operation compares the provided argument\n * locale, which must be a String value with a structurally valid and\n * canonicalized BCP 47 language tag, against the locales in availableLocales and\n * returns either the longest non-empty prefix of locale that is an element of\n * availableLocales, or undefined if there is no such element. It uses the\n * fallback mechanism of RFC 4647, section 3.4. The following steps are taken:\n */\nfunction /* 9.2.2 */BestAvailableLocale(availableLocales, locale) {\n // 1. Let candidate be locale\n var candidate = locale;\n\n // 2. Repeat\n while (candidate) {\n // a. If availableLocales contains an element equal to candidate, then return\n // candidate.\n if (arrIndexOf.call(availableLocales, candidate) > -1) return candidate;\n\n // b. Let pos be the character index of the last occurrence of \"-\"\n // (U+002D) within candidate. If that character does not occur, return\n // undefined.\n var pos = candidate.lastIndexOf('-');\n\n if (pos < 0) return;\n\n // c. If pos ≥ 2 and the character \"-\" occurs at index pos-2 of candidate,\n // then decrease pos by 2.\n if (pos >= 2 && candidate.charAt(pos - 2) === '-') pos -= 2;\n\n // d. Let candidate be the substring of candidate from position 0, inclusive,\n // to position pos, exclusive.\n candidate = candidate.substring(0, pos);\n }\n}\n\n/**\n * The LookupMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The following steps are taken:\n */\nfunction /* 9.2.3 */LookupMatcher(availableLocales, requestedLocales) {\n // 1. Let i be 0.\n var i = 0;\n\n // 2. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n\n // 3. Let availableLocale be undefined.\n var availableLocale = void 0;\n\n var locale = void 0,\n noExtensionsLocale = void 0;\n\n // 4. Repeat while i < len and availableLocale is undefined:\n while (i < len && !availableLocale) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position i.\n locale = requestedLocales[i];\n\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. Increase i by 1.\n i++;\n }\n\n // 5. Let result be a new Record.\n var result = new Record();\n\n // 6. If availableLocale is not undefined, then\n if (availableLocale !== undefined) {\n // a. Set result.[[locale]] to availableLocale.\n result['[[locale]]'] = availableLocale;\n\n // b. If locale and noExtensionsLocale are not the same String value, then\n if (String(locale) !== String(noExtensionsLocale)) {\n // i. Let extension be the String value consisting of the first\n // substring of locale that is a Unicode locale extension sequence.\n var extension = locale.match(expUnicodeExSeq)[0];\n\n // ii. Let extensionIndex be the character position of the initial\n // \"-\" of the first Unicode locale extension sequence within locale.\n var extensionIndex = locale.indexOf('-u-');\n\n // iii. Set result.[[extension]] to extension.\n result['[[extension]]'] = extension;\n\n // iv. Set result.[[extensionIndex]] to extensionIndex.\n result['[[extensionIndex]]'] = extensionIndex;\n }\n }\n // 7. Else\n else\n // a. Set result.[[locale]] to the value returned by the DefaultLocale abstract\n // operation (defined in 6.2.4).\n result['[[locale]]'] = DefaultLocale();\n\n // 8. Return result\n return result;\n}\n\n/**\n * The BestFitMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The algorithm is implementation dependent, but should produce results\n * that a typical user of the requested locales would perceive as at least as\n * good as those produced by the LookupMatcher abstract operation. Options\n * specified through Unicode locale extension sequences must be ignored by the\n * algorithm. Information about such subsequences is returned separately.\n * The abstract operation returns a record with a [[locale]] field, whose value\n * is the language tag of the selected locale, which must be an element of\n * availableLocales. If the language tag of the request locale that led to the\n * selected locale contained a Unicode locale extension sequence, then the\n * returned record also contains an [[extension]] field whose value is the first\n * Unicode locale extension sequence, and an [[extensionIndex]] field whose value\n * is the index of the first Unicode locale extension sequence within the request\n * locale language tag.\n */\nfunction /* 9.2.4 */BestFitMatcher(availableLocales, requestedLocales) {\n return LookupMatcher(availableLocales, requestedLocales);\n}\n\n/**\n * The ResolveLocale abstract operation compares a BCP 47 language priority list\n * requestedLocales against the locales in availableLocales and determines the\n * best available language to meet the request. availableLocales and\n * requestedLocales must be provided as List values, options as a Record.\n */\nfunction /* 9.2.5 */ResolveLocale(availableLocales, requestedLocales, options, relevantExtensionKeys, localeData) {\n if (availableLocales.length === 0) {\n throw new ReferenceError('No locale data has been provided for this object yet.');\n }\n\n // The following steps are taken:\n // 1. Let matcher be the value of options.[[localeMatcher]].\n var matcher = options['[[localeMatcher]]'];\n\n var r = void 0;\n\n // 2. If matcher is \"lookup\", then\n if (matcher === 'lookup')\n // a. Let r be the result of calling the LookupMatcher abstract operation\n // (defined in 9.2.3) with arguments availableLocales and\n // requestedLocales.\n r = LookupMatcher(availableLocales, requestedLocales);\n\n // 3. Else\n else\n // a. Let r be the result of calling the BestFitMatcher abstract\n // operation (defined in 9.2.4) with arguments availableLocales and\n // requestedLocales.\n r = BestFitMatcher(availableLocales, requestedLocales);\n\n // 4. Let foundLocale be the value of r.[[locale]].\n var foundLocale = r['[[locale]]'];\n\n var extensionSubtags = void 0,\n extensionSubtagsLength = void 0;\n\n // 5. If r has an [[extension]] field, then\n if (hop.call(r, '[[extension]]')) {\n // a. Let extension be the value of r.[[extension]].\n var extension = r['[[extension]]'];\n // b. Let split be the standard built-in function object defined in ES5,\n // 15.5.4.14.\n var split = String.prototype.split;\n // c. Let extensionSubtags be the result of calling the [[Call]] internal\n // method of split with extension as the this value and an argument\n // list containing the single item \"-\".\n extensionSubtags = split.call(extension, '-');\n // d. Let extensionSubtagsLength be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument \"length\".\n extensionSubtagsLength = extensionSubtags.length;\n }\n\n // 6. Let result be a new Record.\n var result = new Record();\n\n // 7. Set result.[[dataLocale]] to foundLocale.\n result['[[dataLocale]]'] = foundLocale;\n\n // 8. Let supportedExtension be \"-u\".\n var supportedExtension = '-u';\n // 9. Let i be 0.\n var i = 0;\n // 10. Let len be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument \"length\".\n var len = relevantExtensionKeys.length;\n\n // 11 Repeat while i < len:\n while (i < len) {\n // a. Let key be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument ToString(i).\n var key = relevantExtensionKeys[i];\n // b. Let foundLocaleData be the result of calling the [[Get]] internal\n // method of localeData with the argument foundLocale.\n var foundLocaleData = localeData[foundLocale];\n // c. Let keyLocaleData be the result of calling the [[Get]] internal\n // method of foundLocaleData with the argument key.\n var keyLocaleData = foundLocaleData[key];\n // d. Let value be the result of calling the [[Get]] internal method of\n // keyLocaleData with argument \"0\".\n var value = keyLocaleData['0'];\n // e. Let supportedExtensionAddition be \"\".\n var supportedExtensionAddition = '';\n // f. Let indexOf be the standard built-in function object defined in\n // ES5, 15.4.4.14.\n var indexOf = arrIndexOf;\n\n // g. If extensionSubtags is not undefined, then\n if (extensionSubtags !== undefined) {\n // i. Let keyPos be the result of calling the [[Call]] internal\n // method of indexOf with extensionSubtags as the this value and\n // an argument list containing the single item key.\n var keyPos = indexOf.call(extensionSubtags, key);\n\n // ii. If keyPos ≠ -1, then\n if (keyPos !== -1) {\n // 1. If keyPos + 1 < extensionSubtagsLength and the length of the\n // result of calling the [[Get]] internal method of\n // extensionSubtags with argument ToString(keyPos +1) is greater\n // than 2, then\n if (keyPos + 1 < extensionSubtagsLength && extensionSubtags[keyPos + 1].length > 2) {\n // a. Let requestedValue be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument\n // ToString(keyPos + 1).\n var requestedValue = extensionSubtags[keyPos + 1];\n // b. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the\n // this value and an argument list containing the single\n // item requestedValue.\n var valuePos = indexOf.call(keyLocaleData, requestedValue);\n\n // c. If valuePos ≠ -1, then\n if (valuePos !== -1) {\n // i. Let value be requestedValue.\n value = requestedValue,\n // ii. Let supportedExtensionAddition be the\n // concatenation of \"-\", key, \"-\", and value.\n supportedExtensionAddition = '-' + key + '-' + value;\n }\n }\n // 2. Else\n else {\n // a. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the this\n // value and an argument list containing the single item\n // \"true\".\n var _valuePos = indexOf(keyLocaleData, 'true');\n\n // b. If valuePos ≠ -1, then\n if (_valuePos !== -1)\n // i. Let value be \"true\".\n value = 'true';\n }\n }\n }\n // h. If options has a field [[]], then\n if (hop.call(options, '[[' + key + ']]')) {\n // i. Let optionsValue be the value of options.[[]].\n var optionsValue = options['[[' + key + ']]'];\n\n // ii. If the result of calling the [[Call]] internal method of indexOf\n // with keyLocaleData as the this value and an argument list\n // containing the single item optionsValue is not -1, then\n if (indexOf.call(keyLocaleData, optionsValue) !== -1) {\n // 1. If optionsValue is not equal to value, then\n if (optionsValue !== value) {\n // a. Let value be optionsValue.\n value = optionsValue;\n // b. Let supportedExtensionAddition be \"\".\n supportedExtensionAddition = '';\n }\n }\n }\n // i. Set result.[[]] to value.\n result['[[' + key + ']]'] = value;\n\n // j. Append supportedExtensionAddition to supportedExtension.\n supportedExtension += supportedExtensionAddition;\n\n // k. Increase i by 1.\n i++;\n }\n // 12. If the length of supportedExtension is greater than 2, then\n if (supportedExtension.length > 2) {\n // a.\n var privateIndex = foundLocale.indexOf(\"-x-\");\n // b.\n if (privateIndex === -1) {\n // i.\n foundLocale = foundLocale + supportedExtension;\n }\n // c.\n else {\n // i.\n var preExtension = foundLocale.substring(0, privateIndex);\n // ii.\n var postExtension = foundLocale.substring(privateIndex);\n // iii.\n foundLocale = preExtension + supportedExtension + postExtension;\n }\n // d. asserting - skipping\n // e.\n foundLocale = CanonicalizeLanguageTag(foundLocale);\n }\n // 13. Set result.[[locale]] to foundLocale.\n result['[[locale]]'] = foundLocale;\n\n // 14. Return result.\n return result;\n}\n\n/**\n * The LookupSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the BCP 47 Lookup algorithm.\n * Locales appear in the same order in the returned list as in requestedLocales.\n * The following steps are taken:\n */\nfunction /* 9.2.6 */LookupSupportedLocales(availableLocales, requestedLocales) {\n // 1. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n // 2. Let subset be a new empty List.\n var subset = new List();\n // 3. Let k be 0.\n var k = 0;\n\n // 4. Repeat while k < len\n while (k < len) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position k.\n var locale = requestedLocales[k];\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n var noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n var availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. If availableLocale is not undefined, then append locale to the end of\n // subset.\n if (availableLocale !== undefined) arrPush.call(subset, locale);\n\n // e. Increment k by 1.\n k++;\n }\n\n // 5. Let subsetArray be a new Array object whose elements are the same\n // values in the same order as the elements of subset.\n var subsetArray = arrSlice.call(subset);\n\n // 6. Return subsetArray.\n return subsetArray;\n}\n\n/**\n * The BestFitSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the Best Fit Matcher\n * algorithm. Locales appear in the same order in the returned list as in\n * requestedLocales. The steps taken are implementation dependent.\n */\nfunction /*9.2.7 */BestFitSupportedLocales(availableLocales, requestedLocales) {\n // ###TODO: implement this function as described by the specification###\n return LookupSupportedLocales(availableLocales, requestedLocales);\n}\n\n/**\n * The SupportedLocales abstract operation returns the subset of the provided BCP\n * 47 language priority list requestedLocales for which availableLocales has a\n * matching locale. Two algorithms are available to match the locales: the Lookup\n * algorithm described in RFC 4647 section 3.4, and an implementation dependent\n * best-fit algorithm. Locales appear in the same order in the returned list as\n * in requestedLocales. The following steps are taken:\n */\nfunction /*9.2.8 */SupportedLocales(availableLocales, requestedLocales, options) {\n var matcher = void 0,\n subset = void 0;\n\n // 1. If options is not undefined, then\n if (options !== undefined) {\n // a. Let options be ToObject(options).\n options = new Record(toObject(options));\n // b. Let matcher be the result of calling the [[Get]] internal method of\n // options with argument \"localeMatcher\".\n matcher = options.localeMatcher;\n\n // c. If matcher is not undefined, then\n if (matcher !== undefined) {\n // i. Let matcher be ToString(matcher).\n matcher = String(matcher);\n\n // ii. If matcher is not \"lookup\" or \"best fit\", then throw a RangeError\n // exception.\n if (matcher !== 'lookup' && matcher !== 'best fit') throw new RangeError('matcher should be \"lookup\" or \"best fit\"');\n }\n }\n // 2. If matcher is undefined or \"best fit\", then\n if (matcher === undefined || matcher === 'best fit')\n // a. Let subset be the result of calling the BestFitSupportedLocales\n // abstract operation (defined in 9.2.7) with arguments\n // availableLocales and requestedLocales.\n subset = BestFitSupportedLocales(availableLocales, requestedLocales);\n // 3. Else\n else\n // a. Let subset be the result of calling the LookupSupportedLocales\n // abstract operation (defined in 9.2.6) with arguments\n // availableLocales and requestedLocales.\n subset = LookupSupportedLocales(availableLocales, requestedLocales);\n\n // 4. For each named own property name P of subset,\n for (var P in subset) {\n if (!hop.call(subset, P)) continue;\n\n // a. Let desc be the result of calling the [[GetOwnProperty]] internal\n // method of subset with P.\n // b. Set desc.[[Writable]] to false.\n // c. Set desc.[[Configurable]] to false.\n // d. Call the [[DefineOwnProperty]] internal method of subset with P, desc,\n // and true as arguments.\n defineProperty(subset, P, {\n writable: false, configurable: false, value: subset[P]\n });\n }\n // \"Freeze\" the array so no new elements can be added\n defineProperty(subset, 'length', { writable: false });\n\n // 5. Return subset\n return subset;\n}\n\n/**\n * The GetOption abstract operation extracts the value of the property named\n * property from the provided options object, converts it to the required type,\n * checks whether it is one of a List of allowed values, and fills in a fallback\n * value if necessary.\n */\nfunction /*9.2.9 */GetOption(options, property, type, values, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Assert: type is \"boolean\" or \"string\".\n // b. If type is \"boolean\", then let value be ToBoolean(value).\n // c. If type is \"string\", then let value be ToString(value).\n value = type === 'boolean' ? Boolean(value) : type === 'string' ? String(value) : value;\n\n // d. If values is not undefined, then\n if (values !== undefined) {\n // i. If values does not contain an element equal to value, then throw a\n // RangeError exception.\n if (arrIndexOf.call(values, value) === -1) throw new RangeError(\"'\" + value + \"' is not an allowed value for `\" + property + '`');\n }\n\n // e. Return value.\n return value;\n }\n // Else return fallback.\n return fallback;\n}\n\n/**\n * The GetNumberOption abstract operation extracts a property value from the\n * provided options object, converts it to a Number value, checks whether it is\n * in the allowed range, and fills in a fallback value if necessary.\n */\nfunction /* 9.2.10 */GetNumberOption(options, property, minimum, maximum, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Let value be ToNumber(value).\n value = Number(value);\n\n // b. If value is NaN or less than minimum or greater than maximum, throw a\n // RangeError exception.\n if (isNaN(value) || value < minimum || value > maximum) throw new RangeError('Value is not a number or outside accepted range');\n\n // c. Return floor(value).\n return Math.floor(value);\n }\n // 3. Else return fallback.\n return fallback;\n}\n\n// 8 The Intl Object\nvar Intl = {};\n\n// 8.2 Function Properties of the Intl Object\n\n// 8.2.1\n// @spec[tc39/ecma402/master/spec/intl.html]\n// @clause[sec-intl.getcanonicallocales]\nfunction getCanonicalLocales(locales) {\n // 1. Let ll be ? CanonicalizeLocaleList(locales).\n var ll = CanonicalizeLocaleList(locales);\n // 2. Return CreateArrayFromList(ll).\n {\n var result = [];\n\n var len = ll.length;\n var k = 0;\n\n while (k < len) {\n result[k] = ll[k];\n k++;\n }\n return result;\n }\n}\n\nObject.defineProperty(Intl, 'getCanonicalLocales', {\n enumerable: false,\n configurable: true,\n writable: true,\n value: getCanonicalLocales\n});\n\n// Currency minor units output from get-4217 grunt task, formatted\nvar currencyMinorUnits = {\n BHD: 3, BYR: 0, XOF: 0, BIF: 0, XAF: 0, CLF: 4, CLP: 0, KMF: 0, DJF: 0,\n XPF: 0, GNF: 0, ISK: 0, IQD: 3, JPY: 0, JOD: 3, KRW: 0, KWD: 3, LYD: 3,\n OMR: 3, PYG: 0, RWF: 0, TND: 3, UGX: 0, UYI: 0, VUV: 0, VND: 0\n};\n\n// Define the NumberFormat constructor internally so it cannot be tainted\nfunction NumberFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.NumberFormat(locales, options);\n }\n\n return InitializeNumberFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'NumberFormat', {\n configurable: true,\n writable: true,\n value: NumberFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(Intl.NumberFormat, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeNumberFormat accepts the arguments\n * numberFormat (which must be an object), locales, and options. It initializes\n * numberFormat as a NumberFormat object.\n */\nfunction /*11.1.1.1 */InitializeNumberFormat(numberFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(numberFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If numberFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(numberFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. If options is undefined, then\n if (options === undefined)\n // a. Let options be the result of creating a new object as if by the\n // expression new Object() where Object is the standard built-in constructor\n // with that name.\n options = {};\n\n // 5. Else\n else\n // a. Let options be ToObject(options).\n options = toObject(options);\n\n // 6. Let opt be a new Record.\n var opt = new Record(),\n\n\n // 7. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with the arguments options, \"localeMatcher\", \"string\",\n // a List containing the two String values \"lookup\" and \"best fit\", and\n // \"best fit\".\n matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 8. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 9. Let NumberFormat be the standard built-in object that is the initial value\n // of Intl.NumberFormat.\n // 10. Let localeData be the value of the [[localeData]] internal property of\n // NumberFormat.\n var localeData = internals.NumberFormat['[[localeData]]'];\n\n // 11. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // NumberFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of NumberFormat, and localeData.\n var r = ResolveLocale(internals.NumberFormat['[[availableLocales]]'], requestedLocales, opt, internals.NumberFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 12. Set the [[locale]] internal property of numberFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 13. Set the [[numberingSystem]] internal property of numberFormat to the value\n // of r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let s be the result of calling the GetOption abstract operation with the\n // arguments options, \"style\", \"string\", a List containing the three String\n // values \"decimal\", \"percent\", and \"currency\", and \"decimal\".\n var s = GetOption(options, 'style', 'string', new List('decimal', 'percent', 'currency'), 'decimal');\n\n // 16. Set the [[style]] internal property of numberFormat to s.\n internal['[[style]]'] = s;\n\n // 17. Let c be the result of calling the GetOption abstract operation with the\n // arguments options, \"currency\", \"string\", undefined, and undefined.\n var c = GetOption(options, 'currency', 'string');\n\n // 18. If c is not undefined and the result of calling the\n // IsWellFormedCurrencyCode abstract operation (defined in 6.3.1) with\n // argument c is false, then throw a RangeError exception.\n if (c !== undefined && !IsWellFormedCurrencyCode(c)) throw new RangeError(\"'\" + c + \"' is not a valid currency code\");\n\n // 19. If s is \"currency\" and c is undefined, throw a TypeError exception.\n if (s === 'currency' && c === undefined) throw new TypeError('Currency code is required when style is currency');\n\n var cDigits = void 0;\n\n // 20. If s is \"currency\", then\n if (s === 'currency') {\n // a. Let c be the result of converting c to upper case as specified in 6.1.\n c = c.toUpperCase();\n\n // b. Set the [[currency]] internal property of numberFormat to c.\n internal['[[currency]]'] = c;\n\n // c. Let cDigits be the result of calling the CurrencyDigits abstract\n // operation (defined below) with argument c.\n cDigits = CurrencyDigits(c);\n }\n\n // 21. Let cd be the result of calling the GetOption abstract operation with the\n // arguments options, \"currencyDisplay\", \"string\", a List containing the\n // three String values \"code\", \"symbol\", and \"name\", and \"symbol\".\n var cd = GetOption(options, 'currencyDisplay', 'string', new List('code', 'symbol', 'name'), 'symbol');\n\n // 22. If s is \"currency\", then set the [[currencyDisplay]] internal property of\n // numberFormat to cd.\n if (s === 'currency') internal['[[currencyDisplay]]'] = cd;\n\n // 23. Let mnid be the result of calling the GetNumberOption abstract operation\n // (defined in 9.2.10) with arguments options, \"minimumIntegerDigits\", 1, 21,\n // and 1.\n var mnid = GetNumberOption(options, 'minimumIntegerDigits', 1, 21, 1);\n\n // 24. Set the [[minimumIntegerDigits]] internal property of numberFormat to mnid.\n internal['[[minimumIntegerDigits]]'] = mnid;\n\n // 25. If s is \"currency\", then let mnfdDefault be cDigits; else let mnfdDefault\n // be 0.\n var mnfdDefault = s === 'currency' ? cDigits : 0;\n\n // 26. Let mnfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"minimumFractionDigits\", 0, 20, and mnfdDefault.\n var mnfd = GetNumberOption(options, 'minimumFractionDigits', 0, 20, mnfdDefault);\n\n // 27. Set the [[minimumFractionDigits]] internal property of numberFormat to mnfd.\n internal['[[minimumFractionDigits]]'] = mnfd;\n\n // 28. If s is \"currency\", then let mxfdDefault be max(mnfd, cDigits); else if s\n // is \"percent\", then let mxfdDefault be max(mnfd, 0); else let mxfdDefault\n // be max(mnfd, 3).\n var mxfdDefault = s === 'currency' ? Math.max(mnfd, cDigits) : s === 'percent' ? Math.max(mnfd, 0) : Math.max(mnfd, 3);\n\n // 29. Let mxfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"maximumFractionDigits\", mnfd, 20, and mxfdDefault.\n var mxfd = GetNumberOption(options, 'maximumFractionDigits', mnfd, 20, mxfdDefault);\n\n // 30. Set the [[maximumFractionDigits]] internal property of numberFormat to mxfd.\n internal['[[maximumFractionDigits]]'] = mxfd;\n\n // 31. Let mnsd be the result of calling the [[Get]] internal method of options\n // with argument \"minimumSignificantDigits\".\n var mnsd = options.minimumSignificantDigits;\n\n // 32. Let mxsd be the result of calling the [[Get]] internal method of options\n // with argument \"maximumSignificantDigits\".\n var mxsd = options.maximumSignificantDigits;\n\n // 33. If mnsd is not undefined or mxsd is not undefined, then:\n if (mnsd !== undefined || mxsd !== undefined) {\n // a. Let mnsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"minimumSignificantDigits\", 1, 21,\n // and 1.\n mnsd = GetNumberOption(options, 'minimumSignificantDigits', 1, 21, 1);\n\n // b. Let mxsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"maximumSignificantDigits\", mnsd,\n // 21, and 21.\n mxsd = GetNumberOption(options, 'maximumSignificantDigits', mnsd, 21, 21);\n\n // c. Set the [[minimumSignificantDigits]] internal property of numberFormat\n // to mnsd, and the [[maximumSignificantDigits]] internal property of\n // numberFormat to mxsd.\n internal['[[minimumSignificantDigits]]'] = mnsd;\n internal['[[maximumSignificantDigits]]'] = mxsd;\n }\n // 34. Let g be the result of calling the GetOption abstract operation with the\n // arguments options, \"useGrouping\", \"boolean\", undefined, and true.\n var g = GetOption(options, 'useGrouping', 'boolean', undefined, true);\n\n // 35. Set the [[useGrouping]] internal property of numberFormat to g.\n internal['[[useGrouping]]'] = g;\n\n // 36. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 37. Let patterns be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"patterns\".\n var patterns = dataLocaleData.patterns;\n\n // 38. Assert: patterns is an object (see 11.2.3)\n\n // 39. Let stylePatterns be the result of calling the [[Get]] internal method of\n // patterns with argument s.\n var stylePatterns = patterns[s];\n\n // 40. Set the [[positivePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"positivePattern\".\n internal['[[positivePattern]]'] = stylePatterns.positivePattern;\n\n // 41. Set the [[negativePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"negativePattern\".\n internal['[[negativePattern]]'] = stylePatterns.negativePattern;\n\n // 42. Set the [[boundFormat]] internal property of numberFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 43. Set the [[initializedNumberFormat]] internal property of numberFormat to\n // true.\n internal['[[initializedNumberFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) numberFormat.format = GetFormatNumber.call(numberFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return numberFormat;\n}\n\nfunction CurrencyDigits(currency) {\n // When the CurrencyDigits abstract operation is called with an argument currency\n // (which must be an upper case String value), the following steps are taken:\n\n // 1. If the ISO 4217 currency and funds code list contains currency as an\n // alphabetic code, then return the minor unit value corresponding to the\n // currency from the list; else return 2.\n return currencyMinorUnits[currency] !== undefined ? currencyMinorUnits[currency] : 2;\n}\n\n/* 11.2.3 */internals.NumberFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.NumberFormat is called, the\n * following steps are taken:\n */\n/* 11.2.2 */\ndefineProperty(Intl.NumberFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * NumberFormat object.\n */\n/* 11.3.2 */defineProperty(Intl.NumberFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatNumber\n});\n\nfunction GetFormatNumber() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.NumberFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this NumberFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 1, that takes the argument value and\n // performs the following steps:\n var F = function F(value) {\n // i. If value is not provided, then let value be undefined.\n // ii. Let x be ToNumber(value).\n // iii. Return the result of calling the FormatNumber abstract\n // operation (defined below) with arguments this and x.\n return FormatNumber(this, /* x = */Number(value));\n };\n\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts() {\n var value = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.NumberFormat object.');\n\n var x = Number(value);\n return FormatNumberToParts(this, x);\n}\n\nObject.defineProperty(Intl.NumberFormat.prototype, 'formatToParts', {\n configurable: true,\n enumerable: false,\n writable: true,\n value: formatToParts\n});\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumbertoparts]\n */\nfunction FormatNumberToParts(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be ArrayCreate(0).\n var result = [];\n // 3. Let n be 0.\n var n = 0;\n // 4. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Let O be ObjectCreate(%ObjectPrototype%).\n var O = {};\n // a. Perform ? CreateDataPropertyOrThrow(O, \"type\", part.[[type]]).\n O.type = part['[[type]]'];\n // a. Perform ? CreateDataPropertyOrThrow(O, \"value\", part.[[value]]).\n O.value = part['[[value]]'];\n // a. Perform ? CreateDataPropertyOrThrow(result, ? ToString(n), O).\n result[n] = O;\n // a. Increment n by 1.\n n += 1;\n }\n // 5. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-partitionnumberpattern]\n */\nfunction PartitionNumberPattern(numberFormat, x) {\n\n var internal = getInternalProperties(numberFormat),\n locale = internal['[[dataLocale]]'],\n nums = internal['[[numberingSystem]]'],\n data = internals.NumberFormat['[[localeData]]'][locale],\n ild = data.symbols[nums] || data.symbols.latn,\n pattern = void 0;\n\n // 1. If x is not NaN and x < 0, then:\n if (!isNaN(x) && x < 0) {\n // a. Let x be -x.\n x = -x;\n // a. Let pattern be the value of numberFormat.[[negativePattern]].\n pattern = internal['[[negativePattern]]'];\n }\n // 2. Else,\n else {\n // a. Let pattern be the value of numberFormat.[[positivePattern]].\n pattern = internal['[[positivePattern]]'];\n }\n // 3. Let result be a new empty List.\n var result = new List();\n // 4. Let beginIndex be Call(%StringProto_indexOf%, pattern, \"{\", 0).\n var beginIndex = pattern.indexOf('{', 0);\n // 5. Let endIndex be 0.\n var endIndex = 0;\n // 6. Let nextIndex be 0.\n var nextIndex = 0;\n // 7. Let length be the number of code units in pattern.\n var length = pattern.length;\n // 8. Repeat while beginIndex is an integer index into pattern:\n while (beginIndex > -1 && beginIndex < length) {\n // a. Set endIndex to Call(%StringProto_indexOf%, pattern, \"}\", beginIndex)\n endIndex = pattern.indexOf('}', beginIndex);\n // a. If endIndex = -1, throw new Error exception.\n if (endIndex === -1) throw new Error();\n // a. If beginIndex is greater than nextIndex, then:\n if (beginIndex > nextIndex) {\n // i. Let literal be a substring of pattern from position nextIndex, inclusive, to position beginIndex, exclusive.\n var literal = pattern.substring(nextIndex, beginIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': literal });\n }\n // a. Let p be the substring of pattern from position beginIndex, exclusive, to position endIndex, exclusive.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // a. If p is equal \"number\", then:\n if (p === \"number\") {\n // i. If x is NaN,\n if (isNaN(x)) {\n // 1. Let n be an ILD String value indicating the NaN value.\n var n = ild.nan;\n // 2. Add new part record { [[type]]: \"nan\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'nan', '[[value]]': n });\n }\n // ii. Else if isFinite(x) is false,\n else if (!isFinite(x)) {\n // 1. Let n be an ILD String value indicating infinity.\n var _n = ild.infinity;\n // 2. Add new part record { [[type]]: \"infinity\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'infinity', '[[value]]': _n });\n }\n // iii. Else,\n else {\n // 1. If the value of numberFormat.[[style]] is \"percent\" and isFinite(x), let x be 100 × x.\n if (internal['[[style]]'] === 'percent' && isFinite(x)) x *= 100;\n\n var _n2 = void 0;\n // 2. If the numberFormat.[[minimumSignificantDigits]] and numberFormat.[[maximumSignificantDigits]] are present, then\n if (hop.call(internal, '[[minimumSignificantDigits]]') && hop.call(internal, '[[maximumSignificantDigits]]')) {\n // a. Let n be ToRawPrecision(x, numberFormat.[[minimumSignificantDigits]], numberFormat.[[maximumSignificantDigits]]).\n _n2 = ToRawPrecision(x, internal['[[minimumSignificantDigits]]'], internal['[[maximumSignificantDigits]]']);\n }\n // 3. Else,\n else {\n // a. Let n be ToRawFixed(x, numberFormat.[[minimumIntegerDigits]], numberFormat.[[minimumFractionDigits]], numberFormat.[[maximumFractionDigits]]).\n _n2 = ToRawFixed(x, internal['[[minimumIntegerDigits]]'], internal['[[minimumFractionDigits]]'], internal['[[maximumFractionDigits]]']);\n }\n // 4. If the value of the numberFormat.[[numberingSystem]] matches one of the values in the \"Numbering System\" column of Table 2 below, then\n if (numSys[nums]) {\n (function () {\n // a. Let digits be an array whose 10 String valued elements are the UTF-16 string representations of the 10 digits specified in the \"Digits\" column of the matching row in Table 2.\n var digits = numSys[nums];\n // a. Replace each digit in n with the value of digits[digit].\n _n2 = String(_n2).replace(/\\d/g, function (digit) {\n return digits[digit];\n });\n })();\n }\n // 5. Else use an implementation dependent algorithm to map n to the appropriate representation of n in the given numbering system.\n else _n2 = String(_n2); // ###TODO###\n\n var integer = void 0;\n var fraction = void 0;\n // 6. Let decimalSepIndex be Call(%StringProto_indexOf%, n, \".\", 0).\n var decimalSepIndex = _n2.indexOf('.', 0);\n // 7. If decimalSepIndex > 0, then:\n if (decimalSepIndex > 0) {\n // a. Let integer be the substring of n from position 0, inclusive, to position decimalSepIndex, exclusive.\n integer = _n2.substring(0, decimalSepIndex);\n // a. Let fraction be the substring of n from position decimalSepIndex, exclusive, to the end of n.\n fraction = _n2.substring(decimalSepIndex + 1, decimalSepIndex.length);\n }\n // 8. Else:\n else {\n // a. Let integer be n.\n integer = _n2;\n // a. Let fraction be undefined.\n fraction = undefined;\n }\n // 9. If the value of the numberFormat.[[useGrouping]] is true,\n if (internal['[[useGrouping]]'] === true) {\n // a. Let groupSepSymbol be the ILND String representing the grouping separator.\n var groupSepSymbol = ild.group;\n // a. Let groups be a List whose elements are, in left to right order, the substrings defined by ILND set of locations within the integer.\n var groups = [];\n // ----> implementation:\n // Primary group represents the group closest to the decimal\n var pgSize = data.patterns.primaryGroupSize || 3;\n // Secondary group is every other group\n var sgSize = data.patterns.secondaryGroupSize || pgSize;\n // Group only if necessary\n if (integer.length > pgSize) {\n // Index of the primary grouping separator\n var end = integer.length - pgSize;\n // Starting index for our loop\n var idx = end % sgSize;\n var start = integer.slice(0, idx);\n if (start.length) arrPush.call(groups, start);\n // Loop to separate into secondary grouping digits\n while (idx < end) {\n arrPush.call(groups, integer.slice(idx, idx + sgSize));\n idx += sgSize;\n }\n // Add the primary grouping digits\n arrPush.call(groups, integer.slice(end));\n } else {\n arrPush.call(groups, integer);\n }\n // a. Assert: The number of elements in groups List is greater than 0.\n if (groups.length === 0) throw new Error();\n // a. Repeat, while groups List is not empty:\n while (groups.length) {\n // i. Remove the first element from groups and let integerGroup be the value of that element.\n var integerGroup = arrShift.call(groups);\n // ii. Add new part record { [[type]]: \"integer\", [[value]]: integerGroup } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integerGroup });\n // iii. If groups List is not empty, then:\n if (groups.length) {\n // 1. Add new part record { [[type]]: \"group\", [[value]]: groupSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'group', '[[value]]': groupSepSymbol });\n }\n }\n }\n // 10. Else,\n else {\n // a. Add new part record { [[type]]: \"integer\", [[value]]: integer } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integer });\n }\n // 11. If fraction is not undefined, then:\n if (fraction !== undefined) {\n // a. Let decimalSepSymbol be the ILND String representing the decimal separator.\n var decimalSepSymbol = ild.decimal;\n // a. Add new part record { [[type]]: \"decimal\", [[value]]: decimalSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'decimal', '[[value]]': decimalSepSymbol });\n // a. Add new part record { [[type]]: \"fraction\", [[value]]: fraction } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'fraction', '[[value]]': fraction });\n }\n }\n }\n // a. Else if p is equal \"plusSign\", then:\n else if (p === \"plusSign\") {\n // i. Let plusSignSymbol be the ILND String representing the plus sign.\n var plusSignSymbol = ild.plusSign;\n // ii. Add new part record { [[type]]: \"plusSign\", [[value]]: plusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'plusSign', '[[value]]': plusSignSymbol });\n }\n // a. Else if p is equal \"minusSign\", then:\n else if (p === \"minusSign\") {\n // i. Let minusSignSymbol be the ILND String representing the minus sign.\n var minusSignSymbol = ild.minusSign;\n // ii. Add new part record { [[type]]: \"minusSign\", [[value]]: minusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'minusSign', '[[value]]': minusSignSymbol });\n }\n // a. Else if p is equal \"percentSign\" and numberFormat.[[style]] is \"percent\", then:\n else if (p === \"percentSign\" && internal['[[style]]'] === \"percent\") {\n // i. Let percentSignSymbol be the ILND String representing the percent sign.\n var percentSignSymbol = ild.percentSign;\n // ii. Add new part record { [[type]]: \"percentSign\", [[value]]: percentSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': percentSignSymbol });\n }\n // a. Else if p is equal \"currency\" and numberFormat.[[style]] is \"currency\", then:\n else if (p === \"currency\" && internal['[[style]]'] === \"currency\") {\n // i. Let currency be the value of numberFormat.[[currency]].\n var currency = internal['[[currency]]'];\n\n var cd = void 0;\n\n // ii. If numberFormat.[[currencyDisplay]] is \"code\", then\n if (internal['[[currencyDisplay]]'] === \"code\") {\n // 1. Let cd be currency.\n cd = currency;\n }\n // iii. Else if numberFormat.[[currencyDisplay]] is \"symbol\", then\n else if (internal['[[currencyDisplay]]'] === \"symbol\") {\n // 1. Let cd be an ILD string representing currency in short form. If the implementation does not have such a representation of currency, use currency itself.\n cd = data.currencies[currency] || currency;\n }\n // iv. Else if numberFormat.[[currencyDisplay]] is \"name\", then\n else if (internal['[[currencyDisplay]]'] === \"name\") {\n // 1. Let cd be an ILD string representing currency in long form. If the implementation does not have such a representation of currency, then use currency itself.\n cd = currency;\n }\n // v. Add new part record { [[type]]: \"currency\", [[value]]: cd } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'currency', '[[value]]': cd });\n }\n // a. Else,\n else {\n // i. Let literal be the substring of pattern from position beginIndex, inclusive, to position endIndex, inclusive.\n var _literal = pattern.substring(beginIndex, endIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal });\n }\n // a. Set nextIndex to endIndex + 1.\n nextIndex = endIndex + 1;\n // a. Set beginIndex to Call(%StringProto_indexOf%, pattern, \"{\", nextIndex)\n beginIndex = pattern.indexOf('{', nextIndex);\n }\n // 9. If nextIndex is less than length, then:\n if (nextIndex < length) {\n // a. Let literal be the substring of pattern from position nextIndex, inclusive, to position length, exclusive.\n var _literal2 = pattern.substring(nextIndex, length);\n // a. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal2 });\n }\n // 10. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumber]\n */\nfunction FormatNumber(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be an empty String.\n var result = '';\n // 3. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Set result to a String value produced by concatenating result and part.[[value]].\n result += part['[[value]]'];\n }\n // 4. Return result.\n return result;\n}\n\n/**\n * When the ToRawPrecision abstract operation is called with arguments x (which\n * must be a finite non-negative number), minPrecision, and maxPrecision (both\n * must be integers between 1 and 21) the following steps are taken:\n */\nfunction ToRawPrecision(x, minPrecision, maxPrecision) {\n // 1. Let p be maxPrecision.\n var p = maxPrecision;\n\n var m = void 0,\n e = void 0;\n\n // 2. If x = 0, then\n if (x === 0) {\n // a. Let m be the String consisting of p occurrences of the character \"0\".\n m = arrJoin.call(Array(p + 1), '0');\n // b. Let e be 0.\n e = 0;\n }\n // 3. Else\n else {\n // a. Let e and n be integers such that 10ᵖ⁻¹ ≤ n < 10ᵖ and for which the\n // exact mathematical value of n × 10ᵉ⁻ᵖ⁺¹ – x is as close to zero as\n // possible. If there are two such sets of e and n, pick the e and n for\n // which n × 10ᵉ⁻ᵖ⁺¹ is larger.\n e = log10Floor(Math.abs(x));\n\n // Easier to get to m from here\n var f = Math.round(Math.exp(Math.abs(e - p + 1) * Math.LN10));\n\n // b. Let m be the String consisting of the digits of the decimal\n // representation of n (in order, with no leading zeroes)\n m = String(Math.round(e - p + 1 < 0 ? x * f : x / f));\n }\n\n // 4. If e ≥ p, then\n if (e >= p)\n // a. Return the concatenation of m and e-p+1 occurrences of the character \"0\".\n return m + arrJoin.call(Array(e - p + 1 + 1), '0');\n\n // 5. If e = p-1, then\n else if (e === p - 1)\n // a. Return m.\n return m;\n\n // 6. If e ≥ 0, then\n else if (e >= 0)\n // a. Let m be the concatenation of the first e+1 characters of m, the character\n // \".\", and the remaining p–(e+1) characters of m.\n m = m.slice(0, e + 1) + '.' + m.slice(e + 1);\n\n // 7. If e < 0, then\n else if (e < 0)\n // a. Let m be the concatenation of the String \"0.\", –(e+1) occurrences of the\n // character \"0\", and the string m.\n m = '0.' + arrJoin.call(Array(-(e + 1) + 1), '0') + m;\n\n // 8. If m contains the character \".\", and maxPrecision > minPrecision, then\n if (m.indexOf(\".\") >= 0 && maxPrecision > minPrecision) {\n // a. Let cut be maxPrecision – minPrecision.\n var cut = maxPrecision - minPrecision;\n\n // b. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.charAt(m.length - 1) === '0') {\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n\n // ii. Decrease cut by 1.\n cut--;\n }\n\n // c. If the last character of m is \".\", then\n if (m.charAt(m.length - 1) === '.')\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. Return m.\n return m;\n}\n\n/**\n * @spec[tc39/ecma402/master/spec/numberformat.html]\n * @clause[sec-torawfixed]\n * When the ToRawFixed abstract operation is called with arguments x (which must\n * be a finite non-negative number), minInteger (which must be an integer between\n * 1 and 21), minFraction, and maxFraction (which must be integers between 0 and\n * 20) the following steps are taken:\n */\nfunction ToRawFixed(x, minInteger, minFraction, maxFraction) {\n // 1. Let f be maxFraction.\n var f = maxFraction;\n // 2. Let n be an integer for which the exact mathematical value of n ÷ 10f – x is as close to zero as possible. If there are two such n, pick the larger n.\n var n = Math.pow(10, f) * x; // diverging...\n // 3. If n = 0, let m be the String \"0\". Otherwise, let m be the String consisting of the digits of the decimal representation of n (in order, with no leading zeroes).\n var m = n === 0 ? \"0\" : n.toFixed(0); // divering...\n\n {\n // this diversion is needed to take into consideration big numbers, e.g.:\n // 1.2344501e+37 -> 12344501000000000000000000000000000000\n var idx = void 0;\n var exp = (idx = m.indexOf('e')) > -1 ? m.slice(idx + 1) : 0;\n if (exp) {\n m = m.slice(0, idx).replace('.', '');\n m += arrJoin.call(Array(exp - (m.length - 1) + 1), '0');\n }\n }\n\n var int = void 0;\n // 4. If f ≠ 0, then\n if (f !== 0) {\n // a. Let k be the number of characters in m.\n var k = m.length;\n // a. If k ≤ f, then\n if (k <= f) {\n // i. Let z be the String consisting of f+1–k occurrences of the character \"0\".\n var z = arrJoin.call(Array(f + 1 - k + 1), '0');\n // ii. Let m be the concatenation of Strings z and m.\n m = z + m;\n // iii. Let k be f+1.\n k = f + 1;\n }\n // a. Let a be the first k–f characters of m, and let b be the remaining f characters of m.\n var a = m.substring(0, k - f),\n b = m.substring(k - f, m.length);\n // a. Let m be the concatenation of the three Strings a, \".\", and b.\n m = a + \".\" + b;\n // a. Let int be the number of characters in a.\n int = a.length;\n }\n // 5. Else, let int be the number of characters in m.\n else int = m.length;\n // 6. Let cut be maxFraction – minFraction.\n var cut = maxFraction - minFraction;\n // 7. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.slice(-1) === \"0\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n // a. Decrease cut by 1.\n cut--;\n }\n // 8. If the last character of m is \".\", then\n if (m.slice(-1) === \".\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. If int < minInteger, then\n if (int < minInteger) {\n // a. Let z be the String consisting of minInteger–int occurrences of the character \"0\".\n var _z = arrJoin.call(Array(minInteger - int + 1), '0');\n // a. Let m be the concatenation of Strings z and m.\n m = _z + m;\n }\n // 10. Return m.\n return m;\n}\n\n// Sect 11.3.2 Table 2, Numbering systems\n// ======================================\nvar numSys = {\n arab: [\"٠\", \"١\", \"٢\", \"٣\", \"٤\", \"٥\", \"٦\", \"٧\", \"٨\", \"٩\"],\n arabext: [\"۰\", \"۱\", \"۲\", \"۳\", \"۴\", \"۵\", \"۶\", \"۷\", \"۸\", \"۹\"],\n bali: [\"᭐\", \"᭑\", \"᭒\", \"᭓\", \"᭔\", \"᭕\", \"᭖\", \"᭗\", \"᭘\", \"᭙\"],\n beng: [\"০\", \"১\", \"২\", \"৩\", \"৪\", \"৫\", \"৬\", \"৭\", \"৮\", \"৯\"],\n deva: [\"०\", \"१\", \"२\", \"३\", \"४\", \"५\", \"६\", \"७\", \"८\", \"९\"],\n fullwide: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n gujr: [\"૦\", \"૧\", \"૨\", \"૩\", \"૪\", \"૫\", \"૬\", \"૭\", \"૮\", \"૯\"],\n guru: [\"੦\", \"੧\", \"੨\", \"੩\", \"੪\", \"੫\", \"੬\", \"੭\", \"੮\", \"੯\"],\n hanidec: [\"〇\", \"一\", \"二\", \"三\", \"四\", \"五\", \"六\", \"七\", \"八\", \"九\"],\n khmr: [\"០\", \"១\", \"២\", \"៣\", \"៤\", \"៥\", \"៦\", \"៧\", \"៨\", \"៩\"],\n knda: [\"೦\", \"೧\", \"೨\", \"೩\", \"೪\", \"೫\", \"೬\", \"೭\", \"೮\", \"೯\"],\n laoo: [\"໐\", \"໑\", \"໒\", \"໓\", \"໔\", \"໕\", \"໖\", \"໗\", \"໘\", \"໙\"],\n latn: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n limb: [\"᥆\", \"᥇\", \"᥈\", \"᥉\", \"᥊\", \"᥋\", \"᥌\", \"᥍\", \"᥎\", \"᥏\"],\n mlym: [\"൦\", \"൧\", \"൨\", \"൩\", \"൪\", \"൫\", \"൬\", \"൭\", \"൮\", \"൯\"],\n mong: [\"᠐\", \"᠑\", \"᠒\", \"᠓\", \"᠔\", \"᠕\", \"᠖\", \"᠗\", \"᠘\", \"᠙\"],\n mymr: [\"၀\", \"၁\", \"၂\", \"၃\", \"၄\", \"၅\", \"၆\", \"၇\", \"၈\", \"၉\"],\n orya: [\"୦\", \"୧\", \"୨\", \"୩\", \"୪\", \"୫\", \"୬\", \"୭\", \"୮\", \"୯\"],\n tamldec: [\"௦\", \"௧\", \"௨\", \"௩\", \"௪\", \"௫\", \"௬\", \"௭\", \"௮\", \"௯\"],\n telu: [\"౦\", \"౧\", \"౨\", \"౩\", \"౪\", \"౫\", \"౬\", \"౭\", \"౮\", \"౯\"],\n thai: [\"๐\", \"๑\", \"๒\", \"๓\", \"๔\", \"๕\", \"๖\", \"๗\", \"๘\", \"๙\"],\n tibt: [\"༠\", \"༡\", \"༢\", \"༣\", \"༤\", \"༥\", \"༦\", \"༧\", \"༨\", \"༩\"]\n};\n\n/**\n * This function provides access to the locale and formatting options computed\n * during initialization of the object.\n *\n * The function returns a new object whose properties and attributes are set as\n * if constructed by an object literal assigning to each of the following\n * properties the value of the corresponding internal property of this\n * NumberFormat object (see 11.4): locale, numberingSystem, style, currency,\n * currencyDisplay, minimumIntegerDigits, minimumFractionDigits,\n * maximumFractionDigits, minimumSignificantDigits, maximumSignificantDigits, and\n * useGrouping. Properties whose corresponding internal properties are not present\n * are not assigned.\n */\n/* 11.3.3 */defineProperty(Intl.NumberFormat.prototype, 'resolvedOptions', {\n configurable: true,\n writable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'numberingSystem', 'style', 'currency', 'currencyDisplay', 'minimumIntegerDigits', 'minimumFractionDigits', 'maximumFractionDigits', 'minimumSignificantDigits', 'maximumSignificantDigits', 'useGrouping'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.NumberFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\n/* jslint esnext: true */\n\n// Match these datetime components in a CLDR pattern, except those in single quotes\nvar expDTComponents = /(?:[Eec]{1,6}|G{1,5}|[Qq]{1,5}|(?:[yYur]+|U{1,5})|[ML]{1,5}|d{1,2}|D{1,3}|F{1}|[abB]{1,5}|[hkHK]{1,2}|w{1,2}|W{1}|m{1,2}|s{1,2}|[zZOvVxX]{1,4})(?=([^']*'[^']*')*[^']*$)/g;\n// trim patterns after transformations\nvar expPatternTrimmer = /^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g;\n// Skip over patterns with these datetime components because we don't have data\n// to back them up:\n// timezone, weekday, amoung others\nvar unwantedDTCs = /[rqQASjJgwWIQq]/; // xXVO were removed from this list in favor of computing matches with timeZoneName values but printing as empty string\n\nvar dtKeys = [\"era\", \"year\", \"month\", \"day\", \"weekday\", \"quarter\"];\nvar tmKeys = [\"hour\", \"minute\", \"second\", \"hour12\", \"timeZoneName\"];\n\nfunction isDateFormatOnly(obj) {\n for (var i = 0; i < tmKeys.length; i += 1) {\n if (obj.hasOwnProperty(tmKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction isTimeFormatOnly(obj) {\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (obj.hasOwnProperty(dtKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction joinDateAndTimeFormats(dateFormatObj, timeFormatObj) {\n var o = { _: {} };\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (dateFormatObj[dtKeys[i]]) {\n o[dtKeys[i]] = dateFormatObj[dtKeys[i]];\n }\n if (dateFormatObj._[dtKeys[i]]) {\n o._[dtKeys[i]] = dateFormatObj._[dtKeys[i]];\n }\n }\n for (var j = 0; j < tmKeys.length; j += 1) {\n if (timeFormatObj[tmKeys[j]]) {\n o[tmKeys[j]] = timeFormatObj[tmKeys[j]];\n }\n if (timeFormatObj._[tmKeys[j]]) {\n o._[tmKeys[j]] = timeFormatObj._[tmKeys[j]];\n }\n }\n return o;\n}\n\nfunction computeFinalPatterns(formatObj) {\n // From http://www.unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns:\n // 'In patterns, two single quotes represents a literal single quote, either\n // inside or outside single quotes. Text within single quotes is not\n // interpreted in any way (except for two adjacent single quotes).'\n formatObj.pattern12 = formatObj.extendedPattern.replace(/'([^']*)'/g, function ($0, literal) {\n return literal ? literal : \"'\";\n });\n\n // pattern 12 is always the default. we can produce the 24 by removing {ampm}\n formatObj.pattern = formatObj.pattern12.replace('{ampm}', '').replace(expPatternTrimmer, '');\n return formatObj;\n}\n\nfunction expDTComponentsMeta($0, formatObj) {\n switch ($0.charAt(0)) {\n // --- Era\n case 'G':\n formatObj.era = ['short', 'short', 'short', 'long', 'narrow'][$0.length - 1];\n return '{era}';\n\n // --- Year\n case 'y':\n case 'Y':\n case 'u':\n case 'U':\n case 'r':\n formatObj.year = $0.length === 2 ? '2-digit' : 'numeric';\n return '{year}';\n\n // --- Quarter (not supported in this polyfill)\n case 'Q':\n case 'q':\n formatObj.quarter = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{quarter}';\n\n // --- Month\n case 'M':\n case 'L':\n formatObj.month = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{month}';\n\n // --- Week (not supported in this polyfill)\n case 'w':\n // week of the year\n formatObj.week = $0.length === 2 ? '2-digit' : 'numeric';\n return '{weekday}';\n case 'W':\n // week of the month\n formatObj.week = 'numeric';\n return '{weekday}';\n\n // --- Day\n case 'd':\n // day of the month\n formatObj.day = $0.length === 2 ? '2-digit' : 'numeric';\n return '{day}';\n case 'D': // day of the year\n case 'F': // day of the week\n case 'g':\n // 1..n: Modified Julian day\n formatObj.day = 'numeric';\n return '{day}';\n\n // --- Week Day\n case 'E':\n // day of the week\n formatObj.weekday = ['short', 'short', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'e':\n // local day of the week\n formatObj.weekday = ['numeric', '2-digit', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'c':\n // stand alone local day of the week\n formatObj.weekday = ['numeric', undefined, 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n\n // --- Period\n case 'a': // AM, PM\n case 'b': // am, pm, noon, midnight\n case 'B':\n // flexible day periods\n formatObj.hour12 = true;\n return '{ampm}';\n\n // --- Hour\n case 'h':\n case 'H':\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n case 'k':\n case 'K':\n formatObj.hour12 = true; // 12-hour-cycle time formats (using h or K)\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n\n // --- Minute\n case 'm':\n formatObj.minute = $0.length === 2 ? '2-digit' : 'numeric';\n return '{minute}';\n\n // --- Second\n case 's':\n formatObj.second = $0.length === 2 ? '2-digit' : 'numeric';\n return '{second}';\n case 'S':\n case 'A':\n formatObj.second = 'numeric';\n return '{second}';\n\n // --- Timezone\n case 'z': // 1..3, 4: specific non-location format\n case 'Z': // 1..3, 4, 5: The ISO8601 varios formats\n case 'O': // 1, 4: miliseconds in day short, long\n case 'v': // 1, 4: generic non-location format\n case 'V': // 1, 2, 3, 4: time zone ID or city\n case 'X': // 1, 2, 3, 4: The ISO8601 varios formats\n case 'x':\n // 1, 2, 3, 4: The ISO8601 varios formats\n // this polyfill only supports much, for now, we are just doing something dummy\n formatObj.timeZoneName = $0.length < 4 ? 'short' : 'long';\n return '{timeZoneName}';\n }\n}\n\n/**\n * Converts the CLDR availableFormats into the objects and patterns required by\n * the ECMAScript Internationalization API specification.\n */\nfunction createDateTimeFormat(skeleton, pattern) {\n // we ignore certain patterns that are unsupported to avoid this expensive op.\n if (unwantedDTCs.test(pattern)) return undefined;\n\n var formatObj = {\n originalPattern: pattern,\n _: {}\n };\n\n // Replace the pattern string with the one required by the specification, whilst\n // at the same time evaluating it for the subsets and formats\n formatObj.extendedPattern = pattern.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj._);\n });\n\n // Match the skeleton string with the one required by the specification\n // this implementation is based on the Date Field Symbol Table:\n // http://unicode.org/reports/tr35/tr35-dates.html#Date_Field_Symbol_Table\n // Note: we are adding extra data to the formatObject even though this polyfill\n // might not support it.\n skeleton.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj);\n });\n\n return computeFinalPatterns(formatObj);\n}\n\n/**\n * Processes DateTime formats from CLDR to an easier-to-parse format.\n * the result of this operation should be cached the first time a particular\n * calendar is analyzed.\n *\n * The specification requires we support at least the following subsets of\n * date/time components:\n *\n * - 'weekday', 'year', 'month', 'day', 'hour', 'minute', 'second'\n * - 'weekday', 'year', 'month', 'day'\n * - 'year', 'month', 'day'\n * - 'year', 'month'\n * - 'month', 'day'\n * - 'hour', 'minute', 'second'\n * - 'hour', 'minute'\n *\n * We need to cherry pick at least these subsets from the CLDR data and convert\n * them into the pattern objects used in the ECMA-402 API.\n */\nfunction createDateTimeFormats(formats) {\n var availableFormats = formats.availableFormats;\n var timeFormats = formats.timeFormats;\n var dateFormats = formats.dateFormats;\n var result = [];\n var skeleton = void 0,\n pattern = void 0,\n computed = void 0,\n i = void 0,\n j = void 0;\n var timeRelatedFormats = [];\n var dateRelatedFormats = [];\n\n // Map available (custom) formats into a pattern for createDateTimeFormats\n for (skeleton in availableFormats) {\n if (availableFormats.hasOwnProperty(skeleton)) {\n pattern = availableFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n // in some cases, the format is only displaying date specific props\n // or time specific props, in which case we need to also produce the\n // combined formats.\n if (isDateFormatOnly(computed)) {\n dateRelatedFormats.push(computed);\n } else if (isTimeFormatOnly(computed)) {\n timeRelatedFormats.push(computed);\n }\n }\n }\n }\n\n // Map time formats into a pattern for createDateTimeFormats\n for (skeleton in timeFormats) {\n if (timeFormats.hasOwnProperty(skeleton)) {\n pattern = timeFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n timeRelatedFormats.push(computed);\n }\n }\n }\n\n // Map date formats into a pattern for createDateTimeFormats\n for (skeleton in dateFormats) {\n if (dateFormats.hasOwnProperty(skeleton)) {\n pattern = dateFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n dateRelatedFormats.push(computed);\n }\n }\n }\n\n // combine custom time and custom date formats when they are orthogonals to complete the\n // formats supported by CLDR.\n // This Algo is based on section \"Missing Skeleton Fields\" from:\n // http://unicode.org/reports/tr35/tr35-dates.html#availableFormats_appendItems\n for (i = 0; i < timeRelatedFormats.length; i += 1) {\n for (j = 0; j < dateRelatedFormats.length; j += 1) {\n if (dateRelatedFormats[j].month === 'long') {\n pattern = dateRelatedFormats[j].weekday ? formats.full : formats.long;\n } else if (dateRelatedFormats[j].month === 'short') {\n pattern = formats.medium;\n } else {\n pattern = formats.short;\n }\n computed = joinDateAndTimeFormats(dateRelatedFormats[j], timeRelatedFormats[i]);\n computed.originalPattern = pattern;\n computed.extendedPattern = pattern.replace('{0}', timeRelatedFormats[i].extendedPattern).replace('{1}', dateRelatedFormats[j].extendedPattern).replace(/^[,\\s]+|[,\\s]+$/gi, '');\n result.push(computeFinalPatterns(computed));\n }\n }\n\n return result;\n}\n\n// this represents the exceptions of the rule that are not covered by CLDR availableFormats\n// for single property configurations, they play no role when using multiple properties, and\n// those that are not in this table, are not exceptions or are not covered by the data we\n// provide.\nvar validSyntheticProps = {\n second: {\n numeric: 's',\n '2-digit': 'ss'\n },\n minute: {\n numeric: 'm',\n '2-digit': 'mm'\n },\n year: {\n numeric: 'y',\n '2-digit': 'yy'\n },\n day: {\n numeric: 'd',\n '2-digit': 'dd'\n },\n month: {\n numeric: 'L',\n '2-digit': 'LL',\n narrow: 'LLLLL',\n short: 'LLL',\n long: 'LLLL'\n },\n weekday: {\n narrow: 'ccccc',\n short: 'ccc',\n long: 'cccc'\n }\n};\n\nfunction generateSyntheticFormat(propName, propValue) {\n if (validSyntheticProps[propName] && validSyntheticProps[propName][propValue]) {\n var _ref2;\n\n return _ref2 = {\n originalPattern: validSyntheticProps[propName][propValue],\n _: defineProperty$1({}, propName, propValue),\n extendedPattern: \"{\" + propName + \"}\"\n }, defineProperty$1(_ref2, propName, propValue), defineProperty$1(_ref2, \"pattern12\", \"{\" + propName + \"}\"), defineProperty$1(_ref2, \"pattern\", \"{\" + propName + \"}\"), _ref2;\n }\n}\n\n// An object map of date component keys, saves using a regex later\nvar dateWidths = objCreate(null, { narrow: {}, short: {}, long: {} });\n\n/**\n * Returns a string for a date component, resolved using multiple inheritance as specified\n * as specified in the Unicode Technical Standard 35.\n */\nfunction resolveDateString(data, ca, component, width, key) {\n // From http://www.unicode.org/reports/tr35/tr35.html#Multiple_Inheritance:\n // 'In clearly specified instances, resources may inherit from within the same locale.\n // For example, ... the Buddhist calendar inherits from the Gregorian calendar.'\n var obj = data[ca] && data[ca][component] ? data[ca][component] : data.gregory[component],\n\n\n // \"sideways\" inheritance resolves strings when a key doesn't exist\n alts = {\n narrow: ['short', 'long'],\n short: ['long', 'narrow'],\n long: ['short', 'narrow']\n },\n\n\n //\n resolved = hop.call(obj, width) ? obj[width] : hop.call(obj, alts[width][0]) ? obj[alts[width][0]] : obj[alts[width][1]];\n\n // `key` wouldn't be specified for components 'dayPeriods'\n return key !== null ? resolved[key] : resolved;\n}\n\n// Define the DateTimeFormat constructor internally so it cannot be tainted\nfunction DateTimeFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.DateTimeFormat(locales, options);\n }\n return InitializeDateTimeFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'DateTimeFormat', {\n configurable: true,\n writable: true,\n value: DateTimeFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(DateTimeFormatConstructor, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeDateTimeFormat accepts the arguments dateTimeFormat\n * (which must be an object), locales, and options. It initializes dateTimeFormat as a\n * DateTimeFormat object.\n */\nfunction /* 12.1.1.1 */InitializeDateTimeFormat(dateTimeFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(dateTimeFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If dateTimeFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(dateTimeFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined below) with arguments options, \"any\", and \"date\".\n options = ToDateTimeOptions(options, 'any', 'date');\n\n // 5. Let opt be a new Record.\n var opt = new Record();\n\n // 6. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with arguments options, \"localeMatcher\", \"string\", a List\n // containing the two String values \"lookup\" and \"best fit\", and \"best fit\".\n var matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 7. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 8. Let DateTimeFormat be the standard built-in object that is the initial\n // value of Intl.DateTimeFormat.\n var DateTimeFormat = internals.DateTimeFormat; // This is what we *really* need\n\n // 9. Let localeData be the value of the [[localeData]] internal property of\n // DateTimeFormat.\n var localeData = DateTimeFormat['[[localeData]]'];\n\n // 10. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // DateTimeFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of DateTimeFormat, and localeData.\n var r = ResolveLocale(DateTimeFormat['[[availableLocales]]'], requestedLocales, opt, DateTimeFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 11. Set the [[locale]] internal property of dateTimeFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 12. Set the [[calendar]] internal property of dateTimeFormat to the value of\n // r.[[ca]].\n internal['[[calendar]]'] = r['[[ca]]'];\n\n // 13. Set the [[numberingSystem]] internal property of dateTimeFormat to the value of\n // r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let tz be the result of calling the [[Get]] internal method of options with\n // argument \"timeZone\".\n var tz = options.timeZone;\n\n // 16. If tz is not undefined, then\n if (tz !== undefined) {\n // a. Let tz be ToString(tz).\n // b. Convert tz to upper case as described in 6.1.\n // NOTE: If an implementation accepts additional time zone values, as permitted\n // under certain conditions by the Conformance clause, different casing\n // rules apply.\n tz = toLatinUpperCase(tz);\n\n // c. If tz is not \"UTC\", then throw a RangeError exception.\n // ###TODO: accept more time zones###\n if (tz !== 'UTC') throw new RangeError('timeZone is not supported.');\n }\n\n // 17. Set the [[timeZone]] internal property of dateTimeFormat to tz.\n internal['[[timeZone]]'] = tz;\n\n // 18. Let opt be a new Record.\n opt = new Record();\n\n // 19. For each row of Table 3, except the header row, do:\n for (var prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, prop)) continue;\n\n // 20. Let prop be the name given in the Property column of the row.\n // 21. Let value be the result of calling the GetOption abstract operation,\n // passing as argument options, the name given in the Property column of the\n // row, \"string\", a List containing the strings given in the Values column of\n // the row, and undefined.\n var value = GetOption(options, prop, 'string', dateTimeComponents[prop]);\n\n // 22. Set opt.[[]] to value.\n opt['[[' + prop + ']]'] = value;\n }\n\n // Assigned a value below\n var bestFormat = void 0;\n\n // 23. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 24. Let formats be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"formats\".\n // Note: we process the CLDR formats into the spec'd structure\n var formats = ToDateTimeFormats(dataLocaleData.formats);\n\n // 25. Let matcher be the result of calling the GetOption abstract operation with\n // arguments options, \"formatMatcher\", \"string\", a List containing the two String\n // values \"basic\" and \"best fit\", and \"best fit\".\n matcher = GetOption(options, 'formatMatcher', 'string', new List('basic', 'best fit'), 'best fit');\n\n // Optimization: caching the processed formats as a one time operation by\n // replacing the initial structure from localeData\n dataLocaleData.formats = formats;\n\n // 26. If matcher is \"basic\", then\n if (matcher === 'basic') {\n // 27. Let bestFormat be the result of calling the BasicFormatMatcher abstract\n // operation (defined below) with opt and formats.\n bestFormat = BasicFormatMatcher(opt, formats);\n\n // 28. Else\n } else {\n {\n // diverging\n var _hr = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n opt.hour12 = _hr === undefined ? dataLocaleData.hour12 : _hr;\n }\n // 29. Let bestFormat be the result of calling the BestFitFormatMatcher\n // abstract operation (defined below) with opt and formats.\n bestFormat = BestFitFormatMatcher(opt, formats);\n }\n\n // 30. For each row in Table 3, except the header row, do\n for (var _prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _prop)) continue;\n\n // a. Let prop be the name given in the Property column of the row.\n // b. Let pDesc be the result of calling the [[GetOwnProperty]] internal method of\n // bestFormat with argument prop.\n // c. If pDesc is not undefined, then\n if (hop.call(bestFormat, _prop)) {\n // i. Let p be the result of calling the [[Get]] internal method of bestFormat\n // with argument prop.\n var p = bestFormat[_prop];\n {\n // diverging\n p = bestFormat._ && hop.call(bestFormat._, _prop) ? bestFormat._[_prop] : p;\n }\n\n // ii. Set the [[]] internal property of dateTimeFormat to p.\n internal['[[' + _prop + ']]'] = p;\n }\n }\n\n var pattern = void 0; // Assigned a value below\n\n // 31. Let hr12 be the result of calling the GetOption abstract operation with\n // arguments options, \"hour12\", \"boolean\", undefined, and undefined.\n var hr12 = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n\n // 32. If dateTimeFormat has an internal property [[hour]], then\n if (internal['[[hour]]']) {\n // a. If hr12 is undefined, then let hr12 be the result of calling the [[Get]]\n // internal method of dataLocaleData with argument \"hour12\".\n hr12 = hr12 === undefined ? dataLocaleData.hour12 : hr12;\n\n // b. Set the [[hour12]] internal property of dateTimeFormat to hr12.\n internal['[[hour12]]'] = hr12;\n\n // c. If hr12 is true, then\n if (hr12 === true) {\n // i. Let hourNo0 be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"hourNo0\".\n var hourNo0 = dataLocaleData.hourNo0;\n\n // ii. Set the [[hourNo0]] internal property of dateTimeFormat to hourNo0.\n internal['[[hourNo0]]'] = hourNo0;\n\n // iii. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern12\".\n pattern = bestFormat.pattern12;\n }\n\n // d. Else\n else\n // i. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n }\n\n // 33. Else\n else\n // a. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n\n // 34. Set the [[pattern]] internal property of dateTimeFormat to pattern.\n internal['[[pattern]]'] = pattern;\n\n // 35. Set the [[boundFormat]] internal property of dateTimeFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 36. Set the [[initializedDateTimeFormat]] internal property of dateTimeFormat to\n // true.\n internal['[[initializedDateTimeFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) dateTimeFormat.format = GetFormatDateTime.call(dateTimeFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return dateTimeFormat;\n}\n\n/**\n * Several DateTimeFormat algorithms use values from the following table, which provides\n * property names and allowable values for the components of date and time formats:\n */\nvar dateTimeComponents = {\n weekday: [\"narrow\", \"short\", \"long\"],\n era: [\"narrow\", \"short\", \"long\"],\n year: [\"2-digit\", \"numeric\"],\n month: [\"2-digit\", \"numeric\", \"narrow\", \"short\", \"long\"],\n day: [\"2-digit\", \"numeric\"],\n hour: [\"2-digit\", \"numeric\"],\n minute: [\"2-digit\", \"numeric\"],\n second: [\"2-digit\", \"numeric\"],\n timeZoneName: [\"short\", \"long\"]\n};\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeFormats(formats) {\n if (Object.prototype.toString.call(formats) === '[object Array]') {\n return formats;\n }\n return createDateTimeFormats(formats);\n}\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeOptions(options, required, defaults) {\n // 1. If options is undefined, then let options be null, else let options be\n // ToObject(options).\n if (options === undefined) options = null;else {\n // (#12) options needs to be a Record, but it also needs to inherit properties\n var opt2 = toObject(options);\n options = new Record();\n\n for (var k in opt2) {\n options[k] = opt2[k];\n }\n }\n\n // 2. Let create be the standard built-in function object defined in ES5, 15.2.3.5.\n var create = objCreate;\n\n // 3. Let options be the result of calling the [[Call]] internal method of create with\n // undefined as the this value and an argument list containing the single item\n // options.\n options = create(options);\n\n // 4. Let needDefaults be true.\n var needDefaults = true;\n\n // 5. If required is \"date\" or \"any\", then\n if (required === 'date' || required === 'any') {\n // a. For each of the property names \"weekday\", \"year\", \"month\", \"day\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.weekday !== undefined || options.year !== undefined || options.month !== undefined || options.day !== undefined) needDefaults = false;\n }\n\n // 6. If required is \"time\" or \"any\", then\n if (required === 'time' || required === 'any') {\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.hour !== undefined || options.minute !== undefined || options.second !== undefined) needDefaults = false;\n }\n\n // 7. If needDefaults is true and defaults is either \"date\" or \"all\", then\n if (needDefaults && (defaults === 'date' || defaults === 'all'))\n // a. For each of the property names \"year\", \"month\", \"day\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.year = options.month = options.day = 'numeric';\n\n // 8. If needDefaults is true and defaults is either \"time\" or \"all\", then\n if (needDefaults && (defaults === 'time' || defaults === 'all'))\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.hour = options.minute = options.second = 'numeric';\n\n // 9. Return options.\n return options;\n}\n\n/**\n * When the BasicFormatMatcher abstract operation is called with two arguments options and\n * formats, the following steps are taken:\n */\nfunction BasicFormatMatcher(options, formats) {\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, property) ? format[property] : undefined;\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta === 2) score -= longMorePenalty;\n\n // 6. Else if delta = 1, decrease score by shortMorePenalty.\n else if (delta === 1) score -= shortMorePenalty;\n\n // 7. Else if delta = -1, decrease score by shortLessPenalty.\n else if (delta === -1) score -= shortLessPenalty;\n\n // 8. Else if delta = -2, decrease score by longLessPenalty.\n else if (delta === -2) score -= longLessPenalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/**\n * When the BestFitFormatMatcher abstract operation is called with two arguments options\n * and formats, it performs implementation dependent steps, which should return a set of\n * component representations that a typical user of the selected locale would perceive as\n * at least as good as the one returned by BasicFormatMatcher.\n *\n * This polyfill defines the algorithm to be the same as BasicFormatMatcher,\n * with the addition of bonus points awarded where the requested format is of\n * the same data type as the potentially matching format.\n *\n * This algo relies on the concept of closest distance matching described here:\n * http://unicode.org/reports/tr35/tr35-dates.html#Matching_Skeletons\n * Typically a “best match” is found using a closest distance match, such as:\n *\n * Symbols requesting a best choice for the locale are replaced.\n * j → one of {H, k, h, K}; C → one of {a, b, B}\n * -> Covered by cldr.js matching process\n *\n * For fields with symbols representing the same type (year, month, day, etc):\n * Most symbols have a small distance from each other.\n * M ≅ L; E ≅ c; a ≅ b ≅ B; H ≅ k ≅ h ≅ K; ...\n * -> Covered by cldr.js matching process\n *\n * Width differences among fields, other than those marking text vs numeric, are given small distance from each other.\n * MMM ≅ MMMM\n * MM ≅ M\n * Numeric and text fields are given a larger distance from each other.\n * MMM ≈ MM\n * Symbols representing substantial differences (week of year vs week of month) are given much larger a distances from each other.\n * d ≋ D; ...\n * Missing or extra fields cause a match to fail. (But see Missing Skeleton Fields).\n *\n *\n * For example,\n *\n * { month: 'numeric', day: 'numeric' }\n *\n * should match\n *\n * { month: '2-digit', day: '2-digit' }\n *\n * rather than\n *\n * { month: 'short', day: 'numeric' }\n *\n * This makes sense because a user requesting a formatted date with numeric parts would\n * not expect to see the returned format containing narrow, short or long part names\n */\nfunction BestFitFormatMatcher(options, formats) {\n /** Diverging: this block implements the hack for single property configuration, eg.:\n *\n * `new Intl.DateTimeFormat('en', {day: 'numeric'})`\n *\n * should produce a single digit with the day of the month. This is needed because\n * CLDR `availableFormats` data structure doesn't cover these cases.\n */\n {\n var optionsPropNames = [];\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n if (options['[[' + property + ']]'] !== undefined) {\n optionsPropNames.push(property);\n }\n }\n if (optionsPropNames.length === 1) {\n var _bestFormat = generateSyntheticFormat(optionsPropNames[0], options['[[' + optionsPropNames[0] + ']]']);\n if (_bestFormat) {\n return _bestFormat;\n }\n }\n }\n\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n var patternPenalty = 2;\n\n var hour12Penalty = 1;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var _property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + _property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, _property) ? format[_property] : undefined;\n\n // Diverging: using the default properties produced by the pattern/skeleton\n // to match it with user options, and apply a penalty\n var patternProp = hop.call(format._, _property) ? format._[_property] : undefined;\n if (optionsProp !== patternProp) {\n score -= patternPenalty;\n }\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n {\n // diverging from spec\n // When the bestFit argument is true, subtract additional penalty where data types are not the same\n if (formatPropIndex <= 1 && optionsPropIndex >= 2 || formatPropIndex >= 2 && optionsPropIndex <= 1) {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 0) score -= longMorePenalty;else if (delta < 0) score -= longLessPenalty;\n } else {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 1) score -= shortMorePenalty;else if (delta < -1) score -= shortLessPenalty;\n }\n }\n }\n }\n\n {\n // diverging to also take into consideration differences between 12 or 24 hours\n // which is special for the best fit only.\n if (format._.hour12 !== options.hour12) {\n score -= hour12Penalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/* 12.2.3 */internals.DateTimeFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['ca', 'nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.DateTimeFormat is called, the\n * following steps are taken:\n */\n/* 12.2.2 */\ndefineProperty(Intl.DateTimeFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * DateTimeFormat object.\n */\n/* 12.3.2 */defineProperty(Intl.DateTimeFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatDateTime\n});\n\nfunction GetFormatDateTime() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.DateTimeFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this DateTimeFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 0, that takes the argument date and\n // performs the following steps:\n var F = function F() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n // i. If date is not provided or is undefined, then let x be the\n // result as if by the expression Date.now() where Date.now is\n // the standard built-in function defined in ES5, 15.9.4.4.\n // ii. Else let x be ToNumber(date).\n // iii. Return the result of calling the FormatDateTime abstract\n // operation (defined below) with arguments this and x.\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatDateTime(this, x);\n };\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts$1() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.DateTimeFormat object.');\n\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatToPartsDateTime(this, x);\n}\n\nObject.defineProperty(Intl.DateTimeFormat.prototype, 'formatToParts', {\n enumerable: false,\n writable: true,\n configurable: true,\n value: formatToParts$1\n});\n\nfunction CreateDateTimeParts(dateTimeFormat, x) {\n // 1. If x is not a finite Number, then throw a RangeError exception.\n if (!isFinite(x)) throw new RangeError('Invalid valid date passed to format');\n\n var internal = dateTimeFormat.__getInternalProperties(secret);\n\n // Creating restore point for properties on the RegExp object... please wait\n /* let regexpRestore = */createRegExpRestore(); // ###TODO: review this\n\n // 2. Let locale be the value of the [[locale]] internal property of dateTimeFormat.\n var locale = internal['[[locale]]'];\n\n // 3. Let nf be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {useGrouping: false}) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n var nf = new Intl.NumberFormat([locale], { useGrouping: false });\n\n // 4. Let nf2 be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {minimumIntegerDigits: 2, useGrouping:\n // false}) where Intl.NumberFormat is the standard built-in constructor defined in\n // 11.1.3.\n var nf2 = new Intl.NumberFormat([locale], { minimumIntegerDigits: 2, useGrouping: false });\n\n // 5. Let tm be the result of calling the ToLocalTime abstract operation (defined\n // below) with x, the value of the [[calendar]] internal property of dateTimeFormat,\n // and the value of the [[timeZone]] internal property of dateTimeFormat.\n var tm = ToLocalTime(x, internal['[[calendar]]'], internal['[[timeZone]]']);\n\n // 6. Let result be the value of the [[pattern]] internal property of dateTimeFormat.\n var pattern = internal['[[pattern]]'];\n\n // 7.\n var result = new List();\n\n // 8.\n var index = 0;\n\n // 9.\n var beginIndex = pattern.indexOf('{');\n\n // 10.\n var endIndex = 0;\n\n // Need the locale minus any extensions\n var dataLocale = internal['[[dataLocale]]'];\n\n // Need the calendar data from CLDR\n var localeData = internals.DateTimeFormat['[[localeData]]'][dataLocale].calendars;\n var ca = internal['[[calendar]]'];\n\n // 11.\n while (beginIndex !== -1) {\n var fv = void 0;\n // a.\n endIndex = pattern.indexOf('}', beginIndex);\n // b.\n if (endIndex === -1) {\n throw new Error('Unclosed pattern');\n }\n // c.\n if (beginIndex > index) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(index, beginIndex)\n });\n }\n // d.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // e.\n if (dateTimeComponents.hasOwnProperty(p)) {\n // i. Let f be the value of the [[

]] internal property of dateTimeFormat.\n var f = internal['[[' + p + ']]'];\n // ii. Let v be the value of tm.[[

]].\n var v = tm['[[' + p + ']]'];\n // iii. If p is \"year\" and v ≤ 0, then let v be 1 - v.\n if (p === 'year' && v <= 0) {\n v = 1 - v;\n }\n // iv. If p is \"month\", then increase v by 1.\n else if (p === 'month') {\n v++;\n }\n // v. If p is \"hour\" and the value of the [[hour12]] internal property of\n // dateTimeFormat is true, then\n else if (p === 'hour' && internal['[[hour12]]'] === true) {\n // 1. Let v be v modulo 12.\n v = v % 12;\n // 2. If v is 0 and the value of the [[hourNo0]] internal property of\n // dateTimeFormat is true, then let v be 12.\n if (v === 0 && internal['[[hourNo0]]'] === true) {\n v = 12;\n }\n }\n\n // vi. If f is \"numeric\", then\n if (f === 'numeric') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments nf and v.\n fv = FormatNumber(nf, v);\n }\n // vii. Else if f is \"2-digit\", then\n else if (f === '2-digit') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // with arguments nf2 and v.\n fv = FormatNumber(nf2, v);\n // 2. If the length of fv is greater than 2, let fv be the substring of fv\n // containing the last two characters.\n if (fv.length > 2) {\n fv = fv.slice(-2);\n }\n }\n // viii. Else if f is \"narrow\", \"short\", or \"long\", then let fv be a String\n // value representing f in the desired form; the String value depends upon\n // the implementation and the effective locale and calendar of\n // dateTimeFormat. If p is \"month\", then the String value may also depend\n // on whether dateTimeFormat has a [[day]] internal property. If p is\n // \"timeZoneName\", then the String value may also depend on the value of\n // the [[inDST]] field of tm.\n else if (f in dateWidths) {\n switch (p) {\n case 'month':\n fv = resolveDateString(localeData, ca, 'months', f, tm['[[' + p + ']]']);\n break;\n\n case 'weekday':\n try {\n fv = resolveDateString(localeData, ca, 'days', f, tm['[[' + p + ']]']);\n // fv = resolveDateString(ca.days, f)[tm['[['+ p +']]']];\n } catch (e) {\n throw new Error('Could not find weekday data for locale ' + locale);\n }\n break;\n\n case 'timeZoneName':\n fv = ''; // ###TODO\n break;\n\n case 'era':\n try {\n fv = resolveDateString(localeData, ca, 'eras', f, tm['[[' + p + ']]']);\n } catch (e) {\n throw new Error('Could not find era data for locale ' + locale);\n }\n break;\n\n default:\n fv = tm['[[' + p + ']]'];\n }\n }\n // ix\n arrPush.call(result, {\n type: p,\n value: fv\n });\n // f.\n } else if (p === 'ampm') {\n // i.\n var _v = tm['[[hour]]'];\n // ii./iii.\n fv = resolveDateString(localeData, ca, 'dayPeriods', _v > 11 ? 'pm' : 'am', null);\n // iv.\n arrPush.call(result, {\n type: 'dayPeriod',\n value: fv\n });\n // g.\n } else {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(beginIndex, endIndex + 1)\n });\n }\n // h.\n index = endIndex + 1;\n // i.\n beginIndex = pattern.indexOf('{', index);\n }\n // 12.\n if (endIndex < pattern.length - 1) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substr(endIndex + 1)\n });\n }\n // 13.\n return result;\n}\n\n/**\n * When the FormatDateTime abstract operation is called with arguments dateTimeFormat\n * (which must be an object initialized as a DateTimeFormat) and x (which must be a Number\n * value), it returns a String value representing x (interpreted as a time value as\n * specified in ES5, 15.9.1.1) according to the effective locale and the formatting\n * options of dateTimeFormat.\n */\nfunction FormatDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = '';\n\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result += part.value;\n }\n return result;\n}\n\nfunction FormatToPartsDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = [];\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result.push({\n type: part.type,\n value: part.value\n });\n }\n return result;\n}\n\n/**\n * When the ToLocalTime abstract operation is called with arguments date, calendar, and\n * timeZone, the following steps are taken:\n */\nfunction ToLocalTime(date, calendar, timeZone) {\n // 1. Apply calendrical calculations on date for the given calendar and time zone to\n // produce weekday, era, year, month, day, hour, minute, second, and inDST values.\n // The calculations should use best available information about the specified\n // calendar and time zone. If the calendar is \"gregory\", then the calculations must\n // match the algorithms specified in ES5, 15.9.1, except that calculations are not\n // bound by the restrictions on the use of best available information on time zones\n // for local time zone adjustment and daylight saving time adjustment imposed by\n // ES5, 15.9.1.7 and 15.9.1.8.\n // ###TODO###\n var d = new Date(date),\n m = 'get' + (timeZone || '');\n\n // 2. Return a Record with fields [[weekday]], [[era]], [[year]], [[month]], [[day]],\n // [[hour]], [[minute]], [[second]], and [[inDST]], each with the corresponding\n // calculated value.\n return new Record({\n '[[weekday]]': d[m + 'Day'](),\n '[[era]]': +(d[m + 'FullYear']() >= 0),\n '[[year]]': d[m + 'FullYear'](),\n '[[month]]': d[m + 'Month'](),\n '[[day]]': d[m + 'Date'](),\n '[[hour]]': d[m + 'Hours'](),\n '[[minute]]': d[m + 'Minutes'](),\n '[[second]]': d[m + 'Seconds'](),\n '[[inDST]]': false // ###TODO###\n });\n}\n\n/**\n * The function returns a new object whose properties and attributes are set as if\n * constructed by an object literal assigning to each of the following properties the\n * value of the corresponding internal property of this DateTimeFormat object (see 12.4):\n * locale, calendar, numberingSystem, timeZone, hour12, weekday, era, year, month, day,\n * hour, minute, second, and timeZoneName. Properties whose corresponding internal\n * properties are not present are not assigned.\n */\n/* 12.3.3 */defineProperty(Intl.DateTimeFormat.prototype, 'resolvedOptions', {\n writable: true,\n configurable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'calendar', 'numberingSystem', 'timeZone', 'hour12', 'weekday', 'era', 'year', 'month', 'day', 'hour', 'minute', 'second', 'timeZoneName'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.DateTimeFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\nvar ls = Intl.__localeSensitiveProtos = {\n Number: {},\n Date: {}\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.2.1 */ls.Number.toLocaleString = function () {\n // Satisfy test 13.2.1_1\n if (Object.prototype.toString.call(this) !== '[object Number]') throw new TypeError('`this` value must be a number for Number.prototype.toLocaleString()');\n\n // 1. Let x be this Number value (as defined in ES5, 15.7.4).\n // 2. If locales is not provided, then let locales be undefined.\n // 3. If options is not provided, then let options be undefined.\n // 4. Let numberFormat be the result of creating a new object as if by the\n // expression new Intl.NumberFormat(locales, options) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n // 5. Return the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments numberFormat and x.\n return FormatNumber(new NumberFormatConstructor(arguments[0], arguments[1]), this);\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.3.1 */ls.Date.toLocaleString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"any\", and \"all\".\n options = ToDateTimeOptions(options, 'any', 'all');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleDateString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.2 */ls.Date.toLocaleDateString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleDateString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0],\n\n\n // 4. If options is not provided, then let options be undefined.\n options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"date\", and \"date\".\n options = ToDateTimeOptions(options, 'date', 'date');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleTimeString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.3 */ls.Date.toLocaleTimeString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleTimeString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"time\", and \"time\".\n options = ToDateTimeOptions(options, 'time', 'time');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\ndefineProperty(Intl, '__applyLocaleSensitivePrototypes', {\n writable: true,\n configurable: true,\n value: function value() {\n defineProperty(Number.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Number.toLocaleString });\n // Need this here for IE 8, to avoid the _DontEnum_ bug\n defineProperty(Date.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Date.toLocaleString });\n\n for (var k in ls.Date) {\n if (hop.call(ls.Date, k)) defineProperty(Date.prototype, k, { writable: true, configurable: true, value: ls.Date[k] });\n }\n }\n});\n\n/**\n * Can't really ship a single script with data for hundreds of locales, so we provide\n * this __addLocaleData method as a means for the developer to add the data on an\n * as-needed basis\n */\ndefineProperty(Intl, '__addLocaleData', {\n value: function value(data) {\n if (!IsStructurallyValidLanguageTag(data.locale)) throw new Error(\"Object passed doesn't identify itself with a valid language tag\");\n\n addLocaleData(data, data.locale);\n }\n});\n\nfunction addLocaleData(data, tag) {\n // Both NumberFormat and DateTimeFormat require number data, so throw if it isn't present\n if (!data.number) throw new Error(\"Object passed doesn't contain locale data for Intl.NumberFormat\");\n\n var locale = void 0,\n locales = [tag],\n parts = tag.split('-');\n\n // Create fallbacks for locale data with scripts, e.g. Latn, Hans, Vaii, etc\n if (parts.length > 2 && parts[1].length === 4) arrPush.call(locales, parts[0] + '-' + parts[2]);\n\n while (locale = arrShift.call(locales)) {\n // Add to NumberFormat internal properties as per 11.2.3\n arrPush.call(internals.NumberFormat['[[availableLocales]]'], locale);\n internals.NumberFormat['[[localeData]]'][locale] = data.number;\n\n // ...and DateTimeFormat internal properties as per 12.2.3\n if (data.date) {\n data.date.nu = data.number.nu;\n arrPush.call(internals.DateTimeFormat['[[availableLocales]]'], locale);\n internals.DateTimeFormat['[[localeData]]'][locale] = data.date;\n }\n }\n\n // If this is the first set of locale data added, make it the default\n if (defaultLocale === undefined) setDefaultLocale(tag);\n}\n\ndefineProperty(Intl, '__disableRegExpRestore', {\n value: function value() {\n internals.disableRegExpRestore = true;\n }\n});\n\nmodule.exports = Intl;\n\n\n// WEBPACK FOOTER //\n// ./node_modules/intl/lib/core.js","IntlPolyfill.__addLocaleData({locale:\"en\",date:{ca:[\"gregory\",\"buddhist\",\"chinese\",\"coptic\",\"dangi\",\"ethioaa\",\"ethiopic\",\"generic\",\"hebrew\",\"indian\",\"islamic\",\"islamicc\",\"japanese\",\"persian\",\"roc\"],hourNo0:true,hour12:true,formats:{short:\"{1}, {0}\",medium:\"{1}, {0}\",full:\"{1} 'at' {0}\",long:\"{1} 'at' {0}\",availableFormats:{\"d\":\"d\",\"E\":\"ccc\",Ed:\"d E\",Ehm:\"E h:mm a\",EHm:\"E HH:mm\",Ehms:\"E h:mm:ss a\",EHms:\"E HH:mm:ss\",Gy:\"y G\",GyMMM:\"MMM y G\",GyMMMd:\"MMM d, y G\",GyMMMEd:\"E, MMM d, y G\",\"h\":\"h a\",\"H\":\"HH\",hm:\"h:mm a\",Hm:\"HH:mm\",hms:\"h:mm:ss a\",Hms:\"HH:mm:ss\",hmsv:\"h:mm:ss a v\",Hmsv:\"HH:mm:ss v\",hmv:\"h:mm a v\",Hmv:\"HH:mm v\",\"M\":\"L\",Md:\"M/d\",MEd:\"E, M/d\",MMM:\"LLL\",MMMd:\"MMM d\",MMMEd:\"E, MMM d\",MMMMd:\"MMMM d\",ms:\"mm:ss\",\"y\":\"y\",yM:\"M/y\",yMd:\"M/d/y\",yMEd:\"E, M/d/y\",yMMM:\"MMM y\",yMMMd:\"MMM d, y\",yMMMEd:\"E, MMM d, y\",yMMMM:\"MMMM y\",yQQQ:\"QQQ y\",yQQQQ:\"QQQQ y\"},dateFormats:{yMMMMEEEEd:\"EEEE, MMMM d, y\",yMMMMd:\"MMMM d, y\",yMMMd:\"MMM d, y\",yMd:\"M/d/yy\"},timeFormats:{hmmsszzzz:\"h:mm:ss a zzzz\",hmsz:\"h:mm:ss a z\",hms:\"h:mm:ss a\",hm:\"h:mm a\"}},calendars:{buddhist:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"BE\"],short:[\"BE\"],long:[\"BE\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},chinese:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Mo1\",\"Mo2\",\"Mo3\",\"Mo4\",\"Mo5\",\"Mo6\",\"Mo7\",\"Mo8\",\"Mo9\",\"Mo10\",\"Mo11\",\"Mo12\"],long:[\"Month1\",\"Month2\",\"Month3\",\"Month4\",\"Month5\",\"Month6\",\"Month7\",\"Month8\",\"Month9\",\"Month10\",\"Month11\",\"Month12\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},coptic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\"],short:[\"Tout\",\"Baba\",\"Hator\",\"Kiahk\",\"Toba\",\"Amshir\",\"Baramhat\",\"Baramouda\",\"Bashans\",\"Paona\",\"Epep\",\"Mesra\",\"Nasie\"],long:[\"Tout\",\"Baba\",\"Hator\",\"Kiahk\",\"Toba\",\"Amshir\",\"Baramhat\",\"Baramouda\",\"Bashans\",\"Paona\",\"Epep\",\"Mesra\",\"Nasie\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\",\"ERA1\"],short:[\"ERA0\",\"ERA1\"],long:[\"ERA0\",\"ERA1\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},dangi:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Mo1\",\"Mo2\",\"Mo3\",\"Mo4\",\"Mo5\",\"Mo6\",\"Mo7\",\"Mo8\",\"Mo9\",\"Mo10\",\"Mo11\",\"Mo12\"],long:[\"Month1\",\"Month2\",\"Month3\",\"Month4\",\"Month5\",\"Month6\",\"Month7\",\"Month8\",\"Month9\",\"Month10\",\"Month11\",\"Month12\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},ethiopic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\"],short:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"],long:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\",\"ERA1\"],short:[\"ERA0\",\"ERA1\"],long:[\"ERA0\",\"ERA1\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},ethioaa:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\"],short:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"],long:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\"],short:[\"ERA0\"],long:[\"ERA0\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},generic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"M01\",\"M02\",\"M03\",\"M04\",\"M05\",\"M06\",\"M07\",\"M08\",\"M09\",\"M10\",\"M11\",\"M12\"],long:[\"M01\",\"M02\",\"M03\",\"M04\",\"M05\",\"M06\",\"M07\",\"M08\",\"M09\",\"M10\",\"M11\",\"M12\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\",\"ERA1\"],short:[\"ERA0\",\"ERA1\"],long:[\"ERA0\",\"ERA1\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},gregory:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"B\",\"A\",\"BCE\",\"CE\"],short:[\"BC\",\"AD\",\"BCE\",\"CE\"],long:[\"Before Christ\",\"Anno Domini\",\"Before Common Era\",\"Common Era\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},hebrew:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\",\"7\"],short:[\"Tishri\",\"Heshvan\",\"Kislev\",\"Tevet\",\"Shevat\",\"Adar I\",\"Adar\",\"Nisan\",\"Iyar\",\"Sivan\",\"Tamuz\",\"Av\",\"Elul\",\"Adar II\"],long:[\"Tishri\",\"Heshvan\",\"Kislev\",\"Tevet\",\"Shevat\",\"Adar I\",\"Adar\",\"Nisan\",\"Iyar\",\"Sivan\",\"Tamuz\",\"Av\",\"Elul\",\"Adar II\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AM\"],short:[\"AM\"],long:[\"AM\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},indian:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Chaitra\",\"Vaisakha\",\"Jyaistha\",\"Asadha\",\"Sravana\",\"Bhadra\",\"Asvina\",\"Kartika\",\"Agrahayana\",\"Pausa\",\"Magha\",\"Phalguna\"],long:[\"Chaitra\",\"Vaisakha\",\"Jyaistha\",\"Asadha\",\"Sravana\",\"Bhadra\",\"Asvina\",\"Kartika\",\"Agrahayana\",\"Pausa\",\"Magha\",\"Phalguna\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"Saka\"],short:[\"Saka\"],long:[\"Saka\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},islamic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Muh.\",\"Saf.\",\"Rab. I\",\"Rab. II\",\"Jum. I\",\"Jum. II\",\"Raj.\",\"Sha.\",\"Ram.\",\"Shaw.\",\"Dhuʻl-Q.\",\"Dhuʻl-H.\"],long:[\"Muharram\",\"Safar\",\"Rabiʻ I\",\"Rabiʻ II\",\"Jumada I\",\"Jumada II\",\"Rajab\",\"Shaʻban\",\"Ramadan\",\"Shawwal\",\"Dhuʻl-Qiʻdah\",\"Dhuʻl-Hijjah\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AH\"],short:[\"AH\"],long:[\"AH\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},islamicc:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Muh.\",\"Saf.\",\"Rab. I\",\"Rab. II\",\"Jum. I\",\"Jum. II\",\"Raj.\",\"Sha.\",\"Ram.\",\"Shaw.\",\"Dhuʻl-Q.\",\"Dhuʻl-H.\"],long:[\"Muharram\",\"Safar\",\"Rabiʻ I\",\"Rabiʻ II\",\"Jumada I\",\"Jumada II\",\"Rajab\",\"Shaʻban\",\"Ramadan\",\"Shawwal\",\"Dhuʻl-Qiʻdah\",\"Dhuʻl-Hijjah\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AH\"],short:[\"AH\"],long:[\"AH\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},japanese:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"Taika (645–650)\",\"Hakuchi (650–671)\",\"Hakuhō (672–686)\",\"Shuchō (686–701)\",\"Taihō (701–704)\",\"Keiun (704–708)\",\"Wadō (708–715)\",\"Reiki (715–717)\",\"Yōrō (717–724)\",\"Jinki (724–729)\",\"Tenpyō (729–749)\",\"Tenpyō-kampō (749-749)\",\"Tenpyō-shōhō (749-757)\",\"Tenpyō-hōji (757-765)\",\"Tenpyō-jingo (765-767)\",\"Jingo-keiun (767-770)\",\"Hōki (770–780)\",\"Ten-ō (781-782)\",\"Enryaku (782–806)\",\"Daidō (806–810)\",\"Kōnin (810–824)\",\"Tenchō (824–834)\",\"Jōwa (834–848)\",\"Kajō (848–851)\",\"Ninju (851–854)\",\"Saikō (854–857)\",\"Ten-an (857-859)\",\"Jōgan (859–877)\",\"Gangyō (877–885)\",\"Ninna (885–889)\",\"Kanpyō (889–898)\",\"Shōtai (898–901)\",\"Engi (901–923)\",\"Enchō (923–931)\",\"Jōhei (931–938)\",\"Tengyō (938–947)\",\"Tenryaku (947–957)\",\"Tentoku (957–961)\",\"Ōwa (961–964)\",\"Kōhō (964–968)\",\"Anna (968–970)\",\"Tenroku (970–973)\",\"Ten’en (973–976)\",\"Jōgen (976–978)\",\"Tengen (978–983)\",\"Eikan (983–985)\",\"Kanna (985–987)\",\"Eien (987–989)\",\"Eiso (989–990)\",\"Shōryaku (990–995)\",\"Chōtoku (995–999)\",\"Chōhō (999–1004)\",\"Kankō (1004–1012)\",\"Chōwa (1012–1017)\",\"Kannin (1017–1021)\",\"Jian (1021–1024)\",\"Manju (1024–1028)\",\"Chōgen (1028–1037)\",\"Chōryaku (1037–1040)\",\"Chōkyū (1040–1044)\",\"Kantoku (1044–1046)\",\"Eishō (1046–1053)\",\"Tengi (1053–1058)\",\"Kōhei (1058–1065)\",\"Jiryaku (1065–1069)\",\"Enkyū (1069–1074)\",\"Shōho (1074–1077)\",\"Shōryaku (1077–1081)\",\"Eihō (1081–1084)\",\"Ōtoku (1084–1087)\",\"Kanji (1087–1094)\",\"Kahō (1094–1096)\",\"Eichō (1096–1097)\",\"Jōtoku (1097–1099)\",\"Kōwa (1099–1104)\",\"Chōji (1104–1106)\",\"Kashō (1106–1108)\",\"Tennin (1108–1110)\",\"Ten-ei (1110-1113)\",\"Eikyū (1113–1118)\",\"Gen’ei (1118–1120)\",\"Hōan (1120–1124)\",\"Tenji (1124–1126)\",\"Daiji (1126–1131)\",\"Tenshō (1131–1132)\",\"Chōshō (1132–1135)\",\"Hōen (1135–1141)\",\"Eiji (1141–1142)\",\"Kōji (1142–1144)\",\"Ten’yō (1144–1145)\",\"Kyūan (1145–1151)\",\"Ninpei (1151–1154)\",\"Kyūju (1154–1156)\",\"Hōgen (1156–1159)\",\"Heiji (1159–1160)\",\"Eiryaku (1160–1161)\",\"Ōho (1161–1163)\",\"Chōkan (1163–1165)\",\"Eiman (1165–1166)\",\"Nin’an (1166–1169)\",\"Kaō (1169–1171)\",\"Shōan (1171–1175)\",\"Angen (1175–1177)\",\"Jishō (1177–1181)\",\"Yōwa (1181–1182)\",\"Juei (1182–1184)\",\"Genryaku (1184–1185)\",\"Bunji (1185–1190)\",\"Kenkyū (1190–1199)\",\"Shōji (1199–1201)\",\"Kennin (1201–1204)\",\"Genkyū (1204–1206)\",\"Ken’ei (1206–1207)\",\"Jōgen (1207–1211)\",\"Kenryaku (1211–1213)\",\"Kenpō (1213–1219)\",\"Jōkyū (1219–1222)\",\"Jōō (1222–1224)\",\"Gennin (1224–1225)\",\"Karoku (1225–1227)\",\"Antei (1227–1229)\",\"Kanki (1229–1232)\",\"Jōei (1232–1233)\",\"Tenpuku (1233–1234)\",\"Bunryaku (1234–1235)\",\"Katei (1235–1238)\",\"Ryakunin (1238–1239)\",\"En’ō (1239–1240)\",\"Ninji (1240–1243)\",\"Kangen (1243–1247)\",\"Hōji (1247–1249)\",\"Kenchō (1249–1256)\",\"Kōgen (1256–1257)\",\"Shōka (1257–1259)\",\"Shōgen (1259–1260)\",\"Bun’ō (1260–1261)\",\"Kōchō (1261–1264)\",\"Bun’ei (1264–1275)\",\"Kenji (1275–1278)\",\"Kōan (1278–1288)\",\"Shōō (1288–1293)\",\"Einin (1293–1299)\",\"Shōan (1299–1302)\",\"Kengen (1302–1303)\",\"Kagen (1303–1306)\",\"Tokuji (1306–1308)\",\"Enkyō (1308–1311)\",\"Ōchō (1311–1312)\",\"Shōwa (1312–1317)\",\"Bunpō (1317–1319)\",\"Genō (1319–1321)\",\"Genkō (1321–1324)\",\"Shōchū (1324–1326)\",\"Karyaku (1326–1329)\",\"Gentoku (1329–1331)\",\"Genkō (1331–1334)\",\"Kenmu (1334–1336)\",\"Engen (1336–1340)\",\"Kōkoku (1340–1346)\",\"Shōhei (1346–1370)\",\"Kentoku (1370–1372)\",\"Bunchū (1372–1375)\",\"Tenju (1375–1379)\",\"Kōryaku (1379–1381)\",\"Kōwa (1381–1384)\",\"Genchū (1384–1392)\",\"Meitoku (1384–1387)\",\"Kakei (1387–1389)\",\"Kōō (1389–1390)\",\"Meitoku (1390–1394)\",\"Ōei (1394–1428)\",\"Shōchō (1428–1429)\",\"Eikyō (1429–1441)\",\"Kakitsu (1441–1444)\",\"Bun’an (1444–1449)\",\"Hōtoku (1449–1452)\",\"Kyōtoku (1452–1455)\",\"Kōshō (1455–1457)\",\"Chōroku (1457–1460)\",\"Kanshō (1460–1466)\",\"Bunshō (1466–1467)\",\"Ōnin (1467–1469)\",\"Bunmei (1469–1487)\",\"Chōkyō (1487–1489)\",\"Entoku (1489–1492)\",\"Meiō (1492–1501)\",\"Bunki (1501–1504)\",\"Eishō (1504–1521)\",\"Taiei (1521–1528)\",\"Kyōroku (1528–1532)\",\"Tenbun (1532–1555)\",\"Kōji (1555–1558)\",\"Eiroku (1558–1570)\",\"Genki (1570–1573)\",\"Tenshō (1573–1592)\",\"Bunroku (1592–1596)\",\"Keichō (1596–1615)\",\"Genna (1615–1624)\",\"Kan’ei (1624–1644)\",\"Shōho (1644–1648)\",\"Keian (1648–1652)\",\"Jōō (1652–1655)\",\"Meireki (1655–1658)\",\"Manji (1658–1661)\",\"Kanbun (1661–1673)\",\"Enpō (1673–1681)\",\"Tenna (1681–1684)\",\"Jōkyō (1684–1688)\",\"Genroku (1688–1704)\",\"Hōei (1704–1711)\",\"Shōtoku (1711–1716)\",\"Kyōhō (1716–1736)\",\"Genbun (1736–1741)\",\"Kanpō (1741–1744)\",\"Enkyō (1744–1748)\",\"Kan’en (1748–1751)\",\"Hōreki (1751–1764)\",\"Meiwa (1764–1772)\",\"An’ei (1772–1781)\",\"Tenmei (1781–1789)\",\"Kansei (1789–1801)\",\"Kyōwa (1801–1804)\",\"Bunka (1804–1818)\",\"Bunsei (1818–1830)\",\"Tenpō (1830–1844)\",\"Kōka (1844–1848)\",\"Kaei (1848–1854)\",\"Ansei (1854–1860)\",\"Man’en (1860–1861)\",\"Bunkyū (1861–1864)\",\"Genji (1864–1865)\",\"Keiō (1865–1868)\",\"M\",\"T\",\"S\",\"H\"],short:[\"Taika (645–650)\",\"Hakuchi (650–671)\",\"Hakuhō (672–686)\",\"Shuchō (686–701)\",\"Taihō (701–704)\",\"Keiun (704–708)\",\"Wadō (708–715)\",\"Reiki (715–717)\",\"Yōrō (717–724)\",\"Jinki (724–729)\",\"Tenpyō (729–749)\",\"Tenpyō-kampō (749-749)\",\"Tenpyō-shōhō (749-757)\",\"Tenpyō-hōji (757-765)\",\"Tenpyō-jingo (765-767)\",\"Jingo-keiun (767-770)\",\"Hōki (770–780)\",\"Ten-ō (781-782)\",\"Enryaku (782–806)\",\"Daidō (806–810)\",\"Kōnin (810–824)\",\"Tenchō (824–834)\",\"Jōwa (834–848)\",\"Kajō (848–851)\",\"Ninju (851–854)\",\"Saikō (854–857)\",\"Ten-an (857-859)\",\"Jōgan (859–877)\",\"Gangyō (877–885)\",\"Ninna (885–889)\",\"Kanpyō (889–898)\",\"Shōtai (898–901)\",\"Engi (901–923)\",\"Enchō (923–931)\",\"Jōhei (931–938)\",\"Tengyō (938–947)\",\"Tenryaku (947–957)\",\"Tentoku (957–961)\",\"Ōwa (961–964)\",\"Kōhō (964–968)\",\"Anna (968–970)\",\"Tenroku (970–973)\",\"Ten’en (973–976)\",\"Jōgen (976–978)\",\"Tengen (978–983)\",\"Eikan (983–985)\",\"Kanna (985–987)\",\"Eien (987–989)\",\"Eiso (989–990)\",\"Shōryaku (990–995)\",\"Chōtoku (995–999)\",\"Chōhō (999–1004)\",\"Kankō (1004–1012)\",\"Chōwa (1012–1017)\",\"Kannin (1017–1021)\",\"Jian (1021–1024)\",\"Manju (1024–1028)\",\"Chōgen (1028–1037)\",\"Chōryaku (1037–1040)\",\"Chōkyū (1040–1044)\",\"Kantoku (1044–1046)\",\"Eishō (1046–1053)\",\"Tengi (1053–1058)\",\"Kōhei (1058–1065)\",\"Jiryaku (1065–1069)\",\"Enkyū (1069–1074)\",\"Shōho (1074–1077)\",\"Shōryaku (1077–1081)\",\"Eihō (1081–1084)\",\"Ōtoku (1084–1087)\",\"Kanji (1087–1094)\",\"Kahō (1094–1096)\",\"Eichō (1096–1097)\",\"Jōtoku (1097–1099)\",\"Kōwa (1099–1104)\",\"Chōji (1104–1106)\",\"Kashō (1106–1108)\",\"Tennin (1108–1110)\",\"Ten-ei (1110-1113)\",\"Eikyū (1113–1118)\",\"Gen’ei (1118–1120)\",\"Hōan (1120–1124)\",\"Tenji (1124–1126)\",\"Daiji (1126–1131)\",\"Tenshō (1131–1132)\",\"Chōshō (1132–1135)\",\"Hōen (1135–1141)\",\"Eiji (1141–1142)\",\"Kōji (1142–1144)\",\"Ten’yō (1144–1145)\",\"Kyūan (1145–1151)\",\"Ninpei (1151–1154)\",\"Kyūju (1154–1156)\",\"Hōgen (1156–1159)\",\"Heiji (1159–1160)\",\"Eiryaku (1160–1161)\",\"Ōho (1161–1163)\",\"Chōkan (1163–1165)\",\"Eiman (1165–1166)\",\"Nin’an (1166–1169)\",\"Kaō (1169–1171)\",\"Shōan (1171–1175)\",\"Angen (1175–1177)\",\"Jishō (1177–1181)\",\"Yōwa (1181–1182)\",\"Juei (1182–1184)\",\"Genryaku (1184–1185)\",\"Bunji (1185–1190)\",\"Kenkyū (1190–1199)\",\"Shōji (1199–1201)\",\"Kennin (1201–1204)\",\"Genkyū (1204–1206)\",\"Ken’ei (1206–1207)\",\"Jōgen (1207–1211)\",\"Kenryaku (1211–1213)\",\"Kenpō (1213–1219)\",\"Jōkyū (1219–1222)\",\"Jōō (1222–1224)\",\"Gennin (1224–1225)\",\"Karoku (1225–1227)\",\"Antei (1227–1229)\",\"Kanki (1229–1232)\",\"Jōei (1232–1233)\",\"Tenpuku (1233–1234)\",\"Bunryaku (1234–1235)\",\"Katei (1235–1238)\",\"Ryakunin (1238–1239)\",\"En’ō (1239–1240)\",\"Ninji (1240–1243)\",\"Kangen (1243–1247)\",\"Hōji (1247–1249)\",\"Kenchō (1249–1256)\",\"Kōgen (1256–1257)\",\"Shōka (1257–1259)\",\"Shōgen (1259–1260)\",\"Bun’ō (1260–1261)\",\"Kōchō (1261–1264)\",\"Bun’ei (1264–1275)\",\"Kenji (1275–1278)\",\"Kōan (1278–1288)\",\"Shōō (1288–1293)\",\"Einin (1293–1299)\",\"Shōan (1299–1302)\",\"Kengen (1302–1303)\",\"Kagen (1303–1306)\",\"Tokuji (1306–1308)\",\"Enkyō (1308–1311)\",\"Ōchō (1311–1312)\",\"Shōwa (1312–1317)\",\"Bunpō (1317–1319)\",\"Genō (1319–1321)\",\"Genkō (1321–1324)\",\"Shōchū (1324–1326)\",\"Karyaku (1326–1329)\",\"Gentoku (1329–1331)\",\"Genkō (1331–1334)\",\"Kenmu (1334–1336)\",\"Engen (1336–1340)\",\"Kōkoku (1340–1346)\",\"Shōhei (1346–1370)\",\"Kentoku (1370–1372)\",\"Bunchū (1372–1375)\",\"Tenju (1375–1379)\",\"Kōryaku (1379–1381)\",\"Kōwa (1381–1384)\",\"Genchū (1384–1392)\",\"Meitoku (1384–1387)\",\"Kakei (1387–1389)\",\"Kōō (1389–1390)\",\"Meitoku (1390–1394)\",\"Ōei (1394–1428)\",\"Shōchō (1428–1429)\",\"Eikyō (1429–1441)\",\"Kakitsu (1441–1444)\",\"Bun’an (1444–1449)\",\"Hōtoku (1449–1452)\",\"Kyōtoku (1452–1455)\",\"Kōshō (1455–1457)\",\"Chōroku (1457–1460)\",\"Kanshō (1460–1466)\",\"Bunshō (1466–1467)\",\"Ōnin (1467–1469)\",\"Bunmei (1469–1487)\",\"Chōkyō (1487–1489)\",\"Entoku (1489–1492)\",\"Meiō (1492–1501)\",\"Bunki (1501–1504)\",\"Eishō (1504–1521)\",\"Taiei (1521–1528)\",\"Kyōroku (1528–1532)\",\"Tenbun (1532–1555)\",\"Kōji (1555–1558)\",\"Eiroku (1558–1570)\",\"Genki (1570–1573)\",\"Tenshō (1573–1592)\",\"Bunroku (1592–1596)\",\"Keichō (1596–1615)\",\"Genna (1615–1624)\",\"Kan’ei (1624–1644)\",\"Shōho (1644–1648)\",\"Keian (1648–1652)\",\"Jōō (1652–1655)\",\"Meireki (1655–1658)\",\"Manji (1658–1661)\",\"Kanbun (1661–1673)\",\"Enpō (1673–1681)\",\"Tenna (1681–1684)\",\"Jōkyō (1684–1688)\",\"Genroku (1688–1704)\",\"Hōei (1704–1711)\",\"Shōtoku (1711–1716)\",\"Kyōhō (1716–1736)\",\"Genbun (1736–1741)\",\"Kanpō (1741–1744)\",\"Enkyō (1744–1748)\",\"Kan’en (1748–1751)\",\"Hōreki (1751–1764)\",\"Meiwa (1764–1772)\",\"An’ei (1772–1781)\",\"Tenmei (1781–1789)\",\"Kansei (1789–1801)\",\"Kyōwa (1801–1804)\",\"Bunka (1804–1818)\",\"Bunsei (1818–1830)\",\"Tenpō (1830–1844)\",\"Kōka (1844–1848)\",\"Kaei (1848–1854)\",\"Ansei (1854–1860)\",\"Man’en (1860–1861)\",\"Bunkyū (1861–1864)\",\"Genji (1864–1865)\",\"Keiō (1865–1868)\",\"Meiji\",\"Taishō\",\"Shōwa\",\"Heisei\"],long:[\"Taika (645–650)\",\"Hakuchi (650–671)\",\"Hakuhō (672–686)\",\"Shuchō (686–701)\",\"Taihō (701–704)\",\"Keiun (704–708)\",\"Wadō (708–715)\",\"Reiki (715–717)\",\"Yōrō (717–724)\",\"Jinki (724–729)\",\"Tenpyō (729–749)\",\"Tenpyō-kampō (749-749)\",\"Tenpyō-shōhō (749-757)\",\"Tenpyō-hōji (757-765)\",\"Tenpyō-jingo (765-767)\",\"Jingo-keiun (767-770)\",\"Hōki (770–780)\",\"Ten-ō (781-782)\",\"Enryaku (782–806)\",\"Daidō (806–810)\",\"Kōnin (810–824)\",\"Tenchō (824–834)\",\"Jōwa (834–848)\",\"Kajō (848–851)\",\"Ninju (851–854)\",\"Saikō (854–857)\",\"Ten-an (857-859)\",\"Jōgan (859–877)\",\"Gangyō (877–885)\",\"Ninna (885–889)\",\"Kanpyō (889–898)\",\"Shōtai (898–901)\",\"Engi (901–923)\",\"Enchō (923–931)\",\"Jōhei (931–938)\",\"Tengyō (938–947)\",\"Tenryaku (947–957)\",\"Tentoku (957–961)\",\"Ōwa (961–964)\",\"Kōhō (964–968)\",\"Anna (968–970)\",\"Tenroku (970–973)\",\"Ten’en (973–976)\",\"Jōgen (976–978)\",\"Tengen (978–983)\",\"Eikan (983–985)\",\"Kanna (985–987)\",\"Eien (987–989)\",\"Eiso (989–990)\",\"Shōryaku (990–995)\",\"Chōtoku (995–999)\",\"Chōhō (999–1004)\",\"Kankō (1004–1012)\",\"Chōwa (1012–1017)\",\"Kannin (1017–1021)\",\"Jian (1021–1024)\",\"Manju (1024–1028)\",\"Chōgen (1028–1037)\",\"Chōryaku (1037–1040)\",\"Chōkyū (1040–1044)\",\"Kantoku (1044–1046)\",\"Eishō (1046–1053)\",\"Tengi (1053–1058)\",\"Kōhei (1058–1065)\",\"Jiryaku (1065–1069)\",\"Enkyū (1069–1074)\",\"Shōho (1074–1077)\",\"Shōryaku (1077–1081)\",\"Eihō (1081–1084)\",\"Ōtoku (1084–1087)\",\"Kanji (1087–1094)\",\"Kahō (1094–1096)\",\"Eichō (1096–1097)\",\"Jōtoku (1097–1099)\",\"Kōwa (1099–1104)\",\"Chōji (1104–1106)\",\"Kashō (1106–1108)\",\"Tennin (1108–1110)\",\"Ten-ei (1110-1113)\",\"Eikyū (1113–1118)\",\"Gen’ei (1118–1120)\",\"Hōan (1120–1124)\",\"Tenji (1124–1126)\",\"Daiji (1126–1131)\",\"Tenshō (1131–1132)\",\"Chōshō (1132–1135)\",\"Hōen (1135–1141)\",\"Eiji (1141–1142)\",\"Kōji (1142–1144)\",\"Ten’yō (1144–1145)\",\"Kyūan (1145–1151)\",\"Ninpei (1151–1154)\",\"Kyūju (1154–1156)\",\"Hōgen (1156–1159)\",\"Heiji (1159–1160)\",\"Eiryaku (1160–1161)\",\"Ōho (1161–1163)\",\"Chōkan (1163–1165)\",\"Eiman (1165–1166)\",\"Nin’an (1166–1169)\",\"Kaō (1169–1171)\",\"Shōan (1171–1175)\",\"Angen (1175–1177)\",\"Jishō (1177–1181)\",\"Yōwa (1181–1182)\",\"Juei (1182–1184)\",\"Genryaku (1184–1185)\",\"Bunji (1185–1190)\",\"Kenkyū (1190–1199)\",\"Shōji (1199–1201)\",\"Kennin (1201–1204)\",\"Genkyū (1204–1206)\",\"Ken’ei (1206–1207)\",\"Jōgen (1207–1211)\",\"Kenryaku (1211–1213)\",\"Kenpō (1213–1219)\",\"Jōkyū (1219–1222)\",\"Jōō (1222–1224)\",\"Gennin (1224–1225)\",\"Karoku (1225–1227)\",\"Antei (1227–1229)\",\"Kanki (1229–1232)\",\"Jōei (1232–1233)\",\"Tenpuku (1233–1234)\",\"Bunryaku (1234–1235)\",\"Katei (1235–1238)\",\"Ryakunin (1238–1239)\",\"En’ō (1239–1240)\",\"Ninji (1240–1243)\",\"Kangen (1243–1247)\",\"Hōji (1247–1249)\",\"Kenchō (1249–1256)\",\"Kōgen (1256–1257)\",\"Shōka (1257–1259)\",\"Shōgen (1259–1260)\",\"Bun’ō (1260–1261)\",\"Kōchō (1261–1264)\",\"Bun’ei (1264–1275)\",\"Kenji (1275–1278)\",\"Kōan (1278–1288)\",\"Shōō (1288–1293)\",\"Einin (1293–1299)\",\"Shōan (1299–1302)\",\"Kengen (1302–1303)\",\"Kagen (1303–1306)\",\"Tokuji (1306–1308)\",\"Enkyō (1308–1311)\",\"Ōchō (1311–1312)\",\"Shōwa (1312–1317)\",\"Bunpō (1317–1319)\",\"Genō (1319–1321)\",\"Genkō (1321–1324)\",\"Shōchū (1324–1326)\",\"Karyaku (1326–1329)\",\"Gentoku (1329–1331)\",\"Genkō (1331–1334)\",\"Kenmu (1334–1336)\",\"Engen (1336–1340)\",\"Kōkoku (1340–1346)\",\"Shōhei (1346–1370)\",\"Kentoku (1370–1372)\",\"Bunchū (1372–1375)\",\"Tenju (1375–1379)\",\"Kōryaku (1379–1381)\",\"Kōwa (1381–1384)\",\"Genchū (1384–1392)\",\"Meitoku (1384–1387)\",\"Kakei (1387–1389)\",\"Kōō (1389–1390)\",\"Meitoku (1390–1394)\",\"Ōei (1394–1428)\",\"Shōchō (1428–1429)\",\"Eikyō (1429–1441)\",\"Kakitsu (1441–1444)\",\"Bun’an (1444–1449)\",\"Hōtoku (1449–1452)\",\"Kyōtoku (1452–1455)\",\"Kōshō (1455–1457)\",\"Chōroku (1457–1460)\",\"Kanshō (1460–1466)\",\"Bunshō (1466–1467)\",\"Ōnin (1467–1469)\",\"Bunmei (1469–1487)\",\"Chōkyō (1487–1489)\",\"Entoku (1489–1492)\",\"Meiō (1492–1501)\",\"Bunki (1501–1504)\",\"Eishō (1504–1521)\",\"Taiei (1521–1528)\",\"Kyōroku (1528–1532)\",\"Tenbun (1532–1555)\",\"Kōji (1555–1558)\",\"Eiroku (1558–1570)\",\"Genki (1570–1573)\",\"Tenshō (1573–1592)\",\"Bunroku (1592–1596)\",\"Keichō (1596–1615)\",\"Genna (1615–1624)\",\"Kan’ei (1624–1644)\",\"Shōho (1644–1648)\",\"Keian (1648–1652)\",\"Jōō (1652–1655)\",\"Meireki (1655–1658)\",\"Manji (1658–1661)\",\"Kanbun (1661–1673)\",\"Enpō (1673–1681)\",\"Tenna (1681–1684)\",\"Jōkyō (1684–1688)\",\"Genroku (1688–1704)\",\"Hōei (1704–1711)\",\"Shōtoku (1711–1716)\",\"Kyōhō (1716–1736)\",\"Genbun (1736–1741)\",\"Kanpō (1741–1744)\",\"Enkyō (1744–1748)\",\"Kan’en (1748–1751)\",\"Hōreki (1751–1764)\",\"Meiwa (1764–1772)\",\"An’ei (1772–1781)\",\"Tenmei (1781–1789)\",\"Kansei (1789–1801)\",\"Kyōwa (1801–1804)\",\"Bunka (1804–1818)\",\"Bunsei (1818–1830)\",\"Tenpō (1830–1844)\",\"Kōka (1844–1848)\",\"Kaei (1848–1854)\",\"Ansei (1854–1860)\",\"Man’en (1860–1861)\",\"Bunkyū (1861–1864)\",\"Genji (1864–1865)\",\"Keiō (1865–1868)\",\"Meiji\",\"Taishō\",\"Shōwa\",\"Heisei\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},persian:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Farvardin\",\"Ordibehesht\",\"Khordad\",\"Tir\",\"Mordad\",\"Shahrivar\",\"Mehr\",\"Aban\",\"Azar\",\"Dey\",\"Bahman\",\"Esfand\"],long:[\"Farvardin\",\"Ordibehesht\",\"Khordad\",\"Tir\",\"Mordad\",\"Shahrivar\",\"Mehr\",\"Aban\",\"Azar\",\"Dey\",\"Bahman\",\"Esfand\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AP\"],short:[\"AP\"],long:[\"AP\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},roc:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"Before R.O.C.\",\"Minguo\"],short:[\"Before R.O.C.\",\"Minguo\"],long:[\"Before R.O.C.\",\"Minguo\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}}}},number:{nu:[\"latn\"],patterns:{decimal:{positivePattern:\"{number}\",negativePattern:\"{minusSign}{number}\"},currency:{positivePattern:\"{currency}{number}\",negativePattern:\"{minusSign}{currency}{number}\"},percent:{positivePattern:\"{number}{percentSign}\",negativePattern:\"{minusSign}{number}{percentSign}\"}},symbols:{latn:{decimal:\".\",group:\",\",nan:\"NaN\",plusSign:\"+\",minusSign:\"-\",percentSign:\"%\",infinity:\"∞\"}},currencies:{AUD:\"A$\",BRL:\"R$\",CAD:\"CA$\",CNY:\"CN¥\",EUR:\"€\",GBP:\"£\",HKD:\"HK$\",ILS:\"₪\",INR:\"₹\",JPY:\"¥\",KRW:\"₩\",MXN:\"MX$\",NZD:\"NZ$\",TWD:\"NT$\",USD:\"$\",VND:\"₫\",XAF:\"FCFA\",XCD:\"EC$\",XOF:\"CFA\",XPF:\"CFPF\"}}});\n\n\n// WEBPACK FOOTER //\n// ./node_modules/intl/locale-data/jsonp/en.js","'use strict';\n\nif (!require('./is-implemented')()) {\n\tObject.defineProperty(require('es5-ext/global'), 'Symbol',\n\t\t{ value: require('./polyfill'), configurable: true, enumerable: false,\n\t\t\twritable: true });\n}\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/implement.js","'use strict';\n\nvar validTypes = { object: true, symbol: true };\n\nmodule.exports = function () {\n\tvar symbol;\n\tif (typeof Symbol !== 'function') return false;\n\tsymbol = Symbol('test symbol');\n\ttry { String(symbol); } catch (e) { return false; }\n\n\t// Return 'true' also for polyfills\n\tif (!validTypes[typeof Symbol.iterator]) return false;\n\tif (!validTypes[typeof Symbol.toPrimitive]) return false;\n\tif (!validTypes[typeof Symbol.toStringTag]) return false;\n\n\treturn true;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/is-implemented.js","/* eslint strict: \"off\" */\n\nmodule.exports = (function () {\n\treturn this;\n}());\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/global.js","// ES2015 Symbol polyfill for environments that do not (or partially) support it\n\n'use strict';\n\nvar d = require('d')\n , validateSymbol = require('./validate-symbol')\n\n , create = Object.create, defineProperties = Object.defineProperties\n , defineProperty = Object.defineProperty, objPrototype = Object.prototype\n , NativeSymbol, SymbolPolyfill, HiddenSymbol, globalSymbols = create(null)\n , isNativeSafe;\n\nif (typeof Symbol === 'function') {\n\tNativeSymbol = Symbol;\n\ttry {\n\t\tString(NativeSymbol());\n\t\tisNativeSafe = true;\n\t} catch (ignore) {}\n}\n\nvar generateName = (function () {\n\tvar created = create(null);\n\treturn function (desc) {\n\t\tvar postfix = 0, name, ie11BugWorkaround;\n\t\twhile (created[desc + (postfix || '')]) ++postfix;\n\t\tdesc += (postfix || '');\n\t\tcreated[desc] = true;\n\t\tname = '@@' + desc;\n\t\tdefineProperty(objPrototype, name, d.gs(null, function (value) {\n\t\t\t// For IE11 issue see:\n\t\t\t// https://connect.microsoft.com/IE/feedbackdetail/view/1928508/\n\t\t\t// ie11-broken-getters-on-dom-objects\n\t\t\t// https://github.com/medikoo/es6-symbol/issues/12\n\t\t\tif (ie11BugWorkaround) return;\n\t\t\tie11BugWorkaround = true;\n\t\t\tdefineProperty(this, name, d(value));\n\t\t\tie11BugWorkaround = false;\n\t\t}));\n\t\treturn name;\n\t};\n}());\n\n// Internal constructor (not one exposed) for creating Symbol instances.\n// This one is used to ensure that `someSymbol instanceof Symbol` always return false\nHiddenSymbol = function Symbol(description) {\n\tif (this instanceof HiddenSymbol) throw new TypeError('Symbol is not a constructor');\n\treturn SymbolPolyfill(description);\n};\n\n// Exposed `Symbol` constructor\n// (returns instances of HiddenSymbol)\nmodule.exports = SymbolPolyfill = function Symbol(description) {\n\tvar symbol;\n\tif (this instanceof Symbol) throw new TypeError('Symbol is not a constructor');\n\tif (isNativeSafe) return NativeSymbol(description);\n\tsymbol = create(HiddenSymbol.prototype);\n\tdescription = (description === undefined ? '' : String(description));\n\treturn defineProperties(symbol, {\n\t\t__description__: d('', description),\n\t\t__name__: d('', generateName(description))\n\t});\n};\ndefineProperties(SymbolPolyfill, {\n\tfor: d(function (key) {\n\t\tif (globalSymbols[key]) return globalSymbols[key];\n\t\treturn (globalSymbols[key] = SymbolPolyfill(String(key)));\n\t}),\n\tkeyFor: d(function (s) {\n\t\tvar key;\n\t\tvalidateSymbol(s);\n\t\tfor (key in globalSymbols) if (globalSymbols[key] === s) return key;\n\t}),\n\n\t// To ensure proper interoperability with other native functions (e.g. Array.from)\n\t// fallback to eventual native implementation of given symbol\n\thasInstance: d('', (NativeSymbol && NativeSymbol.hasInstance) || SymbolPolyfill('hasInstance')),\n\tisConcatSpreadable: d('', (NativeSymbol && NativeSymbol.isConcatSpreadable) ||\n\t\tSymbolPolyfill('isConcatSpreadable')),\n\titerator: d('', (NativeSymbol && NativeSymbol.iterator) || SymbolPolyfill('iterator')),\n\tmatch: d('', (NativeSymbol && NativeSymbol.match) || SymbolPolyfill('match')),\n\treplace: d('', (NativeSymbol && NativeSymbol.replace) || SymbolPolyfill('replace')),\n\tsearch: d('', (NativeSymbol && NativeSymbol.search) || SymbolPolyfill('search')),\n\tspecies: d('', (NativeSymbol && NativeSymbol.species) || SymbolPolyfill('species')),\n\tsplit: d('', (NativeSymbol && NativeSymbol.split) || SymbolPolyfill('split')),\n\ttoPrimitive: d('', (NativeSymbol && NativeSymbol.toPrimitive) || SymbolPolyfill('toPrimitive')),\n\ttoStringTag: d('', (NativeSymbol && NativeSymbol.toStringTag) || SymbolPolyfill('toStringTag')),\n\tunscopables: d('', (NativeSymbol && NativeSymbol.unscopables) || SymbolPolyfill('unscopables'))\n});\n\n// Internal tweaks for real symbol producer\ndefineProperties(HiddenSymbol.prototype, {\n\tconstructor: d(SymbolPolyfill),\n\ttoString: d('', function () { return this.__name__; })\n});\n\n// Proper implementation of methods exposed on Symbol.prototype\n// They won't be accessible on produced symbol instances as they derive from HiddenSymbol.prototype\ndefineProperties(SymbolPolyfill.prototype, {\n\ttoString: d(function () { return 'Symbol (' + validateSymbol(this).__description__ + ')'; }),\n\tvalueOf: d(function () { return validateSymbol(this); })\n});\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toPrimitive, d('', function () {\n\tvar symbol = validateSymbol(this);\n\tif (typeof symbol === 'symbol') return symbol;\n\treturn symbol.toString();\n}));\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toStringTag, d('c', 'Symbol'));\n\n// Proper implementaton of toPrimitive and toStringTag for returned symbol instances\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toStringTag,\n\td('c', SymbolPolyfill.prototype[SymbolPolyfill.toStringTag]));\n\n// Note: It's important to define `toPrimitive` as last one, as some implementations\n// implement `toPrimitive` natively without implementing `toStringTag` (or other specified symbols)\n// And that may invoke error in definition flow:\n// See: https://github.com/medikoo/es6-symbol/issues/13#issuecomment-164146149\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toPrimitive,\n\td('c', SymbolPolyfill.prototype[SymbolPolyfill.toPrimitive]));\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/polyfill.js","'use strict';\n\nvar assign = require('es5-ext/object/assign')\n , normalizeOpts = require('es5-ext/object/normalize-options')\n , isCallable = require('es5-ext/object/is-callable')\n , contains = require('es5-ext/string/#/contains')\n\n , d;\n\nd = module.exports = function (dscr, value/*, options*/) {\n\tvar c, e, w, options, desc;\n\tif ((arguments.length < 2) || (typeof dscr !== 'string')) {\n\t\toptions = value;\n\t\tvalue = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[2];\n\t}\n\tif (dscr == null) {\n\t\tc = w = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t\tw = contains.call(dscr, 'w');\n\t}\n\n\tdesc = { value: value, configurable: c, enumerable: e, writable: w };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\nd.gs = function (dscr, get, set/*, options*/) {\n\tvar c, e, options, desc;\n\tif (typeof dscr !== 'string') {\n\t\toptions = set;\n\t\tset = get;\n\t\tget = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[3];\n\t}\n\tif (get == null) {\n\t\tget = undefined;\n\t} else if (!isCallable(get)) {\n\t\toptions = get;\n\t\tget = set = undefined;\n\t} else if (set == null) {\n\t\tset = undefined;\n\t} else if (!isCallable(set)) {\n\t\toptions = set;\n\t\tset = undefined;\n\t}\n\tif (dscr == null) {\n\t\tc = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t}\n\n\tdesc = { get: get, set: set, configurable: c, enumerable: e };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/d/index.js","\"use strict\";\n\nmodule.exports = require(\"./is-implemented\")()\n\t? Object.assign\n\t: require(\"./shim\");\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/assign/index.js","\"use strict\";\n\nmodule.exports = function () {\n\tvar assign = Object.assign, obj;\n\tif (typeof assign !== \"function\") return false;\n\tobj = { foo: \"raz\" };\n\tassign(obj, { bar: \"dwa\" }, { trzy: \"trzy\" });\n\treturn (obj.foo + obj.bar + obj.trzy) === \"razdwatrzy\";\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/assign/is-implemented.js","\"use strict\";\n\nvar keys = require(\"../keys\")\n , value = require(\"../valid-value\")\n , max = Math.max;\n\nmodule.exports = function (dest, src /*, …srcn*/) {\n\tvar error, i, length = max(arguments.length, 2), assign;\n\tdest = Object(value(dest));\n\tassign = function (key) {\n\t\ttry {\n\t\t\tdest[key] = src[key];\n\t\t} catch (e) {\n\t\t\tif (!error) error = e;\n\t\t}\n\t};\n\tfor (i = 1; i < length; ++i) {\n\t\tsrc = arguments[i];\n\t\tkeys(src).forEach(assign);\n\t}\n\tif (error !== undefined) throw error;\n\treturn dest;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/assign/shim.js","\"use strict\";\n\nmodule.exports = require(\"./is-implemented\")()\n\t? Object.keys\n\t: require(\"./shim\");\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/keys/index.js","\"use strict\";\n\nmodule.exports = function () {\n\ttry {\n\t\tObject.keys(\"primitive\");\n\t\treturn true;\n\t} catch (e) {\n return false;\n}\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/keys/is-implemented.js","\"use strict\";\n\nvar isValue = require(\"../is-value\");\n\nvar keys = Object.keys;\n\nmodule.exports = function (object) {\n\treturn keys(isValue(object) ? Object(object) : object);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/keys/shim.js","\"use strict\";\n\n// eslint-disable-next-line no-empty-function\nmodule.exports = function () {};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/function/noop.js","\"use strict\";\n\nvar isValue = require(\"./is-value\");\n\nmodule.exports = function (value) {\n\tif (!isValue(value)) throw new TypeError(\"Cannot use null or undefined\");\n\treturn value;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/valid-value.js","\"use strict\";\n\nvar isValue = require(\"./is-value\");\n\nvar forEach = Array.prototype.forEach, create = Object.create;\n\nvar process = function (src, obj) {\n\tvar key;\n\tfor (key in src) obj[key] = src[key];\n};\n\n// eslint-disable-next-line no-unused-vars\nmodule.exports = function (opts1 /*, …options*/) {\n\tvar result = create(null);\n\tforEach.call(arguments, function (options) {\n\t\tif (!isValue(options)) return;\n\t\tprocess(Object(options), result);\n\t});\n\treturn result;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/normalize-options.js","// Deprecated\n\n\"use strict\";\n\nmodule.exports = function (obj) {\n return typeof obj === \"function\";\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/is-callable.js","\"use strict\";\n\nmodule.exports = require(\"./is-implemented\")()\n\t? String.prototype.contains\n\t: require(\"./shim\");\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/string/#/contains/index.js","\"use strict\";\n\nvar str = \"razdwatrzy\";\n\nmodule.exports = function () {\n\tif (typeof str.contains !== \"function\") return false;\n\treturn (str.contains(\"dwa\") === true) && (str.contains(\"foo\") === false);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/string/#/contains/is-implemented.js","\"use strict\";\n\nvar indexOf = String.prototype.indexOf;\n\nmodule.exports = function (searchString/*, position*/) {\n\treturn indexOf.call(this, searchString, arguments[1]) > -1;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/string/#/contains/shim.js","'use strict';\n\nvar isSymbol = require('./is-symbol');\n\nmodule.exports = function (value) {\n\tif (!isSymbol(value)) throw new TypeError(value + \" is not a symbol\");\n\treturn value;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/validate-symbol.js","'use strict';\n\nmodule.exports = function (x) {\n\tif (!x) return false;\n\tif (typeof x === 'symbol') return true;\n\tif (!x.constructor) return false;\n\tif (x.constructor.name !== 'Symbol') return false;\n\treturn (x[x.constructor.toStringTag] === 'Symbol');\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/is-symbol.js","'use strict';\n\nvar define = require('define-properties');\nvar ES = require('es-abstract/es6');\n\nvar implementation = require('./implementation');\nvar getPolyfill = require('./polyfill');\nvar polyfill = getPolyfill();\nvar shim = require('./shim');\n\nvar slice = Array.prototype.slice;\n\n/* eslint-disable no-unused-vars */\nvar boundIncludesShim = function includes(array, searchElement) {\n/* eslint-enable no-unused-vars */\n\tES.RequireObjectCoercible(array);\n\treturn polyfill.apply(array, slice.call(arguments, 1));\n};\ndefine(boundIncludesShim, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = boundIncludesShim;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/index.js","'use strict';\n\n// modified from https://github.com/es-shims/es5-shim\nvar has = Object.prototype.hasOwnProperty;\nvar toStr = Object.prototype.toString;\nvar slice = Array.prototype.slice;\nvar isArgs = require('./isArguments');\nvar isEnumerable = Object.prototype.propertyIsEnumerable;\nvar hasDontEnumBug = !isEnumerable.call({ toString: null }, 'toString');\nvar hasProtoEnumBug = isEnumerable.call(function () {}, 'prototype');\nvar dontEnums = [\n\t'toString',\n\t'toLocaleString',\n\t'valueOf',\n\t'hasOwnProperty',\n\t'isPrototypeOf',\n\t'propertyIsEnumerable',\n\t'constructor'\n];\nvar equalsConstructorPrototype = function (o) {\n\tvar ctor = o.constructor;\n\treturn ctor && ctor.prototype === o;\n};\nvar excludedKeys = {\n\t$console: true,\n\t$external: true,\n\t$frame: true,\n\t$frameElement: true,\n\t$frames: true,\n\t$innerHeight: true,\n\t$innerWidth: true,\n\t$outerHeight: true,\n\t$outerWidth: true,\n\t$pageXOffset: true,\n\t$pageYOffset: true,\n\t$parent: true,\n\t$scrollLeft: true,\n\t$scrollTop: true,\n\t$scrollX: true,\n\t$scrollY: true,\n\t$self: true,\n\t$webkitIndexedDB: true,\n\t$webkitStorageInfo: true,\n\t$window: true\n};\nvar hasAutomationEqualityBug = (function () {\n\t/* global window */\n\tif (typeof window === 'undefined') { return false; }\n\tfor (var k in window) {\n\t\ttry {\n\t\t\tif (!excludedKeys['$' + k] && has.call(window, k) && window[k] !== null && typeof window[k] === 'object') {\n\t\t\t\ttry {\n\t\t\t\t\tequalsConstructorPrototype(window[k]);\n\t\t\t\t} catch (e) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\t\t} catch (e) {\n\t\t\treturn true;\n\t\t}\n\t}\n\treturn false;\n}());\nvar equalsConstructorPrototypeIfNotBuggy = function (o) {\n\t/* global window */\n\tif (typeof window === 'undefined' || !hasAutomationEqualityBug) {\n\t\treturn equalsConstructorPrototype(o);\n\t}\n\ttry {\n\t\treturn equalsConstructorPrototype(o);\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar keysShim = function keys(object) {\n\tvar isObject = object !== null && typeof object === 'object';\n\tvar isFunction = toStr.call(object) === '[object Function]';\n\tvar isArguments = isArgs(object);\n\tvar isString = isObject && toStr.call(object) === '[object String]';\n\tvar theKeys = [];\n\n\tif (!isObject && !isFunction && !isArguments) {\n\t\tthrow new TypeError('Object.keys called on a non-object');\n\t}\n\n\tvar skipProto = hasProtoEnumBug && isFunction;\n\tif (isString && object.length > 0 && !has.call(object, 0)) {\n\t\tfor (var i = 0; i < object.length; ++i) {\n\t\t\ttheKeys.push(String(i));\n\t\t}\n\t}\n\n\tif (isArguments && object.length > 0) {\n\t\tfor (var j = 0; j < object.length; ++j) {\n\t\t\ttheKeys.push(String(j));\n\t\t}\n\t} else {\n\t\tfor (var name in object) {\n\t\t\tif (!(skipProto && name === 'prototype') && has.call(object, name)) {\n\t\t\t\ttheKeys.push(String(name));\n\t\t\t}\n\t\t}\n\t}\n\n\tif (hasDontEnumBug) {\n\t\tvar skipConstructor = equalsConstructorPrototypeIfNotBuggy(object);\n\n\t\tfor (var k = 0; k < dontEnums.length; ++k) {\n\t\t\tif (!(skipConstructor && dontEnums[k] === 'constructor') && has.call(object, dontEnums[k])) {\n\t\t\t\ttheKeys.push(dontEnums[k]);\n\t\t\t}\n\t\t}\n\t}\n\treturn theKeys;\n};\n\nkeysShim.shim = function shimObjectKeys() {\n\tif (Object.keys) {\n\t\tvar keysWorksWithArguments = (function () {\n\t\t\t// Safari 5.0 bug\n\t\t\treturn (Object.keys(arguments) || '').length === 2;\n\t\t}(1, 2));\n\t\tif (!keysWorksWithArguments) {\n\t\t\tvar originalKeys = Object.keys;\n\t\t\tObject.keys = function keys(object) {\n\t\t\t\tif (isArgs(object)) {\n\t\t\t\t\treturn originalKeys(slice.call(object));\n\t\t\t\t} else {\n\t\t\t\t\treturn originalKeys(object);\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\t} else {\n\t\tObject.keys = keysShim;\n\t}\n\treturn Object.keys || keysShim;\n};\n\nmodule.exports = keysShim;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object-keys/index.js","'use strict';\n\nvar toStr = Object.prototype.toString;\n\nmodule.exports = function isArguments(value) {\n\tvar str = toStr.call(value);\n\tvar isArgs = str === '[object Arguments]';\n\tif (!isArgs) {\n\t\tisArgs = str !== '[object Array]' &&\n\t\t\tvalue !== null &&\n\t\t\ttypeof value === 'object' &&\n\t\t\ttypeof value.length === 'number' &&\n\t\t\tvalue.length >= 0 &&\n\t\t\ttoStr.call(value.callee) === '[object Function]';\n\t}\n\treturn isArgs;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object-keys/isArguments.js","\nvar hasOwn = Object.prototype.hasOwnProperty;\nvar toString = Object.prototype.toString;\n\nmodule.exports = function forEach (obj, fn, ctx) {\n if (toString.call(fn) !== '[object Function]') {\n throw new TypeError('iterator must be a function');\n }\n var l = obj.length;\n if (l === +l) {\n for (var i = 0; i < l; i++) {\n fn.call(ctx, obj[i], i, obj);\n }\n } else {\n for (var k in obj) {\n if (hasOwn.call(obj, k)) {\n fn.call(ctx, obj[k], k, obj);\n }\n }\n }\n};\n\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/foreach/index.js","'use strict';\n\n/* eslint no-invalid-this: 1 */\n\nvar ERROR_MESSAGE = 'Function.prototype.bind called on incompatible ';\nvar slice = Array.prototype.slice;\nvar toStr = Object.prototype.toString;\nvar funcType = '[object Function]';\n\nmodule.exports = function bind(that) {\n var target = this;\n if (typeof target !== 'function' || toStr.call(target) !== funcType) {\n throw new TypeError(ERROR_MESSAGE + target);\n }\n var args = slice.call(arguments, 1);\n\n var bound;\n var binder = function () {\n if (this instanceof bound) {\n var result = target.apply(\n this,\n args.concat(slice.call(arguments))\n );\n if (Object(result) === result) {\n return result;\n }\n return this;\n } else {\n return target.apply(\n that,\n args.concat(slice.call(arguments))\n );\n }\n };\n\n var boundLength = Math.max(0, target.length - args.length);\n var boundArgs = [];\n for (var i = 0; i < boundLength; i++) {\n boundArgs.push('$' + i);\n }\n\n bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder);\n\n if (target.prototype) {\n var Empty = function Empty() {};\n Empty.prototype = target.prototype;\n bound.prototype = new Empty();\n Empty.prototype = null;\n }\n\n return bound;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/function-bind/implementation.js","'use strict';\n\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar isPrimitive = require('./helpers/isPrimitive');\nvar isCallable = require('is-callable');\nvar isDate = require('is-date-object');\nvar isSymbol = require('is-symbol');\n\nvar ordinaryToPrimitive = function OrdinaryToPrimitive(O, hint) {\n\tif (typeof O === 'undefined' || O === null) {\n\t\tthrow new TypeError('Cannot call method on ' + O);\n\t}\n\tif (typeof hint !== 'string' || (hint !== 'number' && hint !== 'string')) {\n\t\tthrow new TypeError('hint must be \"string\" or \"number\"');\n\t}\n\tvar methodNames = hint === 'string' ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\tvar method, result, i;\n\tfor (i = 0; i < methodNames.length; ++i) {\n\t\tmethod = O[methodNames[i]];\n\t\tif (isCallable(method)) {\n\t\t\tresult = method.call(O);\n\t\t\tif (isPrimitive(result)) {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t}\n\t}\n\tthrow new TypeError('No default value');\n};\n\nvar GetMethod = function GetMethod(O, P) {\n\tvar func = O[P];\n\tif (func !== null && typeof func !== 'undefined') {\n\t\tif (!isCallable(func)) {\n\t\t\tthrow new TypeError(func + ' returned for property ' + P + ' of object ' + O + ' is not a function');\n\t\t}\n\t\treturn func;\n\t}\n};\n\n// http://www.ecma-international.org/ecma-262/6.0/#sec-toprimitive\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\tvar hint = 'default';\n\tif (arguments.length > 1) {\n\t\tif (PreferredType === String) {\n\t\t\thint = 'string';\n\t\t} else if (PreferredType === Number) {\n\t\t\thint = 'number';\n\t\t}\n\t}\n\n\tvar exoticToPrim;\n\tif (hasSymbols) {\n\t\tif (Symbol.toPrimitive) {\n\t\t\texoticToPrim = GetMethod(input, Symbol.toPrimitive);\n\t\t} else if (isSymbol(input)) {\n\t\t\texoticToPrim = Symbol.prototype.valueOf;\n\t\t}\n\t}\n\tif (typeof exoticToPrim !== 'undefined') {\n\t\tvar result = exoticToPrim.call(input, hint);\n\t\tif (isPrimitive(result)) {\n\t\t\treturn result;\n\t\t}\n\t\tthrow new TypeError('unable to convert exotic object to primitive');\n\t}\n\tif (hint === 'default' && (isDate(input) || isSymbol(input))) {\n\t\thint = 'string';\n\t}\n\treturn ordinaryToPrimitive(input, hint === 'default' ? 'number' : hint);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-to-primitive/es6.js","'use strict';\n\nvar getDay = Date.prototype.getDay;\nvar tryDateObject = function tryDateObject(value) {\n\ttry {\n\t\tgetDay.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar toStr = Object.prototype.toString;\nvar dateClass = '[object Date]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isDateObject(value) {\n\tif (typeof value !== 'object' || value === null) { return false; }\n\treturn hasToStringTag ? tryDateObject(value) : toStr.call(value) === dateClass;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-date-object/index.js","'use strict';\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nif (hasSymbols) {\n\tvar symToStr = Symbol.prototype.toString;\n\tvar symStringRegex = /^Symbol\\(.*\\)$/;\n\tvar isSymbolObject = function isSymbolObject(value) {\n\t\tif (typeof value.valueOf() !== 'symbol') { return false; }\n\t\treturn symStringRegex.test(symToStr.call(value));\n\t};\n\tmodule.exports = function isSymbol(value) {\n\t\tif (typeof value === 'symbol') { return true; }\n\t\tif (toStr.call(value) !== '[object Symbol]') { return false; }\n\t\ttry {\n\t\t\treturn isSymbolObject(value);\n\t\t} catch (e) {\n\t\t\treturn false;\n\t\t}\n\t};\n} else {\n\tmodule.exports = function isSymbol(value) {\n\t\t// this environment does not support Symbols.\n\t\treturn false;\n\t};\n}\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-symbol/index.js","module.exports = function isPrimitive(value) {\n\treturn value === null || (typeof value !== 'function' && typeof value !== 'object');\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/isPrimitive.js","'use strict';\n\nvar $isNaN = require('./helpers/isNaN');\nvar $isFinite = require('./helpers/isFinite');\n\nvar sign = require('./helpers/sign');\nvar mod = require('./helpers/mod');\n\nvar IsCallable = require('is-callable');\nvar toPrimitive = require('es-to-primitive/es5');\n\nvar has = require('has');\n\n// https://es5.github.io/#x9\nvar ES5 = {\n\tToPrimitive: toPrimitive,\n\n\tToBoolean: function ToBoolean(value) {\n\t\treturn !!value;\n\t},\n\tToNumber: function ToNumber(value) {\n\t\treturn Number(value);\n\t},\n\tToInteger: function ToInteger(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number)) { return 0; }\n\t\tif (number === 0 || !$isFinite(number)) { return number; }\n\t\treturn sign(number) * Math.floor(Math.abs(number));\n\t},\n\tToInt32: function ToInt32(x) {\n\t\treturn this.ToNumber(x) >> 0;\n\t},\n\tToUint32: function ToUint32(x) {\n\t\treturn this.ToNumber(x) >>> 0;\n\t},\n\tToUint16: function ToUint16(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) { return 0; }\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x10000);\n\t},\n\tToString: function ToString(value) {\n\t\treturn String(value);\n\t},\n\tToObject: function ToObject(value) {\n\t\tthis.CheckObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\tCheckObjectCoercible: function CheckObjectCoercible(value, optMessage) {\n\t\t/* jshint eqnull:true */\n\t\tif (value == null) {\n\t\t\tthrow new TypeError(optMessage || 'Cannot call method on ' + value);\n\t\t}\n\t\treturn value;\n\t},\n\tIsCallable: IsCallable,\n\tSameValue: function SameValue(x, y) {\n\t\tif (x === y) { // 0 === -0, but they are not identical.\n\t\t\tif (x === 0) { return 1 / x === 1 / y; }\n\t\t\treturn true;\n\t\t}\n\t\treturn $isNaN(x) && $isNaN(y);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/5.1/#sec-8\n\tType: function Type(x) {\n\t\tif (x === null) {\n\t\t\treturn 'Null';\n\t\t}\n\t\tif (typeof x === 'undefined') {\n\t\t\treturn 'Undefined';\n\t\t}\n\t\tif (typeof x === 'function' || typeof x === 'object') {\n\t\t\treturn 'Object';\n\t\t}\n\t\tif (typeof x === 'number') {\n\t\t\treturn 'Number';\n\t\t}\n\t\tif (typeof x === 'boolean') {\n\t\t\treturn 'Boolean';\n\t\t}\n\t\tif (typeof x === 'string') {\n\t\t\treturn 'String';\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-property-descriptor-specification-type\n\tIsPropertyDescriptor: function IsPropertyDescriptor(Desc) {\n\t\tif (this.Type(Desc) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tvar allowed = {\n\t\t\t'[[Configurable]]': true,\n\t\t\t'[[Enumerable]]': true,\n\t\t\t'[[Get]]': true,\n\t\t\t'[[Set]]': true,\n\t\t\t'[[Value]]': true,\n\t\t\t'[[Writable]]': true\n\t\t};\n\t\t// jscs:disable\n\t\tfor (var key in Desc) { // eslint-disable-line\n\t\t\tif (has(Desc, key) && !allowed[key]) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t// jscs:enable\n\t\tvar isData = has(Desc, '[[Value]]');\n\t\tvar IsAccessor = has(Desc, '[[Get]]') || has(Desc, '[[Set]]');\n\t\tif (isData && IsAccessor) {\n\t\t\tthrow new TypeError('Property Descriptors may not be both accessor and data descriptors');\n\t\t}\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.1\n\tIsAccessorDescriptor: function IsAccessorDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Get]]') && !has(Desc, '[[Set]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.2\n\tIsDataDescriptor: function IsDataDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Value]]') && !has(Desc, '[[Writable]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.3\n\tIsGenericDescriptor: function IsGenericDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!this.IsAccessorDescriptor(Desc) && !this.IsDataDescriptor(Desc)) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.4\n\tFromPropertyDescriptor: function FromPropertyDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn Desc;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsDataDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tvalue: Desc['[[Value]]'],\n\t\t\t\twritable: !!Desc['[[Writable]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else if (this.IsAccessorDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tget: Desc['[[Get]]'],\n\t\t\t\tset: Desc['[[Set]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else {\n\t\t\tthrow new TypeError('FromPropertyDescriptor must be called with a fully populated Property Descriptor');\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.5\n\tToPropertyDescriptor: function ToPropertyDescriptor(Obj) {\n\t\tif (this.Type(Obj) !== 'Object') {\n\t\t\tthrow new TypeError('ToPropertyDescriptor requires an object');\n\t\t}\n\n\t\tvar desc = {};\n\t\tif (has(Obj, 'enumerable')) {\n\t\t\tdesc['[[Enumerable]]'] = this.ToBoolean(Obj.enumerable);\n\t\t}\n\t\tif (has(Obj, 'configurable')) {\n\t\t\tdesc['[[Configurable]]'] = this.ToBoolean(Obj.configurable);\n\t\t}\n\t\tif (has(Obj, 'value')) {\n\t\t\tdesc['[[Value]]'] = Obj.value;\n\t\t}\n\t\tif (has(Obj, 'writable')) {\n\t\t\tdesc['[[Writable]]'] = this.ToBoolean(Obj.writable);\n\t\t}\n\t\tif (has(Obj, 'get')) {\n\t\t\tvar getter = Obj.get;\n\t\t\tif (typeof getter !== 'undefined' && !this.IsCallable(getter)) {\n\t\t\t\tthrow new TypeError('getter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Get]]'] = getter;\n\t\t}\n\t\tif (has(Obj, 'set')) {\n\t\t\tvar setter = Obj.set;\n\t\t\tif (typeof setter !== 'undefined' && !this.IsCallable(setter)) {\n\t\t\t\tthrow new TypeError('setter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Set]]'] = setter;\n\t\t}\n\n\t\tif ((has(desc, '[[Get]]') || has(desc, '[[Set]]')) && (has(desc, '[[Value]]') || has(desc, '[[Writable]]'))) {\n\t\t\tthrow new TypeError('Invalid property descriptor. Cannot both specify accessors and a value or writable attribute');\n\t\t}\n\t\treturn desc;\n\t}\n};\n\nmodule.exports = ES5;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es5.js","'use strict';\n\nvar toStr = Object.prototype.toString;\n\nvar isPrimitive = require('./helpers/isPrimitive');\n\nvar isCallable = require('is-callable');\n\n// https://es5.github.io/#x8.12\nvar ES5internalSlots = {\n\t'[[DefaultValue]]': function (O, hint) {\n\t\tvar actualHint = hint || (toStr.call(O) === '[object Date]' ? String : Number);\n\n\t\tif (actualHint === String || actualHint === Number) {\n\t\t\tvar methods = actualHint === String ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\t\t\tvar value, i;\n\t\t\tfor (i = 0; i < methods.length; ++i) {\n\t\t\t\tif (isCallable(O[methods[i]])) {\n\t\t\t\t\tvalue = O[methods[i]]();\n\t\t\t\t\tif (isPrimitive(value)) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\tthrow new TypeError('No default value');\n\t\t}\n\t\tthrow new TypeError('invalid [[DefaultValue]] hint supplied');\n\t}\n};\n\n// https://es5.github.io/#x9\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\treturn ES5internalSlots['[[DefaultValue]]'](input, PreferredType);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-to-primitive/es5.js","'use strict';\n\nvar has = require('has');\nvar regexExec = RegExp.prototype.exec;\nvar gOPD = Object.getOwnPropertyDescriptor;\n\nvar tryRegexExecCall = function tryRegexExec(value) {\n\ttry {\n\t\tvar lastIndex = value.lastIndex;\n\t\tvalue.lastIndex = 0;\n\n\t\tregexExec.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t} finally {\n\t\tvalue.lastIndex = lastIndex;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar regexClass = '[object RegExp]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isRegex(value) {\n\tif (!value || typeof value !== 'object') {\n\t\treturn false;\n\t}\n\tif (!hasToStringTag) {\n\t\treturn toStr.call(value) === regexClass;\n\t}\n\n\tvar descriptor = gOPD(value, 'lastIndex');\n\tvar hasLastIndexDataProperty = descriptor && has(descriptor, 'value');\n\tif (!hasLastIndexDataProperty) {\n\t\treturn false;\n\t}\n\n\treturn tryRegexExecCall(value);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-regex/index.js","'use strict';\n\nvar define = require('define-properties');\nvar getPolyfill = require('./polyfill');\n\nmodule.exports = function shimArrayPrototypeIncludes() {\n\tvar polyfill = getPolyfill();\n\tdefine(\n\t\tArray.prototype,\n\t\t{ includes: polyfill },\n\t\t{ includes: function () { return Array.prototype.includes !== polyfill; } }\n\t);\n\treturn polyfill;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/shim.js","'use strict';\n\nvar define = require('define-properties');\n\nvar implementation = require('./implementation');\nvar getPolyfill = require('./polyfill');\nvar shim = require('./shim');\n\nvar polyfill = getPolyfill();\n\ndefine(polyfill, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = polyfill;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/index.js","'use strict';\n\nmodule.exports = require('./es2016');\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es7.js","'use strict';\n\nvar ES2015 = require('./es2015');\nvar assign = require('./helpers/assign');\n\nvar ES2016 = assign(assign({}, ES2015), {\n\t// https://github.com/tc39/ecma262/pull/60\n\tSameValueNonNumber: function SameValueNonNumber(x, y) {\n\t\tif (typeof x === 'number' || typeof x !== typeof y) {\n\t\t\tthrow new TypeError('SameValueNonNumber requires two non-number values of the same type.');\n\t\t}\n\t\treturn this.SameValue(x, y);\n\t}\n});\n\nmodule.exports = ES2016;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es2016.js","'use strict';\n\nvar getPolyfill = require('./polyfill');\nvar define = require('define-properties');\n\nmodule.exports = function shimValues() {\n\tvar polyfill = getPolyfill();\n\tdefine(Object, { values: polyfill }, {\n\t\tvalues: function testValues() {\n\t\t\treturn Object.values !== polyfill;\n\t\t}\n\t});\n\treturn polyfill;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/shim.js","'use strict';\n\nvar define = require('define-properties');\n\nvar implementation = require('./implementation');\nvar getPolyfill = require('./polyfill');\nvar shim = require('./shim');\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\ndefine(implementation, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = implementation;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/index.js","'use strict';\n\nvar define = require('define-properties');\nvar getPolyfill = require('./polyfill');\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function shimNumberIsNaN() {\n\tvar polyfill = getPolyfill();\n\tdefine(Number, { isNaN: polyfill }, { isNaN: function () { return Number.isNaN !== polyfill; } });\n\treturn polyfill;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/shim.js"],"sourceRoot":""} \ No newline at end of file +{"version":3,"sources":["webpack:///base_polyfills.js","webpack:///./app/javascript/mastodon/base_polyfills.js","webpack:///./node_modules/define-properties/index.js","webpack:///./node_modules/has/src/index.js","webpack:///./node_modules/es5-ext/object/is-value.js","webpack:///./node_modules/function-bind/index.js","webpack:///./node_modules/is-callable/index.js","webpack:///./node_modules/es-abstract/es6.js","webpack:///./node_modules/es-abstract/es2015.js","webpack:///./node_modules/es-to-primitive/helpers/isPrimitive.js","webpack:///./node_modules/es-abstract/helpers/isNaN.js","webpack:///./node_modules/es-abstract/helpers/isFinite.js","webpack:///./node_modules/es-abstract/helpers/assign.js","webpack:///./node_modules/es-abstract/helpers/sign.js","webpack:///./node_modules/es-abstract/helpers/mod.js","webpack:///./node_modules/array-includes/implementation.js","webpack:///./node_modules/array-includes/polyfill.js","webpack:///./node_modules/object.values/implementation.js","webpack:///./node_modules/object.values/polyfill.js","webpack:///./node_modules/is-nan/implementation.js","webpack:///./node_modules/is-nan/polyfill.js","webpack:///./node_modules/intl/index.js","webpack:///./node_modules/intl/lib/core.js","webpack:///./node_modules/intl/locale-data/jsonp/en.js","webpack:///./node_modules/es6-symbol/implement.js","webpack:///./node_modules/es6-symbol/is-implemented.js","webpack:///./node_modules/es5-ext/global.js","webpack:///./node_modules/es6-symbol/polyfill.js","webpack:///./node_modules/d/index.js","webpack:///./node_modules/es5-ext/object/assign/index.js","webpack:///./node_modules/es5-ext/object/assign/is-implemented.js","webpack:///./node_modules/es5-ext/object/assign/shim.js","webpack:///./node_modules/es5-ext/object/keys/index.js","webpack:///./node_modules/es5-ext/object/keys/is-implemented.js","webpack:///./node_modules/es5-ext/object/keys/shim.js","webpack:///./node_modules/es5-ext/function/noop.js","webpack:///./node_modules/es5-ext/object/valid-value.js","webpack:///./node_modules/es5-ext/object/normalize-options.js","webpack:///./node_modules/es5-ext/object/is-callable.js","webpack:///./node_modules/es5-ext/string/#/contains/index.js","webpack:///./node_modules/es5-ext/string/#/contains/is-implemented.js","webpack:///./node_modules/es5-ext/string/#/contains/shim.js","webpack:///./node_modules/es6-symbol/validate-symbol.js","webpack:///./node_modules/es6-symbol/is-symbol.js","webpack:///./node_modules/array-includes/index.js","webpack:///./node_modules/object-keys/index.js","webpack:///./node_modules/object-keys/isArguments.js","webpack:///./node_modules/foreach/index.js","webpack:///./node_modules/function-bind/implementation.js","webpack:///./node_modules/es-to-primitive/es6.js","webpack:///./node_modules/is-date-object/index.js","webpack:///./node_modules/is-symbol/index.js","webpack:///./node_modules/es-abstract/helpers/isPrimitive.js","webpack:///./node_modules/es-abstract/es5.js","webpack:///./node_modules/es-to-primitive/es5.js","webpack:///./node_modules/is-regex/index.js","webpack:///./node_modules/array-includes/shim.js","webpack:///./node_modules/object.values/index.js","webpack:///./node_modules/es-abstract/es7.js","webpack:///./node_modules/es-abstract/es2016.js","webpack:///./node_modules/object.values/shim.js","webpack:///./node_modules/is-nan/index.js","webpack:///./node_modules/is-nan/shim.js"],"names":["webpackJsonp","806","module","__webpack_exports__","__webpack_require__","Object","defineProperty","value","__WEBPACK_IMPORTED_MODULE_0_intl__","__WEBPACK_IMPORTED_MODULE_1_intl_locale_data_jsonp_en__","n","__WEBPACK_IMPORTED_MODULE_2_es6_symbol_implement__","__WEBPACK_IMPORTED_MODULE_3_array_includes__","__WEBPACK_IMPORTED_MODULE_3_array_includes___default","__WEBPACK_IMPORTED_MODULE_4_object_assign__","__WEBPACK_IMPORTED_MODULE_4_object_assign___default","__WEBPACK_IMPORTED_MODULE_5_object_values__","__WEBPACK_IMPORTED_MODULE_5_object_values___default","__WEBPACK_IMPORTED_MODULE_6_is_nan__","__WEBPACK_IMPORTED_MODULE_6_is_nan___default","__WEBPACK_IMPORTED_MODULE_7__utils_base64__","Array","prototype","includes","a","shim","assign","values","Number","isNaN","HTMLCanvasElement","toBlob","callback","type","arguments","length","undefined","quality","dataURL","this","toDataURL","data","indexOf","_dataURL$split","split","base64","Blob","883","exports","keys","foreach","hasSymbols","Symbol","toStr","toString","isFunction","fn","call","supportsDescriptors","obj","enumerable","_","x","e","object","name","predicate","configurable","writable","defineProperties","map","predicates","props","concat","getOwnPropertySymbols","888","bind","Function","hasOwnProperty","891","_undefined","val","892","implementation","893","fnToStr","constructorRegex","isES6ClassFn","fnStr","singleStripped","replace","multiStripped","spaceStripped","test","tryFunctionObject","hasToStringTag","toStringTag","strClass","901","902","has","toPrimitive","iterator","$isNaN","$isFinite","MAX_SAFE_INTEGER","Math","pow","sign","mod","isPrimitive","parseInteger","parseInt","arraySlice","slice","strSlice","String","isBinary","RegExp","isOctal","regexExec","exec","nonWS","join","nonWSregex","hasNonWS","invalidHexLiteral","isInvalidHexLiteral","ws","trimRegex","trim","ES5","hasRegExpMatcher","ES6","Call","F","V","args","IsCallable","TypeError","apply","ToPrimitive","ToNumber","argument","NaN","trimmed","ToInt16","int16bit","ToUint16","ToInt8","int8bit","ToUint8","number","posInt","floor","abs","ToUint8Clamp","f","ToString","ToObject","RequireObjectCoercible","ToPropertyKey","key","ToLength","len","ToInteger","CanonicalNumericIndexString","SameValue","CheckObjectCoercible","IsArray","isArray","IsConstructor","IsExtensible","preventExtensions","isExtensible","IsInteger","IsPropertyKey","IsRegExp","isRegExp","match","ToBoolean","SameValueZero","y","GetV","P","GetMethod","O","func","Get","Type","SpeciesConstructor","defaultConstructor","C","constructor","S","species","CompletePropertyDescriptor","Desc","IsPropertyDescriptor","IsGenericDescriptor","IsDataDescriptor","Set","Throw","HasOwnProperty","HasProperty","IsConcatSpreadable","isConcatSpreadable","spreadable","Invoke","argumentsList","CreateIterResultObject","done","RegExpExec","R","result","ArraySpeciesCreate","originalArray","CreateDataProperty","oldDesc","getOwnPropertyDescriptor","extensible","newDesc","CreateDataPropertyOrThrow","success","AdvanceStringIndex","index","unicode","RangeError","first","charCodeAt","second","903","904","905","isFinite","Infinity","906","target","source","907","908","modulo","remain","909","global","ES","searchElement","fromIndex","k","max","910","911","isEnumerable","propertyIsEnumerable","vals","push","912","913","914","922","IntlPolyfill","Intl","__applyLocaleSensitivePrototypes","923","log10Floor","log10","round","log","LOG10E","Record","hop","List","arrPush","arrSlice","createRegExpRestore","internals","disableRegExpRestore","regExpCache","lastMatch","leftContext","multiline","input","i","esc","lm","reg","_i","m","exprStr","arrJoin","expr","lastIndex","toObject","arg","babelHelpers$1","toNumber","toInteger","toLength","min","getInternalProperties","__getInternalProperties","secret","objCreate","setDefaultLocale","locale","defaultLocale","toLatinUpperCase","str","ch","charAt","toUpperCase","IsStructurallyValidLanguageTag","expBCP47Syntax","expVariantDupes","expSingletonDupes","CanonicalizeLanguageTag","parts","toLowerCase","expExtSequences","sort","redundantTags","tags","_max","subtags","extLang","DefaultLocale","IsWellFormedCurrencyCode","currency","c","normalized","expCurrencyCode","CanonicalizeLocaleList","locales","seen","Pk","kValue","tag","arrIndexOf","BestAvailableLocale","availableLocales","candidate","pos","lastIndexOf","substring","LookupMatcher","requestedLocales","availableLocale","noExtensionsLocale","expUnicodeExSeq","extension","extensionIndex","BestFitMatcher","ResolveLocale","options","relevantExtensionKeys","localeData","ReferenceError","matcher","r","foundLocale","extensionSubtags","extensionSubtagsLength","supportedExtension","foundLocaleData","keyLocaleData","supportedExtensionAddition","keyPos","requestedValue","valuePos","_valuePos","optionsValue","privateIndex","LookupSupportedLocales","subset","BestFitSupportedLocales","SupportedLocales","localeMatcher","GetOption","property","fallback","Boolean","GetNumberOption","minimum","maximum","getCanonicalLocales","ll","NumberFormatConstructor","InitializeNumberFormat","NumberFormat","numberFormat","internal","regexpRestore","opt","dataLocale","s","cDigits","CurrencyDigits","cd","mnid","mnfdDefault","mnfd","mxfdDefault","mxfd","mnsd","minimumSignificantDigits","mxsd","maximumSignificantDigits","g","dataLocaleData","patterns","stylePatterns","positivePattern","negativePattern","es3","format","GetFormatNumber","currencyMinorUnits","FormatNumber","bf","fnBind","formatToParts","FormatNumberToParts","PartitionNumberPattern","part","nums","ild","symbols","latn","pattern","beginIndex","endIndex","nextIndex","Error","literal","[[type]]","[[value]]","p","nan","_n2","ToRawPrecision","ToRawFixed","numSys","digits","digit","integer","fraction","decimalSepIndex","groupSepSymbol","group","groups","pgSize","primaryGroupSize","sgSize","secondaryGroupSize","end","idx","start","integerGroup","arrShift","decimalSepSymbol","decimal","_n","infinity","plusSignSymbol","plusSign","minusSignSymbol","minusSign","percentSignSymbol","percentSign","currencies","_literal","_literal2","minPrecision","maxPrecision","exp","LN10","cut","minInteger","minFraction","maxFraction","toFixed","int","isDateFormatOnly","tmKeys","isTimeFormatOnly","dtKeys","joinDateAndTimeFormats","dateFormatObj","timeFormatObj","o","j","computeFinalPatterns","formatObj","pattern12","extendedPattern","$0","expPatternTrimmer","expDTComponentsMeta","era","year","quarter","month","week","day","weekday","hour12","hour","minute","timeZoneName","createDateTimeFormat","skeleton","unwantedDTCs","originalPattern","expDTComponents","createDateTimeFormats","formats","availableFormats","timeFormats","dateFormats","computed","timeRelatedFormats","dateRelatedFormats","full","long","medium","short","generateSyntheticFormat","propName","propValue","validSyntheticProps","_ref2","defineProperty$1","resolveDateString","ca","component","width","gregory","alts","narrow","resolved","DateTimeFormatConstructor","InitializeDateTimeFormat","DateTimeFormat","dateTimeFormat","ToDateTimeOptions","tz","timeZone","prop","dateTimeComponents","bestFormat","ToDateTimeFormats","BasicFormatMatcher","_hr","BestFitFormatMatcher","_prop","hr12","hourNo0","GetFormatDateTime","required","defaults","opt2","needDefaults","bestScore","score","optionsProp","formatProp","optionsPropIndex","formatPropIndex","delta","optionsPropNames","_bestFormat","_property","patternProp","date","FormatDateTime","Date","now","formatToParts$1","FormatToPartsDateTime","CreateDateTimeParts","nf","useGrouping","nf2","minimumIntegerDigits","tm","ToLocalTime","calendars","fv","v","dateWidths","_v","substr","calendar","d","[[weekday]]","[[era]]","[[year]]","[[month]]","[[day]]","[[hour]]","[[minute]]","[[second]]","[[inDST]]","addLocaleData","nu","_typeof","jsx","REACT_ELEMENT_TYPE","for","children","defaultProps","childrenLength","childArray","$$typeof","ref","_owner","asyncToGenerator","gen","Promise","resolve","reject","step","info","error","then","err","classCallCheck","instance","Constructor","createClass","descriptor","protoProps","staticProps","defineEnumerableProperties","descs","desc","getOwnPropertyNames","_extends","get","receiver","parent","getPrototypeOf","getter","inherits","subClass","superClass","create","setPrototypeOf","__proto__","_instanceof","left","right","hasInstance","interopRequireDefault","__esModule","default","interopRequireWildcard","newObj","newArrowCheck","innerThis","boundThis","objectDestructuringEmpty","objectWithoutProperties","possibleConstructorReturn","self","selfGlobal","set","setter","slicedToArray","sliceIterator","arr","_arr","_d","_e","_s","next","slicedToArrayLoose","_step","_iterator","taggedTemplateLiteral","strings","raw","freeze","taggedTemplateLiteralLoose","temporalRef","undef","temporalUndefined","toArray","from","toConsumableArray","arr2","typeof","extends","instanceof","realDefineProp","sentinel","__defineGetter__","search","t","proto","arrConcat","shift","thisObj","random","variant","singleton","art-lojban","i-ami","i-bnn","i-hak","i-klingon","i-lux","i-navajo","i-pwn","i-tao","i-tay","i-tsu","no-bok","no-nyn","sgn-BE-FR","sgn-BE-NL","sgn-CH-DE","zh-guoyu","zh-hakka","zh-min-nan","zh-xiang","sgn-BR","sgn-CO","sgn-DE","sgn-DK","sgn-ES","sgn-FR","sgn-GB","sgn-GR","sgn-IE","sgn-IT","sgn-JP","sgn-MX","sgn-NI","sgn-NL","sgn-NO","sgn-PT","sgn-SE","sgn-US","sgn-ZA","zh-cmn","zh-cmn-Hans","zh-cmn-Hant","zh-gan","zh-wuu","zh-yue","BU","DD","FX","TP","YD","ZR","heploc","in","iw","ji","jw","mo","ayx","bjd","ccq","cjr","cka","cmk","drh","drw","gav","hrr","ibi","kgh","lcq","mst","myt","sca","tie","tkk","tlw","tnf","ybd","yma","aao","abh","abv","acm","acq","acw","acx","acy","adf","ads","aeb","aec","aed","aen","afb","afg","ajp","apc","apd","arb","arq","ars","ary","arz","ase","asf","asp","asq","asw","auz","avl","ayh","ayl","ayn","ayp","bbz","bfi","bfk","bjn","bog","bqn","bqy","btj","bve","bvl","bvu","bzs","cdo","cds","cjy","cmn","coa","cpx","csc","csd","cse","csf","csg","csl","csn","csq","csr","czh","czo","doq","dse","dsl","dup","ecs","esl","esn","eso","eth","fcs","fse","fsl","fss","gan","gds","gom","gse","gsg","gsm","gss","gus","hab","haf","hak","hds","hji","hks","hos","hps","hsh","hsl","hsn","icl","ils","inl","ins","ise","isg","isr","jak","jax","jcs","jhs","jls","jos","jsl","jus","kgi","knn","kvb","kvk","kvr","kxd","lbs","lce","lcf","liw","lls","lsg","lsl","lso","lsp","lst","lsy","ltg","lvs","lzh","mdl","meo","mfa","mfb","mfs","mnp","mqg","mre","msd","msi","msr","mui","mzc","mzg","mzy","nbs","ncs","nsi","nsl","nsp","nsr","nzs","okl","orn","ors","pel","pga","pks","prl","prz","psc","psd","pse","psg","psl","pso","psp","psr","pys","rms","rsi","rsl","sdl","sfb","sfs","sgg","sgx","shu","slf","sls","sqk","sqs","ssh","ssp","ssr","svk","swc","swh","swl","syy","tmw","tse","tsm","tsq","tss","tsy","tza","ugn","ugy","ukl","uks","urk","uzn","uzs","vgt","vkk","vkt","vsi","vsl","vsv","wuu","xki","xml","xmm","xms","yds","ysl","yue","zib","zlm","zmi","zsl","zsm","BHD","BYR","XOF","BIF","XAF","CLF","CLP","KMF","DJF","XPF","GNF","ISK","IQD","JPY","JOD","KRW","KWD","LYD","OMR","PYG","RWF","TND","UGX","UYI","VUV","VND","[[availableLocales]]","[[relevantExtensionKeys]]","[[localeData]]","arab","arabext","bali","beng","deva","fullwide","gujr","guru","hanidec","khmr","knda","laoo","limb","mlym","mong","mymr","orya","tamldec","telu","thai","tibt","numeric","2-digit","ls","__localeSensitiveProtos","toLocaleString","toLocaleDateString","toLocaleTimeString","924","925","__addLocaleData","E","Ed","Ehm","EHm","Ehms","EHms","Gy","GyMMM","GyMMMd","GyMMMEd","h","H","hm","Hm","hms","Hms","hmsv","Hmsv","hmv","Hmv","M","Md","MEd","MMM","MMMd","MMMEd","MMMMd","ms","yM","yMd","yMEd","yMMM","yMMMd","yMMMEd","yMMMM","yQQQ","yQQQQ","yMMMMEEEEd","yMMMMd","hmmsszzzz","hmsz","buddhist","months","days","eras","dayPeriods","am","pm","chinese","coptic","dangi","ethiopic","ethioaa","generic","hebrew","indian","islamic","islamicc","japanese","persian","roc","percent","AUD","BRL","CAD","CNY","EUR","GBP","HKD","ILS","INR","MXN","NZD","TWD","USD","XCD","926","927","validTypes","symbol","928","929","NativeSymbol","SymbolPolyfill","HiddenSymbol","isNativeSafe","validateSymbol","objPrototype","globalSymbols","ignore","generateName","created","ie11BugWorkaround","postfix","gs","description","__description__","__name__","keyFor","unscopables","valueOf","930","normalizeOpts","isCallable","contains","dscr","w","931","932","foo","bar","trzy","933","dest","src","forEach","934","935","936","isValue","937","938","939","process","opts1","940","941","942","943","searchString","944","isSymbol","945","946","define","getPolyfill","polyfill","boundIncludesShim","array","947","isArgs","hasDontEnumBug","hasProtoEnumBug","dontEnums","equalsConstructorPrototype","ctor","excludedKeys","$console","$external","$frame","$frameElement","$frames","$innerHeight","$innerWidth","$outerHeight","$outerWidth","$pageXOffset","$pageYOffset","$parent","$scrollLeft","$scrollTop","$scrollX","$scrollY","$self","$webkitIndexedDB","$webkitStorageInfo","$window","hasAutomationEqualityBug","window","equalsConstructorPrototypeIfNotBuggy","keysShim","isObject","isArguments","isString","theKeys","skipProto","skipConstructor","originalKeys","948","callee","949","hasOwn","ctx","l","950","that","bound","binder","boundLength","boundArgs","Empty","951","isDate","ordinaryToPrimitive","hint","method","methodNames","PreferredType","exoticToPrim","952","getDay","tryDateObject","953","symToStr","symStringRegex","isSymbolObject","954","955","ToInt32","ToUint32","optMessage","allowed","[[Configurable]]","[[Enumerable]]","[[Get]]","[[Set]]","[[Value]]","[[Writable]]","isData","IsAccessor","IsAccessorDescriptor","FromPropertyDescriptor","ToPropertyDescriptor","Obj","956","ES5internalSlots","[[DefaultValue]]","actualHint","methods","957","gOPD","tryRegexExecCall","958","959","960","961","ES2015","ES2016","SameValueNonNumber","962","963","964"],"mappings":"AAAAA,cAAc,IAERC,IACA,SAAUC,EAAQC,EAAqBC,GAE7C,YACAC,QAAOC,eAAeH,EAAqB,cAAgBI,OAAO,GAC7C,IAAIC,GAAqCJ,EAAoB,KAEzDK,GAD6CL,EAAoBM,EAAEF,GACTJ,EAAoB,MAE9EO,GADkEP,EAAoBM,EAAED,GACnCL,EAAoB,MAEzEQ,GAD6DR,EAAoBM,EAAEC,GACpCP,EAAoB,MACnES,EAAuDT,EAAoBM,EAAEE,GAC7EE,EAA8CV,EAAoB,KAClEW,EAAsDX,EAAoBM,EAAEI,GAC5EE,EAA8CZ,EAAoB,KAClEa,EAAsDb,EAAoBM,EAAEM,GAC5EE,EAAuCd,EAAoB,KAC3De,EAA+Cf,EAAoBM,EAAEQ,GACrEE,EAA8ChB,EAAoB,ICI3F,IAhBKiB,MAAMC,UAAUC,UACnBV,EAAAW,EAASC,OAGNpB,OAAOqB,SACVrB,OAAOqB,OAASX,EAAAS,GAGbnB,OAAOsB,QACVV,EAAAO,EAAOC,OAGJG,OAAOC,QACVD,OAAOC,MAAQV,EAAAK,IAGZM,kBAAkBR,UAAUS,OAAQ,CAGvC1B,OAAOC,eAAewB,kBAAkBR,UAAW,UACjDf,MAD2D,SACrDyB,GAAuC,GAA7BC,GAA6BC,UAAAC,OAAA,OAAAC,KAAAF,UAAA,GAAAA,UAAA,GAAtB,YAAaG,EAASH,UAAA,GACrCI,EAAUC,KAAKC,UAAUP,EAAMI,GACjCI,QAEJ,IAAIH,EAAQI,QAPM,aAOoB,EAAG,IAAAC,GACpBL,EAAQM,MARX,YAQPC,EAD8BF,EAAA,EAEvCF,GAAOpC,OAAAe,EAAA,GAAayB,OACf,CACFJ,EAAQH,EAAQM,MAAM,KADpB,GAIPZ,EAAS,GAAIc,OAAML,IAASR,eDoC5Bc,IACA,SAAU7C,EAAQ8C,EAAS5C,GAEjC,YE7EA,IAAI6C,GAAO7C,EAAQ,KACf8C,EAAU9C,EAAQ,KAClB+C,EAA+B,kBAAXC,SAA6C,gBAAbA,UAEpDC,EAAQhD,OAAOiB,UAAUgC,SAEzBC,EAAa,SAAUC,GAC1B,MAAqB,kBAAPA,IAAwC,sBAAnBH,EAAMI,KAAKD,IAe3CE,EAAsBrD,OAAOC,gBAZK,WACrC,GAAIqD,KACJ,KACCtD,OAAOC,eAAeqD,EAAK,KAAOC,YAAY,EAAOrD,MAAOoD,GAEtD,KAAK,GAAIE,KAAKF,GAAO,OAAO,CAElC,OAAOA,GAAIG,IAAMH,EAChB,MAAOI,GACR,OAAO,MAKLzD,EAAiB,SAAU0D,EAAQC,EAAM1D,EAAO2D,MAC/CD,IAAQD,KAAYT,EAAWW,IAAeA,OAG9CR,EACHrD,OAAOC,eAAe0D,EAAQC,GAC7BE,cAAc,EACdP,YAAY,EACZrD,MAAOA,EACP6D,UAAU,IAGXJ,EAAOC,GAAQ1D,IAIb8D,EAAmB,SAAUL,EAAQM,GACxC,GAAIC,GAAarC,UAAUC,OAAS,EAAID,UAAU,MAC9CsC,EAAQvB,EAAKqB,EACbnB,KACHqB,EAAQA,EAAMC,OAAOpE,OAAOqE,sBAAsBJ,KAEnDpB,EAAQsB,EAAO,SAAUP,GACxB3D,EAAe0D,EAAQC,EAAMK,EAAIL,GAAOM,EAAWN,MAIrDI,GAAiBX,sBAAwBA,EAEzCxD,EAAO8C,QAAUqB,GFuFXM,IACA,SAAUzE,EAAQ8C,EAAS5C,GG/IjC,GAAIwE,GAAOxE,EAAQ,IAEnBF,GAAO8C,QAAU4B,EAAKnB,KAAKoB,SAASpB,KAAMpD,OAAOiB,UAAUwD,iBHqJrDC,IACA,SAAU7E,EAAQ8C,EAAS5C,GAEjC,YIxJA,IAAI4E,GAAa5E,EAAQ,MAEzBF,GAAO8C,QAAU,SAAUiC,GAC1B,MAAQA,KAAQD,GAAwB,OAARC,IJgK3BC,IACA,SAAUhF,EAAQ8C,EAAS5C,GAEjC,YKtKA,IAAI+E,GAAiB/E,EAAQ,IAE7BF,GAAO8C,QAAU6B,SAASvD,UAAUsD,MAAQO,GL6KtCC,IACA,SAAUlF,EAAQ8C,EAAS5C,GAEjC,YMlLA,IAAIiF,GAAUR,SAASvD,UAAUgC,SAE7BgC,EAAmB,aACnBC,EAAe,SAAsBhF,GACxC,IACC,GAAIiF,GAAQH,EAAQ5B,KAAKlD,GACrBkF,EAAiBD,EAAME,QAAQ,YAAa,IAC5CC,EAAgBF,EAAeC,QAAQ,oBAAqB,IAC5DE,EAAgBD,EAAcD,QAAQ,OAAQ,KAAKA,QAAQ,QAAS,IACxE,OAAOJ,GAAiBO,KAAKD,GAC5B,MAAO7B,GACR,OAAO,IAIL+B,EAAoB,SAA2BvF,GAClD,IACC,OAAIgF,EAAahF,KACjB8E,EAAQ5B,KAAKlD,IACN,GACN,MAAOwD,GACR,OAAO,IAGLV,EAAQhD,OAAOiB,UAAUgC,SAGzByC,EAAmC,kBAAX3C,SAAuD,gBAAvBA,QAAO4C,WAEnE9F,GAAO8C,QAAU,SAAoBzC,GACpC,IAAKA,EAAS,OAAO,CACrB,IAAqB,kBAAVA,IAAyC,gBAAVA,GAAsB,OAAO,CACvE,IAAIwF,EAAkB,MAAOD,GAAkBvF,EAC/C,IAAIgF,EAAahF,GAAU,OAAO,CAClC,IAAI0F,GAAW5C,EAAMI,KAAKlD,EAC1B,OAVa,sBAUN0F,GATO,+BASiBA,INoM1BC,IACA,SAAUhG,EAAQ8C,EAAS5C,GAEjC,YO1OAF,GAAO8C,QAAU5C,EAAQ,MPiPnB+F,IACA,SAAUjG,EAAQ8C,EAAS5C,GAEjC,YQpPA,IAAIgG,GAAMhG,EAAQ,KACdiG,EAAcjG,EAAQ,KAEtBiD,EAAQhD,OAAOiB,UAAUgC,SACzBH,EAA+B,kBAAXC,SAAoD,gBAApBA,QAAOkD,SAE3DC,EAASnG,EAAQ,KACjBoG,EAAYpG,EAAQ,KACpBqG,EAAmB7E,OAAO6E,kBAAoBC,KAAKC,IAAI,EAAG,IAAM,EAEhEjF,EAAStB,EAAQ,KACjBwG,EAAOxG,EAAQ,KACfyG,EAAMzG,EAAQ,KACd0G,EAAc1G,EAAQ,KACtB2G,EAAeC,SACfpC,EAAOxE,EAAQ,KACf6G,EAAarC,EAAKnB,KAAKoB,SAASpB,KAAMpC,MAAMC,UAAU4F,OACtDC,EAAWvC,EAAKnB,KAAKoB,SAASpB,KAAM2D,OAAO9F,UAAU4F,OACrDG,EAAWzC,EAAKnB,KAAKoB,SAASpB,KAAM6D,OAAOhG,UAAUuE,KAAM,cAC3D0B,EAAU3C,EAAKnB,KAAKoB,SAASpB,KAAM6D,OAAOhG,UAAUuE,KAAM,eAC1D2B,EAAY5C,EAAKnB,KAAKoB,SAASpB,KAAM6D,OAAOhG,UAAUmG,MACtDC,GAAS,IAAU,IAAU,KAAUC,KAAK,IAC5CC,EAAa,GAAIN,QAAO,IAAMI,EAAQ,IAAK,KAC3CG,EAAWjD,EAAKnB,KAAKoB,SAASpB,KAAM6D,OAAOhG,UAAUuE,KAAM+B,GAC3DE,EAAoB,qBACpBC,EAAsBnD,EAAKnB,KAAKoB,SAASpB,KAAM6D,OAAOhG,UAAUuE,KAAMiC,GAItEE,GACH,qBACA,mBACA,gBACCL,KAAK,IACHM,EAAY,GAAIX,QAAO,MAAQU,EAAK,SAAWA,EAAK,OAAQ,KAC5DtC,EAAUd,EAAKnB,KAAKoB,SAASpB,KAAM2D,OAAO9F,UAAUoE,SACpDwC,EAAO,SAAU3H,GACpB,MAAOmF,GAAQnF,EAAO0H,EAAW,KAG9BE,EAAM/H,EAAQ,KAEdgI,EAAmBhI,EAAQ,KAG3BiI,EAAM3G,EAAOA,KAAWyG,IAG3BG,KAAM,SAAcC,EAAGC,GACtB,GAAIC,GAAOvG,UAAUC,OAAS,EAAID,UAAU,KAC5C,KAAKK,KAAKmG,WAAWH,GACpB,KAAM,IAAII,WAAUJ,EAAI,qBAEzB,OAAOA,GAAEK,MAAMJ,EAAGC,IAInBI,YAAaxC,EAMbyC,SAAU,SAAkBC,GAC3B,GAAIxI,GAAQuG,EAAYiC,GAAYA,EAAW1C,EAAY0C,EAAUnH,OACrE,IAAqB,gBAAVrB,GACV,KAAM,IAAIoI,WAAU,4CAErB,IAAqB,gBAAVpI,GAAoB,CAC9B,GAAI8G,EAAS9G,GACZ,MAAOgC,MAAKuG,SAAS/B,EAAaI,EAAS5G,EAAO,GAAI,GAChD,IAAIgH,EAAQhH,GAClB,MAAOgC,MAAKuG,SAAS/B,EAAaI,EAAS5G,EAAO,GAAI,GAChD,IAAIsH,EAAStH,IAAUwH,EAAoBxH,GACjD,MAAOyI,IAEP,IAAIC,GAAUf,EAAK3H,EACnB,IAAI0I,IAAY1I,EACf,MAAOgC,MAAKuG,SAASG,GAIxB,MAAOrH,QAAOrB,IAaf2I,QAAS,SAAiBH,GACzB,GAAII,GAAW5G,KAAK6G,SAASL,EAC7B,OAAOI,IAAY,MAASA,EAAW,MAAUA,GAOlDE,OAAQ,SAAgBN,GACvB,GAAIO,GAAU/G,KAAKgH,QAAQR,EAC3B,OAAOO,IAAW,IAAOA,EAAU,IAAQA,GAI5CC,QAAS,SAAiBR,GACzB,GAAIS,GAASjH,KAAKuG,SAASC,EAC3B,IAAIxC,EAAOiD,IAAsB,IAAXA,IAAiBhD,EAAUgD,GAAW,MAAO,EACnE,IAAIC,GAAS7C,EAAK4C,GAAU9C,KAAKgD,MAAMhD,KAAKiD,IAAIH,GAChD,OAAO3C,GAAI4C,EAAQ,MAIpBG,aAAc,SAAsBb,GACnC,GAAIS,GAASjH,KAAKuG,SAASC,EAC3B,IAAIxC,EAAOiD,IAAWA,GAAU,EAAK,MAAO,EAC5C,IAAIA,GAAU,IAAQ,MAAO,IAC7B,IAAIK,GAAInD,KAAKgD,MAAMX,EACnB,OAAIc,GAAI,GAAML,EAAiBK,EAAI,EAC/BL,EAASK,EAAI,GAAcA,EAC3BA,EAAI,GAAM,EAAYA,EAAI,EACvBA,GAIRC,SAAU,SAAkBf,GAC3B,GAAwB,gBAAbA,GACV,KAAM,IAAIJ,WAAU,4CAErB,OAAOvB,QAAO2B,IAIfgB,SAAU,SAAkBxJ,GAE3B,MADAgC,MAAKyH,uBAAuBzJ,GACrBF,OAAOE,IAIf0J,cAAe,SAAuBlB,GACrC,GAAImB,GAAM3H,KAAKsG,YAAYE,EAAU3B,OACrC,OAAsB,gBAAR8C,GAAmBA,EAAM3H,KAAKuH,SAASI,IAItDC,SAAU,SAAkBpB,GAC3B,GAAIqB,GAAM7H,KAAK8H,UAAUtB,EACzB,OAAIqB,IAAO,EAAY,EACnBA,EAAM3D,EAA2BA,EAC9B2D,GAIRE,4BAA6B,SAAqCvB,GACjE,GAA6B,oBAAzB1F,EAAMI,KAAKsF,GACd,KAAM,IAAIJ,WAAU,mBAErB,IAAiB,OAAbI,EAAqB,OAAQ,CACjC,IAAIrI,GAAI6B,KAAKuG,SAASC,EACtB,OAAIxG,MAAKgI,UAAUhI,KAAKuH,SAASpJ,GAAIqI,GAAoBrI,MAAzD,IAKDsJ,uBAAwB7B,EAAIqC,qBAG5BC,QAASpJ,MAAMqJ,SAAW,SAAiB3B,GAC1C,MAAgC,mBAAzB1F,EAAMI,KAAKsF,IAOnB4B,cAAe,SAAuB5B,GACrC,MAA2B,kBAAbA,MAA6BA,EAASzH,WAIrDsJ,aAAc,SAAsBjH,GACnC,OAAKtD,OAAOwK,oBACR/D,EAAYnD,IAGTtD,OAAOyK,aAAanH,IAI5BoH,UAAW,SAAmBhC,GAC7B,GAAwB,gBAAbA,IAAyBxC,EAAOwC,KAAcvC,EAAUuC,GAClE,OAAO,CAER,IAAIY,GAAMjD,KAAKiD,IAAIZ,EACnB,OAAOrC,MAAKgD,MAAMC,KAASA,GAI5BqB,cAAe,SAAuBjC,GACrC,MAA2B,gBAAbA,IAA6C,gBAAbA,IAI/CkC,SAAU,SAAkBlC,GAC3B,IAAKA,GAAgC,gBAAbA,GACvB,OAAO,CAER,IAAI5F,EAAY,CACf,GAAI+H,GAAWnC,EAAS3F,OAAO+H,MAC/B,QAAwB,KAAbD,EACV,MAAO/C,GAAIiD,UAAUF,GAGvB,MAAO9C,GAAiBW,IAOzBsC,cAAe,SAAuBvH,EAAGwH,GACxC,MAAQxH,KAAMwH,GAAO/E,EAAOzC,IAAMyC,EAAO+E,IAU1CC,KAAM,SAAc/C,EAAGgD,GAEtB,IAAKjJ,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,iDAOrB,OAHQpG,MAAKwH,SAASvB,GAGbgD,IAYVC,UAAW,SAAmBC,EAAGF,GAEhC,IAAKjJ,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,iDAIrB,IAAIgD,GAAOpJ,KAAKgJ,KAAKG,EAAGF,EAGxB,IAAY,MAARG,EAAJ,CAKA,IAAKpJ,KAAKmG,WAAWiD,GACpB,KAAM,IAAIhD,WAAU6C,EAAI,oBAIzB,OAAOG,KASRC,IAAK,SAAaF,EAAGF,GAEpB,GAAqB,WAAjBjJ,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,0CAGrB,KAAKpG,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,iDAGrB,OAAO+C,GAAEF,IAGVK,KAAM,SAAc/H,GACnB,MAAiB,gBAANA,GACH,SAEDqE,EAAI0D,KAAK/H,IAIjBgI,mBAAoB,SAA4BJ,EAAGK,GAClD,GAAqB,WAAjBxJ,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,0CAErB,IAAIqD,GAAIN,EAAEO,WACV,QAAiB,KAAND,EACV,MAAOD,EAER,IAAqB,WAAjBxJ,KAAKsJ,KAAKG,GACb,KAAM,IAAIrD,WAAU,iCAErB,IAAIuD,GAAI/I,GAAcC,OAAO+I,QAAUH,EAAE5I,OAAO+I,aAAW,EAC3D,IAAS,MAALD,EACH,MAAOH,EAER,IAAIxJ,KAAKoI,cAAcuB,GACtB,MAAOA,EAER,MAAM,IAAIvD,WAAU,yBAIrByD,2BAA4B,SAAoCC,GAC/D,IAAK9J,KAAK+J,qBAAqBD,GAC9B,KAAM,IAAI1D,WAAU,qCAwBrB,OArBIpG,MAAKgK,oBAAoBF,IAAS9J,KAAKiK,iBAAiBH,IACtDjG,EAAIiG,EAAM,eACdA,EAAK,iBAAe,IAEhBjG,EAAIiG,EAAM,kBACdA,EAAK,iBAAkB,KAGnBjG,EAAIiG,EAAM,aACdA,EAAK,eAAa,IAEdjG,EAAIiG,EAAM,aACdA,EAAK,eAAa,KAGfjG,EAAIiG,EAAM,oBACdA,EAAK,mBAAoB,GAErBjG,EAAIiG,EAAM,sBACdA,EAAK,qBAAsB,GAErBA,GAIRI,IAAK,SAAaf,EAAGF,EAAGhD,EAAGkE,GAC1B,GAAqB,WAAjBnK,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,sBAErB,KAAKpG,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,2BAErB,IAAyB,YAArBpG,KAAKsJ,KAAKa,GACb,KAAM,IAAI/D,WAAU,0BAErB,IAAI+D,EAEH,MADAhB,GAAEF,GAAKhD,GACA,CAEP,KACCkD,EAAEF,GAAKhD,EACN,MAAOzE,GACR,OAAO,IAMV4I,eAAgB,SAAwBjB,EAAGF,GAC1C,GAAqB,WAAjBjJ,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,sBAErB,KAAKpG,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,2BAErB,OAAOvC,GAAIsF,EAAGF,IAIfoB,YAAa,SAAqBlB,EAAGF,GACpC,GAAqB,WAAjBjJ,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,sBAErB,KAAKpG,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,2BAErB,OAAO6C,KAAKE,IAIbmB,mBAAoB,SAA4BnB,GAC/C,GAAqB,WAAjBnJ,KAAKsJ,KAAKH,GACb,OAAO,CAER,IAAIvI,GAAmD,gBAA9BC,QAAO0J,mBAAiC,CAChE,GAAIC,GAAaxK,KAAKqJ,IAAIF,EAAGtI,OAAO0J,mBACpC,QAA0B,KAAfC,EACV,MAAOxK,MAAK6I,UAAU2B,GAGxB,MAAOxK,MAAKkI,QAAQiB,IAIrBsB,OAAQ,SAAgBtB,EAAGF,GAC1B,IAAKjJ,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,2BAErB,IAAIsE,GAAgBhG,EAAW/E,UAAW,GACtCyJ,EAAOpJ,KAAKgJ,KAAKG,EAAGF,EACxB,OAAOjJ,MAAK+F,KAAKqD,EAAMD,EAAGuB,IAI3BC,uBAAwB,SAAgC3M,EAAO4M,GAC9D,GAAwB,YAApB5K,KAAKsJ,KAAKsB,GACb,KAAM,IAAIxE,WAAU,8CAErB,QACCpI,MAAOA,EACP4M,KAAMA,IAKRC,WAAY,SAAoBC,EAAGnB,GAClC,GAAqB,WAAjB3J,KAAKsJ,KAAKwB,GACb,KAAM,IAAI1E,WAAU,sBAErB,IAAqB,WAAjBpG,KAAKsJ,KAAKK,GACb,KAAM,IAAIvD,WAAU,qBAErB,IAAIlB,GAAOlF,KAAKqJ,IAAIyB,EAAG,OACvB,IAAI9K,KAAKmG,WAAWjB,GAAO,CAC1B,GAAI6F,GAAS/K,KAAK+F,KAAKb,EAAM4F,GAAInB,GACjC,IAAe,OAAXoB,GAAyC,WAAtB/K,KAAKsJ,KAAKyB,GAChC,MAAOA,EAER,MAAM,IAAI3E,WAAU,iDAErB,MAAOnB,GAAU6F,EAAGnB,IAIrBqB,mBAAoB,SAA4BC,EAAerL,GAC9D,IAAKI,KAAKwI,UAAU5I,IAAWA,EAAS,EACvC,KAAM,IAAIwG,WAAU,mDAErB,IACIqD,GADA5B,EAAiB,IAAXjI,EAAe,EAAIA,CAiB7B,IAfcI,KAAKkI,QAAQ+C,KAE1BxB,EAAIzJ,KAAKqJ,IAAI4B,EAAe,eAMP,WAAjBjL,KAAKsJ,KAAKG,IAAmB7I,GAAcC,OAAO+I,SAE3C,QADVH,EAAIzJ,KAAKqJ,IAAII,EAAG5I,OAAO+I,YAEtBH,MAAI,SAIU,KAANA,EACV,MAAO3K,OAAM+I,EAEd,KAAK7H,KAAKoI,cAAcqB,GACvB,KAAM,IAAIrD,WAAU,0BAErB,OAAO,IAAIqD,GAAE5B,IAGdqD,mBAAoB,SAA4B/B,EAAGF,EAAGhD,GACrD,GAAqB,WAAjBjG,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,0CAErB,KAAKpG,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,iDAErB,IAAI+E,GAAUrN,OAAOsN,yBAAyBjC,EAAGF,GAC7CoC,EAAaF,GAA2C,kBAAxBrN,QAAOyK,cAA+BzK,OAAOyK,aAAaY,EAE9F,IADgBgC,KAAaA,EAAQtJ,WAAasJ,EAAQvJ,gBACxCyJ,EACjB,OAAO,CAER,IAAIC,IACH1J,cAAc,EACdP,YAAY,EACZrD,MAAOiI,EACPpE,UAAU,EAGX,OADA/D,QAAOC,eAAeoL,EAAGF,EAAGqC,IACrB,GAIRC,0BAA2B,SAAmCpC,EAAGF,EAAGhD,GACnE,GAAqB,WAAjBjG,KAAKsJ,KAAKH,GACb,KAAM,IAAI/C,WAAU,0CAErB,KAAKpG,KAAKyI,cAAcQ,GACvB,KAAM,IAAI7C,WAAU,iDAErB,IAAIoF,GAAUxL,KAAKkL,mBAAmB/B,EAAGF,EAAGhD,EAC5C,KAAKuF,EACJ,KAAM,IAAIpF,WAAU,iCAErB,OAAOoF,IAIRC,mBAAoB,SAA4B9B,EAAG+B,EAAOC,GACzD,GAAqB,WAAjB3L,KAAKsJ,KAAKK,GACb,KAAM,IAAIvD,WAAU,0CAErB,KAAKpG,KAAKwI,UAAUkD,GACnB,KAAM,IAAItF,WAAU,sEAErB,IAAIsF,EAAQ,GAAKA,EAAQxH,EACxB,KAAM,IAAI0H,YAAW,sEAEtB,IAA2B,YAAvB5L,KAAKsJ,KAAKqC,GACb,KAAM,IAAIvF,WAAU,iDAErB,KAAKuF,EACJ,MAAOD,GAAQ,CAGhB,IAAKA,EAAQ,GADA/B,EAAE/J,OAEd,MAAO8L,GAAQ,CAEhB,IAAIG,GAAQlC,EAAEmC,WAAWJ,EACzB,IAAIG,EAAQ,OAAUA,EAAQ,MAC7B,MAAOH,GAAQ,CAEhB,IAAIK,GAASpC,EAAEmC,WAAWJ,EAAQ,EAClC,OAAIK,GAAS,OAAUA,EAAS,MACxBL,EAAQ,EAETA,EAAQ,WAIV5F,GAAImC,qBAEXtK,EAAO8C,QAAUqF,GR6QXkG,IACA,SAAUrO,EAAQ8C,GSl0BxB9C,EAAO8C,QAAU,SAAqBzC,GACrC,MAAiB,QAAVA,GAAoC,kBAAVA,IAAyC,gBAAVA,KTy0B3DiO,IACA,SAAUtO,EAAQ8C,GU30BxB9C,EAAO8C,QAAUpB,OAAOC,OAAS,SAAeL,GAC/C,MAAOA,KAAMA,IVk1BRiN,IACA,SAAUvO,EAAQ8C,GWp1BxB,GAAIuD,GAAS3E,OAAOC,OAAS,SAAUL,GAAK,MAAOA,KAAMA,EAEzDtB,GAAO8C,QAAUpB,OAAO8M,UAAY,SAAU5K,GAAK,MAAoB,gBAANA,KAAmByC,EAAOzC,IAAMA,IAAM6K,KAAY7K,KAAO6K,MX81BpHC,IACA,SAAU1O,EAAQ8C,GYj2BxB,GAAIoD,GAAM/F,OAAOiB,UAAUwD,cAC3B5E,GAAO8C,QAAU,SAAgB6L,EAAQC,GACxC,GAAIzO,OAAOqB,OACV,MAAOrB,QAAOqB,OAAOmN,EAAQC,EAE9B,KAAK,GAAI5E,KAAO4E,GACX1I,EAAI3C,KAAKqL,EAAQ5E,KACpB2E,EAAO3E,GAAO4E,EAAO5E,GAGvB,OAAO2E,KZw2BFE,IACA,SAAU7O,EAAQ8C,Gan3BxB9C,EAAO8C,QAAU,SAAcwG,GAC9B,MAAOA,IAAU,EAAI,GAAK,Ib03BrBwF,IACA,SAAU9O,EAAQ8C,Gc53BxB9C,EAAO8C,QAAU,SAAawG,EAAQyF,GACrC,GAAIC,GAAS1F,EAASyF,CACtB,OAAOvI,MAAKgD,MAAMwF,GAAU,EAAIA,EAASA,EAASD,Kdm4B7CE,IACA,SAAUjP,EAAQ8C,EAAS5C,GAEjC,cAC4B,SAASgP,Gev4BrC,GAAIC,GAAKjP,EAAQ,KACbmG,EAAS3E,OAAOC,OAAS,SAAeL,GAC3C,MAAOA,KAAMA,GAEVgF,EAAY5E,OAAO8M,UAAY,SAAkBhO,GACpD,MAAoB,gBAANA,IAAkB0O,EAAOV,SAAShO,IAE7CgC,EAAUrB,MAAMC,UAAUoB,OAE9BxC,GAAO8C,QAAU,SAAkBsM,GAClC,GAAIC,GAAYrN,UAAUC,OAAS,EAAIkN,EAAGhF,UAAUnI,UAAU,IAAM,CACpE,IAAIQ,IAAY6D,EAAO+I,IAAkB9I,EAAU+I,QAAuC,KAAlBD,EACvE,MAAO5M,GAAQkG,MAAMrG,KAAML,YAAc,CAG1C,IAAIwJ,GAAI2D,EAAGtF,SAASxH,MAChBJ,EAASkN,EAAGlF,SAASuB,EAAEvJ,OAC3B,IAAe,IAAXA,EACH,OAAO,CAGR,KADA,GAAIqN,GAAID,GAAa,EAAIA,EAAY7I,KAAK+I,IAAI,EAAGtN,EAASoN,GACnDC,EAAIrN,GAAQ,CAClB,GAAIkN,EAAGhE,cAAciE,EAAe5D,EAAE8D,IACrC,OAAO,CAERA,IAAK,EAEN,OAAO,Kf24BqB/L,KAAKT,EAAS5C,EAAoB,MAIzDsP,IACA,SAAUxP,EAAQ8C,EAAS5C,GAEjC,YgB76BA,IAAI+E,GAAiB/E,EAAQ,IAE7BF,GAAO8C,QAAU,WAChB,MAAO3B,OAAMC,UAAUC,UAAY4D,IhBq7B9BwK,IACA,SAAUzP,EAAQ8C,EAAS5C,GAEjC,YiB37BA,IAAIiP,GAAKjP,EAAQ,KACbgG,EAAMhG,EAAQ,KACdwE,EAAOxE,EAAQ,KACfwP,EAAehL,EAAKnB,KAAKoB,SAASpB,KAAMpD,OAAOiB,UAAUuO,qBAE7D3P,GAAO8C,QAAU,SAAgB0I,GAChC,GAAI/H,GAAM0L,EAAGrF,uBAAuB0B,GAChCoE,IACJ,KAAK,GAAI5F,KAAOvG,GACXyC,EAAIzC,EAAKuG,IAAQ0F,EAAajM,EAAKuG,IACtC4F,EAAKC,KAAKpM,EAAIuG,GAGhB,OAAO4F,KjBm8BFE,IACA,SAAU9P,EAAQ8C,EAAS5C,GAEjC,YkBn9BA,IAAI+E,GAAiB/E,EAAQ,IAE7BF,GAAO8C,QAAU,WAChB,MAAgC,kBAAlB3C,QAAOsB,OAAwBtB,OAAOsB,OAASwD,IlB29BxD8K,IACA,SAAU/P,EAAQ8C,EAAS5C,GAEjC,YmB/9BAF,GAAO8C,QAAU,SAAezC,GAC/B,MAAOA,KAAUA,InBy+BZ2P,IACA,SAAUhQ,EAAQ8C,EAAS5C,GAEjC,YoB/+BA,IAAI+E,GAAiB/E,EAAQ,IAE7BF,GAAO8C,QAAU,WAChB,MAAIpB,QAAOC,OAASD,OAAOC,MAAMmH,OAASpH,OAAOC,MAAM,KAC/CD,OAAOC,MAERsD,IpBu/BFgL,IACA,SAAUjQ,EAAQ8C,EAAS5C,IqBhgCjC,SAAAgP,GACAA,EAAOgB,aAAehQ,EAAQ,KAI9BA,EAAQ,KAGHgP,EAAOiB,OACRjB,EAAOiB,KAAOjB,EAAOgB,aACrBhB,EAAOgB,aAAaE,oCAIxBpQ,EAAO8C,QAAUoM,EAAOgB,erBmgCK3M,KAAKT,EAAS5C,EAAoB,MAIzDmQ,IACA,SAAUrQ,EAAQ8C,EAAS5C,GAEjC,cAC4B,SAASgP,GsBliBrC,QAASoB,GAAW9P,GAEhB,GAA0B,kBAAfgG,MAAK+J,MAAsB,MAAO/J,MAAKgD,MAAMhD,KAAK+J,MAAM/P,GAEnE,IAAIoD,GAAI4C,KAAKgK,MAAMhK,KAAKiK,IAAIjQ,GAAKgG,KAAKkK,OACtC,OAAO9M,IAAKlC,OAAO,KAAOkC,GAAKpD,GAMnC,QAASmQ,GAAOlN,GAEZ,IAAK,GAAI6L,KAAK7L,IACNA,YAAekN,IAAUC,GAAIrN,KAAKE,EAAK6L,KAAIlP,GAAeiC,KAAMiN,GAAKjP,MAAOoD,EAAI6L,GAAI5L,YAAY,EAAMQ,UAAU,EAAMD,cAAc,IAQhJ,QAAS4M,KACLzQ,GAAeiC,KAAM,UAAY6B,UAAU,EAAM7D,MAAO,IAEpD2B,UAAUC,QAAQ6O,GAAQpI,MAAMrG,KAAM0O,GAASxN,KAAKvB,YAO5D,QAASgP,KACL,GAAIC,GAAUC,qBACV,MAAO,aAYX,KAAK,GATDC,IACAC,UAAWhK,OAAOgK,WAAa,GAC/BC,YAAajK,OAAOiK,YACpBC,UAAWlK,OAAOkK,UAClBC,MAAOnK,OAAOmK,OAEdrL,GAAM,EAGDsL,EAAI,EAAGA,GAAK,EAAGA,IACpBtL,GAAOiL,EAAY,IAAMK,GAAKpK,OAAO,IAAMoK,KAAOtL,CACrD,OAAO,YAEJ,GAAIuL,GAAM,uBACNC,EAAKP,EAAYC,UAAU5L,QAAQiM,EAAK,QACxCE,EAAM,GAAId,EAGd,IAAI3K,EACA,IAAK,GAAI0L,GAAK,EAAGA,GAAM,EAAGA,IAAM,CAC5B,GAAIC,GAAIV,EAAY,IAAMS,EAGrBC,IAIGA,EAAIA,EAAErM,QAAQiM,EAAK,QACnBC,EAAKA,EAAGlM,QAAQqM,EAAG,IAAMA,EAAI,MAL7BH,EAAK,KAAOA,EASpBZ,GAAQvN,KAAKoO,EAAKD,EAAG1K,MAAM,EAAG0K,EAAGlP,QAAQ,KAAO,IAChDkP,EAAKA,EAAG1K,MAAM0K,EAAGlP,QAAQ,KAAO,GAIxC,GAAIsP,GAAUC,GAAQxO,KAAKoO,EAAK,IAAMD,CAOtCI,GAAUA,EAAQtM,QAAQ,sBAAuB,SAAUyF,GACvD,MAAO,YAAcA,EAAMzF,QAAQ,KAAM,IAAIvD,OAAS,KAI1D,IAAI+P,GAAO,GAAI5K,QAAO0K,EAASX,EAAYG,UAAY,KAAO,IAI9DU,GAAKC,UAAYd,EAAYE,YAAYpP,OAEzC+P,EAAKzK,KAAK4J,EAAYI,QAO9B,QAASW,GAASC,GACd,GAAY,OAARA,EAAc,KAAM,IAAI1J,WAAU,6CAEtC,OAAmF,gBAA/D,KAAR0J,EAAsB,YAAcC,GAAA,OAAyBD,IAA2BA,EAC7FhS,OAAOgS,GAGlB,QAASE,GAASF,GACd,MAAmB,gBAARA,GAAyBA,EAC7BzQ,OAAOyQ,GAGlB,QAASG,GAAUH,GACf,GAAI7I,GAAS+I,EAASF,EACtB,OAAIxQ,OAAM2H,GAAgB,EACX,IAAXA,IAA6B,IAAZA,GAAiBA,IAAYmF,KAAYnF,KAAYmF,IAAiBnF,EACvFA,EAAS,GAA0C,EAAhC9C,KAAKgD,MAAMhD,KAAKiD,IAAIH,IACpC9C,KAAKgD,MAAMhD,KAAKiD,IAAIH,IAG/B,QAASiJ,GAASJ,GACd,GAAIjI,GAAMoI,EAAUH,EACpB,OAAIjI,IAAO,EAAU,EACjBA,IAAQuE,IAAiBjI,KAAKC,IAAI,EAAG,IAAM,EACxCD,KAAKgM,IAAItI,EAAK1D,KAAKC,IAAI,EAAG,IAAM,GAM3C,QAASgM,GAAsBhP,GAC3B,MAAImN,IAAIrN,KAAKE,EAAK,2BAAmCA,EAAIiP,wBAAwBC,IAE1EC,GAAU,MAuGrB,QAASC,GAAiBC,GACtBC,GAAgBD,EAkUpB,QAASE,GAAiBC,GAGtB,IAFA,GAAIzB,GAAIyB,EAAIhR,OAELuP,KAAK,CACR,GAAI0B,GAAKD,EAAIE,OAAO3B,EAEhB0B,IAAM,KAAOA,GAAM,MAAKD,EAAMA,EAAIjM,MAAM,EAAGwK,GAAK0B,EAAGE,cAAgBH,EAAIjM,MAAMwK,EAAI,IAGzF,MAAOyB,GAkBX,QAAoBI,GAA+BP,GAE/C,QAAKQ,GAAe3N,KAAKmN,MAGrBS,GAAgB5N,KAAKmN,KAGrBU,GAAkB7N,KAAKmN,IAoB/B,QAAoBW,GAAwBX,GACxC,GAAI7H,OAAQ,GACRyI,MAAQ,EAMZZ,GAASA,EAAOa,cAMhBD,EAAQZ,EAAOpQ,MAAM,IACrB,KAAK,GAAI8O,GAAI,EAAGjC,EAAMmE,EAAMzR,OAAQuP,EAAIjC,EAAKiC,IAEzC,GAAwB,IAApBkC,EAAMlC,GAAGvP,OAAcyR,EAAMlC,GAAKkC,EAAMlC,GAAG4B,kBAG1C,IAAwB,IAApBM,EAAMlC,GAAGvP,OAAcyR,EAAMlC,GAAKkC,EAAMlC,GAAG2B,OAAO,GAAGC,cAAgBM,EAAMlC,GAAGxK,MAAM,OAGpF,IAAwB,IAApB0M,EAAMlC,GAAGvP,QAA6B,MAAbyR,EAAMlC,GAAY,KAE5DsB,GAASf,GAAQxO,KAAKmQ,EAAO,MAMxBzI,EAAQ6H,EAAO7H,MAAM2I,MAAqB3I,EAAMhJ,OAAS,IAE1DgJ,EAAM4I,OAGNf,EAASA,EAAOtN,QAAQ4B,OAAO,MAAQwM,GAAgBhF,OAAS,KAAM,KAAMmD,GAAQxO,KAAK0H,EAAO,MAKhG2F,GAAIrN,KAAKuQ,GAAcC,KAAMjB,KAASA,EAASgB,GAAcC,KAAKjB,IAMtEY,EAAQZ,EAAOpQ,MAAM,IAErB,KAAK,GAAIkP,GAAK,EAAGoC,EAAON,EAAMzR,OAAQ2P,EAAKoC,EAAMpC,IACzChB,GAAIrN,KAAKuQ,GAAcG,QAASP,EAAM9B,IAAM8B,EAAM9B,GAAMkC,GAAcG,QAAQP,EAAM9B,IAAchB,GAAIrN,KAAKuQ,GAAcI,QAASR,EAAM9B,MACxI8B,EAAM9B,GAAMkC,GAAcI,QAAQR,EAAM9B,IAAK,GAGlC,IAAPA,GAAYkC,GAAcI,QAAQR,EAAM,IAAI,KAAOA,EAAM,KACzDA,EAAQ3C,GAASxN,KAAKmQ,EAAO9B,KAC7BoC,GAAQ,GAKpB,OAAOjC,IAAQxO,KAAKmQ,EAAO,KAQ/B,QAAoBS,KAChB,MAAOpB,IAaX,QAAoBqB,GAAyBC,GAEzC,GAAIC,GAAIpN,OAAOmN,GAIXE,EAAavB,EAAiBsB,EAKlC,QAAyC,IAArCE,GAAgB7O,KAAK4O,GAQ7B,QAAoBE,GAAuBC,GAIvC,OAAgBxS,KAAZwS,EAAuB,MAAO,IAAI7D,EAGtC,IAAI8D,GAAO,GAAI9D,EAMf6D,GAA6B,gBAAZA,IAAwBA,GAAWA,CAcpD,KAXA,GAAIlJ,GAAI0G,EAASwC,GAKbxK,EAAMqI,EAAS/G,EAAEvJ,QAGjBqN,EAAI,EAGDA,EAAIpF,GAAK,CAEZ,GAAI0K,GAAK1N,OAAOoI,EAOhB,IAHesF,IAAMpJ,GAGP,CAGV,GAAIqJ,GAASrJ,EAAEoJ,EAIf,IAAe,OAAXC,GAAqC,gBAAXA,IAA4G,gBAAlE,KAAXA,EAAyB,YAAczC,GAAA,OAAyByC,IAAuB,KAAM,IAAIpM,WAAU,iCAGxK,IAAIqM,GAAM5N,OAAO2N,EAKjB,KAAKxB,EAA+ByB,GAAM,KAAM,IAAI7G,YAAW,IAAM6G,EAAM,6CAK3EA,GAAMrB,EAAwBqB,IAIM,IAAhCC,GAAWxR,KAAKoR,EAAMG,IAAahE,GAAQvN,KAAKoR,EAAMG,GAI9DxF,IAIJ,MAAOqF,GAWX,QAAoBK,GAAoBC,EAAkBnC,GAKtD,IAHA,GAAIoC,GAAYpC,EAGToC,GAAW,CAGd,GAAIH,GAAWxR,KAAK0R,EAAkBC,IAAc,EAAG,MAAOA,EAK9D,IAAIC,GAAMD,EAAUE,YAAY,IAEhC,IAAID,EAAM,EAAG,MAITA,IAAO,GAAmC,MAA9BD,EAAU/B,OAAOgC,EAAM,KAAYA,GAAO,GAI1DD,EAAYA,EAAUG,UAAU,EAAGF,IAU3C,QAAoBG,GAAcL,EAAkBM,GAchD,IAZA,GAAI/D,GAAI,EAGJtH,EAAMqL,EAAiBtT,OAGvBuT,MAAkB,GAElB1C,MAAS,GACT2C,MAAqB,GAGlBjE,EAAItH,IAAQsL,GAGf1C,EAASyC,EAAiB/D,GAI1BiE,EAAqBvO,OAAO4L,GAAQtN,QAAQkQ,GAAiB,IAK7DF,EAAkBR,EAAoBC,EAAkBQ,GAGxDjE,GAIJ,IAAIpE,GAAS,GAAIuD,EAGjB,QAAwBzO,KAApBsT,GAKA,GAHApI,EAAO,cAAgBoI,EAGnBtO,OAAO4L,KAAY5L,OAAOuO,GAAqB,CAG/C,GAAIE,GAAY7C,EAAO7H,MAAMyK,IAAiB,GAI1CE,EAAiB9C,EAAOtQ,QAAQ,MAGpC4K,GAAO,iBAAmBuI,EAG1BvI,EAAO,sBAAwBwI,OAOnCxI,GAAO,cAAgB+G,GAG3B,OAAO/G,GAqBX,QAAoByI,GAAeZ,EAAkBM,GACjD,MAAOD,GAAcL,EAAkBM,GAS3C,QAAoBO,GAAcb,EAAkBM,EAAkBQ,EAASC,EAAuBC,GAClG,GAAgC,IAA5BhB,EAAiBhT,OACjB,KAAM,IAAIiU,gBAAe,wDAK7B,IAAIC,GAAUJ,EAAQ,qBAElBK,MAAI,EAOJA,GAJY,WAAZD,EAIIb,EAAcL,EAAkBM,GAOhCM,EAAeZ,EAAkBM,EAGzC,IAAIc,GAAcD,EAAE,cAEhBE,MAAmB,GACnBC,MAAyB,EAG7B,IAAI3F,GAAIrN,KAAK6S,EAAG,iBAAkB,CAE9B,GAAIT,GAAYS,EAAE,gBAOlBE,GAJYpP,OAAO9F,UAAUsB,MAIJa,KAAKoS,EAAW,KAGzCY,EAAyBD,EAAiBrU,OAI9C,GAAImL,GAAS,GAAIuD,EAGjBvD,GAAO,kBAAoBiJ,CAW3B,KARA,GAAIG,GAAqB,KAErBhF,EAAI,EAGJtH,EAAM8L,EAAsB/T,OAGzBuP,EAAItH,GAAK,CAGZ,GAAIF,GAAMgM,EAAsBxE,GAG5BiF,EAAkBR,EAAWI,GAG7BK,EAAgBD,EAAgBzM,GAGhC3J,EAAQqW,EAAc,GAEtBC,EAA6B,GAG7BnU,EAAUuS,EAGd,QAAyB7S,KAArBoU,EAAgC,CAIhC,GAAIM,GAASpU,EAAQe,KAAK+S,EAAkBtM,EAG5C,KAAgB,IAAZ4M,EAKA,GAAIA,EAAS,EAAIL,GAA0BD,EAAiBM,EAAS,GAAG3U,OAAS,EAAG,CAIhF,GAAI4U,GAAiBP,EAAiBM,EAAS,GAK3CE,EAAWtU,EAAQe,KAAKmT,EAAeG,IAGzB,IAAdC,IAEAzW,EAAQwW,EAGRF,EAA6B,IAAM3M,EAAM,IAAM3J,OAIlD,CAKG,GAAI0W,GAAYvU,EAAQkU,EAAe,SAGpB,IAAfK,IAEA1W,EAAQ,SAK5B,GAAIuQ,GAAIrN,KAAKwS,EAAS,KAAO/L,EAAM,MAAO,CAEtC,GAAIgN,GAAejB,EAAQ,KAAO/L,EAAM,OAKW,IAA/CxH,EAAQe,KAAKmT,EAAeM,IAExBA,IAAiB3W,IAEjBA,EAAQ2W,EAERL,EAA6B,IAKzCvJ,EAAO,KAAOpD,EAAM,MAAQ3J,EAG5BmW,GAAsBG,EAGtBnF,IAGJ,GAAIgF,EAAmBvU,OAAS,EAAG,CAE/B,GAAIgV,GAAeZ,EAAY7T,QAAQ,MAEvC,KAAsB,IAAlByU,EAEAZ,GAA4BG,MAG3B,CAMGH,EAJmBA,EAAYhB,UAAU,EAAG4B,GAIfT,EAFTH,EAAYhB,UAAU4B,GAMlDZ,EAAc5C,EAAwB4C,GAM1C,MAHAjJ,GAAO,cAAgBiJ,EAGhBjJ,EAUX,QAAoB8J,GAAuBjC,EAAkBM,GASzD,IAPA,GAAIrL,GAAMqL,EAAiBtT,OAEvBkV,EAAS,GAAItG,GAEbvB,EAAI,EAGDA,EAAIpF,GAAK,CAGZ,GAAI4I,GAASyC,EAAiBjG,OAWNpN,KAJF8S,EAAoBC,EAJjB/N,OAAO4L,GAAQtN,QAAQkQ,GAAiB,MAQ9B5E,GAAQvN,KAAK4T,EAAQrE,GAGxDxD,IAQJ,MAHkByB,IAASxN,KAAK4T,GAapC,QAAmBC,GAAwBnC,EAAkBM,GAEzD,MAAO2B,GAAuBjC,EAAkBM,GAWpD,QAAmB8B,GAAiBpC,EAAkBM,EAAkBQ,GACpE,GAAII,OAAU,GACVgB,MAAS,EAGb,QAAgBjV,KAAZ6T,IAEAA,EAAU,GAAIpF,GAAOuB,EAAS6D,QAMd7T,MAHhBiU,EAAUJ,EAAQuB,gBASE,YAJhBnB,EAAUjP,OAAOiP,KAIuB,aAAZA,GAAwB,KAAM,IAAIlI,YAAW,2CAQ7EkJ,OAJYjV,KAAZiU,GAAqC,aAAZA,EAIhBiB,EAAwBnC,EAAkBM,GAM1C2B,EAAuBjC,EAAkBM,EAGtD,KAAK,GAAIjK,KAAK6L,GACLvG,GAAIrN,KAAK4T,EAAQ7L,IAQtBlL,GAAe+W,EAAQ7L,GACnBpH,UAAU,EAAOD,cAAc,EAAO5D,MAAO8W,EAAO7L,IAO5D,OAHAlL,IAAe+W,EAAQ,UAAYjT,UAAU,IAGtCiT,EASX,QAAmBI,GAAUxB,EAASyB,EAAUzV,EAAMN,EAAQgW,GAG1D,GAAIpX,GAAQ0V,EAAQyB,EAGpB,QAActV,KAAV7B,EAAqB,CAOrB,GAHAA,EAAiB,YAAT0B,EAAqB2V,QAAQrX,GAAkB,WAAT0B,EAAoBmF,OAAO7G,GAASA,MAGnE6B,KAAXT,IAGwC,IAApCsT,GAAWxR,KAAK9B,EAAQpB,GAAe,KAAM,IAAI4N,YAAW,IAAM5N,EAAQ,kCAAoCmX,EAAW,IAIjI,OAAOnX,GAGX,MAAOoX,GAQX,QAAqBE,GAAgB5B,EAASyB,EAAUI,EAASC,EAASJ,GAGtE,GAAIpX,GAAQ0V,EAAQyB,EAGpB,QAActV,KAAV7B,EAAqB,CAMrB,GAJAA,EAAQqB,OAAOrB,GAIXsB,MAAMtB,IAAUA,EAAQuX,GAAWvX,EAAQwX,EAAS,KAAM,IAAI5J,YAAW,kDAG7E,OAAOzH,MAAKgD,MAAMnJ,GAGtB,MAAOoX,GAWX,QAASK,GAAoBpD,GAUrB,IALA,GAHAqD,GAAKtD,EAAuBC,GAGxBtH,KAEAlD,EAAM6N,EAAG9V,OACTqN,EAAI,EAEDA,EAAIpF,GACPkD,EAAOkC,GAAKyI,EAAGzI,GACfA,GAEJ,OAAOlC,GAmBf,QAAS4K,KACL,GAAItD,GAAU1S,UAAU,GACpB+T,EAAU/T,UAAU,EAExB,OAAKK,OAAQA,OAAS8N,GAIf8H,EAAuB/F,EAAS7P,MAAOqS,EAASqB,GAH5C,GAAI5F,IAAK+H,aAAaxD,EAASqB,GAsB9C,QAAsBkC,GAAuBE,EAAczD,EAASqB,GAEhE,GAAIqC,GAAW3F,EAAsB0F,GAGjCE,EAAgBrH,GAIpB,KAA8C,IAA1CoH,EAAS,6BAAuC,KAAM,IAAI3P,WAAU,+DAGxErI,IAAe+X,EAAc,2BACzB9X,MAAO,WAEH,GAAI2B,UAAU,KAAO2Q,GAAQ,MAAOyF,MAK5CA,EAAS,8BAA+B,CAIxC,IAAI7C,GAAmBd,EAAuBC,EAO1CqB,OAJY7T,KAAZ6T,KASU7D,EAAS6D,EAGvB,IAAIuC,GAAM,GAAI3H,GAOdwF,EAAUoB,EAAUxB,EAAS,gBAAiB,SAAU,GAAIlF,GAAK,SAAU,YAAa,WAGxFyH,GAAI,qBAAuBnC,CAM3B,IAAIF,GAAahF,GAAUiH,aAAa,kBAMpC9B,EAAIN,EAAc7E,GAAUiH,aAAa,wBAAyB3C,EAAkB+C,EAAKrH,GAAUiH,aAAa,6BAA8BjC,EAIlJmC,GAAS,cAAgBhC,EAAE,cAI3BgC,EAAS,uBAAyBhC,EAAE,UAGpCgC,EAAS,kBAAoBhC,EAAE,iBAG/B,IAAImC,GAAanC,EAAE,kBAKfoC,EAAIjB,EAAUxB,EAAS,QAAS,SAAU,GAAIlF,GAAK,UAAW,UAAW,YAAa,UAG1FuH,GAAS,aAAeI,CAIxB,IAAIlE,GAAIiD,EAAUxB,EAAS,WAAY,SAKvC,QAAU7T,KAANoS,IAAoBF,EAAyBE,GAAI,KAAM,IAAIrG,YAAW,IAAMqG,EAAI,iCAGpF,IAAU,aAANkE,OAA0BtW,KAANoS,EAAiB,KAAM,IAAI7L,WAAU,mDAE7D,IAAIgQ,OAAU,EAGJ,cAAND,IAEAlE,EAAIA,EAAElB,cAGNgF,EAAS,gBAAkB9D,EAI3BmE,EAAUC,EAAepE,GAM7B,IAAIqE,GAAKpB,EAAUxB,EAAS,kBAAmB,SAAU,GAAIlF,GAAK,OAAQ,SAAU,QAAS,SAInF,cAAN2H,IAAkBJ,EAAS,uBAAyBO,EAKxD,IAAIC,GAAOjB,EAAgB5B,EAAS,uBAAwB,EAAG,GAAI,EAGnEqC,GAAS,4BAA8BQ,CAIvC,IAAIC,GAAoB,aAANL,EAAmBC,EAAU,EAI3CK,EAAOnB,EAAgB5B,EAAS,wBAAyB,EAAG,GAAI8C,EAGpET,GAAS,6BAA+BU,CAKxC,IAAIC,GAAoB,aAANP,EAAmBhS,KAAK+I,IAAIuJ,EAAML,GAAiB,YAAND,EAAkBhS,KAAK+I,IAAIuJ,EAAM,GAAKtS,KAAK+I,IAAIuJ,EAAM,GAIhHE,EAAOrB,EAAgB5B,EAAS,wBAAyB+C,EAAM,GAAIC,EAGvEX,GAAS,6BAA+BY,CAIxC,IAAIC,GAAOlD,EAAQmD,yBAIfC,EAAOpD,EAAQqD,6BAGNlX,KAAT+W,OAA+B/W,KAATiX,IAItBF,EAAOtB,EAAgB5B,EAAS,2BAA4B,EAAG,GAAI,GAKnEoD,EAAOxB,EAAgB5B,EAAS,2BAA4BkD,EAAM,GAAI,IAKtEb,EAAS,gCAAkCa,EAC3Cb,EAAS,gCAAkCe,EAI/C,IAAIE,GAAI9B,EAAUxB,EAAS,cAAe,cAAW7T,IAAW,EAGhEkW,GAAS,mBAAqBiB,CAI9B,IAAIC,GAAiBrD,EAAWsC,GAI5BgB,EAAWD,EAAeC,SAM1BC,EAAgBD,EAASf,EA0B7B,OArBAJ,GAAS,uBAAyBoB,EAAcC,gBAKhDrB,EAAS,uBAAyBoB,EAAcE,gBAGhDtB,EAAS,uBAAqBlW,GAI9BkW,EAAS,gCAAiC,EAGtCuB,KAAKxB,EAAayB,OAASC,EAAgBtW,KAAK4U,IAGpDE,IAGOF,EAGX,QAASO,GAAerE,GAOpB,WAAwCnS,KAAjC4X,GAAmBzF,GAA0ByF,GAAmBzF,GAAY,EA6DvF,QAASwF,KACL,GAAIzB,GAAoB,OAAT/V,MAAoD,WAAnC+P,GAAA,OAAyB/P,OAAsBoQ,EAAsBpQ,KAGrG,KAAK+V,IAAaA,EAAS,+BAAgC,KAAM,IAAI3P,WAAU,4EAO/E,QAAoCvG,KAAhCkW,EAAS,mBAAkC,CAK3C,GAAI/P,GAAI,SAAWhI,GAKf,MAAO0Z,GAAa1X,KAAeX,OAAOrB,KAQ1C2Z,EAAKC,GAAO1W,KAAK8E,EAAGhG,KAIxB+V,GAAS,mBAAqB4B,EAIlC,MAAO5B,GAAS,mBAGpB,QAAS8B,KACL,GAAI7Z,GAAQ2B,UAAUC,QAAU,OAAsBC,KAAjBF,UAAU,OAAmBE,GAAYF,UAAU,GAEpFoW,EAAoB,OAAT/V,MAAoD,WAAnC+P,GAAA,OAAyB/P,OAAsBoQ,EAAsBpQ,KACrG,KAAK+V,IAAaA,EAAS,+BAAgC,KAAM,IAAI3P,WAAU,mFAG/E,OAAO0R,GAAoB9X,KADnBX,OAAOrB,IAenB,QAAS8Z,GAAoBhC,EAAcvU,GAQvC,IAAK,GAND8P,GAAQ0G,EAAuBjC,EAAcvU,GAE7CwJ,KAEA5M,EAAI,EAECgR,EAAI,EAAGkC,EAAMzR,OAASuP,EAAGA,IAAK,CACnC,GAAI6I,GAAO3G,EAAMlC,GAEbhG,IAEJA,GAAEzJ,KAAOsY,EAAK,YAEd7O,EAAEnL,MAAQga,EAAK,aAEfjN,EAAO5M,GAAKgL,EAEZhL,GAAK,EAGT,MAAO4M,GAOX,QAASgN,GAAuBjC,EAAcvU,GAE1C,GAAIwU,GAAW3F,EAAsB0F,GACjCrF,EAASsF,EAAS,kBAClBkC,EAAOlC,EAAS,uBAChB7V,EAAO0O,GAAUiH,aAAa,kBAAkBpF,GAChDyH,EAAMhY,EAAKiY,QAAQF,IAAS/X,EAAKiY,QAAQC,KACzCC,MAAU,IAGT/Y,MAAMiC,IAAMA,EAAI,GAEjBA,GAAKA,EAEL8W,EAAUtC,EAAS,wBAKfsC,EAAUtC,EAAS,sBAa3B,KAVA,GAAIhL,GAAS,GAAIyD,GAEb8J,EAAaD,EAAQlY,QAAQ,IAAK,GAElCoY,EAAW,EAEXC,EAAY,EAEZ5Y,EAASyY,EAAQzY,OAEd0Y,GAAc,GAAKA,EAAa1Y,GAAQ,CAI3C,IAAkB,KAFlB2Y,EAAWF,EAAQlY,QAAQ,IAAKmY,IAEX,KAAM,IAAIG,MAE/B,IAAIH,EAAaE,EAAW,CAExB,GAAIE,GAAUL,EAAQrF,UAAUwF,EAAWF,EAE3C7J,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAaF,IAG/D,GAAIG,GAAIR,EAAQrF,UAAUsF,EAAa,EAAGC,EAE1C,IAAU,WAANM,EAEA,GAAIvZ,MAAMiC,GAAI,CAEV,GAAIpD,GAAI+Z,EAAIY,GAEZrK,IAAQvN,KAAK6J,GAAU4N,WAAY,MAAOC,YAAaza,QAGtD,IAAKgO,SAAS5K,GAOV,CAEiC,YAA1BwU,EAAS,cAA8B5J,SAAS5K,KAAIA,GAAK,IAE7D,IAAIwX,OAAM,EAINA,GAFAxK,GAAIrN,KAAK6U,EAAU,iCAAmCxH,GAAIrN,KAAK6U,EAAU,gCAEnEiD,EAAezX,EAAGwU,EAAS,gCAAiCA,EAAS,iCAKjEkD,EAAW1X,EAAGwU,EAAS,4BAA6BA,EAAS,6BAA8BA,EAAS,8BAG9GmD,GAAOjB,GACP,WAEI,GAAIkB,GAASD,GAAOjB,EAEpBc,GAAMlU,OAAOkU,GAAK5V,QAAQ,MAAO,SAAUiW,GACvC,MAAOD,GAAOC,QAKrBL,EAAMlU,OAAOkU,EAElB,IAAIM,OAAU,GACVC,MAAW,GAEXC,EAAkBR,EAAI5Y,QAAQ,IAAK,EAgBvC,IAdIoZ,EAAkB,GAElBF,EAAUN,EAAI/F,UAAU,EAAGuG,GAE3BD,EAAWP,EAAI/F,UAAUuG,EAAkB,EAAGA,EAAgB3Z,UAK1DyZ,EAAUN,EAEVO,MAAWzZ,KAGiB,IAAhCkW,EAAS,mBAA6B,CAEtC,GAAIyD,GAAiBtB,EAAIuB,MAErBC,KAGAC,EAASzZ,EAAKgX,SAAS0C,kBAAoB,EAE3CC,EAAS3Z,EAAKgX,SAAS4C,oBAAsBH,CAEjD,IAAIN,EAAQzZ,OAAS+Z,EAAQ,CAEzB,GAAII,GAAMV,EAAQzZ,OAAS+Z,EAEvBK,EAAMD,EAAMF,EACZI,EAAQZ,EAAQ1U,MAAM,EAAGqV,EAG7B,KAFIC,EAAMra,QAAQ6O,GAAQvN,KAAKwY,EAAQO,GAEhCD,EAAMD,GACTtL,GAAQvN,KAAKwY,EAAQL,EAAQ1U,MAAMqV,EAAKA,EAAMH,IAC9CG,GAAOH,CAGXpL,IAAQvN,KAAKwY,EAAQL,EAAQ1U,MAAMoV,QAEnCtL,IAAQvN,KAAKwY,EAAQL,EAGzB,IAAsB,IAAlBK,EAAO9Z,OAAc,KAAM,IAAI6Y,MAEnC,MAAOiB,EAAO9Z,QAAQ,CAElB,GAAIsa,GAAeC,GAASjZ,KAAKwY,EAEjCjL,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAasB,IAEvDR,EAAO9Z,QAEP6O,GAAQvN,KAAK6J,GAAU4N,WAAY,QAASC,YAAaY,SAO7D/K,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAaS,GAGnE,QAAiBxZ,KAAbyZ,EAAwB,CAExB,GAAIc,GAAmBlC,EAAImC,OAE3B5L,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAawB,IAE3D3L,GAAQvN,KAAK6J,GAAU4N,WAAY,WAAYC,YAAaU,SA9GrD,CAEf,GAAIgB,GAAKpC,EAAIqC,QAEb9L,IAAQvN,KAAK6J,GAAU4N,WAAY,WAAYC,YAAa0B,QA+GnE,IAAU,aAANzB,EAAkB,CAEnB,GAAI2B,GAAiBtC,EAAIuC,QAEzBhM,IAAQvN,KAAK6J,GAAU4N,WAAY,WAAYC,YAAa4B,QAG3D,IAAU,cAAN3B,EAAmB,CAEpB,GAAI6B,GAAkBxC,EAAIyC,SAE1BlM,IAAQvN,KAAK6J,GAAU4N,WAAY,YAAaC,YAAa8B,QAG5D,IAAU,gBAAN7B,GAAiD,YAA1B9C,EAAS,aAA4B,CAE7D,GAAI6E,GAAoB1C,EAAI2C,WAE5BpM,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAagC,QAG1D,IAAU,aAAN/B,GAA8C,aAA1B9C,EAAS,aAA6B,CAE3D,GAAI/D,GAAW+D,EAAS,gBAEpBO,MAAK,EAG+B,UAApCP,EAAS,uBAETO,EAAKtE,EAGoC,WAApC+D,EAAS,uBAEVO,EAAKpW,EAAK4a,WAAW9I,IAAaA,EAGO,SAApC+D,EAAS,yBAEVO,EAAKtE,GAGjBvD,GAAQvN,KAAK6J,GAAU4N,WAAY,WAAYC,YAAatC,QAG3D,CAEG,GAAIyE,GAAW1C,EAAQrF,UAAUsF,EAAYC,EAE7C9J,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAamC,IAGnFvC,EAAYD,EAAW,EAEvBD,EAAaD,EAAQlY,QAAQ,IAAKqY,GAGtC,GAAIA,EAAY5Y,EAAQ,CAEpB,GAAIob,GAAY3C,EAAQrF,UAAUwF,EAAW5Y,EAE7C6O,IAAQvN,KAAK6J,GAAU4N,WAAY,UAAWC,YAAaoC,IAG/D,MAAOjQ,GAOX,QAAS2M,GAAa5B,EAAcvU,GAMhC,IAAK,GAJD8P,GAAQ0G,EAAuBjC,EAAcvU,GAE7CwJ,EAAS,GAEJoE,EAAI,EAAGkC,EAAMzR,OAASuP,EAAGA,IAAK,CAGnCpE,GAFWsG,EAAMlC,GAEF,aAGnB,MAAOpE,GAQX,QAASiO,GAAezX,EAAG0Z,EAAcC,GAErC,GAAIrC,GAAIqC,EAEJ1L,MAAI,GACJhO,MAAI,EAGR,IAAU,IAAND,EAEAiO,EAAIE,GAAQxO,KAAKpC,MAAM+Z,EAAI,GAAI,KAE/BrX,EAAI,MAGH,CAKGA,EAAIyM,EAAW9J,KAAKiD,IAAI7F,GAGxB,IAAI+F,GAAInD,KAAKgK,MAAMhK,KAAKgX,IAAIhX,KAAKiD,IAAI5F,EAAIqX,EAAI,GAAK1U,KAAKiX,MAIvD5L,GAAI3K,OAAOV,KAAKgK,MAAM3M,EAAIqX,EAAI,EAAI,EAAItX,EAAI+F,EAAI/F,EAAI+F,IAI1D,GAAI9F,GAAKqX,EAEL,MAAOrJ,GAAIE,GAAQxO,KAAKpC,MAAM0C,EAAIqX,EAAI,EAAI,GAAI,IAG7C,IAAIrX,IAAMqX,EAAI,EAEX,MAAOrJ,EAef,IAZahO,GAAK,EAGNgO,EAAIA,EAAE7K,MAAM,EAAGnD,EAAI,GAAK,IAAMgO,EAAE7K,MAAMnD,EAAI,GAGrCA,EAAI,IAGLgO,EAAI,KAAOE,GAAQxO,KAAKpC,MAAiB,GAAT0C,EAAI,IAAS,KAAOgO,GAGhEA,EAAErP,QAAQ,MAAQ,GAAK+a,EAAeD,EAAc,CAKpD,IAHA,GAAII,GAAMH,EAAeD,EAGlBI,EAAM,GAAgC,MAA3B7L,EAAEsB,OAAOtB,EAAE5P,OAAS,IAElC4P,EAAIA,EAAE7K,MAAM,GAAI,GAGhB0W,GAI2B,OAA3B7L,EAAEsB,OAAOtB,EAAE5P,OAAS,KAEpB4P,EAAIA,EAAE7K,MAAM,GAAI,IAGxB,MAAO6K,GAWX,QAASyJ,GAAW1X,EAAG+Z,EAAYC,EAAaC,GAE5C,GAAIlU,GAAIkU,EAEJrd,EAAIgG,KAAKC,IAAI,GAAIkD,GAAK/F,EAEtBiO,EAAU,IAANrR,EAAU,IAAMA,EAAEsd,QAAQ,GAK1BzB,MAAM,GACNmB,GAAOnB,EAAMxK,EAAErP,QAAQ,OAAS,EAAIqP,EAAE7K,MAAMqV,EAAM,GAAK,CACvDmB,KACA3L,EAAIA,EAAE7K,MAAM,EAAGqV,GAAK7W,QAAQ,IAAK,IACjCqM,GAAKE,GAAQxO,KAAKpC,MAAMqc,GAAO3L,EAAE5P,OAAS,GAAK,GAAI,KAI3D,IAAI8b,OAAM,EAEV,IAAU,IAANpU,EAAS,CAET,GAAI2F,GAAIuC,EAAE5P,MAEV,IAAIqN,GAAK3F,EAAG,CAIRkI,EAFQE,GAAQxO,KAAKpC,MAAMwI,EAAI,EAAI2F,EAAI,GAAI,KAEnCuC,EAERvC,EAAI3F,EAAI,EAGZ,GAAIrI,GAAIuQ,EAAEwD,UAAU,EAAG/F,EAAI3F,EAG3BkI,GAAIvQ,EAAI,IAFAuQ,EAAEwD,UAAU/F,EAAI3F,EAAGkI,EAAE5P,QAI7B8b,EAAMzc,EAAEW,WAGP8b,GAAMlM,EAAE5P,MAIb,KAFA,GAAIyb,GAAMG,EAAcD,EAEjBF,EAAM,GAAqB,MAAhB7L,EAAE7K,OAAO,IAEvB6K,EAAIA,EAAE7K,MAAM,GAAI,GAEhB0W,GAQJ,IALoB,MAAhB7L,EAAE7K,OAAO,KAET6K,EAAIA,EAAE7K,MAAM,GAAI,IAGhB+W,EAAMJ,EAAY,CAIlB9L,EAFSE,GAAQxO,KAAKpC,MAAMwc,EAAaI,EAAM,GAAI,KAE1ClM,EAGb,MAAOA,GA6EX,QAASmM,GAAiBva,GACtB,IAAK,GAAI+N,GAAI,EAAGA,EAAIyM,GAAOhc,OAAQuP,GAAK,EACpC,GAAI/N,EAAImB,eAAeqZ,GAAOzM,IAC1B,OAAO,CAGf,QAAO,EAGX,QAAS0M,GAAiBza,GACtB,IAAK,GAAI+N,GAAI,EAAGA,EAAI2M,GAAOlc,OAAQuP,GAAK,EACpC,GAAI/N,EAAImB,eAAeuZ,GAAO3M,IAC1B,OAAO,CAGf,QAAO,EAGX,QAAS4M,GAAuBC,EAAeC,GAE3C,IAAK,GADDC,IAAM5a,MACD6N,EAAI,EAAGA,EAAI2M,GAAOlc,OAAQuP,GAAK,EAChC6M,EAAcF,GAAO3M,MACrB+M,EAAEJ,GAAO3M,IAAM6M,EAAcF,GAAO3M,KAEpC6M,EAAc1a,EAAEwa,GAAO3M,MACvB+M,EAAE5a,EAAEwa,GAAO3M,IAAM6M,EAAc1a,EAAEwa,GAAO3M,IAGhD,KAAK,GAAIgN,GAAI,EAAGA,EAAIP,GAAOhc,OAAQuc,GAAK,EAChCF,EAAcL,GAAOO,MACrBD,EAAEN,GAAOO,IAAMF,EAAcL,GAAOO,KAEpCF,EAAc3a,EAAEsa,GAAOO,MACvBD,EAAE5a,EAAEsa,GAAOO,IAAMF,EAAc3a,EAAEsa,GAAOO,IAGhD,OAAOD,GAGX,QAASE,GAAqBC,GAW1B,MANAA,GAAUC,UAAYD,EAAUE,gBAAgBpZ,QAAQ,aAAc,SAAUqZ,EAAI9D,GAChF,MAAOA,IAAoB,MAI/B2D,EAAUhE,QAAUgE,EAAUC,UAAUnZ,QAAQ,SAAU,IAAIA,QAAQsZ,GAAmB,IAClFJ,EAGX,QAASK,GAAoBF,EAAIH,GAC7B,OAAQG,EAAG1L,OAAO,IAEd,IAAK,IAED,MADAuL,GAAUM,KAAO,QAAS,QAAS,QAAS,OAAQ,UAAUH,EAAG5c,OAAS,GACnE,OAGX,KAAK,IACL,IAAK,IACL,IAAK,IACL,IAAK,IACL,IAAK,IAED,MADAyc,GAAUO,KAAqB,IAAdJ,EAAG5c,OAAe,UAAY,UACxC,QAGX,KAAK,IACL,IAAK,IAED,MADAyc,GAAUQ,SAAW,UAAW,UAAW,QAAS,OAAQ,UAAUL,EAAG5c,OAAS,GAC3E,WAGX,KAAK,IACL,IAAK,IAED,MADAyc,GAAUS,OAAS,UAAW,UAAW,QAAS,OAAQ,UAAUN,EAAG5c,OAAS,GACzE,SAGX,KAAK,IAGD,MADAyc,GAAUU,KAAqB,IAAdP,EAAG5c,OAAe,UAAY,UACxC,WACX,KAAK,IAGD,MADAyc,GAAUU,KAAO,UACV,WAGX,KAAK,IAGD,MADAV,GAAUW,IAAoB,IAAdR,EAAG5c,OAAe,UAAY,UACvC,OACX,KAAK,IACL,IAAK,IACL,IAAK,IAGD,MADAyc,GAAUW,IAAM,UACT,OAGX,KAAK,IAGD,MADAX,GAAUY,SAAW,QAAS,QAAS,QAAS,OAAQ,SAAU,SAAST,EAAG5c,OAAS,GAChF,WACX,KAAK,IAGD,MADAyc,GAAUY,SAAW,UAAW,UAAW,QAAS,OAAQ,SAAU,SAAST,EAAG5c,OAAS,GACpF,WACX,KAAK,IAGD,MADAyc,GAAUY,SAAW,cAAWpd,GAAW,QAAS,OAAQ,SAAU,SAAS2c,EAAG5c,OAAS,GACpF,WAGX,KAAK,IACL,IAAK,IACL,IAAK,IAGD,MADAyc,GAAUa,QAAS,EACZ,QAGX,KAAK,IACL,IAAK,IAED,MADAb,GAAUc,KAAqB,IAAdX,EAAG5c,OAAe,UAAY,UACxC,QACX,KAAK,IACL,IAAK,IAGD,MAFAyc,GAAUa,QAAS,EACnBb,EAAUc,KAAqB,IAAdX,EAAG5c,OAAe,UAAY,UACxC,QAGX,KAAK,IAED,MADAyc,GAAUe,OAAuB,IAAdZ,EAAG5c,OAAe,UAAY,UAC1C,UAGX,KAAK,IAED,MADAyc,GAAUtQ,OAAuB,IAAdyQ,EAAG5c,OAAe,UAAY,UAC1C,UACX,KAAK,IACL,IAAK,IAED,MADAyc,GAAUtQ,OAAS,UACZ,UAGX,KAAK,IACL,IAAK,IACL,IAAK,IACL,IAAK,IACL,IAAK,IACL,IAAK,IACL,IAAK,IAID,MADAsQ,GAAUgB,aAAeb,EAAG5c,OAAS,EAAI,QAAU,OAC5C,kBAQnB,QAAS0d,GAAqBC,EAAUlF,GAEpC,IAAImF,GAAala,KAAK+U,GAAtB,CAEA,GAAIgE,IACAoB,gBAAiBpF,EACjB/W,KAoBJ,OAfA+a,GAAUE,gBAAkBlE,EAAQlV,QAAQua,GAAiB,SAAUlB,GAEnE,MAAOE,GAAoBF,EAAIH,EAAU/a,KAQ7Cic,EAASpa,QAAQua,GAAiB,SAAUlB,GAExC,MAAOE,GAAoBF,EAAIH,KAG5BD,EAAqBC,IAsBhC,QAASsB,GAAsBC,GAC3B,GAAIC,GAAmBD,EAAQC,iBAC3BC,EAAcF,EAAQE,YACtBC,EAAcH,EAAQG,YACtBhT,KACAwS,MAAW,GACXlF,MAAU,GACV2F,MAAW,GACX7O,MAAI,GACJgN,MAAI,GACJ8B,KACAC,IAGJ,KAAKX,IAAYM,GACTA,EAAiBtb,eAAegb,KAChClF,EAAUwF,EAAiBN,IAC3BS,EAAWV,EAAqBC,EAAUlF,MAEtCtN,EAAOyC,KAAKwQ,GAIRrC,EAAiBqC,GACjBE,EAAmB1Q,KAAKwQ,GACjBnC,EAAiBmC,IACxBC,EAAmBzQ,KAAKwQ,IAOxC,KAAKT,IAAYO,GACTA,EAAYvb,eAAegb,KAC3BlF,EAAUyF,EAAYP,IACtBS,EAAWV,EAAqBC,EAAUlF,MAEtCtN,EAAOyC,KAAKwQ,GACZC,EAAmBzQ,KAAKwQ,IAMpC,KAAKT,IAAYQ,GACTA,EAAYxb,eAAegb,KAC3BlF,EAAU0F,EAAYR,IACtBS,EAAWV,EAAqBC,EAAUlF,MAEtCtN,EAAOyC,KAAKwQ,GACZE,EAAmB1Q,KAAKwQ,IASpC,KAAK7O,EAAI,EAAGA,EAAI8O,EAAmBre,OAAQuP,GAAK,EAC5C,IAAKgN,EAAI,EAAGA,EAAI+B,EAAmBte,OAAQuc,GAAK,EAExC9D,EADgC,SAAhC6F,EAAmB/B,GAAGW,MACZoB,EAAmB/B,GAAGc,QAAUW,EAAQO,KAAOP,EAAQQ,KAC1B,UAAhCF,EAAmB/B,GAAGW,MACnBc,EAAQS,OAERT,EAAQU,MAEtBN,EAAWjC,EAAuBmC,EAAmB/B,GAAI8B,EAAmB9O,IAC5E6O,EAASP,gBAAkBpF,EAC3B2F,EAASzB,gBAAkBlE,EAAQlV,QAAQ,MAAO8a,EAAmB9O,GAAGoN,iBAAiBpZ,QAAQ,MAAO+a,EAAmB/B,GAAGI,iBAAiBpZ,QAAQ,oBAAqB,IAC5K4H,EAAOyC,KAAK4O,EAAqB4B,GAIzC,OAAOjT,GAsCX,QAASwT,GAAwBC,EAAUC,GACvC,GAAIC,GAAoBF,IAAaE,GAAoBF,GAAUC,GAAY,CAC3E,GAAIE,EAEJ,OAAOA,IACHlB,gBAAiBiB,GAAoBF,GAAUC,GAC/Cnd,EAAGsd,MAAqBJ,EAAUC,GAClClC,gBAAiB,IAAMiC,EAAW,KACnCI,GAAiBD,EAAOH,EAAUC,GAAYG,GAAiBD,EAAO,YAAa,IAAMH,EAAW,KAAMI,GAAiBD,EAAO,UAAW,IAAMH,EAAW,KAAMG,GAW/K,QAASE,GAAkB3e,EAAM4e,EAAIC,EAAWC,EAAOrX,GAInD,GAAIvG,GAAMlB,EAAK4e,IAAO5e,EAAK4e,GAAIC,GAAa7e,EAAK4e,GAAIC,GAAa7e,EAAK+e,QAAQF,GAI/EG,GACIC,QAAS,QAAS,QAClBb,OAAQ,OAAQ,UAChBF,MAAO,QAAS,WAKpBgB,EAAW7Q,GAAIrN,KAAKE,EAAK4d,GAAS5d,EAAI4d,GAASzQ,GAAIrN,KAAKE,EAAK8d,EAAKF,GAAO,IAAM5d,EAAI8d,EAAKF,GAAO,IAAM5d,EAAI8d,EAAKF,GAAO,GAGrH,OAAe,QAARrX,EAAeyX,EAASzX,GAAOyX,EAI1C,QAASC,KACL,GAAIhN,GAAU1S,UAAU,GACpB+T,EAAU/T,UAAU,EAExB,OAAKK,OAAQA,OAAS8N,GAGfwR,EAAyBzP,EAAS7P,MAAOqS,EAASqB,GAF9C,GAAI5F,IAAKyR,eAAelN,EAASqB,GAqBhD,QAAuB4L,GAAyBE,EAAgBnN,EAASqB,GAErE,GAAIqC,GAAW3F,EAAsBoP,GAGjCxJ,EAAgBrH,GAIpB,KAA8C,IAA1CoH,EAAS,6BAAuC,KAAM,IAAI3P,WAAU,+DAGxErI,IAAeyhB,EAAgB,2BAC3BxhB,MAAO,WAEH,GAAI2B,UAAU,KAAO2Q,GAAQ,MAAOyF,MAK5CA,EAAS,8BAA+B,CAIxC,IAAI7C,GAAmBd,EAAuBC,EAI9CqB,GAAU+L,EAAkB/L,EAAS,MAAO,OAG5C,IAAIuC,GAAM,GAAI3H,GAKVwF,EAAUoB,EAAUxB,EAAS,gBAAiB,SAAU,GAAIlF,GAAK,SAAU,YAAa,WAG5FyH,GAAI,qBAAuBnC,CAI3B,IAAIyL,GAAiB3Q,GAAU2Q,eAI3B3L,EAAa2L,EAAe,kBAM5BxL,EAAIN,EAAc8L,EAAe,wBAAyBrM,EAAkB+C,EAAKsJ,EAAe,6BAA8B3L,EAIlImC,GAAS,cAAgBhC,EAAE,cAI3BgC,EAAS,gBAAkBhC,EAAE,UAI7BgC,EAAS,uBAAyBhC,EAAE,UAGpCgC,EAAS,kBAAoBhC,EAAE,iBAG/B,IAAImC,GAAanC,EAAE,kBAIf2L,EAAKhM,EAAQiM,QAGjB,QAAW9f,KAAP6f,GAUW,SAJXA,EAAK/O,EAAiB+O,IAIJ,KAAM,IAAI9T,YAAW,6BAI3CmK,GAAS,gBAAkB2J,EAG3BzJ,EAAM,GAAI3H,EAGV,KAAK,GAAIsR,KAAQC,IACb,GAAKtR,GAAIrN,KAAK2e,GAAoBD,GAAlC,CAOA,GAAI5hB,GAAQkX,EAAUxB,EAASkM,EAAM,SAAUC,GAAmBD,GAGlE3J,GAAI,KAAO2J,EAAO,MAAQ5hB,EAI9B,GAAI8hB,OAAa,GAIb7I,EAAiBrD,EAAWsC,GAK5B0H,EAAUmC,EAAkB9I,EAAe2G,QAY/C,IAPA9J,EAAUoB,EAAUxB,EAAS,gBAAiB,SAAU,GAAIlF,GAAK,QAAS,YAAa,YAIvFyI,EAAe2G,QAAUA,EAGT,UAAZ9J,EAGAgM,EAAaE,EAAmB/J,EAAK2H,OAGlC,CAGC,GAAIqC,GAAM/K,EAAUxB,EAAS,SAAU,UACvCuC,GAAIiH,WAAiBrd,KAARogB,EAAoBhJ,EAAeiG,OAAS+C,EAI7DH,EAAaI,EAAqBjK,EAAK2H,GAI3C,IAAK,GAAIuC,KAASN,IACd,GAAKtR,GAAIrN,KAAK2e,GAAoBM,IAM9B5R,GAAIrN,KAAK4e,EAAYK,GAAQ,CAG7B,GAAItH,GAAIiH,EAAWK,EAGftH,GAAIiH,EAAWxe,GAAKiN,GAAIrN,KAAK4e,EAAWxe,EAAG6e,GAASL,EAAWxe,EAAE6e,GAAStH,EAI9E9C,EAAS,KAAOoK,EAAQ,MAAQtH,EAIxC,GAAIR,OAAU,GAIV+H,EAAOlL,EAAUxB,EAAS,SAAU,UAGxC,IAAIqC,EAAS,YAST,GANAqK,MAAgBvgB,KAATugB,EAAqBnJ,EAAeiG,OAASkD,EAGpDrK,EAAS,cAAgBqK,GAGZ,IAATA,EAAe,CAGf,GAAIC,GAAUpJ,EAAeoJ,OAG7BtK,GAAS,eAAiBsK,EAI1BhI,EAAUyH,EAAWxD,cAOrBjE,GAAUyH,EAAWzH,YAOzBA,GAAUyH,EAAWzH,OAmBzB,OAhBAtC,GAAS,eAAiBsC,EAG1BtC,EAAS,uBAAqBlW,GAI9BkW,EAAS,kCAAmC,EAGxCuB,KAAKkI,EAAejI,OAAS+I,EAAkBpf,KAAKse,IAGxDxJ,IAGOwJ,EAuBX,QAASO,GAAkBnC,GACvB,MAAgD,mBAA5C9f,OAAOiB,UAAUgC,SAASG,KAAK0c,GACxBA,EAEJD,EAAsBC,GAOjC,QAAS6B,GAAkB/L,EAAS6M,EAAUC,GAG1C,OAAgB3gB,KAAZ6T,EAAuBA,EAAU,SAAU,CAE3C,GAAI+M,GAAO5Q,EAAS6D,EACpBA,GAAU,GAAIpF,EAEd,KAAK,GAAIrB,KAAKwT,GACV/M,EAAQzG,GAAKwT,EAAKxT,GAU1ByG,EALanD,GAKImD,EAGjB,IAAIgN,IAAe,CAmCnB,OAhCiB,SAAbH,GAAoC,QAAbA,OAIC1gB,KAApB6T,EAAQuJ,aAA0Cpd,KAAjB6T,EAAQkJ,UAAwC/c,KAAlB6T,EAAQoJ,WAAuCjd,KAAhB6T,EAAQsJ,MAAmB0D,GAAe,GAI/H,SAAbH,GAAoC,QAAbA,OAIF1gB,KAAjB6T,EAAQyJ,UAAyCtd,KAAnB6T,EAAQ0J,YAA2Cvd,KAAnB6T,EAAQ3H,SAAsB2U,GAAe,IAI/GA,GAA8B,SAAbF,GAAoC,QAAbA,IAKxC9M,EAAQkJ,KAAOlJ,EAAQoJ,MAAQpJ,EAAQsJ,IAAM,YAG7C0D,GAA8B,SAAbF,GAAoC,QAAbA,IAKxC9M,EAAQyJ,KAAOzJ,EAAQ0J,OAAS1J,EAAQ3H,OAAS,WAG9C2H,EAOX,QAASsM,GAAmBtM,EAASkK,GAkCjC,IAhCA,GAkBI+C,IAAavU,IAGb0T,MAAa,GAGb3Q,EAAI,EAKJtH,EAAM+V,EAAQhe,OAGXuP,EAAItH,GAAK,CAEZ,GAAI0P,GAASqG,EAAQzO,GAGjByR,EAAQ,CAGZ,KAAK,GAAIzL,KAAY0K,IACjB,GAAKtR,GAAIrN,KAAK2e,GAAoB1K,GAAlC,CAGA,GAAI0L,GAAcnN,EAAQ,KAAOyB,EAAW,MAMxC2L,EAAavS,GAAIrN,KAAKqW,EAAQpC,GAAYoC,EAAOpC,OAAYtV,EAIjE,QAAoBA,KAAhBghB,OAA4ChhB,KAAfihB,EAA0BF,GAnD7C,OAuDT,QAAoB/gB,KAAhBghB,OAA4ChhB,KAAfihB,EAA0BF,GA1DnD,QA6DJ,CAGG,GAAIxhB,IAAU,UAAW,UAAW,SAAU,QAAS,QAGnD2hB,EAAmBrO,GAAWxR,KAAK9B,EAAQyhB,GAG3CG,EAAkBtO,GAAWxR,KAAK9B,EAAQ0hB,GAG1CG,EAAQ9c,KAAK+I,IAAI/I,KAAKgM,IAAI6Q,EAAkBD,EAAkB,IAAK,EAGzD,KAAVE,EAAaL,GAnEf,EAsEiB,IAAVK,EAAaL,GAhEnB,GAmEqB,IAAXK,EAAcL,GAtExB,GAyEyB,IAAXK,IAAcL,GA/E7B,IAoFdA,EAAQD,IAERA,EAAYC,EAGZd,EAAavI,GAIjBpI,IAIJ,MAAO2Q,GAmDX,QAASI,GAAqBxM,EAASkK,GAS/B,GAAIsD,KACJ,KAAK,GAAI/L,KAAY0K,IACZtR,GAAIrN,KAAK2e,GAAoB1K,QAEMtV,KAApC6T,EAAQ,KAAOyB,EAAW,OAC1B+L,EAAiB1T,KAAK2H,EAG9B,IAAgC,IAA5B+L,EAAiBthB,OAAc,CAC/B,GAAIuhB,GAAc5C,EAAwB2C,EAAiB,GAAIxN,EAAQ,KAAOwN,EAAiB,GAAK,MACpG,IAAIC,EACA,MAAOA,GA0CnB,IApCA,GAsBIR,IAAavU,IAGb0T,MAAa,GAGb3Q,EAAI,EAKJtH,EAAM+V,EAAQhe,OAGXuP,EAAItH,GAAK,CAEZ,GAAI0P,GAASqG,EAAQzO,GAGjByR,EAAQ,CAGZ,KAAK,GAAIQ,KAAavB,IAClB,GAAKtR,GAAIrN,KAAK2e,GAAoBuB,GAAlC,CAGA,GAAIP,GAAcnN,EAAQ,KAAO0N,EAAY,MAMzCN,EAAavS,GAAIrN,KAAKqW,EAAQ6J,GAAa7J,EAAO6J,OAAavhB,GAI/DwhB,EAAc9S,GAAIrN,KAAKqW,EAAOjW,EAAG8f,GAAa7J,EAAOjW,EAAE8f,OAAavhB,EAOxE,IANIghB,IAAgBQ,IAChBT,GA3CS,OAgDO/gB,KAAhBghB,OAA4ChhB,KAAfihB,EAA0BF,GA9D7C,OAkET,QAAoB/gB,KAAhBghB,OAA4ChhB,KAAfihB,EAA0BF,GArEnD,QAwEJ,CAGG,GAAIxhB,IAAU,UAAW,UAAW,SAAU,QAAS,QAGnD2hB,EAAmBrO,GAAWxR,KAAK9B,EAAQyhB,GAG3CG,EAAkBtO,GAAWxR,KAAK9B,EAAQ0hB,GAG1CG,EAAQ9c,KAAK+I,IAAI/I,KAAKgM,IAAI6Q,EAAkBD,EAAkB,IAAK,EAK/DC,IAAmB,GAAKD,GAAoB,GAAKC,GAAmB,GAAKD,GAAoB,EAEzFE,EAAQ,EAAGL,GAlFrB,EAkFuDK,EAAQ,IAAGL,GArFlE,GAwFUK,EAAQ,EAAGL,GA/EpB,EA+EuDK,GAAS,IAAGL,GAlFnE,IA2FXrJ,EAAOjW,EAAE4b,SAAWxJ,EAAQwJ,SAC5B0D,GArFQ,GA0FZA,EAAQD,IAERA,EAAYC,EAEZd,EAAavI,GAIjBpI,IAIJ,MAAO2Q,GA6DX,QAASQ,KACL,GAAIvK,GAAoB,OAAT/V,MAAoD,WAAnC+P,GAAA,OAAyB/P,OAAsBoQ,EAAsBpQ,KAGrG,KAAK+V,IAAaA,EAAS,iCAAkC,KAAM,IAAI3P,WAAU,8EAOjF,QAAoCvG,KAAhCkW,EAAS,mBAAkC,CAK3C,GAAI/P,GAAI,WACJ,GAAIsb,GAAO3hB,UAAUC,QAAU,OAAsBC,KAAjBF,UAAU,OAAmBE,GAAYF,UAAU,EASvF,OAAO4hB,IAAevhB,SADLH,KAATyhB,EAAqBE,KAAKC,MAAQzR,EAASsR,KAQnD3J,EAAKC,GAAO1W,KAAK8E,EAAGhG,KAGxB+V,GAAS,mBAAqB4B,EAIlC,MAAO5B,GAAS,mBAGpB,QAAS2L,MACL,GAAIJ,GAAO3hB,UAAUC,QAAU,OAAsBC,KAAjBF,UAAU,OAAmBE,GAAYF,UAAU,GAEnFoW,EAAoB,OAAT/V,MAAoD,WAAnC+P,GAAA,OAAyB/P,OAAsBoQ,EAAsBpQ,KAErG,KAAK+V,IAAaA,EAAS,iCAAkC,KAAM,IAAI3P,WAAU,qFAGjF,OAAOub,IAAsB3hB,SADZH,KAATyhB,EAAqBE,KAAKC,MAAQzR,EAASsR,IAWvD,QAASM,IAAoBpC,EAAgBje,GAEzC,IAAK4K,SAAS5K,GAAI,KAAM,IAAIqK,YAAW,sCAEvC,IAAImK,GAAWyJ,EAAenP,wBAAwBC,GAG7B3B,IA4CzB,KAzCA,GAAI8B,GAASsF,EAAS,cAKlB8L,EAAK,GAAI/T,IAAK+H,cAAcpF,IAAWqR,aAAa,IAMpDC,EAAM,GAAIjU,IAAK+H,cAAcpF,IAAWuR,qBAAsB,EAAGF,aAAa,IAK9EG,EAAKC,GAAY3gB,EAAGwU,EAAS,gBAAiBA,EAAS,iBAGvDsC,EAAUtC,EAAS,eAGnBhL,EAAS,GAAIyD,GAGb9C,EAAQ,EAGR4M,EAAaD,EAAQlY,QAAQ,KAG7BoY,EAAW,EAGXrC,EAAaH,EAAS,kBAGtBnC,EAAahF,GAAU2Q,eAAe,kBAAkBrJ,GAAYiM,UACpErD,EAAK/I,EAAS,iBAGK,IAAhBuC,GAAmB,CACtB,GAAI8J,OAAK,EAIT,KAAkB,KAFlB7J,EAAWF,EAAQlY,QAAQ,IAAKmY,IAG5B,KAAM,IAAIG,OAAM,mBAGhBH,GAAa5M,GACb+C,GAAQvN,KAAK6J,GACTrL,KAAM,UACN1B,MAAOqa,EAAQrF,UAAUtH,EAAO4M,IAIxC,IAAIO,GAAIR,EAAQrF,UAAUsF,EAAa,EAAGC,EAE1C,IAAIsH,GAAmBtd,eAAesW,GAAI,CAEtC,GAAIvR,GAAIyO,EAAS,KAAO8C,EAAI,MAExBwJ,EAAIJ,EAAG,KAAOpJ,EAAI,KAsBtB,IApBU,SAANA,GAAgBwJ,GAAK,EACrBA,EAAI,EAAIA,EAGG,UAANxJ,EACDwJ,IAIW,SAANxJ,IAA2C,IAA3B9C,EAAS,eAKhB,KAHVsM,GAAQ,MAGmC,IAA5BtM,EAAS,iBACpBsM,EAAI,IAKV,YAAN/a,EAGA8a,EAAK1K,EAAamK,EAAIQ,OAGrB,IAAU,YAAN/a,EAGD8a,EAAK1K,EAAaqK,EAAKM,GAGnBD,EAAGxiB,OAAS,IACZwiB,EAAKA,EAAGzd,OAAO,QAUlB,IAAI2C,IAAKgb,IACN,OAAQzJ,GACJ,IAAK,QACDuJ,EAAKvD,EAAkBjL,EAAYkL,EAAI,SAAUxX,EAAG2a,EAAG,KAAOpJ,EAAI,MAClE,MAEJ,KAAK,UACD,IACIuJ,EAAKvD,EAAkBjL,EAAYkL,EAAI,OAAQxX,EAAG2a,EAAG,KAAOpJ,EAAI,OAElE,MAAOrX,GACL,KAAM,IAAIiX,OAAM,0CAA4ChI,GAEhE,KAEJ,KAAK,eACD2R,EAAK,EACL,MAEJ,KAAK,MACD,IACIA,EAAKvD,EAAkBjL,EAAYkL,EAAI,OAAQxX,EAAG2a,EAAG,KAAOpJ,EAAI,OAClE,MAAOrX,GACL,KAAM,IAAIiX,OAAM,sCAAwChI,GAE5D,KAEJ,SACI2R,EAAKH,EAAG,KAAOpJ,EAAI,MAIvCpK,GAAQvN,KAAK6J,GACTrL,KAAMmZ,EACN7a,MAAOokB,QAGR,IAAU,SAANvJ,EAAc,CAErB,GAAI0J,GAAKN,EAAG,WAEZG,GAAKvD,EAAkBjL,EAAYkL,EAAI,aAAcyD,EAAK,GAAK,KAAO,KAAM,MAE5E9T,GAAQvN,KAAK6J,GACTrL,KAAM,YACN1B,MAAOokB,QAIX3T,IAAQvN,KAAK6J,GACTrL,KAAM,UACN1B,MAAOqa,EAAQrF,UAAUsF,EAAYC,EAAW,IAIxD7M,GAAQ6M,EAAW,EAEnBD,EAAaD,EAAQlY,QAAQ,IAAKuL,GAUtC,MAPI6M,GAAWF,EAAQzY,OAAS,GAC5B6O,GAAQvN,KAAK6J,GACTrL,KAAM,UACN1B,MAAOqa,EAAQmK,OAAOjK,EAAW,KAIlCxN,EAUX,QAASwW,IAAe/B,EAAgBje,GAIpC,IAAK,GAHD8P,GAAQuQ,GAAoBpC,EAAgBje,GAC5CwJ,EAAS,GAEJoE,EAAI,EAAGkC,EAAMzR,OAASuP,EAAGA,IAAK,CAEnCpE,GADWsG,EAAMlC,GACFnR,MAEnB,MAAO+M,GAGX,QAAS4W,IAAsBnC,EAAgBje,GAG3C,IAAK,GAFD8P,GAAQuQ,GAAoBpC,EAAgBje,GAC5CwJ,KACKoE,EAAI,EAAGkC,EAAMzR,OAASuP,EAAGA,IAAK,CACnC,GAAI6I,GAAO3G,EAAMlC,EACjBpE,GAAOyC,MACH9N,KAAMsY,EAAKtY,KACX1B,MAAOga,EAAKha,QAGpB,MAAO+M,GAOX,QAASmX,IAAYZ,EAAMmB,EAAU9C,GAUjC,GAAI+C,GAAI,GAAIlB,MAAKF,GACb9R,EAAI,OAASmQ,GAAY,GAK7B,OAAO,IAAIrR,IACPqU,cAAeD,EAAElT,EAAI,SACrBoT,YAAaF,EAAElT,EAAI,eAAiB,GACpCqT,WAAYH,EAAElT,EAAI,cAClBsT,YAAaJ,EAAElT,EAAI,WACnBuT,UAAWL,EAAElT,EAAI,UACjBwT,WAAYN,EAAElT,EAAI,WAClByT,aAAcP,EAAElT,EAAI,aACpB0T,aAAcR,EAAElT,EAAI,aACpB2T,aAAa,IA0LrB,QAASC,IAAcljB,EAAMuS,GAEzB,IAAKvS,EAAK+G,OAAQ,KAAM,IAAIwR,OAAM,kEAElC,IAAIhI,OAAS,GACT4B,GAAWI,GACXpB,EAAQoB,EAAIpS,MAAM,IAKtB,KAFIgR,EAAMzR,OAAS,GAAyB,IAApByR,EAAM,GAAGzR,QAAc6O,GAAQvN,KAAKmR,EAAShB,EAAM,GAAK,IAAMA,EAAM,IAErFZ,EAAS0J,GAASjZ,KAAKmR,IAE1B5D,GAAQvN,KAAK0N,GAAUiH,aAAa,wBAAyBpF,GAC7D7B,GAAUiH,aAAa,kBAAkBpF,GAAUvQ,EAAK+G,OAGpD/G,EAAKohB,OACLphB,EAAKohB,KAAK+B,GAAKnjB,EAAK+G,OAAOoc,GAC3B5U,GAAQvN,KAAK0N,GAAU2Q,eAAe,wBAAyB9O,GAC/D7B,GAAU2Q,eAAe,kBAAkB9O,GAAUvQ,EAAKohB,UAK5CzhB,KAAlB6Q,IAA6BF,EAAiBiC,GAnvItD,GAAI6Q,IAA4B,kBAAXziB,SAAoD,gBAApBA,QAAOkD,SAAwB,SAAU3C,GAC5F,aAAcA,IACZ,SAAUA,GACZ,MAAOA,IAAyB,kBAAXP,SAAyBO,EAAIsI,cAAgB7I,OAAS,eAAkBO,IAG3FmiB,GAAM,WACR,GAAIC,GAAuC,kBAAX3iB,SAAyBA,OAAO4iB,KAAO5iB,OAAO4iB,IAAI,kBAAoB,KACtG,OAAO,UAA+B/jB,EAAMuC,EAAO0F,EAAK+b,GACtD,GAAIC,GAAejkB,GAAQA,EAAKikB,aAC5BC,EAAiBjkB,UAAUC,OAAS,CAMxC,IAJKqC,GAA4B,IAAnB2hB,IACZ3hB,MAGEA,GAAS0hB,EACX,IAAK,GAAInF,KAAYmF,OACK,KAApB1hB,EAAMuc,KACRvc,EAAMuc,GAAYmF,EAAanF,QAGzBvc,KACVA,EAAQ0hB,MAGV,IAAuB,IAAnBC,EACF3hB,EAAMyhB,SAAWA,MACZ,IAAIE,EAAiB,EAAG,CAG7B,IAAK,GAFDC,GAAa/kB,MAAM8kB,GAEdzU,EAAI,EAAGA,EAAIyU,EAAgBzU,IAClC0U,EAAW1U,GAAKxP,UAAUwP,EAAI,EAGhClN,GAAMyhB,SAAWG,EAGnB,OACEC,SAAUN,EACV9jB,KAAMA,EACNiI,QAAa9H,KAAR8H,EAAoB,KAAO,GAAKA,EACrCoc,IAAK,KACL9hB,MAAOA,EACP+hB,OAAQ,UAKVC,GAAmB,SAAUhjB,GAC/B,MAAO,YACL,GAAIijB,GAAMjjB,EAAGoF,MAAMrG,KAAML,UACzB,OAAO,IAAIwkB,SAAQ,SAAUC,EAASC,GACpC,QAASC,GAAK3c,EAAKmI,GACjB,IACE,GAAIyU,GAAOL,EAAIvc,GAAKmI,GAChB9R,EAAQumB,EAAKvmB,MACjB,MAAOwmB,GAEP,WADAH,GAAOG,GAIT,IAAID,EAAK3Z,KAGP,MAAOuZ,SAAQC,QAAQpmB,GAAOymB,KAAK,SAAUzmB,GAC3C,MAAOsmB,GAAK,OAAQtmB,IACnB,SAAU0mB,GACX,MAAOJ,GAAK,QAASI,IALvBN,GAAQpmB,GAUZ,MAAOsmB,GAAK,YAKdK,GAAiB,SAAUC,EAAUC,GACvC,KAAMD,YAAoBC,IACxB,KAAM,IAAIze,WAAU,sCAIpB0e,GAAc,WAChB,QAAShjB,GAAiBwK,EAAQrK,GAChC,IAAK,GAAIkN,GAAI,EAAGA,EAAIlN,EAAMrC,OAAQuP,IAAK,CACrC,GAAI4V,GAAa9iB,EAAMkN,EACvB4V,GAAW1jB,WAAa0jB,EAAW1jB,aAAc,EACjD0jB,EAAWnjB,cAAe,EACtB,SAAWmjB,KAAYA,EAAWljB,UAAW,GACjD/D,OAAOC,eAAeuO,EAAQyY,EAAWpd,IAAKod,IAIlD,MAAO,UAAUF,EAAaG,EAAYC,GAGxC,MAFID,IAAYljB,EAAiB+iB,EAAY9lB,UAAWimB,GACpDC,GAAanjB,EAAiB+iB,EAAaI,GACxCJ,MAIPK,GAA6B,SAAU9jB,EAAK+jB,GAC9C,IAAK,GAAIxd,KAAOwd,GAAO,CACrB,GAAIC,GAAOD,EAAMxd,EACjByd,GAAKxjB,aAAewjB,EAAK/jB,YAAa,EAClC,SAAW+jB,KAAMA,EAAKvjB,UAAW,GACrC/D,OAAOC,eAAeqD,EAAKuG,EAAKyd,GAGlC,MAAOhkB,IAGLof,GAAW,SAAUpf,EAAKof,GAG5B,IAAK,GAFD9f,GAAO5C,OAAOunB,oBAAoB7E,GAE7BrR,EAAI,EAAGA,EAAIzO,EAAKd,OAAQuP,IAAK,CACpC,GAAIxH,GAAMjH,EAAKyO,GACXnR,EAAQF,OAAOsN,yBAAyBoV,EAAU7Y,EAElD3J,IAASA,EAAM4D,kBAA6B/B,KAAbuB,EAAIuG,IACrC7J,OAAOC,eAAeqD,EAAKuG,EAAK3J,GAIpC,MAAOoD,IAGLwd,GAAmB,SAAUxd,EAAKuG,EAAK3J,GAYzC,MAXI2J,KAAOvG,GACTtD,OAAOC,eAAeqD,EAAKuG,GACzB3J,MAAOA,EACPqD,YAAY,EACZO,cAAc,EACdC,UAAU,IAGZT,EAAIuG,GAAO3J,EAGNoD,GAGLkkB,GAAWxnB,OAAOqB,QAAU,SAAUmN,GACxC,IAAK,GAAI6C,GAAI,EAAGA,EAAIxP,UAAUC,OAAQuP,IAAK,CACzC,GAAI5C,GAAS5M,UAAUwP,EAEvB,KAAK,GAAIxH,KAAO4E,GACVzO,OAAOiB,UAAUwD,eAAerB,KAAKqL,EAAQ5E,KAC/C2E,EAAO3E,GAAO4E,EAAO5E,IAK3B,MAAO2E,IAGLiZ,GAAM,QAASA,GAAI9jB,EAAQ0T,EAAUqQ,GACxB,OAAX/jB,IAAiBA,EAASa,SAASvD,UACvC,IAAIqmB,GAAOtnB,OAAOsN,yBAAyB3J,EAAQ0T,EAEnD,QAAatV,KAATulB,EAAoB,CACtB,GAAIK,GAAS3nB,OAAO4nB,eAAejkB,EAEnC,OAAe,QAAXgkB,MACF,GAEOF,EAAIE,EAAQtQ,EAAUqQ,GAE1B,GAAI,SAAWJ,GACpB,MAAOA,GAAKpnB,KAEZ,IAAI2nB,GAASP,EAAKG,GAElB,QAAe1lB,KAAX8lB,EAIJ,MAAOA,GAAOzkB,KAAKskB,IAInBI,GAAW,SAAUC,EAAUC,GACjC,GAA0B,kBAAfA,IAA4C,OAAfA,EACtC,KAAM,IAAI1f,WAAU,iEAAoE0f,GAG1FD,GAAS9mB,UAAYjB,OAAOioB,OAAOD,GAAcA,EAAW/mB,WAC1D2K,aACE1L,MAAO6nB,EACPxkB,YAAY,EACZQ,UAAU,EACVD,cAAc,KAGdkkB,IAAYhoB,OAAOkoB,eAAiBloB,OAAOkoB,eAAeH,EAAUC,GAAcD,EAASI,UAAYH,IAGzGI,GAAc,SAAUC,EAAMC,GAChC,MAAa,OAATA,GAAmC,mBAAXvlB,SAA0BulB,EAAMvlB,OAAOwlB,aAC1DD,EAAMvlB,OAAOwlB,aAAaF,GAE1BA,YAAgBC,IAIvBE,GAAwB,SAAUllB,GACpC,MAAOA,IAAOA,EAAImlB,WAAanlB,GAC7BolB,QAASplB,IAITqlB,GAAyB,SAAUrlB,GACrC,GAAIA,GAAOA,EAAImlB,WACb,MAAOnlB,EAEP,IAAIslB,KAEJ,IAAW,MAAPtlB,EACF,IAAK,GAAIuG,KAAOvG,GACVtD,OAAOiB,UAAUwD,eAAerB,KAAKE,EAAKuG,KAAM+e,EAAO/e,GAAOvG,EAAIuG,GAK1E,OADA+e,GAAOF,QAAUplB,EACVslB,GAIPC,GAAgB,SAAUC,EAAWC,GACvC,GAAID,IAAcC,EAChB,KAAM,IAAIzgB,WAAU,yCAIpB0gB,GAA2B,SAAU1lB,GACvC,GAAW,MAAPA,EAAa,KAAM,IAAIgF,WAAU,iCAGnC2gB,GAA0B,SAAU3lB,EAAKV,GAC3C,GAAI4L,KAEJ,KAAK,GAAI6C,KAAK/N,GACRV,EAAKP,QAAQgP,IAAM,GAClBrR,OAAOiB,UAAUwD,eAAerB,KAAKE,EAAK+N,KAC/C7C,EAAO6C,GAAK/N,EAAI+N,GAGlB,OAAO7C,IAGL0a,GAA4B,SAAUC,EAAM/lB,GAC9C,IAAK+lB,EACH,KAAM,IAAIpT,gBAAe,4DAG3B,QAAO3S,GAAyB,gBAATA,IAAqC,kBAATA,GAA8B+lB,EAAP/lB,GAGxEgmB,OAA+B,KAAXra,EAAyBoa,KAAOpa,EAEpDsa,GAAM,QAASA,GAAI1lB,EAAQ0T,EAAUnX,EAAOwnB,GAC9C,GAAIJ,GAAOtnB,OAAOsN,yBAAyB3J,EAAQ0T,EAEnD,QAAatV,KAATulB,EAAoB,CACtB,GAAIK,GAAS3nB,OAAO4nB,eAAejkB,EAEpB,QAAXgkB,GACF0B,EAAI1B,EAAQtQ,EAAUnX,EAAOwnB,OAE1B,IAAI,SAAWJ,IAAQA,EAAKvjB,SACjCujB,EAAKpnB,MAAQA,MACR,CACL,GAAIopB,GAAShC,EAAK+B,QAEHtnB,KAAXunB,GACFA,EAAOlmB,KAAKskB,EAAUxnB,GAI1B,MAAOA,IAGLqpB,GAAgB,WAClB,QAASC,GAAcC,EAAKpY,GAC1B,GAAIqY,MACAlN,GAAK,EACLmN,GAAK,EACLC,MAAK7nB,EAET,KACE,IAAK,GAAiC8nB,GAA7BpY,EAAKgY,EAAI1mB,OAAOkD,cAAmBuW,GAAMqN,EAAKpY,EAAGqY,QAAQhd,QAChE4c,EAAKha,KAAKma,EAAG3pB,QAETmR,GAAKqY,EAAK5nB,SAAWuP,GAH8CmL,GAAK,IAK9E,MAAOoK,GACP+C,GAAK,EACLC,EAAKhD,EARP,QAUE,KACOpK,GAAM/K,EAAA,QAAcA,EAAA,SAD3B,QAGE,GAAIkY,EAAI,KAAMC,IAIlB,MAAOF,GAGT,MAAO,UAAUD,EAAKpY,GACpB,GAAIrQ,MAAMqJ,QAAQof,GAChB,MAAOA,EACF,IAAI1mB,OAAOkD,WAAYjG,QAAOypB,GACnC,MAAOD,GAAcC,EAAKpY,EAE1B,MAAM,IAAI/I,WAAU,4DAKtByhB,GAAqB,SAAUN,EAAKpY,GACtC,GAAIrQ,MAAMqJ,QAAQof,GAChB,MAAOA,EACF,IAAI1mB,OAAOkD,WAAYjG,QAAOypB,GAAM,CAGzC,IAAK,GAAwCO,GAFzCN,KAEKO,EAAYR,EAAI1mB,OAAOkD,cAAsB+jB,EAAQC,EAAUH,QAAQhd,OAC9E4c,EAAKha,KAAKsa,EAAM9pB,QAEZmR,GAAKqY,EAAK5nB,SAAWuP,KAG3B,MAAOqY,GAEP,KAAM,IAAIphB,WAAU,yDAIpB4hB,GAAwB,SAAUC,EAASC,GAC7C,MAAOpqB,QAAOqqB,OAAOrqB,OAAOgE,iBAAiBmmB,GAC3CC,KACElqB,MAAOF,OAAOqqB,OAAOD,QAKvBE,GAA6B,SAAUH,EAASC,GAElD,MADAD,GAAQC,IAAMA,EACPD,GAGLI,GAAc,SAAU3lB,EAAKhB,EAAM4mB,GACrC,GAAI5lB,IAAQ4lB,EACV,KAAM,IAAIzU,gBAAenS,EAAO,uCAEhC,OAAOgB,IAIP6lB,MAEAC,GAAU,SAAUjB,GACtB,MAAOzoB,OAAMqJ,QAAQof,GAAOA,EAAMzoB,MAAM2pB,KAAKlB,IAG3CmB,GAAoB,SAAUnB,GAChC,GAAIzoB,MAAMqJ,QAAQof,GAAM,CACtB,IAAK,GAAIpY,GAAI,EAAGwZ,EAAO7pB,MAAMyoB,EAAI3nB,QAASuP,EAAIoY,EAAI3nB,OAAQuP,IAAKwZ,EAAKxZ,GAAKoY,EAAIpY,EAE7E,OAAOwZ,GAEP,MAAO7pB,OAAM2pB,KAAKlB,IAMlBxX,GAAiBjS,OAAOqqB,QAC1B5E,IAAKA,GACLU,iBAAkBA,GAClBU,eAAgBA,GAChBG,YAAaA,GACbI,2BAA4BA,GAC5B1E,SAAUA,GACVziB,eAAgB6gB,GAChB2G,IAAKA,GACLK,SAAUA,GACVU,sBAAuBA,GACvBG,uBAAwBA,GACxBE,cAAeA,GACfG,yBAA0BA,GAC1BC,wBAAyBA,GACzBC,0BAA2BA,GAC3BE,WAAYA,GACZC,IAAKA,GACLE,cAAeA,GACfQ,mBAAoBA,GACpBG,sBAAuBA,GACvBI,2BAA4BA,GAC5BC,YAAaA,GACbE,kBAAmBA,GACnBC,QAASA,GACTE,kBAAmBA,GACnBE,OAAQtF,GACRuF,QAASvD,GACTwD,WAAY5C,KAGV6C,GAAiB,WACjB,GAAIC,GAAW,YACf,KAOI,MANAlrB,QAAOC,eAAeirB,EAAU,KAC5BzD,IAAK,WACD,MAAO,MAGfznB,OAAOC,eAAeirB,EAAU,aAAennB,UAAU,IACnC,IAAfmnB,EAAS/pB,GAAW+pB,EAASjqB,oBAAqBjB,QAC3D,MAAO0D,GACL,OAAO,MAKX8V,IAAOyR,KAAmBjrB,OAAOiB,UAAUkqB,iBAG3C1a,GAAMzQ,OAAOiB,UAAUwD,eAGvBxE,GAAiBgrB,GAAiBjrB,OAAOC,eAAiB,SAAUqD,EAAKM,EAAM0jB,GAC3E,OAASA,IAAQhkB,EAAI6nB,iBAAkB7nB,EAAI6nB,iBAAiBvnB,EAAM0jB,EAAKG,OAAehX,GAAIrN,KAAKE,EAAKM,IAAS,SAAW0jB,MAAMhkB,EAAIM,GAAQ0jB,EAAKpnB,QAInJ0U,GAAa5T,MAAMC,UAAUoB,SAAW,SAAU+oB,GAElD,GAAIC,GAAInpB,IACR,KAAKmpB,EAAEvpB,OAAQ,OAAQ,CAEvB,KAAK,GAAIuP,GAAIxP,UAAU,IAAM,EAAGuN,EAAMic,EAAEvpB,OAAQuP,EAAIjC,EAAKiC,IACrD,GAAIga,EAAEha,KAAO+Z,EAAQ,MAAO/Z,EAGhC,QAAQ,GAIRoB,GAAYzS,OAAOioB,QAAU,SAAUqD,EAAOnnB,GAG9C,QAAS+D,MAFT,GAAI5E,OAAM,EAGV4E,GAAEjH,UAAYqqB,EACdhoB,EAAM,GAAI4E,EAEV,KAAK,GAAIiH,KAAKhL,GACNsM,GAAIrN,KAAKe,EAAOgL,IAAIlP,GAAeqD,EAAK6L,EAAGhL,EAAMgL,GAGzD,OAAO7L,IAIPsN,GAAW5P,MAAMC,UAAU4F,MAC3B0kB,GAAYvqB,MAAMC,UAAUmD,OAC5BuM,GAAU3P,MAAMC,UAAUyO,KAC1BkC,GAAU5Q,MAAMC,UAAUqG,KAC1B+U,GAAWrb,MAAMC,UAAUuqB,MAG3B1R,GAAStV,SAASvD,UAAUsD,MAAQ,SAAUknB,GAC9C,GAAItoB,GAAKjB,KACLkG,EAAOwI,GAASxN,KAAKvB,UAAW,EAIpC,OAAIsB,GAAGrB,OACI,WACH,MAAOqB,GAAGoF,MAAMkjB,EAASF,GAAUnoB,KAAKgF,EAAMwI,GAASxN,KAAKvB,eASpEiP,GAAY2B,GAAU,MAGtBD,GAASnM,KAAKqlB,QA2BlBlb,GAAOvP,UAAYwR,GAAU,MAU7B/B,EAAKzP,UAAYwR,GAAU,KAmH3B,IAkBIkZ,IAAU,mCAYVnW,GAAYoW,iCAkDZzY,GAAiBlM,OAAO,ibAAkE,KAG1FmM,GAAkBnM,OAAO,cAAgB0kB,GAAU,+BAAgC,KAGnFtY,GAAoBpM,OAAO,iDAAwD,KAGnFwM,GAAkBxM,OAAO,IAAMuO,GAAW,MAG1C5C,OAAgB,GAMhBe,IACAC,MACIiY,aAAc,MACdC,QAAS,MACTC,QAAS,MACTC,QAAS,MACTC,YAAa,MACbC,QAAS,KACTC,WAAY,KACZC,QAAS,MACTC,QAAS,MACTC,QAAS,MACTC,QAAS,MACTC,SAAU,KACVC,SAAU,KACVC,YAAa,MACbC,YAAa,MACbC,YAAa,MACbC,WAAY,MACZC,WAAY,MACZC,aAAc,MACdC,WAAY,MACZC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,SAAU,MACVC,cAAe,WACfC,cAAe,WACfC,SAAU,MACVC,SAAU,MACVC,SAAU,OAEd3a,SACI4a,GAAI,KACJC,GAAI,KACJC,GAAI,KACJC,GAAI,KACJC,GAAI,KACJC,GAAI,KACJC,OAAQ,UACRC,GAAM,KACNC,GAAI,KACJC,GAAI,KACJC,GAAI,KACJC,GAAI,KACJC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,MACLC,IAAK,OAET5c,SACI6c,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACb1pB,KAAM,MAAO,MACb2pB,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACb9mB,KAAM,MAAO,MACb+mB,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACb7e,KAAM,MAAO,MACb8e,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,MACbC,KAAM,MAAO,MACbC,KAAM,MAAO,OACbC,KAAM,MAAO,QA0IjBtqB,GAAkB,aAwBlBkB,GAAkB,0BA6jBlBvF,KAyBJhQ,QAAOC,eAAe+P,GAAM,uBACxBzM,YAAY,EACZO,cAAc,EACdC,UAAU,EACV7D,MAAOyX,GAIX,IAAIgC,KACAilB,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EACrEC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EACrEC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAAGC,IAAK,EAejEpgC,IAAe+P,GAAM,gBACjBlM,cAAc,EACdC,UAAU,EACV7D,MAAO2X,IAIX5X,GAAe+P,GAAK+H,aAAc,aAC9BhU,UAAU,IAoPF+M,GAAUiH,cAClBuoB,0BACAC,6BAA8B,MAC9BC,qBAQJvgC,GAAe+P,GAAK+H,aAAc,sBAC9BjU,cAAc,EACdC,UAAU,EACV7D,MAAO4Z,GAAO1W,KAAK,SAAUmR,GAGzB,IAAK9D,GAAIrN,KAAKlB,KAAM,wBAAyB,KAAM,IAAIoG,WAAU,4CAGjE,IAAI4P,GAAgBrH,IAIpB+E,EAAU/T,UAAU,GAOpBiT,EAAmB5S,KAAK,wBAKxBkT,EAAmBd,EAAuBC,EAQ1C,OALA2D,KAKOhB,EAAiBpC,EAAkBM,EAAkBQ,IAC7D9E,GAAUiH,gBAQL9X,GAAe+P,GAAK+H,aAAa9W,UAAW,UACpD6C,cAAc,EACd2jB,IAAK/N,IAqDT1Z,OAAOC,eAAe+P,GAAK+H,aAAa9W,UAAW,iBAC/C6C,cAAc,EACdP,YAAY,EACZQ,UAAU,EACV7D,MAAO6Z,GAocX,IAAIqB,KACAqlB,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,SAAU,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACvDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,UAAW,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACxDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,SAAU,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACvDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpD9mB,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpD+mB,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,SAAU,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACvDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KACpDC,MAAO,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,IAAK,KAgB5C5hC,IAAe+P,GAAK+H,aAAa9W,UAAW,mBACpD6C,cAAc,EACdC,UAAU,EACV7D,MAAO,WACH,GAAI4hB,OAAO,GACPuF,EAAQ,GAAI7W,GACZrM,GAAS,SAAU,kBAAmB,QAAS,WAAY,kBAAmB,uBAAwB,wBAAyB,wBAAyB,2BAA4B,2BAA4B,eAChN8T,EAAoB,OAAT/V,MAAoD,WAAnC+P,GAAA,OAAyB/P,OAAsBoQ,EAAsBpQ,KAGrG,KAAK+V,IAAaA,EAAS,+BAAgC,KAAM,IAAI3P,WAAU,qFAE/E,KAAK,GAAI+I,GAAI,EAAGjC,EAAMjL,EAAMrC,OAAQuP,EAAIjC,EAAKiC,IACrCZ,GAAIrN,KAAK6U,EAAU6J,EAAO,KAAO3d,EAAMkN,GAAK,QAAOgW,EAAMljB,EAAMkN,KAAQnR,MAAO+X,EAAS6J,GAAO/d,UAAU,EAAMD,cAAc,EAAMP,YAAY,GAGtJ,OAAOkP,OAAc4U,KAO7B,IAAIzH,IAAkB,4KAElBjB,GAAoB,qCAIpBe,GAAe,kBAEf1B,IAAU,MAAO,OAAQ,QAAS,MAAO,UAAW,WACpDF,IAAU,OAAQ,SAAU,SAAU,SAAU,gBA8ShD8C,IACA3S,QACI6zB,QAAS,IACTC,UAAW,MAEfziB,QACIwiB,QAAS,IACTC,UAAW,MAEfjjB,MACIgjB,QAAS,IACTC,UAAW,MAEf7iB,KACI4iB,QAAS,IACTC,UAAW,MAEf/iB,OACI8iB,QAAS,IACTC,UAAW,KACX1gB,OAAQ,QACRb,MAAO,MACPF,KAAM,QAEVnB,SACIkC,OAAQ,QACRb,MAAO,MACPF,KAAM,SAiBVkE,GAAa/R,GAAU,MAAQ4O,UAAYb,SAAWF,SAuC1DrgB,IAAe+P,GAAM,kBACjBlM,cAAc,EACdC,UAAU,EACV7D,MAAOqhB,IAIXthB,GAAeshB,EAA2B,aACtCxd,UAAU,GAuPd,IAAIge,KACA5C,SAAU,SAAU,QAAS,QAC7BN,KAAM,SAAU,QAAS,QACzBC,MAAO,UAAW,WAClBE,OAAQ,UAAW,UAAW,SAAU,QAAS,QACjDE,KAAM,UAAW,WACjBG,MAAO,UAAW,WAClBC,QAAS,UAAW,WACpBrR,QAAS,UAAW,WACpBsR,cAAe,QAAS,QAoYhBzO,IAAU2Q,gBAClB6e,0BACAC,6BAA8B,KAAM,MACpCC,qBAQJvgC,GAAe+P,GAAKyR,eAAgB,sBAChC3d,cAAc,EACdC,UAAU,EACV7D,MAAO4Z,GAAO1W,KAAK,SAAUmR,GAGzB,IAAK9D,GAAIrN,KAAKlB,KAAM,wBAAyB,KAAM,IAAIoG,WAAU,4CAGjE,IAAI4P,GAAgBrH,IAIpB+E,EAAU/T,UAAU,GAOpBiT,EAAmB5S,KAAK,wBAKxBkT,EAAmBd,EAAuBC,EAQ1C,OALA2D,KAKOhB,EAAiBpC,EAAkBM,EAAkBQ,IAC7D9E,GAAUiH,gBAQL9X,GAAe+P,GAAKyR,eAAexgB,UAAW,UACtD6C,cAAc,EACd2jB,IAAKjF,IAyDTxiB,OAAOC,eAAe+P,GAAKyR,eAAexgB,UAAW,iBACjDsC,YAAY,EACZQ,UAAU,EACVD,cAAc,EACd5D,MAAO0jB,KAuQC3jB,GAAe+P,GAAKyR,eAAexgB,UAAW,mBACtD8C,UAAU,EACVD,cAAc,EACd5D,MAAO,WACH,GAAI4hB,OAAO,GACPuF,EAAQ,GAAI7W,GACZrM,GAAS,SAAU,WAAY,kBAAmB,WAAY,SAAU,UAAW,MAAO,OAAQ,QAAS,MAAO,OAAQ,SAAU,SAAU,gBAC9I8T,EAAoB,OAAT/V,MAAoD,WAAnC+P,GAAA,OAAyB/P,OAAsBoQ,EAAsBpQ,KAGrG,KAAK+V,IAAaA,EAAS,iCAAkC,KAAM,IAAI3P,WAAU,uFAEjF,KAAK,GAAI+I,GAAI,EAAGjC,EAAMjL,EAAMrC,OAAQuP,EAAIjC,EAAKiC,IACrCZ,GAAIrN,KAAK6U,EAAU6J,EAAO,KAAO3d,EAAMkN,GAAK,QAAOgW,EAAMljB,EAAMkN,KAAQnR,MAAO+X,EAAS6J,GAAO/d,UAAU,EAAMD,cAAc,EAAMP,YAAY,GAGtJ,OAAOkP,OAAc4U,KAI7B,IAAI2a,IAAKhyB,GAAKiyB,yBACV1gC,UACAmiB,QAOQse,IAAGzgC,OAAO2gC,eAAiB,WAEnC,GAA6C,oBAAzCliC,OAAOiB,UAAUgC,SAASG,KAAKlB,MAA6B,KAAM,IAAIoG,WAAU,sEAUpF,OAAOsR,GAAa,GAAI/B,GAAwBhW,UAAU,GAAIA,UAAU,IAAKK,OAOrE8/B,GAAGte,KAAKwe,eAAiB,WAEjC,GAA6C,kBAAzCliC,OAAOiB,UAAUgC,SAASG,KAAKlB,MAA2B,KAAM,IAAIoG,WAAU,2EAGlF,IAAI7E,IAAKvB,IAGT,IAAIV,MAAMiC,GAAI,MAAO,cAGrB,IAAI8Q,GAAU1S,UAAU,GAGpB+T,EAAU/T,UAAU,EAaxB,OATA+T,GAAU+L,EAAkB/L,EAAS,MAAO,OASrC6N,GAJc,GAAIlC,GAA0BhN,EAASqB,GAItBnS,IAO9Bu+B,GAAGte,KAAKye,mBAAqB,WAErC,GAA6C,kBAAzCniC,OAAOiB,UAAUgC,SAASG,KAAKlB,MAA2B,KAAM,IAAIoG,WAAU,+EAGlF,IAAI7E,IAAKvB,IAGT,IAAIV,MAAMiC,GAAI,MAAO,cAGrB,IAAI8Q,GAAU1S,UAAU,GAIxB+T,EAAU/T,UAAU,EAapB,OATA+T,GAAU+L,EAAkB/L,EAAS,OAAQ,QAStC6N,GAJc,GAAIlC,GAA0BhN,EAASqB,GAItBnS,IAO9Bu+B,GAAGte,KAAK0e,mBAAqB,WAErC,GAA6C,kBAAzCpiC,OAAOiB,UAAUgC,SAASG,KAAKlB,MAA2B,KAAM,IAAIoG,WAAU,+EAGlF,IAAI7E,IAAKvB,IAGT,IAAIV,MAAMiC,GAAI,MAAO,cAGrB,IAAI8Q,GAAU1S,UAAU,GAGpB+T,EAAU/T,UAAU,EAaxB,OATA+T,GAAU+L,EAAkB/L,EAAS,OAAQ,QAStC6N,GAJc,GAAIlC,GAA0BhN,EAASqB,GAItBnS,IAG1CxD,GAAe+P,GAAM,oCACjBjM,UAAU,EACVD,cAAc,EACd5D,MAAO,WACHD,GAAesB,OAAON,UAAW,kBAAoB8C,UAAU,EAAMD,cAAc,EAAM5D,MAAO8hC,GAAGzgC,OAAO2gC,iBAE1GjiC,GAAeyjB,KAAKziB,UAAW,kBAAoB8C,UAAU,EAAMD,cAAc,EAAM5D,MAAO8hC,GAAGte,KAAKwe,gBAEtG,KAAK,GAAI/yB,KAAK6yB,IAAGte,KACTjT,GAAIrN,KAAK4+B,GAAGte,KAAMvU,IAAIlP,GAAeyjB,KAAKziB,UAAWkO,GAAKpL,UAAU,EAAMD,cAAc,EAAM5D,MAAO8hC,GAAGte,KAAKvU,QAU7HlP,GAAe+P,GAAM,mBACjB9P,MAAO,SAAekC,GAClB,IAAK8Q,EAA+B9Q,EAAKuQ,QAAS,KAAM,IAAIgI,OAAM,kEAElE2K,IAAcljB,EAAMA,EAAKuQ,WAgCjC1S,GAAe+P,GAAM,0BACjB9P,MAAO,WACH4Q,GAAUC,sBAAuB,KAIzClR,EAAO8C,QAAUqN,KtBwhCY5M,KAAKT,EAAS5C,EAAoB,MAIzDsiC,IACA,SAAUxiC,EAAQ8C,KAMlB2/B,IACA,SAAUziC,EAAQ8C,GuBlyKxBoN,aAAawyB,iBAAiB5vB,OAAO,KAAK6Q,MAAMxC,IAAI,UAAU,WAAW,UAAU,SAAS,QAAQ,UAAU,WAAW,UAAU,SAAS,SAAS,UAAU,WAAW,WAAW,UAAU,OAAOuB,SAAQ,EAAKnD,QAAO,EAAKU,SAASU,MAAM,WAAWD,OAAO,WAAWF,KAAK,eAAeC,KAAK,eAAeP,kBAAkB6E,EAAI,IAAI4d,EAAI,MAAMC,GAAG,MAAMC,IAAI,WAAWC,IAAI,UAAUC,KAAK,cAAcC,KAAK,aAAaC,GAAG,MAAMC,MAAM,UAAUC,OAAO,aAAaC,QAAQ,gBAAgBC,EAAI,MAAMC,EAAI,KAAKC,GAAG,SAASC,GAAG,QAAQC,IAAI,YAAYC,IAAI,WAAWC,KAAK,cAAcC,KAAK,aAAaC,IAAI,WAAWC,IAAI,UAAUC,EAAI,IAAIC,GAAG,MAAMC,IAAI,SAASC,IAAI,MAAMC,KAAK,QAAQC,MAAM,WAAWC,MAAM,SAASC,GAAG,QAAQl5B,EAAI,IAAIm5B,GAAG,MAAMC,IAAI,QAAQC,KAAK,WAAWC,KAAK,QAAQC,MAAM,WAAWC,OAAO,cAAcC,MAAM,SAASC,KAAK,QAAQC,MAAM,UAAU3kB,aAAa4kB,WAAW,kBAAkBC,OAAO,YAAYN,MAAM,WAAWH,IAAI,UAAUrkB,aAAa+kB,UAAU,iBAAiBC,KAAK,cAAc1B,IAAI,YAAYF,GAAG,WAAW/e,WAAW4gB,UAAUC,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,UAAU,WAAW,QAAQ,QAAQ,MAAM,OAAO,OAAO,SAAS,YAAY,UAAU,WAAW,aAAa6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,MAAMb,OAAO,MAAMF,MAAM,OAAO+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOC,SAASN,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAO,OAAO,QAAQF,MAAM,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,UAAU,UAAU,YAAY6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOE,QAAQP,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,KAAK,MAAMb,OAAO,OAAO,OAAO,QAAQ,QAAQ,OAAO,SAAS,WAAW,YAAY,UAAU,QAAQ,OAAO,QAAQ,SAASF,MAAM,OAAO,OAAO,QAAQ,QAAQ,OAAO,SAAS,WAAW,YAAY,UAAU,QAAQ,OAAO,QAAQ,UAAU6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,OAAO,QAAQb,OAAO,OAAO,QAAQF,MAAM,OAAO,SAAS+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOG,OAAOR,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAO,OAAO,QAAQF,MAAM,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,SAAS,UAAU,UAAU,YAAY6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOI,UAAUT,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,KAAK,MAAMb,OAAO,WAAW,SAAS,QAAQ,SAAS,MAAM,UAAU,UAAU,SAAS,SAAS,OAAO,QAAQ,UAAU,WAAWF,MAAM,WAAW,SAAS,QAAQ,SAAS,MAAM,UAAU,UAAU,SAAS,SAAS,OAAO,QAAQ,UAAU,YAAY6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,OAAO,QAAQb,OAAO,OAAO,QAAQF,MAAM,OAAO,SAAS+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOK,SAASV,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,KAAK,MAAMb,OAAO,WAAW,SAAS,QAAQ,SAAS,MAAM,UAAU,UAAU,SAAS,SAAS,OAAO,QAAQ,UAAU,WAAWF,MAAM,WAAW,SAAS,QAAQ,SAAS,MAAM,UAAU,UAAU,SAAS,SAAS,OAAO,QAAQ,UAAU,YAAY6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,QAAQb,OAAO,QAAQF,MAAM,SAAS+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOM,SAASX,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,QAAQ6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,OAAO,QAAQb,OAAO,OAAO,QAAQF,MAAM,OAAO,SAAS+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOpkB,SAAS+jB,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,UAAU,WAAW,QAAQ,QAAQ,MAAM,OAAO,OAAO,SAAS,YAAY,UAAU,WAAW,aAAa6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,IAAI,IAAI,MAAM,MAAMb,OAAO,KAAK,KAAK,MAAM,MAAMF,MAAM,gBAAgB,cAAc,oBAAoB,eAAe+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOO,QAAQZ,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,KAAK,KAAK,KAAKb,OAAO,SAAS,UAAU,SAAS,QAAQ,SAAS,SAAS,OAAO,QAAQ,OAAO,QAAQ,QAAQ,KAAK,OAAO,WAAWF,MAAM,SAAS,UAAU,SAAS,QAAQ,SAAS,SAAS,OAAO,QAAQ,OAAO,QAAQ,QAAQ,KAAK,OAAO,YAAY6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,MAAMb,OAAO,MAAMF,MAAM,OAAO+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOQ,QAAQb,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,UAAU,WAAW,WAAW,SAAS,UAAU,SAAS,SAAS,UAAU,aAAa,QAAQ,QAAQ,YAAYF,MAAM,UAAU,WAAW,WAAW,SAAS,UAAU,SAAS,SAAS,UAAU,aAAa,QAAQ,QAAQ,aAAa6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,QAAQb,OAAO,QAAQF,MAAM,SAAS+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOS,SAASd,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,OAAO,OAAO,SAAS,UAAU,SAAS,UAAU,OAAO,OAAO,OAAO,QAAQ,WAAW,YAAYF,MAAM,WAAW,QAAQ,UAAU,WAAW,WAAW,YAAY,QAAQ,UAAU,UAAU,UAAU,eAAe,iBAAiB6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,MAAMb,OAAO,MAAMF,MAAM,OAAO+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOU,UAAUf,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,OAAO,OAAO,SAAS,UAAU,SAAS,UAAU,OAAO,OAAO,OAAO,QAAQ,WAAW,YAAYF,MAAM,WAAW,QAAQ,UAAU,WAAW,WAAW,YAAY,QAAQ,UAAU,UAAU,UAAU,eAAe,iBAAiB6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,MAAMb,OAAO,MAAMF,MAAM,OAAO+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOW,UAAUhB,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,UAAU,WAAW,QAAQ,QAAQ,MAAM,OAAO,OAAO,SAAS,YAAY,UAAU,WAAW,aAAa6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,kBAAkB,oBAAoB,mBAAmB,mBAAmB,kBAAkB,kBAAkB,iBAAiB,kBAAkB,iBAAiB,kBAAkB,mBAAmB,yBAAyB,yBAAyB,wBAAwB,yBAAyB,wBAAwB,iBAAiB,kBAAkB,oBAAoB,kBAAkB,kBAAkB,mBAAmB,iBAAiB,iBAAiB,kBAAkB,kBAAkB,mBAAmB,kBAAkB,mBAAmB,kBAAkB,mBAAmB,mBAAmB,iBAAiB,kBAAkB,kBAAkB,mBAAmB,qBAAqB,oBAAoB,gBAAgB,iBAAiB,iBAAiB,oBAAoB,mBAAmB,kBAAkB,mBAAmB,kBAAkB,kBAAkB,iBAAiB,iBAAiB,qBAAqB,oBAAoB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,qBAAqB,uBAAuB,qBAAqB,sBAAsB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,oBAAoB,oBAAoB,uBAAuB,mBAAmB,oBAAoB,oBAAoB,mBAAmB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,mBAAmB,mBAAmB,mBAAmB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,kBAAkB,qBAAqB,oBAAoB,qBAAqB,kBAAkB,oBAAoB,oBAAoB,oBAAoB,mBAAmB,mBAAmB,uBAAuB,oBAAoB,qBAAqB,oBAAoB,qBAAqB,qBAAqB,qBAAqB,oBAAoB,uBAAuB,oBAAoB,oBAAoB,kBAAkB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,mBAAmB,sBAAsB,uBAAuB,oBAAoB,uBAAuB,mBAAmB,oBAAoB,qBAAqB,mBAAmB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,oBAAoB,oBAAoB,mBAAmB,oBAAoB,qBAAqB,sBAAsB,sBAAsB,oBAAoB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,sBAAsB,qBAAqB,oBAAoB,sBAAsB,mBAAmB,qBAAqB,sBAAsB,oBAAoB,kBAAkB,sBAAsB,kBAAkB,qBAAqB,oBAAoB,sBAAsB,qBAAqB,qBAAqB,sBAAsB,oBAAoB,sBAAsB,qBAAqB,qBAAqB,mBAAmB,qBAAqB,qBAAqB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,qBAAqB,mBAAmB,qBAAqB,oBAAoB,qBAAqB,sBAAsB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,kBAAkB,sBAAsB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,sBAAsB,mBAAmB,sBAAsB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,mBAAmB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,mBAAmB,IAAI,IAAI,IAAI,KAAKb,OAAO,kBAAkB,oBAAoB,mBAAmB,mBAAmB,kBAAkB,kBAAkB,iBAAiB,kBAAkB,iBAAiB,kBAAkB,mBAAmB,yBAAyB,yBAAyB,wBAAwB,yBAAyB,wBAAwB,iBAAiB,kBAAkB,oBAAoB,kBAAkB,kBAAkB,mBAAmB,iBAAiB,iBAAiB,kBAAkB,kBAAkB,mBAAmB,kBAAkB,mBAAmB,kBAAkB,mBAAmB,mBAAmB,iBAAiB,kBAAkB,kBAAkB,mBAAmB,qBAAqB,oBAAoB,gBAAgB,iBAAiB,iBAAiB,oBAAoB,mBAAmB,kBAAkB,mBAAmB,kBAAkB,kBAAkB,iBAAiB,iBAAiB,qBAAqB,oBAAoB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,qBAAqB,uBAAuB,qBAAqB,sBAAsB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,oBAAoB,oBAAoB,uBAAuB,mBAAmB,oBAAoB,oBAAoB,mBAAmB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,mBAAmB,mBAAmB,mBAAmB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,kBAAkB,qBAAqB,oBAAoB,qBAAqB,kBAAkB,oBAAoB,oBAAoB,oBAAoB,mBAAmB,mBAAmB,uBAAuB,oBAAoB,qBAAqB,oBAAoB,qBAAqB,qBAAqB,qBAAqB,oBAAoB,uBAAuB,oBAAoB,oBAAoB,kBAAkB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,mBAAmB,sBAAsB,uBAAuB,oBAAoB,uBAAuB,mBAAmB,oBAAoB,qBAAqB,mBAAmB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,oBAAoB,oBAAoB,mBAAmB,oBAAoB,qBAAqB,sBAAsB,sBAAsB,oBAAoB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,sBAAsB,qBAAqB,oBAAoB,sBAAsB,mBAAmB,qBAAqB,sBAAsB,oBAAoB,kBAAkB,sBAAsB,kBAAkB,qBAAqB,oBAAoB,sBAAsB,qBAAqB,qBAAqB,sBAAsB,oBAAoB,sBAAsB,qBAAqB,qBAAqB,mBAAmB,qBAAqB,qBAAqB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,qBAAqB,mBAAmB,qBAAqB,oBAAoB,qBAAqB,sBAAsB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,kBAAkB,sBAAsB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,sBAAsB,mBAAmB,sBAAsB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,mBAAmB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,mBAAmB,QAAQ,SAAS,QAAQ,UAAUF,MAAM,kBAAkB,oBAAoB,mBAAmB,mBAAmB,kBAAkB,kBAAkB,iBAAiB,kBAAkB,iBAAiB,kBAAkB,mBAAmB,yBAAyB,yBAAyB,wBAAwB,yBAAyB,wBAAwB,iBAAiB,kBAAkB,oBAAoB,kBAAkB,kBAAkB,mBAAmB,iBAAiB,iBAAiB,kBAAkB,kBAAkB,mBAAmB,kBAAkB,mBAAmB,kBAAkB,mBAAmB,mBAAmB,iBAAiB,kBAAkB,kBAAkB,mBAAmB,qBAAqB,oBAAoB,gBAAgB,iBAAiB,iBAAiB,oBAAoB,mBAAmB,kBAAkB,mBAAmB,kBAAkB,kBAAkB,iBAAiB,iBAAiB,qBAAqB,oBAAoB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,qBAAqB,uBAAuB,qBAAqB,sBAAsB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,oBAAoB,oBAAoB,uBAAuB,mBAAmB,oBAAoB,oBAAoB,mBAAmB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,mBAAmB,mBAAmB,mBAAmB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,kBAAkB,qBAAqB,oBAAoB,qBAAqB,kBAAkB,oBAAoB,oBAAoB,oBAAoB,mBAAmB,mBAAmB,uBAAuB,oBAAoB,qBAAqB,oBAAoB,qBAAqB,qBAAqB,qBAAqB,oBAAoB,uBAAuB,oBAAoB,oBAAoB,kBAAkB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,mBAAmB,sBAAsB,uBAAuB,oBAAoB,uBAAuB,mBAAmB,oBAAoB,qBAAqB,mBAAmB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,mBAAmB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,oBAAoB,oBAAoB,mBAAmB,oBAAoB,qBAAqB,sBAAsB,sBAAsB,oBAAoB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,sBAAsB,qBAAqB,oBAAoB,sBAAsB,mBAAmB,qBAAqB,sBAAsB,oBAAoB,kBAAkB,sBAAsB,kBAAkB,qBAAqB,oBAAoB,sBAAsB,qBAAqB,qBAAqB,sBAAsB,oBAAoB,sBAAsB,qBAAqB,qBAAqB,mBAAmB,qBAAqB,qBAAqB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,oBAAoB,sBAAsB,qBAAqB,mBAAmB,qBAAqB,oBAAoB,qBAAqB,sBAAsB,qBAAqB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,kBAAkB,sBAAsB,oBAAoB,qBAAqB,mBAAmB,oBAAoB,oBAAoB,sBAAsB,mBAAmB,sBAAsB,oBAAoB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,oBAAoB,qBAAqB,oBAAoB,mBAAmB,mBAAmB,oBAAoB,qBAAqB,qBAAqB,oBAAoB,mBAAmB,QAAQ,SAAS,QAAQ,WAAW+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOY,SAASjB,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAK,KAAK,MAAMb,OAAO,YAAY,cAAc,UAAU,MAAM,SAAS,YAAY,OAAO,OAAO,OAAO,MAAM,SAAS,UAAUF,MAAM,YAAY,cAAc,UAAU,MAAM,SAAS,YAAY,OAAO,OAAO,OAAO,MAAM,SAAS,WAAW6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,MAAMb,OAAO,MAAMF,MAAM,OAAO+kB,YAAYC,GAAG,KAAKC,GAAG,OAAOa,KAAKlB,QAAQ7jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,UAAU,WAAW,QAAQ,QAAQ,MAAM,OAAO,OAAO,SAAS,YAAY,UAAU,WAAW,aAAa6kB,MAAM9jB,QAAQ,IAAI,IAAI,IAAI,IAAI,IAAI,IAAI,KAAKb,OAAO,MAAM,MAAM,MAAM,MAAM,MAAM,MAAM,OAAOF,MAAM,SAAS,SAAS,UAAU,YAAY,WAAW,SAAS,aAAa8kB,MAAM/jB,QAAQ,gBAAgB,UAAUb,OAAO,gBAAgB,UAAUF,MAAM,gBAAgB,WAAW+kB,YAAYC,GAAG,KAAKC,GAAG,SAASp8B,QAAQoc,IAAI,QAAQnM,UAAUmD,SAASjD,gBAAgB,WAAWC,gBAAgB,uBAAuBrF,UAAUoF,gBAAgB,qBAAqBC,gBAAgB,iCAAiC8sB,SAAS/sB,gBAAgB,wBAAwBC,gBAAgB,qCAAqCc,SAASC,MAAMiC,QAAQ,IAAIZ,MAAM,IAAIX,IAAI,MAAM2B,SAAS,IAAIE,UAAU,IAAIE,YAAY,IAAIN,SAAS,MAAMO,YAAYspB,IAAI,KAAKC,IAAI,KAAKC,IAAI,MAAMC,IAAI,MAAMC,IAAI,IAAIC,IAAI,IAAIC,IAAI,MAAMC,IAAI,IAAIC,IAAI,IAAIrH,IAAI,IAAIE,IAAI,IAAIoH,IAAI,MAAMC,IAAI,MAAMC,IAAI,MAAMC,IAAI,IAAI7G,IAAI,IAAIrB,IAAI,OAAOmI,IAAI,MAAMrI,IAAI,MAAMO,IAAI,YvBwyKx9uB+H,IACA,SAAUvnC,EAAQ8C,EAAS5C,GAEjC,YwBzyKKA,GAAQ,QACZC,OAAOC,eAAeF,EAAQ,KAAmB,UAC9CG,MAAOH,EAAQ,KAAe+D,cAAc,EAAMP,YAAY,EAC/DQ,UAAU,KxBgzKPsjC,IACA,SAAUxnC,EAAQ8C,EAAS5C,GAEjC,YyBtzKA,IAAIunC,IAAe3jC,QAAQ,EAAM4jC,QAAQ,EAEzC1nC,GAAO8C,QAAU,WAChB,GAAI4kC,EACJ,IAAsB,kBAAXxkC,QAAuB,OAAO,CACzCwkC,GAASxkC,OAAO,cAChB,KAAMgE,OAAOwgC,GAAW,MAAO7jC,GAAK,OAAO,EAG3C,QAAK4jC,QAAkBvkC,QAAOkD,cACzBqhC,QAAkBvkC,QAAOiD,gBACzBshC,QAAkBvkC,QAAO4C,gBzBo0KzB6hC,IACA,SAAU3nC,EAAQ8C,G0Bh1KxB9C,EAAO8C,QAAW,WACjB,MAAOT,U1By1KFulC,IACA,SAAU5nC,EAAQ8C,EAAS5C,GAEjC,Y2B31KA,IAKI2nC,GAAcC,EAAgBC,EAC9BC,EANAjjB,EAAiB7kB,EAAQ,KACzB+nC,EAAiB/nC,EAAQ,KAEzBkoB,EAASjoB,OAAOioB,OAAQjkB,EAAmBhE,OAAOgE,iBAClD/D,EAAiBD,OAAOC,eAAgB8nC,EAAe/nC,OAAOiB,UAClB+mC,EAAgB/f,EAAO,KAGvE,IAAsB,kBAAXllB,QAAuB,CACjC2kC,EAAe3kC,MACf,KACCgE,OAAO2gC,KACPG,GAAe,EACd,MAAOI,KAGV,GAAIC,GAAgB,WACnB,GAAIC,GAAUlgB,EAAO,KACrB,OAAO,UAAUX,GAEhB,IADA,GAAiB1jB,GAAMwkC,EAAnBC,EAAU,EACPF,EAAQ7gB,GAAQ+gB,GAAW,QAAQA,CAc1C,OAbA/gB,IAAS+gB,GAAW,GACpBF,EAAQ7gB,IAAQ,EAChB1jB,EAAO,KAAO0jB,EACdrnB,EAAe8nC,EAAcnkC,EAAMghB,EAAE0jB,GAAG,KAAM,SAAUpoC,GAKnDkoC,IACJA,GAAoB,EACpBnoC,EAAeiC,KAAM0B,EAAMghB,EAAE1kB,IAC7BkoC,GAAoB,MAEdxkC,KAMTgkC,GAAe,SAAgBW,GAC9B,GAAIrmC,eAAgB0lC,GAAc,KAAM,IAAIt/B,WAAU,8BACtD,OAAOq/B,GAAeY,IAKvB1oC,EAAO8C,QAAUglC,EAAiB,QAAS5kC,GAAOwlC,GACjD,GAAIhB,EACJ,IAAIrlC,eAAgBa,GAAQ,KAAM,IAAIuF,WAAU,8BAChD,OAAIu/B,GAAqBH,EAAaa,IACtChB,EAAStf,EAAO2f,EAAa3mC,WAC7BsnC,MAA+BxmC,KAAhBwmC,EAA4B,GAAKxhC,OAAOwhC,GAChDvkC,EAAiBujC,GACvBiB,gBAAiB5jB,EAAE,GAAI2jB,GACvBE,SAAU7jB,EAAE,GAAIsjB,EAAaK,QAG/BvkC,EAAiB2jC,GAChBhiB,IAAKf,EAAE,SAAU/a,GAChB,MAAIm+B,GAAcn+B,GAAam+B,EAAcn+B,GACrCm+B,EAAcn+B,GAAO89B,EAAe5gC,OAAO8C,MAEpD6+B,OAAQ9jB,EAAE,SAAUvM,GACnB,GAAIxO,EACJi+B,GAAezvB,EACf,KAAKxO,IAAOm+B,GAAe,GAAIA,EAAcn+B,KAASwO,EAAG,MAAOxO,KAKjE0e,YAAa3D,EAAE,GAAK8iB,GAAgBA,EAAanf,aAAgBof,EAAe,gBAChFl7B,mBAAoBmY,EAAE,GAAK8iB,GAAgBA,EAAaj7B,oBACvDk7B,EAAe,uBAChB1hC,SAAU2e,EAAE,GAAK8iB,GAAgBA,EAAazhC,UAAa0hC,EAAe,aAC1E78B,MAAO8Z,EAAE,GAAK8iB,GAAgBA,EAAa58B,OAAU68B,EAAe,UACpEtiC,QAASuf,EAAE,GAAK8iB,GAAgBA,EAAariC,SAAYsiC,EAAe,YACxEvc,OAAQxG,EAAE,GAAK8iB,GAAgBA,EAAatc,QAAWuc,EAAe,WACtE77B,QAAS8Y,EAAE,GAAK8iB,GAAgBA,EAAa57B,SAAY67B,EAAe,YACxEplC,MAAOqiB,EAAE,GAAK8iB,GAAgBA,EAAanlC,OAAUolC,EAAe,UACpE3hC,YAAa4e,EAAE,GAAK8iB,GAAgBA,EAAa1hC,aAAgB2hC,EAAe,gBAChFhiC,YAAaif,EAAE,GAAK8iB,GAAgBA,EAAa/hC,aAAgBgiC,EAAe,gBAChFgB,YAAa/jB,EAAE,GAAK8iB,GAAgBA,EAAaiB,aAAgBhB,EAAe,kBAIjF3jC,EAAiB4jC,EAAa3mC,WAC7B2K,YAAagZ,EAAE+iB,GACf1kC,SAAU2hB,EAAE,GAAI,WAAc,MAAO1iB,MAAKumC,aAK3CzkC,EAAiB2jC,EAAe1mC,WAC/BgC,SAAU2hB,EAAE,WAAc,MAAO,WAAakjB,EAAe5lC,MAAMsmC,gBAAkB,MACrFI,QAAShkB,EAAE,WAAc,MAAOkjB,GAAe5lC,UAEhDjC,EAAe0nC,EAAe1mC,UAAW0mC,EAAe3hC,YAAa4e,EAAE,GAAI,WAC1E,GAAI2iB,GAASO,EAAe5lC,KAC5B,OAAsB,gBAAXqlC,GAA4BA,EAChCA,EAAOtkC,cAEfhD,EAAe0nC,EAAe1mC,UAAW0mC,EAAehiC,YAAaif,EAAE,IAAK,WAG5E3kB,EAAe2nC,EAAa3mC,UAAW0mC,EAAehiC,YACrDif,EAAE,IAAK+iB,EAAe1mC,UAAU0mC,EAAehiC,eAMhD1F,EAAe2nC,EAAa3mC,UAAW0mC,EAAe3hC,YACrD4e,EAAE,IAAK+iB,EAAe1mC,UAAU0mC,EAAe3hC,gB3B62K1C6iC,IACA,SAAUhpC,EAAQ8C,EAAS5C,GAEjC,Y4Bn+KA,IAKI6kB,GALAvjB,EAAgBtB,EAAQ,KACxB+oC,EAAgB/oC,EAAQ,KACxBgpC,EAAgBhpC,EAAQ,KACxBipC,EAAgBjpC,EAAQ,IAI5B6kB,GAAI/kB,EAAO8C,QAAU,SAAUsmC,EAAM/oC,GACpC,GAAIiU,GAAGzQ,EAAGwlC,EAAGtzB,EAAS0R,CAkBtB,OAjBKzlB,WAAUC,OAAS,GAAuB,gBAATmnC,IACrCrzB,EAAU1V,EACVA,EAAQ+oC,EACRA,EAAO,MAEPrzB,EAAU/T,UAAU,GAET,MAARonC,GACH90B,EAAI+0B,GAAI,EACRxlC,GAAI,IAEJyQ,EAAI60B,EAAS5lC,KAAK6lC,EAAM,KACxBvlC,EAAIslC,EAAS5lC,KAAK6lC,EAAM,KACxBC,EAAIF,EAAS5lC,KAAK6lC,EAAM,MAGzB3hB,GAASpnB,MAAOA,EAAO4D,aAAcqQ,EAAG5Q,WAAYG,EAAGK,SAAUmlC,GACzDtzB,EAAiBvU,EAAOynC,EAAclzB,GAAU0R,GAAtCA,GAGnB1C,EAAE0jB,GAAK,SAAUW,EAAMxhB,EAAK4B,GAC3B,GAAIlV,GAAGzQ,EAAGkS,EAAS0R,CA6BnB,OA5BoB,gBAAT2hB,IACVrzB,EAAUyT,EACVA,EAAM5B,EACNA,EAAMwhB,EACNA,EAAO,MAEPrzB,EAAU/T,UAAU,GAEV,MAAP4lB,EACHA,MAAM1lB,GACKgnC,EAAWthB,GAGL,MAAP4B,EACVA,MAAMtnB,GACKgnC,EAAW1f,KACtBzT,EAAUyT,EACVA,MAAMtnB,KANN6T,EAAU6R,EACVA,EAAM4B,MAAMtnB,IAOD,MAARknC,GACH90B,GAAI,EACJzQ,GAAI,IAEJyQ,EAAI60B,EAAS5lC,KAAK6lC,EAAM,KACxBvlC,EAAIslC,EAAS5lC,KAAK6lC,EAAM,MAGzB3hB,GAASG,IAAKA,EAAK4B,IAAKA,EAAKvlB,aAAcqQ,EAAG5Q,WAAYG,GAClDkS,EAAiBvU,EAAOynC,EAAclzB,GAAU0R,GAAtCA,I5B0+Kb6hB,IACA,SAAUtpC,EAAQ8C,EAAS5C,GAEjC,Y6BxiLAF,GAAO8C,QAAU5C,EAAQ,OACtBC,OAAOqB,OACPtB,EAAQ,M7B6iLLqpC,IACA,SAAUvpC,EAAQ8C,EAAS5C,GAEjC,Y8BljLAF,GAAO8C,QAAU,WAChB,GAA4BW,GAAxBjC,EAASrB,OAAOqB,MACpB,OAAsB,kBAAXA,KACXiC,GAAQ+lC,IAAK,OACbhoC,EAAOiC,GAAOgmC,IAAK,QAAWC,KAAM,SAC5BjmC,EAAI+lC,IAAM/lC,EAAIgmC,IAAMhmC,EAAIimC,OAAU,gB9B2jLrCC,IACA,SAAU3pC,EAAQ8C,EAAS5C,GAEjC,Y+BnkLA,IAAI6C,GAAQ7C,EAAQ,KAChBG,EAAQH,EAAQ,KAChBqP,EAAQ/I,KAAK+I,GAEjBvP,GAAO8C,QAAU,SAAU8mC,EAAMC,GAChC,GAAIhjB,GAAOrV,EAAsChQ,EAAnCS,EAASsN,EAAIvN,UAAUC,OAAQ,EAS7C,KARA2nC,EAAOzpC,OAAOE,EAAMupC,IACpBpoC,EAAS,SAAUwI,GAClB,IACC4/B,EAAK5/B,GAAO6/B,EAAI7/B,GACf,MAAOnG,GACHgjB,IAAOA,EAAQhjB,KAGjB2N,EAAI,EAAGA,EAAIvP,IAAUuP,EACzBq4B,EAAM7nC,UAAUwP,GAChBzO,EAAK8mC,GAAKC,QAAQtoC,EAEnB,QAAcU,KAAV2kB,EAAqB,KAAMA,EAC/B,OAAO+iB,K/B8kLFG,IACA,SAAU/pC,EAAQ8C,EAAS5C,GAEjC,YgCpmLAF,GAAO8C,QAAU5C,EAAQ,OACtBC,OAAO4C,KACP7C,EAAQ,MhCymLL8pC,IACA,SAAUhqC,EAAQ8C,EAAS5C,GAEjC,YiC9mLAF,GAAO8C,QAAU,WAChB,IAEC,MADA3C,QAAO4C,KAAK,cACL,EACN,MAAOc,GACT,OAAO,KjCunLFomC,IACA,SAAUjqC,EAAQ8C,EAAS5C,GAEjC,YkC/nLA,IAAIgqC,GAAUhqC,EAAQ,KAElB6C,EAAO5C,OAAO4C,IAElB/C,GAAO8C,QAAU,SAAUgB,GAC1B,MAAOf,GAAKmnC,EAAQpmC,GAAU3D,OAAO2D,GAAUA,KlCuoL1CqmC,IACA,SAAUnqC,EAAQ8C,EAAS5C,GAEjC,YmC9oLAF,GAAO8C,QAAU,cnCupLXsnC,IACA,SAAUpqC,EAAQ8C,EAAS5C,GAEjC,YoC3pLA,IAAIgqC,GAAUhqC,EAAQ,IAEtBF,GAAO8C,QAAU,SAAUzC,GAC1B,IAAK6pC,EAAQ7pC,GAAQ,KAAM,IAAIoI,WAAU,+BACzC,OAAOpI,KpCmqLFgqC,IACA,SAAUrqC,EAAQ8C,EAAS5C,GAEjC,YqC1qLA,IAAIgqC,GAAUhqC,EAAQ,KAElB4pC,EAAU3oC,MAAMC,UAAU0oC,QAAS1hB,EAASjoB,OAAOioB,OAEnDkiB,EAAU,SAAUT,EAAKpmC,GAC5B,GAAIuG,EACJ,KAAKA,IAAO6/B,GAAKpmC,EAAIuG,GAAO6/B,EAAI7/B,GAIjChK,GAAO8C,QAAU,SAAUynC,GAC1B,GAAIn9B,GAASgb,EAAO,KAKpB,OAJA0hB,GAAQvmC,KAAKvB,UAAW,SAAU+T,GAC5Bm0B,EAAQn0B,IACbu0B,EAAQnqC,OAAO4V,GAAU3I,KAEnBA,IrCmrLFo9B,IACA,SAAUxqC,EAAQ8C,EAAS5C,GAEjC,YsCpsLAF,GAAO8C,QAAU,SAAUW,GAC1B,MAAsB,kBAARA,KtC8sLTgnC,IACA,SAAUzqC,EAAQ8C,EAAS5C,GAEjC,YuCptLAF,GAAO8C,QAAU5C,EAAQ,OACtBgH,OAAO9F,UAAU+nC,SACjBjpC,EAAQ,MvCytLLwqC,IACA,SAAU1qC,EAAQ8C,EAAS5C,GAEjC,YwC9tLA,IAAI+S,GAAM,YAEVjT,GAAO8C,QAAU,WAChB,MAA4B,kBAAjBmQ,GAAIk2B,YACiB,IAAxBl2B,EAAIk2B,SAAS,SAA6C,IAAxBl2B,EAAIk2B,SAAS,UxCsuLlDwB,IACA,SAAU3qC,EAAQ8C,EAAS5C,GAEjC,YyC7uLA,IAAIsC,GAAU0E,OAAO9F,UAAUoB,OAE/BxC,GAAO8C,QAAU,SAAU8nC,GAC1B,MAAOpoC,GAAQe,KAAKlB,KAAMuoC,EAAc5oC,UAAU,KAAO,IzCqvLpD6oC,IACA,SAAU7qC,EAAQ8C,EAAS5C,GAEjC,Y0C3vLA,IAAI4qC,GAAW5qC,EAAQ,IAEvBF,GAAO8C,QAAU,SAAUzC,GAC1B,IAAKyqC,EAASzqC,GAAQ,KAAM,IAAIoI,WAAUpI,EAAQ,mBAClD,OAAOA,K1CmwLF0qC,IACA,SAAU/qC,EAAQ8C,EAAS5C,GAEjC,Y2C1wLAF,GAAO8C,QAAU,SAAUc,GAC1B,QAAKA,IACY,gBAANA,MACNA,EAAEmI,cACoB,WAAvBnI,EAAEmI,YAAYhI,MACuB,WAAjCH,EAAEA,EAAEmI,YAAYjG,iB3CkxLnBklC,IACA,SAAUhrC,EAAQ8C,EAAS5C,GAEjC,Y4C1xLA,IAAI+qC,GAAS/qC,EAAQ,KACjBiP,EAAKjP,EAAQ,KAEb+E,EAAiB/E,EAAQ,KACzBgrC,EAAchrC,EAAQ,KACtBirC,EAAWD,IACX3pC,EAAOrB,EAAQ,KAEf8G,EAAQ7F,MAAMC,UAAU4F,MAGxBokC,EAAoB,SAAkBC,EAAOj8B,GAGhD,MADAD,GAAGrF,uBAAuBuhC,GACnBF,EAASziC,MAAM2iC,EAAOrkC,EAAMzD,KAAKvB,UAAW,IAEpDipC,GAAOG,GACNF,YAAaA,EACbjmC,eAAgBA,EAChB1D,KAAMA,IAGPvB,EAAO8C,QAAUsoC,G5CiyLXE,IACA,SAAUtrC,EAAQ8C,EAAS5C,GAEjC,Y6CzzLA,IAAIgG,GAAM/F,OAAOiB,UAAUwD,eACvBzB,EAAQhD,OAAOiB,UAAUgC,SACzB4D,EAAQ7F,MAAMC,UAAU4F,MACxBukC,EAASrrC,EAAQ,KACjBwP,EAAevP,OAAOiB,UAAUuO,qBAChC67B,GAAkB97B,EAAanM,MAAOH,SAAU,MAAQ,YACxDqoC,EAAkB/7B,EAAanM,KAAK,aAAgB,aACpDmoC,GACH,WACA,iBACA,UACA,iBACA,gBACA,uBACA,eAEGC,EAA6B,SAAUptB,GAC1C,GAAIqtB,GAAOrtB,EAAExS,WACb,OAAO6/B,IAAQA,EAAKxqC,YAAcmd,GAE/BstB,GACHC,UAAU,EACVC,WAAW,EACXC,QAAQ,EACRC,eAAe,EACfC,SAAS,EACTC,cAAc,EACdC,aAAa,EACbC,cAAc,EACdC,aAAa,EACbC,cAAc,EACdC,cAAc,EACdC,SAAS,EACTC,aAAa,EACbC,YAAY,EACZC,UAAU,EACVC,UAAU,EACVC,OAAO,EACPC,kBAAkB,EAClBC,oBAAoB,EACpBC,SAAS,GAENC,EAA4B,WAE/B,GAAsB,mBAAXC,QAA0B,OAAO,CAC5C,KAAK,GAAI79B,KAAK69B,QACb,IACC,IAAKtB,EAAa,IAAMv8B,IAAMpJ,EAAI3C,KAAK4pC,OAAQ79B,IAAoB,OAAd69B,OAAO79B,IAAoC,gBAAd69B,QAAO79B,GACxF,IACCq8B,EAA2BwB,OAAO79B,IACjC,MAAOzL,GACR,OAAO,GAGR,MAAOA,GACR,OAAO,EAGT,OAAO,KAEJupC,EAAuC,SAAU7uB,GAEpD,GAAsB,mBAAX4uB,UAA2BD,EACrC,MAAOvB,GAA2BptB,EAEnC,KACC,MAAOotB,GAA2BptB,GACjC,MAAO1a,GACR,OAAO,IAILwpC,EAAW,SAAcvpC,GAC5B,GAAIwpC,GAAsB,OAAXxpC,GAAqC,gBAAXA,GACrCT,EAAoC,sBAAvBF,EAAMI,KAAKO,GACxBypC,EAAchC,EAAOznC,GACrB0pC,EAAWF,GAAmC,oBAAvBnqC,EAAMI,KAAKO,GAClC2pC,IAEJ,KAAKH,IAAajqC,IAAekqC,EAChC,KAAM,IAAI9kC,WAAU,qCAGrB,IAAIilC,GAAYjC,GAAmBpoC,CACnC,IAAImqC,GAAY1pC,EAAO7B,OAAS,IAAMiE,EAAI3C,KAAKO,EAAQ,GACtD,IAAK,GAAI0N,GAAI,EAAGA,EAAI1N,EAAO7B,SAAUuP,EACpCi8B,EAAQ59B,KAAK3I,OAAOsK,GAItB,IAAI+7B,GAAezpC,EAAO7B,OAAS,EAClC,IAAK,GAAIuc,GAAI,EAAGA,EAAI1a,EAAO7B,SAAUuc,EACpCivB,EAAQ59B,KAAK3I,OAAOsX,QAGrB,KAAK,GAAIza,KAAQD,GACV4pC,GAAsB,cAAT3pC,IAAyBmC,EAAI3C,KAAKO,EAAQC,IAC5D0pC,EAAQ59B,KAAK3I,OAAOnD,GAKvB,IAAIynC,EAGH,IAAK,GAFDmC,GAAkBP,EAAqCtpC,GAElDwL,EAAI,EAAGA,EAAIo8B,EAAUzpC,SAAUqN,EACjCq+B,GAAoC,gBAAjBjC,EAAUp8B,KAAyBpJ,EAAI3C,KAAKO,EAAQ4nC,EAAUp8B,KACtFm+B,EAAQ59B,KAAK67B,EAAUp8B,GAI1B,OAAOm+B,GAGRJ,GAAS9rC,KAAO,WACf,GAAIpB,OAAO4C,KAAM,CAKhB,IAJ8B,WAE7B,MAAiD,MAAzC5C,OAAO4C,KAAKf,YAAc,IAAIC,QACrC,EAAG,GACwB,CAC5B,GAAI2rC,GAAeztC,OAAO4C,IAC1B5C,QAAO4C,KAAO,SAAce,GAC3B,MACQ8pC,GADJrC,EAAOznC,GACUkD,EAAMzD,KAAKO,GAEXA,SAKvB3D,QAAO4C,KAAOsqC,CAEf,OAAOltC,QAAO4C,MAAQsqC,GAGvBrtC,EAAO8C,QAAUuqC,G7C4zLXQ,IACA,SAAU7tC,EAAQ8C,EAAS5C,GAEjC,Y8Cx8LA,IAAIiD,GAAQhD,OAAOiB,UAAUgC,QAE7BpD,GAAO8C,QAAU,SAAqBzC,GACrC,GAAI4S,GAAM9P,EAAMI,KAAKlD,GACjBkrC,EAAiB,uBAARt4B,CASb,OARKs4B,KACJA,EAAiB,mBAARt4B,GACE,OAAV5S,GACiB,gBAAVA,IACiB,gBAAjBA,GAAM4B,QACb5B,EAAM4B,QAAU,GACa,sBAA7BkB,EAAMI,KAAKlD,EAAMytC,SAEZvC,I9C28LFwC,IACA,SAAU/tC,EAAQ8C,G+C19LxB,GAAIkrC,GAAS7tC,OAAOiB,UAAUwD,eAC1BxB,EAAWjD,OAAOiB,UAAUgC,QAEhCpD,GAAO8C,QAAU,SAAkBW,EAAKH,EAAI2qC,GACxC,GAA0B,sBAAtB7qC,EAASG,KAAKD,GACd,KAAM,IAAImF,WAAU,8BAExB,IAAIylC,GAAIzqC,EAAIxB,MACZ,IAAIisC,KAAOA,EACP,IAAK,GAAI18B,GAAI,EAAGA,EAAI08B,EAAG18B,IACnBlO,EAAGC,KAAK0qC,EAAKxqC,EAAI+N,GAAIA,EAAG/N,OAG5B,KAAK,GAAI6L,KAAK7L,GACNuqC,EAAOzqC,KAAKE,EAAK6L,IACjBhM,EAAGC,KAAK0qC,EAAKxqC,EAAI6L,GAAIA,EAAG7L,K/Cq+LlC0qC,IACA,SAAUnuC,EAAQ8C,EAAS5C,GAEjC,YgDp/LA,IACI8G,GAAQ7F,MAAMC,UAAU4F,MACxB7D,EAAQhD,OAAOiB,UAAUgC,QAG7BpD,GAAO8C,QAAU,SAAcsrC,GAC3B,GAAIz/B,GAAStM,IACb,IAAsB,kBAAXsM,IAJA,sBAIyBxL,EAAMI,KAAKoL,GAC3C,KAAM,IAAIlG,WARE,kDAQwBkG,EAyBxC,KAAK,GArBD0/B,GAFA9lC,EAAOvB,EAAMzD,KAAKvB,UAAW,GAG7BssC,EAAS,WACT,GAAIjsC,eAAgBgsC,GAAO,CACvB,GAAIjhC,GAASuB,EAAOjG,MAChBrG,KACAkG,EAAKhE,OAAOyC,EAAMzD,KAAKvB,YAE3B,OAAI7B,QAAOiN,KAAYA,EACZA,EAEJ/K,KAEP,MAAOsM,GAAOjG,MACV0lC,EACA7lC,EAAKhE,OAAOyC,EAAMzD,KAAKvB,cAK/BusC,EAAc/nC,KAAK+I,IAAI,EAAGZ,EAAO1M,OAASsG,EAAKtG,QAC/CusC,KACKh9B,EAAI,EAAGA,EAAI+8B,EAAa/8B,IAC7Bg9B,EAAU3+B,KAAK,IAAM2B,EAKzB,IAFA68B,EAAQ1pC,SAAS,SAAU,oBAAsB6pC,EAAU/mC,KAAK,KAAO,6CAA6C6mC,GAEhH3/B,EAAOvN,UAAW,CAClB,GAAIqtC,GAAQ,YACZA,GAAMrtC,UAAYuN,EAAOvN,UACzBitC,EAAMjtC,UAAY,GAAIqtC,GACtBA,EAAMrtC,UAAY,KAGtB,MAAOitC,KhDw/LLK,IACA,SAAU1uC,EAAQ8C,EAAS5C,GAEjC,YiD3iMA,IAAI+C,GAA+B,kBAAXC,SAAoD,gBAApBA,QAAOkD,SAE3DQ,EAAc1G,EAAQ,KACtBgpC,EAAahpC,EAAQ,KACrByuC,EAASzuC,EAAQ,KACjB4qC,EAAW5qC,EAAQ,KAEnB0uC,EAAsB,SAA6BpjC,EAAGqjC,GACzD,OAAiB,KAANrjC,GAA2B,OAANA,EAC/B,KAAM,IAAI/C,WAAU,yBAA2B+C,EAEhD,IAAoB,gBAATqjC,IAA+B,WAATA,GAA8B,WAATA,EACrD,KAAM,IAAIpmC,WAAU,oCAErB,IACIqmC,GAAQ1hC,EAAQoE,EADhBu9B,EAAuB,WAATF,GAAqB,WAAY,YAAc,UAAW,WAE5E,KAAKr9B,EAAI,EAAGA,EAAIu9B,EAAY9sC,SAAUuP,EAErC,GADAs9B,EAAStjC,EAAEujC,EAAYv9B,IACnB03B,EAAW4F,KACd1hC,EAAS0hC,EAAOvrC,KAAKiI,GACjB5E,EAAYwG,IACf,MAAOA,EAIV,MAAM,IAAI3E,WAAU,qBAGjB8C,EAAY,SAAmBC,EAAGF,GACrC,GAAIG,GAAOD,EAAEF,EACb,IAAa,OAATG,OAAiC,KAATA,EAAsB,CACjD,IAAKy9B,EAAWz9B,GACf,KAAM,IAAIhD,WAAUgD,EAAO,0BAA4BH,EAAI,cAAgBE,EAAI,qBAEhF,OAAOC,IAKTzL,GAAO8C,QAAU,SAAqByO,EAAOy9B,GAC5C,GAAIpoC,EAAY2K,GACf,MAAOA,EAER,IAAIs9B,GAAO,SACP7sC,WAAUC,OAAS,IAClB+sC,IAAkB9nC,OACrB2nC,EAAO,SACGG,IAAkBttC,SAC5BmtC,EAAO,UAIT,IAAII,EAQJ,IAPIhsC,IACCC,OAAOiD,YACV8oC,EAAe1jC,EAAUgG,EAAOrO,OAAOiD,aAC7B2kC,EAASv5B,KACnB09B,EAAe/rC,OAAO9B,UAAU2nC,cAGN,KAAjBkG,EAA8B,CACxC,GAAI7hC,GAAS6hC,EAAa1rC,KAAKgO,EAAOs9B,EACtC,IAAIjoC,EAAYwG,GACf,MAAOA,EAER,MAAM,IAAI3E,WAAU,gDAKrB,MAHa,YAATomC,IAAuBF,EAAOp9B,IAAUu5B,EAASv5B,MACpDs9B,EAAO,UAEDD,EAAoBr9B,EAAgB,YAATs9B,EAAqB,SAAWA,KjDmjM7DK,IACA,SAAUlvC,EAAQ8C,EAAS5C,GAEjC,YkD5nMA,IAAIivC,GAAStrB,KAAKziB,UAAU+tC,OACxBC,EAAgB,SAAuB/uC,GAC1C,IAEC,MADA8uC,GAAO5rC,KAAKlD,IACL,EACN,MAAOwD,GACR,OAAO,IAILV,EAAQhD,OAAOiB,UAAUgC,SAEzByC,EAAmC,kBAAX3C,SAAuD,gBAAvBA,QAAO4C,WAEnE9F,GAAO8C,QAAU,SAAsBzC,GACtC,MAAqB,gBAAVA,IAAgC,OAAVA,IAC1BwF,EAAiBupC,EAAc/uC,GALvB,kBAKgC8C,EAAMI,KAAKlD,MlDsoMrDgvC,IACA,SAAUrvC,EAAQ8C,EAAS5C,GAEjC,YmDzpMA,IAAIiD,GAAQhD,OAAOiB,UAAUgC,QAG7B,IAFmC,kBAAXF,SAA6C,gBAAbA,UAExC,CACf,GAAIosC,GAAWpsC,OAAO9B,UAAUgC,SAC5BmsC,EAAiB,iBACjBC,EAAiB,SAAwBnvC,GAC5C,MAA+B,gBAApBA,GAAM0oC,WACVwG,EAAe5pC,KAAK2pC,EAAS/rC,KAAKlD,IAE1CL,GAAO8C,QAAU,SAAkBzC,GAClC,GAAqB,gBAAVA,GAAsB,OAAO,CACxC,IAA0B,oBAAtB8C,EAAMI,KAAKlD,GAAgC,OAAO,CACtD,KACC,MAAOmvC,GAAenvC,GACrB,MAAOwD,GACR,OAAO,QAIT7D,GAAO8C,QAAU,SAAkBzC,GAElC,OAAO,InDwqMHovC,IACA,SAAUzvC,EAAQ8C,GoDjsMxB9C,EAAO8C,QAAU,SAAqBzC,GACrC,MAAiB,QAAVA,GAAoC,kBAAVA,IAAyC,gBAAVA,KpDwsM3DqvC,IACA,SAAU1vC,EAAQ8C,EAAS5C,GAEjC,YqD1sMA,IAAImG,GAASnG,EAAQ,KACjBoG,EAAYpG,EAAQ,KAEpBwG,EAAOxG,EAAQ,KACfyG,EAAMzG,EAAQ,KAEdsI,EAAatI,EAAQ,KACrBiG,EAAcjG,EAAQ,KAEtBgG,EAAMhG,EAAQ,KAGd+H,GACHU,YAAaxC,EAEb+E,UAAW,SAAmB7K,GAC7B,QAASA,GAEVuI,SAAU,SAAkBvI,GAC3B,MAAOqB,QAAOrB,IAEf8J,UAAW,SAAmB9J,GAC7B,GAAIiJ,GAASjH,KAAKuG,SAASvI,EAC3B,OAAIgG,GAAOiD,GAAkB,EACd,IAAXA,GAAiBhD,EAAUgD,GACxB5C,EAAK4C,GAAU9C,KAAKgD,MAAMhD,KAAKiD,IAAIH,IADOA,GAGlDqmC,QAAS,SAAiB/rC,GACzB,MAAOvB,MAAKuG,SAAShF,IAAM,GAE5BgsC,SAAU,SAAkBhsC,GAC3B,MAAOvB,MAAKuG,SAAShF,KAAO,GAE7BsF,SAAU,SAAkB7I,GAC3B,GAAIiJ,GAASjH,KAAKuG,SAASvI,EAC3B,IAAIgG,EAAOiD,IAAsB,IAAXA,IAAiBhD,EAAUgD,GAAW,MAAO,EACnE,IAAIC,GAAS7C,EAAK4C,GAAU9C,KAAKgD,MAAMhD,KAAKiD,IAAIH,GAChD,OAAO3C,GAAI4C,EAAQ,QAEpBK,SAAU,SAAkBvJ,GAC3B,MAAO6G,QAAO7G,IAEfwJ,SAAU,SAAkBxJ,GAE3B,MADAgC,MAAKiI,qBAAqBjK,GACnBF,OAAOE,IAEfiK,qBAAsB,SAA8BjK,EAAOwvC,GAE1D,GAAa,MAATxvC,EACH,KAAM,IAAIoI,WAAUonC,GAAc,yBAA2BxvC,EAE9D,OAAOA,IAERmI,WAAYA,EACZ6B,UAAW,SAAmBzG,EAAGwH,GAChC,MAAIxH,KAAMwH,EACC,IAANxH,GAAkB,EAAIA,GAAM,EAAIwH,EAG9B/E,EAAOzC,IAAMyC,EAAO+E,IAI5BO,KAAM,SAAc/H,GACnB,MAAU,QAANA,EACI,WAES,KAANA,EACH,YAES,kBAANA,IAAiC,gBAANA,GAC9B,SAES,gBAANA,GACH,SAES,iBAANA,GACH,UAES,gBAANA,GACH,aADR,IAMDwI,qBAAsB,SAA8BD,GACnD,GAAwB,WAApB9J,KAAKsJ,KAAKQ,GACb,OAAO,CAER,IAAI2jC,IACHC,oBAAoB,EACpBC,kBAAkB,EAClBC,WAAW,EACXC,WAAW,EACXC,aAAa,EACbC,gBAAgB,EAGjB,KAAK,GAAIpmC,KAAOmC,GACf,GAAIjG,EAAIiG,EAAMnC,KAAS8lC,EAAQ9lC,GAC9B,OAAO,CAIT,IAAIqmC,GAASnqC,EAAIiG,EAAM,aACnBmkC,EAAapqC,EAAIiG,EAAM,YAAcjG,EAAIiG,EAAM,UACnD,IAAIkkC,GAAUC,EACb,KAAM,IAAI7nC,WAAU,qEAErB,QAAO,GAIR8nC,qBAAsB,SAA8BpkC,GACnD,OAAoB,KAATA,EACV,OAAO,CAGR,KAAK9J,KAAK+J,qBAAqBD,GAC9B,KAAM,IAAI1D,WAAU,qCAGrB,UAAKvC,EAAIiG,EAAM,aAAejG,EAAIiG,EAAM,aAQzCG,iBAAkB,SAA0BH,GAC3C,OAAoB,KAATA,EACV,OAAO,CAGR,KAAK9J,KAAK+J,qBAAqBD,GAC9B,KAAM,IAAI1D,WAAU,qCAGrB,UAAKvC,EAAIiG,EAAM,eAAiBjG,EAAIiG,EAAM,kBAQ3CE,oBAAqB,SAA6BF,GACjD,OAAoB,KAATA,EACV,OAAO,CAGR,KAAK9J,KAAK+J,qBAAqBD,GAC9B,KAAM,IAAI1D,WAAU,qCAGrB,QAAKpG,KAAKkuC,qBAAqBpkC,KAAU9J,KAAKiK,iBAAiBH,IAQhEqkC,uBAAwB,SAAgCrkC,GACvD,OAAoB,KAATA,EACV,MAAOA,EAGR,KAAK9J,KAAK+J,qBAAqBD,GAC9B,KAAM,IAAI1D,WAAU,qCAGrB,IAAIpG,KAAKiK,iBAAiBH,GACzB,OACC9L,MAAO8L,EAAK,aACZjI,WAAYiI,EAAK,gBACjBzI,aAAcyI,EAAK,kBACnBlI,eAAgBkI,EAAK,oBAEhB,IAAI9J,KAAKkuC,qBAAqBpkC,GACpC,OACCyb,IAAKzb,EAAK,WACVqd,IAAKrd,EAAK,WACVzI,aAAcyI,EAAK,kBACnBlI,eAAgBkI,EAAK,oBAGtB,MAAM,IAAI1D,WAAU,qFAKtBgoC,qBAAsB,SAA8BC,GACnD,GAAuB,WAAnBruC,KAAKsJ,KAAK+kC,GACb,KAAM,IAAIjoC,WAAU,0CAGrB,IAAIgf,KAaJ,IAZIvhB,EAAIwqC,EAAK,gBACZjpB,EAAK,kBAAoBplB,KAAK6I,UAAUwlC,EAAIhtC,aAEzCwC,EAAIwqC,EAAK,kBACZjpB,EAAK,oBAAsBplB,KAAK6I,UAAUwlC,EAAIzsC,eAE3CiC,EAAIwqC,EAAK,WACZjpB,EAAK,aAAeipB,EAAIrwC,OAErB6F,EAAIwqC,EAAK,cACZjpB,EAAK,gBAAkBplB,KAAK6I,UAAUwlC,EAAIxsC,WAEvCgC,EAAIwqC,EAAK,OAAQ,CACpB,GAAI1oB,GAAS0oB,EAAI9oB,GACjB,QAAsB,KAAXI,IAA2B3lB,KAAKmG,WAAWwf,GACrD,KAAM,IAAIvf,WAAU,4BAErBgf,GAAK,WAAaO,EAEnB,GAAI9hB,EAAIwqC,EAAK,OAAQ,CACpB,GAAIjnB,GAASinB,EAAIlnB,GACjB,QAAsB,KAAXC,IAA2BpnB,KAAKmG,WAAWihB,GACrD,KAAM,IAAIhhB,WAAU,4BAErBgf,GAAK,WAAagC,EAGnB,IAAKvjB,EAAIuhB,EAAM,YAAcvhB,EAAIuhB,EAAM,cAAgBvhB,EAAIuhB,EAAM,cAAgBvhB,EAAIuhB,EAAM,iBAC1F,KAAM,IAAIhf,WAAU,+FAErB,OAAOgf,IAITznB,GAAO8C,QAAUmF,GrD2tMX0oC,IACA,SAAU3wC,EAAQ8C,EAAS5C,GAEjC,YsDv8MA,IAAIiD,GAAQhD,OAAOiB,UAAUgC,SAEzBwD,EAAc1G,EAAQ,KAEtBgpC,EAAahpC,EAAQ,KAGrB0wC,GACHC,mBAAoB,SAAUrlC,EAAGqjC,GAChC,GAAIiC,GAAajC,IAA2B,kBAAlB1rC,EAAMI,KAAKiI,GAAyBtE,OAASxF,OAEvE,IAAIovC,IAAe5pC,QAAU4pC,IAAepvC,OAAQ,CACnD,GACIrB,GAAOmR,EADPu/B,EAAUD,IAAe5pC,QAAU,WAAY,YAAc,UAAW,WAE5E,KAAKsK,EAAI,EAAGA,EAAIu/B,EAAQ9uC,SAAUuP,EACjC,GAAI03B,EAAW19B,EAAEulC,EAAQv/B,OACxBnR,EAAQmL,EAAEulC,EAAQv/B,MACd5K,EAAYvG,IACf,MAAOA,EAIV,MAAM,IAAIoI,WAAU,oBAErB,KAAM,IAAIA,WAAU,2CAKtBzI,GAAO8C,QAAU,SAAqByO,EAAOy9B,GAC5C,MAAIpoC,GAAY2K,GACRA,EAEDq/B,EAAiB,oBAAoBr/B,EAAOy9B,KtD+8M9CgC,IACA,SAAUhxC,EAAQ8C,EAAS5C,GAEjC,YuDn/MA,IAAIgG,GAAMhG,EAAQ,KACdoH,EAAYF,OAAOhG,UAAUmG,KAC7B0pC,EAAO9wC,OAAOsN,yBAEdyjC,EAAmB,SAAsB7wC,GAC5C,IACC,GAAI4R,GAAY5R,EAAM4R,SAItB,OAHA5R,GAAM4R,UAAY,EAElB3K,EAAU/D,KAAKlD,IACR,EACN,MAAOwD,GACR,OAAO,EAPR,QASCxD,EAAM4R,UAAYA,IAGhB9O,EAAQhD,OAAOiB,UAAUgC,SAEzByC,EAAmC,kBAAX3C,SAAuD,gBAAvBA,QAAO4C,WAEnE9F,GAAO8C,QAAU,SAAiBzC,GACjC,IAAKA,GAA0B,gBAAVA,GACpB,OAAO,CAER,KAAKwF,EACJ,MARe,oBAQR1C,EAAMI,KAAKlD,EAGnB,IAAI+mB,GAAa6pB,EAAK5wC,EAAO,YAE7B,UAD+B+mB,IAAclhB,EAAIkhB,EAAY,WAKtD8pB,EAAiB7wC,KvD2/MnB8wC,IACA,SAAUnxC,EAAQ8C,EAAS5C,GAEjC,YwDjiNA,IAAI+qC,GAAS/qC,EAAQ,KACjBgrC,EAAchrC,EAAQ,IAE1BF,GAAO8C,QAAU,WAChB,GAAIqoC,GAAWD,GAMf,OALAD,GACC9pC,MAAMC,WACJC,SAAU8pC,IACV9pC,SAAU,WAAc,MAAOF,OAAMC,UAAUC,WAAa8pC,KAExDA,IxDuiNFiG,IACA,SAAUpxC,EAAQ8C,EAAS5C,GAEjC,YyDpjNA,IAAI+qC,GAAS/qC,EAAQ,KAEjB+E,EAAiB/E,EAAQ,KACzBgrC,EAAchrC,EAAQ,KACtBqB,EAAOrB,EAAQ,KAEfirC,EAAWD,GAEfD,GAAOE,GACND,YAAaA,EACbjmC,eAAgBA,EAChB1D,KAAMA,IAGPvB,EAAO8C,QAAUqoC,GzD2jNXkG,IACA,SAAUrxC,EAAQ8C,EAAS5C,GAEjC,Y0D5kNAF,GAAO8C,QAAU5C,EAAQ,M1DmlNnBoxC,IACA,SAAUtxC,EAAQ8C,EAAS5C,GAEjC,Y2DtlNA,IAAIqxC,GAASrxC,EAAQ,KACjBsB,EAAStB,EAAQ,KAEjBsxC,EAAShwC,EAAOA,KAAW+vC,IAE9BE,mBAAoB,SAA4B7tC,EAAGwH,GAClD,GAAiB,gBAANxH,UAAyBA,UAAawH,GAChD,KAAM,IAAI3C,WAAU,sEAErB,OAAOpG,MAAKgI,UAAUzG,EAAGwH,KAI3BpL,GAAO8C,QAAU0uC,G3D6lNXE,IACA,SAAU1xC,EAAQ8C,EAAS5C,GAEjC,Y4D7mNA,IAAIgrC,GAAchrC,EAAQ,KACtB+qC,EAAS/qC,EAAQ,IAErBF,GAAO8C,QAAU,WAChB,GAAIqoC,GAAWD,GAMf,OALAD,GAAO9qC,QAAUsB,OAAQ0pC,IACxB1pC,OAAQ,WACP,MAAOtB,QAAOsB,SAAW0pC,KAGpBA,I5DqnNFwG,IACA,SAAU3xC,EAAQ8C,EAAS5C,GAEjC,Y6DloNA,IAAI+qC,GAAS/qC,EAAQ,KAEjB+E,EAAiB/E,EAAQ,IAM7B+qC,GAAOhmC,GACNimC,YANiBhrC,EAAQ,KAOzB+E,eAAgBA,EAChB1D,KAPUrB,EAAQ,OAUnBF,EAAO8C,QAAUmC,G7DyoNX2sC,IACA,SAAU5xC,EAAQ8C,EAAS5C,GAEjC,Y8D1pNA,IAAI+qC,GAAS/qC,EAAQ,KACjBgrC,EAAchrC,EAAQ,IAI1BF,GAAO8C,QAAU,WAChB,GAAIqoC,GAAWD,GAEf,OADAD,GAAOvpC,QAAUC,MAAOwpC,IAAcxpC,MAAO,WAAc,MAAOD,QAAOC,QAAUwpC,KAC5EA","file":"base_polyfills.js","sourcesContent":["webpackJsonp([0],{\n\n/***/ 806:\n/***/ (function(module, __webpack_exports__, __webpack_require__) {\n\n\"use strict\";\nObject.defineProperty(__webpack_exports__, \"__esModule\", { value: true });\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_intl__ = __webpack_require__(922);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_0_intl___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_0_intl__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_locale_data_jsonp_en__ = __webpack_require__(925);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_1_intl_locale_data_jsonp_en___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_1_intl_locale_data_jsonp_en__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_es6_symbol_implement__ = __webpack_require__(926);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_2_es6_symbol_implement___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_2_es6_symbol_implement__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_array_includes__ = __webpack_require__(946);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_3_array_includes___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_3_array_includes__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_object_assign__ = __webpack_require__(105);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_4_object_assign___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_4_object_assign__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_object_values__ = __webpack_require__(959);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_5_object_values___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_5_object_values__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_is_nan__ = __webpack_require__(963);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_6_is_nan___default = __webpack_require__.n(__WEBPACK_IMPORTED_MODULE_6_is_nan__);\n/* harmony import */ var __WEBPACK_IMPORTED_MODULE_7__utils_base64__ = __webpack_require__(320);\n\n\n\n\n\n\n\n\n\nif (!Array.prototype.includes) {\n __WEBPACK_IMPORTED_MODULE_3_array_includes___default.a.shim();\n}\n\nif (!Object.assign) {\n Object.assign = __WEBPACK_IMPORTED_MODULE_4_object_assign___default.a;\n}\n\nif (!Object.values) {\n __WEBPACK_IMPORTED_MODULE_5_object_values___default.a.shim();\n}\n\nif (!Number.isNaN) {\n Number.isNaN = __WEBPACK_IMPORTED_MODULE_6_is_nan___default.a;\n}\n\nif (!HTMLCanvasElement.prototype.toBlob) {\n var BASE64_MARKER = ';base64,';\n\n Object.defineProperty(HTMLCanvasElement.prototype, 'toBlob', {\n value: function value(callback) {\n var type = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 'image/png';\n var quality = arguments[2];\n\n var dataURL = this.toDataURL(type, quality);\n var data = void 0;\n\n if (dataURL.indexOf(BASE64_MARKER) >= 0) {\n var _dataURL$split = dataURL.split(BASE64_MARKER),\n base64 = _dataURL$split[1];\n\n data = Object(__WEBPACK_IMPORTED_MODULE_7__utils_base64__[\"a\" /* decode */])(base64);\n } else {\n var _dataURL$split2 = dataURL.split(',');\n\n data = _dataURL$split2[1];\n }\n\n callback(new Blob([data], { type: type }));\n }\n });\n}\n\n/***/ }),\n\n/***/ 883:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar keys = __webpack_require__(947);\nvar foreach = __webpack_require__(949);\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nvar toStr = Object.prototype.toString;\n\nvar isFunction = function (fn) {\n\treturn typeof fn === 'function' && toStr.call(fn) === '[object Function]';\n};\n\nvar arePropertyDescriptorsSupported = function () {\n\tvar obj = {};\n\ttry {\n\t\tObject.defineProperty(obj, 'x', { enumerable: false, value: obj });\n\t\t/* eslint-disable no-unused-vars, no-restricted-syntax */\n\t\tfor (var _ in obj) {\n\t\t\treturn false;\n\t\t}\n\t\t/* eslint-enable no-unused-vars, no-restricted-syntax */\n\t\treturn obj.x === obj;\n\t} catch (e) {\n\t\t/* this is IE 8. */\n\t\treturn false;\n\t}\n};\nvar supportsDescriptors = Object.defineProperty && arePropertyDescriptorsSupported();\n\nvar defineProperty = function (object, name, value, predicate) {\n\tif (name in object && (!isFunction(predicate) || !predicate())) {\n\t\treturn;\n\t}\n\tif (supportsDescriptors) {\n\t\tObject.defineProperty(object, name, {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: false,\n\t\t\tvalue: value,\n\t\t\twritable: true\n\t\t});\n\t} else {\n\t\tobject[name] = value;\n\t}\n};\n\nvar defineProperties = function (object, map) {\n\tvar predicates = arguments.length > 2 ? arguments[2] : {};\n\tvar props = keys(map);\n\tif (hasSymbols) {\n\t\tprops = props.concat(Object.getOwnPropertySymbols(map));\n\t}\n\tforeach(props, function (name) {\n\t\tdefineProperty(object, name, map[name], predicates[name]);\n\t});\n};\n\ndefineProperties.supportsDescriptors = !!supportsDescriptors;\n\nmodule.exports = defineProperties;\n\n/***/ }),\n\n/***/ 888:\n/***/ (function(module, exports, __webpack_require__) {\n\nvar bind = __webpack_require__(892);\n\nmodule.exports = bind.call(Function.call, Object.prototype.hasOwnProperty);\n\n/***/ }),\n\n/***/ 891:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar _undefined = __webpack_require__(937)(); // Support ES3 engines\n\nmodule.exports = function (val) {\n return val !== _undefined && val !== null;\n};\n\n/***/ }),\n\n/***/ 892:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(950);\n\nmodule.exports = Function.prototype.bind || implementation;\n\n/***/ }),\n\n/***/ 893:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar fnToStr = Function.prototype.toString;\n\nvar constructorRegex = /^\\s*class /;\nvar isES6ClassFn = function isES6ClassFn(value) {\n\ttry {\n\t\tvar fnStr = fnToStr.call(value);\n\t\tvar singleStripped = fnStr.replace(/\\/\\/.*\\n/g, '');\n\t\tvar multiStripped = singleStripped.replace(/\\/\\*[.\\s\\S]*\\*\\//g, '');\n\t\tvar spaceStripped = multiStripped.replace(/\\n/mg, ' ').replace(/ {2}/g, ' ');\n\t\treturn constructorRegex.test(spaceStripped);\n\t} catch (e) {\n\t\treturn false; // not a function\n\t}\n};\n\nvar tryFunctionObject = function tryFunctionObject(value) {\n\ttry {\n\t\tif (isES6ClassFn(value)) {\n\t\t\treturn false;\n\t\t}\n\t\tfnToStr.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar fnClass = '[object Function]';\nvar genClass = '[object GeneratorFunction]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isCallable(value) {\n\tif (!value) {\n\t\treturn false;\n\t}\n\tif (typeof value !== 'function' && typeof value !== 'object') {\n\t\treturn false;\n\t}\n\tif (hasToStringTag) {\n\t\treturn tryFunctionObject(value);\n\t}\n\tif (isES6ClassFn(value)) {\n\t\treturn false;\n\t}\n\tvar strClass = toStr.call(value);\n\treturn strClass === fnClass || strClass === genClass;\n};\n\n/***/ }),\n\n/***/ 901:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(902);\n\n/***/ }),\n\n/***/ 902:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar has = __webpack_require__(888);\nvar toPrimitive = __webpack_require__(951);\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar $isNaN = __webpack_require__(904);\nvar $isFinite = __webpack_require__(905);\nvar MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1;\n\nvar assign = __webpack_require__(906);\nvar sign = __webpack_require__(907);\nvar mod = __webpack_require__(908);\nvar isPrimitive = __webpack_require__(954);\nvar parseInteger = parseInt;\nvar bind = __webpack_require__(892);\nvar arraySlice = bind.call(Function.call, Array.prototype.slice);\nvar strSlice = bind.call(Function.call, String.prototype.slice);\nvar isBinary = bind.call(Function.call, RegExp.prototype.test, /^0b[01]+$/i);\nvar isOctal = bind.call(Function.call, RegExp.prototype.test, /^0o[0-7]+$/i);\nvar regexExec = bind.call(Function.call, RegExp.prototype.exec);\nvar nonWS = ['\\u0085', '\\u200b', '\\ufffe'].join('');\nvar nonWSregex = new RegExp('[' + nonWS + ']', 'g');\nvar hasNonWS = bind.call(Function.call, RegExp.prototype.test, nonWSregex);\nvar invalidHexLiteral = /^[-+]0x[0-9a-f]+$/i;\nvar isInvalidHexLiteral = bind.call(Function.call, RegExp.prototype.test, invalidHexLiteral);\n\n// whitespace from: http://es5.github.io/#x15.5.4.20\n// implementation from https://github.com/es-shims/es5-shim/blob/v3.4.0/es5-shim.js#L1304-L1324\nvar ws = ['\\x09\\x0A\\x0B\\x0C\\x0D\\x20\\xA0\\u1680\\u180E\\u2000\\u2001\\u2002\\u2003', '\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200A\\u202F\\u205F\\u3000\\u2028', '\\u2029\\uFEFF'].join('');\nvar trimRegex = new RegExp('(^[' + ws + ']+)|([' + ws + ']+$)', 'g');\nvar replace = bind.call(Function.call, String.prototype.replace);\nvar trim = function (value) {\n\treturn replace(value, trimRegex, '');\n};\n\nvar ES5 = __webpack_require__(955);\n\nvar hasRegExpMatcher = __webpack_require__(957);\n\n// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-abstract-operations\nvar ES6 = assign(assign({}, ES5), {\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-call-f-v-args\n\tCall: function Call(F, V) {\n\t\tvar args = arguments.length > 2 ? arguments[2] : [];\n\t\tif (!this.IsCallable(F)) {\n\t\t\tthrow new TypeError(F + ' is not a function');\n\t\t}\n\t\treturn F.apply(V, args);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toprimitive\n\tToPrimitive: toPrimitive,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toboolean\n\t// ToBoolean: ES5.ToBoolean,\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-tonumber\n\tToNumber: function ToNumber(argument) {\n\t\tvar value = isPrimitive(argument) ? argument : toPrimitive(argument, Number);\n\t\tif (typeof value === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a number');\n\t\t}\n\t\tif (typeof value === 'string') {\n\t\t\tif (isBinary(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 2));\n\t\t\t} else if (isOctal(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 8));\n\t\t\t} else if (hasNonWS(value) || isInvalidHexLiteral(value)) {\n\t\t\t\treturn NaN;\n\t\t\t} else {\n\t\t\t\tvar trimmed = trim(value);\n\t\t\t\tif (trimmed !== value) {\n\t\t\t\t\treturn this.ToNumber(trimmed);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn Number(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tointeger\n\t// ToInteger: ES5.ToNumber,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint32\n\t// ToInt32: ES5.ToInt32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint32\n\t// ToUint32: ES5.ToUint32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint16\n\tToInt16: function ToInt16(argument) {\n\t\tvar int16bit = this.ToUint16(argument);\n\t\treturn int16bit >= 0x8000 ? int16bit - 0x10000 : int16bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint16\n\t// ToUint16: ES5.ToUint16,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint8\n\tToInt8: function ToInt8(argument) {\n\t\tvar int8bit = this.ToUint8(argument);\n\t\treturn int8bit >= 0x80 ? int8bit - 0x100 : int8bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8\n\tToUint8: function ToUint8(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) {\n\t\t\treturn 0;\n\t\t}\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x100);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8clamp\n\tToUint8Clamp: function ToUint8Clamp(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number <= 0) {\n\t\t\treturn 0;\n\t\t}\n\t\tif (number >= 0xFF) {\n\t\t\treturn 0xFF;\n\t\t}\n\t\tvar f = Math.floor(argument);\n\t\tif (f + 0.5 < number) {\n\t\t\treturn f + 1;\n\t\t}\n\t\tif (number < f + 0.5) {\n\t\t\treturn f;\n\t\t}\n\t\tif (f % 2 !== 0) {\n\t\t\treturn f + 1;\n\t\t}\n\t\treturn f;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tostring\n\tToString: function ToString(argument) {\n\t\tif (typeof argument === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a string');\n\t\t}\n\t\treturn String(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toobject\n\tToObject: function ToObject(value) {\n\t\tthis.RequireObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-topropertykey\n\tToPropertyKey: function ToPropertyKey(argument) {\n\t\tvar key = this.ToPrimitive(argument, String);\n\t\treturn typeof key === 'symbol' ? key : this.ToString(key);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength\n\tToLength: function ToLength(argument) {\n\t\tvar len = this.ToInteger(argument);\n\t\tif (len <= 0) {\n\t\t\treturn 0;\n\t\t} // includes converting -0 to +0\n\t\tif (len > MAX_SAFE_INTEGER) {\n\t\t\treturn MAX_SAFE_INTEGER;\n\t\t}\n\t\treturn len;\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-canonicalnumericindexstring\n\tCanonicalNumericIndexString: function CanonicalNumericIndexString(argument) {\n\t\tif (toStr.call(argument) !== '[object String]') {\n\t\t\tthrow new TypeError('must be a string');\n\t\t}\n\t\tif (argument === '-0') {\n\t\t\treturn -0;\n\t\t}\n\t\tvar n = this.ToNumber(argument);\n\t\tif (this.SameValue(this.ToString(n), argument)) {\n\t\t\treturn n;\n\t\t}\n\t\treturn void 0;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-requireobjectcoercible\n\tRequireObjectCoercible: ES5.CheckObjectCoercible,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isarray\n\tIsArray: Array.isArray || function IsArray(argument) {\n\t\treturn toStr.call(argument) === '[object Array]';\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-iscallable\n\t// IsCallable: ES5.IsCallable,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isconstructor\n\tIsConstructor: function IsConstructor(argument) {\n\t\treturn typeof argument === 'function' && !!argument.prototype; // unfortunately there's no way to truly check this without try/catch `new argument`\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isextensible-o\n\tIsExtensible: function IsExtensible(obj) {\n\t\tif (!Object.preventExtensions) {\n\t\t\treturn true;\n\t\t}\n\t\tif (isPrimitive(obj)) {\n\t\t\treturn false;\n\t\t}\n\t\treturn Object.isExtensible(obj);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isinteger\n\tIsInteger: function IsInteger(argument) {\n\t\tif (typeof argument !== 'number' || $isNaN(argument) || !$isFinite(argument)) {\n\t\t\treturn false;\n\t\t}\n\t\tvar abs = Math.abs(argument);\n\t\treturn Math.floor(abs) === abs;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-ispropertykey\n\tIsPropertyKey: function IsPropertyKey(argument) {\n\t\treturn typeof argument === 'string' || typeof argument === 'symbol';\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-isregexp\n\tIsRegExp: function IsRegExp(argument) {\n\t\tif (!argument || typeof argument !== 'object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols) {\n\t\t\tvar isRegExp = argument[Symbol.match];\n\t\t\tif (typeof isRegExp !== 'undefined') {\n\t\t\t\treturn ES5.ToBoolean(isRegExp);\n\t\t\t}\n\t\t}\n\t\treturn hasRegExpMatcher(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevalue\n\t// SameValue: ES5.SameValue,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevaluezero\n\tSameValueZero: function SameValueZero(x, y) {\n\t\treturn x === y || $isNaN(x) && $isNaN(y);\n\t},\n\n\t/**\n * 7.3.2 GetV (V, P)\n * 1. Assert: IsPropertyKey(P) is true.\n * 2. Let O be ToObject(V).\n * 3. ReturnIfAbrupt(O).\n * 4. Return O.[[Get]](P, V).\n */\n\tGetV: function GetV(V, P) {\n\t\t// 7.3.2.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.2.2-3\n\t\tvar O = this.ToObject(V);\n\n\t\t// 7.3.2.4\n\t\treturn O[P];\n\t},\n\n\t/**\n * 7.3.9 - http://www.ecma-international.org/ecma-262/6.0/#sec-getmethod\n * 1. Assert: IsPropertyKey(P) is true.\n * 2. Let func be GetV(O, P).\n * 3. ReturnIfAbrupt(func).\n * 4. If func is either undefined or null, return undefined.\n * 5. If IsCallable(func) is false, throw a TypeError exception.\n * 6. Return func.\n */\n\tGetMethod: function GetMethod(O, P) {\n\t\t// 7.3.9.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.9.2\n\t\tvar func = this.GetV(O, P);\n\n\t\t// 7.3.9.4\n\t\tif (func == null) {\n\t\t\treturn void 0;\n\t\t}\n\n\t\t// 7.3.9.5\n\t\tif (!this.IsCallable(func)) {\n\t\t\tthrow new TypeError(P + 'is not a function');\n\t\t}\n\n\t\t// 7.3.9.6\n\t\treturn func;\n\t},\n\n\t/**\n * 7.3.1 Get (O, P) - http://www.ecma-international.org/ecma-262/6.0/#sec-get-o-p\n * 1. Assert: Type(O) is Object.\n * 2. Assert: IsPropertyKey(P) is true.\n * 3. Return O.[[Get]](P, O).\n */\n\tGet: function Get(O, P) {\n\t\t// 7.3.1.1\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\t// 7.3.1.2\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\t// 7.3.1.3\n\t\treturn O[P];\n\t},\n\n\tType: function Type(x) {\n\t\tif (typeof x === 'symbol') {\n\t\t\treturn 'Symbol';\n\t\t}\n\t\treturn ES5.Type(x);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-speciesconstructor\n\tSpeciesConstructor: function SpeciesConstructor(O, defaultConstructor) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tvar C = O.constructor;\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.Type(C) !== 'Object') {\n\t\t\tthrow new TypeError('O.constructor is not an Object');\n\t\t}\n\t\tvar S = hasSymbols && Symbol.species ? C[Symbol.species] : void 0;\n\t\tif (S == null) {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.IsConstructor(S)) {\n\t\t\treturn S;\n\t\t}\n\t\tthrow new TypeError('no constructor found');\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-completepropertydescriptor\n\tCompletePropertyDescriptor: function CompletePropertyDescriptor(Desc) {\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsGenericDescriptor(Desc) || this.IsDataDescriptor(Desc)) {\n\t\t\tif (!has(Desc, '[[Value]]')) {\n\t\t\t\tDesc['[[Value]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Writable]]')) {\n\t\t\t\tDesc['[[Writable]]'] = false;\n\t\t\t}\n\t\t} else {\n\t\t\tif (!has(Desc, '[[Get]]')) {\n\t\t\t\tDesc['[[Get]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Set]]')) {\n\t\t\t\tDesc['[[Set]]'] = void 0;\n\t\t\t}\n\t\t}\n\t\tif (!has(Desc, '[[Enumerable]]')) {\n\t\t\tDesc['[[Enumerable]]'] = false;\n\t\t}\n\t\tif (!has(Desc, '[[Configurable]]')) {\n\t\t\tDesc['[[Configurable]]'] = false;\n\t\t}\n\t\treturn Desc;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-set-o-p-v-throw\n\tSet: function Set(O, P, V, Throw) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tif (this.Type(Throw) !== 'Boolean') {\n\t\t\tthrow new TypeError('Throw must be a Boolean');\n\t\t}\n\t\tif (Throw) {\n\t\t\tO[P] = V;\n\t\t\treturn true;\n\t\t} else {\n\t\t\ttry {\n\t\t\t\tO[P] = V;\n\t\t\t} catch (e) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasownproperty\n\tHasOwnProperty: function HasOwnProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn has(O, P);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasproperty\n\tHasProperty: function HasProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn P in O;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-isconcatspreadable\n\tIsConcatSpreadable: function IsConcatSpreadable(O) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols && typeof Symbol.isConcatSpreadable === 'symbol') {\n\t\t\tvar spreadable = this.Get(O, Symbol.isConcatSpreadable);\n\t\t\tif (typeof spreadable !== 'undefined') {\n\t\t\t\treturn this.ToBoolean(spreadable);\n\t\t\t}\n\t\t}\n\t\treturn this.IsArray(O);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-invoke\n\tInvoke: function Invoke(O, P) {\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tvar argumentsList = arraySlice(arguments, 2);\n\t\tvar func = this.GetV(O, P);\n\t\treturn this.Call(func, O, argumentsList);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createiterresultobject\n\tCreateIterResultObject: function CreateIterResultObject(value, done) {\n\t\tif (this.Type(done) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(done) is not Boolean');\n\t\t}\n\t\treturn {\n\t\t\tvalue: value,\n\t\t\tdone: done\n\t\t};\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-regexpexec\n\tRegExpExec: function RegExpExec(R, S) {\n\t\tif (this.Type(R) !== 'Object') {\n\t\t\tthrow new TypeError('R must be an Object');\n\t\t}\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('S must be a String');\n\t\t}\n\t\tvar exec = this.Get(R, 'exec');\n\t\tif (this.IsCallable(exec)) {\n\t\t\tvar result = this.Call(exec, R, [S]);\n\t\t\tif (result === null || this.Type(result) === 'Object') {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t\tthrow new TypeError('\"exec\" method must return `null` or an Object');\n\t\t}\n\t\treturn regexExec(R, S);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-arrayspeciescreate\n\tArraySpeciesCreate: function ArraySpeciesCreate(originalArray, length) {\n\t\tif (!this.IsInteger(length) || length < 0) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0');\n\t\t}\n\t\tvar len = length === 0 ? 0 : length;\n\t\tvar C;\n\t\tvar isArray = this.IsArray(originalArray);\n\t\tif (isArray) {\n\t\t\tC = this.Get(originalArray, 'constructor');\n\t\t\t// TODO: figure out how to make a cross-realm normal Array, a same-realm Array\n\t\t\t// if (this.IsConstructor(C)) {\n\t\t\t// \tif C is another realm's Array, C = undefined\n\t\t\t// \tObject.getPrototypeOf(Object.getPrototypeOf(Object.getPrototypeOf(Array))) === null ?\n\t\t\t// }\n\t\t\tif (this.Type(C) === 'Object' && hasSymbols && Symbol.species) {\n\t\t\t\tC = this.Get(C, Symbol.species);\n\t\t\t\tif (C === null) {\n\t\t\t\t\tC = void 0;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn Array(len);\n\t\t}\n\t\tif (!this.IsConstructor(C)) {\n\t\t\tthrow new TypeError('C must be a constructor');\n\t\t}\n\t\treturn new C(len); // this.Construct(C, len);\n\t},\n\n\tCreateDataProperty: function CreateDataProperty(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar oldDesc = Object.getOwnPropertyDescriptor(O, P);\n\t\tvar extensible = oldDesc || typeof Object.isExtensible !== 'function' || Object.isExtensible(O);\n\t\tvar immutable = oldDesc && (!oldDesc.writable || !oldDesc.configurable);\n\t\tif (immutable || !extensible) {\n\t\t\treturn false;\n\t\t}\n\t\tvar newDesc = {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: true,\n\t\t\tvalue: V,\n\t\t\twritable: true\n\t\t};\n\t\tObject.defineProperty(O, P, newDesc);\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createdatapropertyorthrow\n\tCreateDataPropertyOrThrow: function CreateDataPropertyOrThrow(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar success = this.CreateDataProperty(O, P, V);\n\t\tif (!success) {\n\t\t\tthrow new TypeError('unable to create data property');\n\t\t}\n\t\treturn success;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-advancestringindex\n\tAdvanceStringIndex: function AdvanceStringIndex(S, index, unicode) {\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('Assertion failed: Type(S) is not String');\n\t\t}\n\t\tif (!this.IsInteger(index)) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (index < 0 || index > MAX_SAFE_INTEGER) {\n\t\t\tthrow new RangeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (this.Type(unicode) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(unicode) is not Boolean');\n\t\t}\n\t\tif (!unicode) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar length = S.length;\n\t\tif (index + 1 >= length) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar first = S.charCodeAt(index);\n\t\tif (first < 0xD800 || first > 0xDBFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar second = S.charCodeAt(index + 1);\n\t\tif (second < 0xDC00 || second > 0xDFFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\treturn index + 2;\n\t}\n});\n\ndelete ES6.CheckObjectCoercible; // renamed in ES6 to RequireObjectCoercible\n\nmodule.exports = ES6;\n\n/***/ }),\n\n/***/ 903:\n/***/ (function(module, exports) {\n\nmodule.exports = function isPrimitive(value) {\n\treturn value === null || typeof value !== 'function' && typeof value !== 'object';\n};\n\n/***/ }),\n\n/***/ 904:\n/***/ (function(module, exports) {\n\nmodule.exports = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\n\n/***/ }),\n\n/***/ 905:\n/***/ (function(module, exports) {\n\nvar $isNaN = Number.isNaN || function (a) {\n return a !== a;\n};\n\nmodule.exports = Number.isFinite || function (x) {\n return typeof x === 'number' && !$isNaN(x) && x !== Infinity && x !== -Infinity;\n};\n\n/***/ }),\n\n/***/ 906:\n/***/ (function(module, exports) {\n\nvar has = Object.prototype.hasOwnProperty;\nmodule.exports = function assign(target, source) {\n\tif (Object.assign) {\n\t\treturn Object.assign(target, source);\n\t}\n\tfor (var key in source) {\n\t\tif (has.call(source, key)) {\n\t\t\ttarget[key] = source[key];\n\t\t}\n\t}\n\treturn target;\n};\n\n/***/ }),\n\n/***/ 907:\n/***/ (function(module, exports) {\n\nmodule.exports = function sign(number) {\n\treturn number >= 0 ? 1 : -1;\n};\n\n/***/ }),\n\n/***/ 908:\n/***/ (function(module, exports) {\n\nmodule.exports = function mod(number, modulo) {\n\tvar remain = number % modulo;\n\treturn Math.floor(remain >= 0 ? remain : remain + modulo);\n};\n\n/***/ }),\n\n/***/ 909:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n/* WEBPACK VAR INJECTION */(function(global) {\n\nvar ES = __webpack_require__(901);\nvar $isNaN = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\nvar $isFinite = Number.isFinite || function isFinite(n) {\n\treturn typeof n === 'number' && global.isFinite(n);\n};\nvar indexOf = Array.prototype.indexOf;\n\nmodule.exports = function includes(searchElement) {\n\tvar fromIndex = arguments.length > 1 ? ES.ToInteger(arguments[1]) : 0;\n\tif (indexOf && !$isNaN(searchElement) && $isFinite(fromIndex) && typeof searchElement !== 'undefined') {\n\t\treturn indexOf.apply(this, arguments) > -1;\n\t}\n\n\tvar O = ES.ToObject(this);\n\tvar length = ES.ToLength(O.length);\n\tif (length === 0) {\n\t\treturn false;\n\t}\n\tvar k = fromIndex >= 0 ? fromIndex : Math.max(0, length + fromIndex);\n\twhile (k < length) {\n\t\tif (ES.SameValueZero(searchElement, O[k])) {\n\t\t\treturn true;\n\t\t}\n\t\tk += 1;\n\t}\n\treturn false;\n};\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(57)))\n\n/***/ }),\n\n/***/ 910:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(909);\n\nmodule.exports = function getPolyfill() {\n\treturn Array.prototype.includes || implementation;\n};\n\n/***/ }),\n\n/***/ 911:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar ES = __webpack_require__(960);\nvar has = __webpack_require__(888);\nvar bind = __webpack_require__(892);\nvar isEnumerable = bind.call(Function.call, Object.prototype.propertyIsEnumerable);\n\nmodule.exports = function values(O) {\n\tvar obj = ES.RequireObjectCoercible(O);\n\tvar vals = [];\n\tfor (var key in obj) {\n\t\tif (has(obj, key) && isEnumerable(obj, key)) {\n\t\t\tvals.push(obj[key]);\n\t\t}\n\t}\n\treturn vals;\n};\n\n/***/ }),\n\n/***/ 912:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(911);\n\nmodule.exports = function getPolyfill() {\n\treturn typeof Object.values === 'function' ? Object.values : implementation;\n};\n\n/***/ }),\n\n/***/ 913:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function isNaN(value) {\n\treturn value !== value;\n};\n\n/***/ }),\n\n/***/ 914:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar implementation = __webpack_require__(913);\n\nmodule.exports = function getPolyfill() {\n\tif (Number.isNaN && Number.isNaN(NaN) && !Number.isNaN('a')) {\n\t\treturn Number.isNaN;\n\t}\n\treturn implementation;\n};\n\n/***/ }),\n\n/***/ 922:\n/***/ (function(module, exports, __webpack_require__) {\n\n/* WEBPACK VAR INJECTION */(function(global) {// Expose `IntlPolyfill` as global to add locale data into runtime later on.\nglobal.IntlPolyfill = __webpack_require__(923);\n\n// Require all locale data for `Intl`. This module will be\n// ignored when bundling for the browser with Browserify/Webpack.\n__webpack_require__(924);\n\n// hack to export the polyfill as global Intl if needed\nif (!global.Intl) {\n global.Intl = global.IntlPolyfill;\n global.IntlPolyfill.__applyLocaleSensitivePrototypes();\n}\n\n// providing an idiomatic api for the nodejs version of this module\nmodule.exports = global.IntlPolyfill;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(57)))\n\n/***/ }),\n\n/***/ 923:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n/* WEBPACK VAR INJECTION */(function(global) {\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol ? \"symbol\" : typeof obj;\n};\n\nvar jsx = function () {\n var REACT_ELEMENT_TYPE = typeof Symbol === \"function\" && Symbol.for && Symbol.for(\"react.element\") || 0xeac7;\n return function createRawReactElement(type, props, key, children) {\n var defaultProps = type && type.defaultProps;\n var childrenLength = arguments.length - 3;\n\n if (!props && childrenLength !== 0) {\n props = {};\n }\n\n if (props && defaultProps) {\n for (var propName in defaultProps) {\n if (props[propName] === void 0) {\n props[propName] = defaultProps[propName];\n }\n }\n } else if (!props) {\n props = defaultProps || {};\n }\n\n if (childrenLength === 1) {\n props.children = children;\n } else if (childrenLength > 1) {\n var childArray = Array(childrenLength);\n\n for (var i = 0; i < childrenLength; i++) {\n childArray[i] = arguments[i + 3];\n }\n\n props.children = childArray;\n }\n\n return {\n $$typeof: REACT_ELEMENT_TYPE,\n type: type,\n key: key === undefined ? null : '' + key,\n ref: null,\n props: props,\n _owner: null\n };\n };\n}();\n\nvar asyncToGenerator = function (fn) {\n return function () {\n var gen = fn.apply(this, arguments);\n return new Promise(function (resolve, reject) {\n function step(key, arg) {\n try {\n var info = gen[key](arg);\n var value = info.value;\n } catch (error) {\n reject(error);\n return;\n }\n\n if (info.done) {\n resolve(value);\n } else {\n return Promise.resolve(value).then(function (value) {\n return step(\"next\", value);\n }, function (err) {\n return step(\"throw\", err);\n });\n }\n }\n\n return step(\"next\");\n });\n };\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineEnumerableProperties = function (obj, descs) {\n for (var key in descs) {\n var desc = descs[key];\n desc.configurable = desc.enumerable = true;\n if (\"value\" in desc) desc.writable = true;\n Object.defineProperty(obj, key, desc);\n }\n\n return obj;\n};\n\nvar defaults = function (obj, defaults) {\n var keys = Object.getOwnPropertyNames(defaults);\n\n for (var i = 0; i < keys.length; i++) {\n var key = keys[i];\n var value = Object.getOwnPropertyDescriptor(defaults, key);\n\n if (value && value.configurable && obj[key] === undefined) {\n Object.defineProperty(obj, key, value);\n }\n }\n\n return obj;\n};\n\nvar defineProperty$1 = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar get = function get(object, property, receiver) {\n if (object === null) object = Function.prototype;\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent === null) {\n return undefined;\n } else {\n return get(parent, property, receiver);\n }\n } else if (\"value\" in desc) {\n return desc.value;\n } else {\n var getter = desc.get;\n\n if (getter === undefined) {\n return undefined;\n }\n\n return getter.call(receiver);\n }\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar _instanceof = function (left, right) {\n if (right != null && typeof Symbol !== \"undefined\" && right[Symbol.hasInstance]) {\n return right[Symbol.hasInstance](left);\n } else {\n return left instanceof right;\n }\n};\n\nvar interopRequireDefault = function (obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n};\n\nvar interopRequireWildcard = function (obj) {\n if (obj && obj.__esModule) {\n return obj;\n } else {\n var newObj = {};\n\n if (obj != null) {\n for (var key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];\n }\n }\n\n newObj.default = obj;\n return newObj;\n }\n};\n\nvar newArrowCheck = function (innerThis, boundThis) {\n if (innerThis !== boundThis) {\n throw new TypeError(\"Cannot instantiate an arrow function\");\n }\n};\n\nvar objectDestructuringEmpty = function (obj) {\n if (obj == null) throw new TypeError(\"Cannot destructure undefined\");\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar selfGlobal = typeof global === \"undefined\" ? self : global;\n\nvar set = function set(object, property, value, receiver) {\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent !== null) {\n set(parent, property, value, receiver);\n }\n } else if (\"value\" in desc && desc.writable) {\n desc.value = value;\n } else {\n var setter = desc.set;\n\n if (setter !== undefined) {\n setter.call(receiver, value);\n }\n }\n\n return value;\n};\n\nvar slicedToArray = function () {\n function sliceIterator(arr, i) {\n var _arr = [];\n var _n = true;\n var _d = false;\n var _e = undefined;\n\n try {\n for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {\n _arr.push(_s.value);\n\n if (i && _arr.length === i) break;\n }\n } catch (err) {\n _d = true;\n _e = err;\n } finally {\n try {\n if (!_n && _i[\"return\"]) _i[\"return\"]();\n } finally {\n if (_d) throw _e;\n }\n }\n\n return _arr;\n }\n\n return function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n return sliceIterator(arr, i);\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n };\n}();\n\nvar slicedToArrayLoose = function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n var _arr = [];\n\n for (var _iterator = arr[Symbol.iterator](), _step; !(_step = _iterator.next()).done;) {\n _arr.push(_step.value);\n\n if (i && _arr.length === i) break;\n }\n\n return _arr;\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n};\n\nvar taggedTemplateLiteral = function (strings, raw) {\n return Object.freeze(Object.defineProperties(strings, {\n raw: {\n value: Object.freeze(raw)\n }\n }));\n};\n\nvar taggedTemplateLiteralLoose = function (strings, raw) {\n strings.raw = raw;\n return strings;\n};\n\nvar temporalRef = function (val, name, undef) {\n if (val === undef) {\n throw new ReferenceError(name + \" is not defined - temporal dead zone\");\n } else {\n return val;\n }\n};\n\nvar temporalUndefined = {};\n\nvar toArray = function (arr) {\n return Array.isArray(arr) ? arr : Array.from(arr);\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\nvar babelHelpers$1 = Object.freeze({\n jsx: jsx,\n asyncToGenerator: asyncToGenerator,\n classCallCheck: classCallCheck,\n createClass: createClass,\n defineEnumerableProperties: defineEnumerableProperties,\n defaults: defaults,\n defineProperty: defineProperty$1,\n get: get,\n inherits: inherits,\n interopRequireDefault: interopRequireDefault,\n interopRequireWildcard: interopRequireWildcard,\n newArrowCheck: newArrowCheck,\n objectDestructuringEmpty: objectDestructuringEmpty,\n objectWithoutProperties: objectWithoutProperties,\n possibleConstructorReturn: possibleConstructorReturn,\n selfGlobal: selfGlobal,\n set: set,\n slicedToArray: slicedToArray,\n slicedToArrayLoose: slicedToArrayLoose,\n taggedTemplateLiteral: taggedTemplateLiteral,\n taggedTemplateLiteralLoose: taggedTemplateLiteralLoose,\n temporalRef: temporalRef,\n temporalUndefined: temporalUndefined,\n toArray: toArray,\n toConsumableArray: toConsumableArray,\n typeof: _typeof,\n extends: _extends,\n instanceof: _instanceof\n});\n\nvar realDefineProp = function () {\n var sentinel = function sentinel() {};\n try {\n Object.defineProperty(sentinel, 'a', {\n get: function get() {\n return 1;\n }\n });\n Object.defineProperty(sentinel, 'prototype', { writable: false });\n return sentinel.a === 1 && sentinel.prototype instanceof Object;\n } catch (e) {\n return false;\n }\n}();\n\n// Need a workaround for getters in ES3\nvar es3 = !realDefineProp && !Object.prototype.__defineGetter__;\n\n// We use this a lot (and need it for proto-less objects)\nvar hop = Object.prototype.hasOwnProperty;\n\n// Naive defineProperty for compatibility\nvar defineProperty = realDefineProp ? Object.defineProperty : function (obj, name, desc) {\n if ('get' in desc && obj.__defineGetter__) obj.__defineGetter__(name, desc.get);else if (!hop.call(obj, name) || 'value' in desc) obj[name] = desc.value;\n};\n\n// Array.prototype.indexOf, as good as we need it to be\nvar arrIndexOf = Array.prototype.indexOf || function (search) {\n /*jshint validthis:true */\n var t = this;\n if (!t.length) return -1;\n\n for (var i = arguments[1] || 0, max = t.length; i < max; i++) {\n if (t[i] === search) return i;\n }\n\n return -1;\n};\n\n// Create an object with the specified prototype (2nd arg required for Record)\nvar objCreate = Object.create || function (proto, props) {\n var obj = void 0;\n\n function F() {}\n F.prototype = proto;\n obj = new F();\n\n for (var k in props) {\n if (hop.call(props, k)) defineProperty(obj, k, props[k]);\n }\n\n return obj;\n};\n\n// Snapshot some (hopefully still) native built-ins\nvar arrSlice = Array.prototype.slice;\nvar arrConcat = Array.prototype.concat;\nvar arrPush = Array.prototype.push;\nvar arrJoin = Array.prototype.join;\nvar arrShift = Array.prototype.shift;\n\n// Naive Function.prototype.bind for compatibility\nvar fnBind = Function.prototype.bind || function (thisObj) {\n var fn = this,\n args = arrSlice.call(arguments, 1);\n\n // All our (presently) bound functions have either 1 or 0 arguments. By returning\n // different function signatures, we can pass some tests in ES3 environments\n if (fn.length === 1) {\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n }\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n};\n\n// Object housing internal properties for constructors\nvar internals = objCreate(null);\n\n// Keep internal properties internal\nvar secret = Math.random();\n\n// Helper functions\n// ================\n\n/**\n * A function to deal with the inaccuracy of calculating log10 in pre-ES6\n * JavaScript environments. Math.log(num) / Math.LN10 was responsible for\n * causing issue #62.\n */\nfunction log10Floor(n) {\n // ES6 provides the more accurate Math.log10\n if (typeof Math.log10 === 'function') return Math.floor(Math.log10(n));\n\n var x = Math.round(Math.log(n) * Math.LOG10E);\n return x - (Number('1e' + x) > n);\n}\n\n/**\n * A map that doesn't contain Object in its prototype chain\n */\nfunction Record(obj) {\n // Copy only own properties over unless this object is already a Record instance\n for (var k in obj) {\n if (obj instanceof Record || hop.call(obj, k)) defineProperty(this, k, { value: obj[k], enumerable: true, writable: true, configurable: true });\n }\n}\nRecord.prototype = objCreate(null);\n\n/**\n * An ordered list\n */\nfunction List() {\n defineProperty(this, 'length', { writable: true, value: 0 });\n\n if (arguments.length) arrPush.apply(this, arrSlice.call(arguments));\n}\nList.prototype = objCreate(null);\n\n/**\n * Constructs a regular expression to restore tainted RegExp properties\n */\nfunction createRegExpRestore() {\n if (internals.disableRegExpRestore) {\n return function () {/* no-op */};\n }\n\n var regExpCache = {\n lastMatch: RegExp.lastMatch || '',\n leftContext: RegExp.leftContext,\n multiline: RegExp.multiline,\n input: RegExp.input\n },\n has = false;\n\n // Create a snapshot of all the 'captured' properties\n for (var i = 1; i <= 9; i++) {\n has = (regExpCache['$' + i] = RegExp['$' + i]) || has;\n }return function () {\n // Now we've snapshotted some properties, escape the lastMatch string\n var esc = /[.?*+^$[\\]\\\\(){}|-]/g,\n lm = regExpCache.lastMatch.replace(esc, '\\\\$&'),\n reg = new List();\n\n // If any of the captured strings were non-empty, iterate over them all\n if (has) {\n for (var _i = 1; _i <= 9; _i++) {\n var m = regExpCache['$' + _i];\n\n // If it's empty, add an empty capturing group\n if (!m) lm = '()' + lm;\n\n // Else find the string in lm and escape & wrap it to capture it\n else {\n m = m.replace(esc, '\\\\$&');\n lm = lm.replace(m, '(' + m + ')');\n }\n\n // Push it to the reg and chop lm to make sure further groups come after\n arrPush.call(reg, lm.slice(0, lm.indexOf('(') + 1));\n lm = lm.slice(lm.indexOf('(') + 1);\n }\n }\n\n var exprStr = arrJoin.call(reg, '') + lm;\n\n // Shorten the regex by replacing each part of the expression with a match\n // for a string of that exact length. This is safe for the type of\n // expressions generated above, because the expression matches the whole\n // match string, so we know each group and each segment between capturing\n // groups can be matched by its length alone.\n exprStr = exprStr.replace(/(\\\\\\(|\\\\\\)|[^()])+/g, function (match) {\n return '[\\\\s\\\\S]{' + match.replace('\\\\', '').length + '}';\n });\n\n // Create the regular expression that will reconstruct the RegExp properties\n var expr = new RegExp(exprStr, regExpCache.multiline ? 'gm' : 'g');\n\n // Set the lastIndex of the generated expression to ensure that the match\n // is found in the correct index.\n expr.lastIndex = regExpCache.leftContext.length;\n\n expr.exec(regExpCache.input);\n };\n}\n\n/**\n * Mimics ES5's abstract ToObject() function\n */\nfunction toObject(arg) {\n if (arg === null) throw new TypeError('Cannot convert null or undefined to object');\n\n if ((typeof arg === 'undefined' ? 'undefined' : babelHelpers$1['typeof'](arg)) === 'object') return arg;\n return Object(arg);\n}\n\nfunction toNumber(arg) {\n if (typeof arg === 'number') return arg;\n return Number(arg);\n}\n\nfunction toInteger(arg) {\n var number = toNumber(arg);\n if (isNaN(number)) return 0;\n if (number === +0 || number === -0 || number === +Infinity || number === -Infinity) return number;\n if (number < 0) return Math.floor(Math.abs(number)) * -1;\n return Math.floor(Math.abs(number));\n}\n\nfunction toLength(arg) {\n var len = toInteger(arg);\n if (len <= 0) return 0;\n if (len === Infinity) return Math.pow(2, 53) - 1;\n return Math.min(len, Math.pow(2, 53) - 1);\n}\n\n/**\n * Returns \"internal\" properties for an object\n */\nfunction getInternalProperties(obj) {\n if (hop.call(obj, '__getInternalProperties')) return obj.__getInternalProperties(secret);\n\n return objCreate(null);\n}\n\n/**\n* Defines regular expressions for various operations related to the BCP 47 syntax,\n* as defined at http://tools.ietf.org/html/bcp47#section-2.1\n*/\n\n// extlang = 3ALPHA ; selected ISO 639 codes\n// *2(\"-\" 3ALPHA) ; permanently reserved\nvar extlang = '[a-z]{3}(?:-[a-z]{3}){0,2}';\n\n// language = 2*3ALPHA ; shortest ISO 639 code\n// [\"-\" extlang] ; sometimes followed by\n// ; extended language subtags\n// / 4ALPHA ; or reserved for future use\n// / 5*8ALPHA ; or registered language subtag\nvar language = '(?:[a-z]{2,3}(?:-' + extlang + ')?|[a-z]{4}|[a-z]{5,8})';\n\n// script = 4ALPHA ; ISO 15924 code\nvar script = '[a-z]{4}';\n\n// region = 2ALPHA ; ISO 3166-1 code\n// / 3DIGIT ; UN M.49 code\nvar region = '(?:[a-z]{2}|\\\\d{3})';\n\n// variant = 5*8alphanum ; registered variants\n// / (DIGIT 3alphanum)\nvar variant = '(?:[a-z0-9]{5,8}|\\\\d[a-z0-9]{3})';\n\n// ; Single alphanumerics\n// ; \"x\" reserved for private use\n// singleton = DIGIT ; 0 - 9\n// / %x41-57 ; A - W\n// / %x59-5A ; Y - Z\n// / %x61-77 ; a - w\n// / %x79-7A ; y - z\nvar singleton = '[0-9a-wy-z]';\n\n// extension = singleton 1*(\"-\" (2*8alphanum))\nvar extension = singleton + '(?:-[a-z0-9]{2,8})+';\n\n// privateuse = \"x\" 1*(\"-\" (1*8alphanum))\nvar privateuse = 'x(?:-[a-z0-9]{1,8})+';\n\n// irregular = \"en-GB-oed\" ; irregular tags do not match\n// / \"i-ami\" ; the 'langtag' production and\n// / \"i-bnn\" ; would not otherwise be\n// / \"i-default\" ; considered 'well-formed'\n// / \"i-enochian\" ; These tags are all valid,\n// / \"i-hak\" ; but most are deprecated\n// / \"i-klingon\" ; in favor of more modern\n// / \"i-lux\" ; subtags or subtag\n// / \"i-mingo\" ; combination\n// / \"i-navajo\"\n// / \"i-pwn\"\n// / \"i-tao\"\n// / \"i-tay\"\n// / \"i-tsu\"\n// / \"sgn-BE-FR\"\n// / \"sgn-BE-NL\"\n// / \"sgn-CH-DE\"\nvar irregular = '(?:en-GB-oed' + '|i-(?:ami|bnn|default|enochian|hak|klingon|lux|mingo|navajo|pwn|tao|tay|tsu)' + '|sgn-(?:BE-FR|BE-NL|CH-DE))';\n\n// regular = \"art-lojban\" ; these tags match the 'langtag'\n// / \"cel-gaulish\" ; production, but their subtags\n// / \"no-bok\" ; are not extended language\n// / \"no-nyn\" ; or variant subtags: their meaning\n// / \"zh-guoyu\" ; is defined by their registration\n// / \"zh-hakka\" ; and all of these are deprecated\n// / \"zh-min\" ; in favor of a more modern\n// / \"zh-min-nan\" ; subtag or sequence of subtags\n// / \"zh-xiang\"\nvar regular = '(?:art-lojban|cel-gaulish|no-bok|no-nyn' + '|zh-(?:guoyu|hakka|min|min-nan|xiang))';\n\n// grandfathered = irregular ; non-redundant tags registered\n// / regular ; during the RFC 3066 era\nvar grandfathered = '(?:' + irregular + '|' + regular + ')';\n\n// langtag = language\n// [\"-\" script]\n// [\"-\" region]\n// *(\"-\" variant)\n// *(\"-\" extension)\n// [\"-\" privateuse]\nvar langtag = language + '(?:-' + script + ')?(?:-' + region + ')?(?:-' + variant + ')*(?:-' + extension + ')*(?:-' + privateuse + ')?';\n\n// Language-Tag = langtag ; normal language tags\n// / privateuse ; private use tag\n// / grandfathered ; grandfathered tags\nvar expBCP47Syntax = RegExp('^(?:' + langtag + '|' + privateuse + '|' + grandfathered + ')$', 'i');\n\n// Match duplicate variants in a language tag\nvar expVariantDupes = RegExp('^(?!x).*?-(' + variant + ')-(?:\\\\w{4,8}-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match duplicate singletons in a language tag (except in private use)\nvar expSingletonDupes = RegExp('^(?!x).*?-(' + singleton + ')-(?:\\\\w+-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match all extension sequences\nvar expExtSequences = RegExp('-' + extension, 'ig');\n\n// Default locale is the first-added locale data for us\nvar defaultLocale = void 0;\nfunction setDefaultLocale(locale) {\n defaultLocale = locale;\n}\n\n// IANA Subtag Registry redundant tag and subtag maps\nvar redundantTags = {\n tags: {\n \"art-lojban\": \"jbo\",\n \"i-ami\": \"ami\",\n \"i-bnn\": \"bnn\",\n \"i-hak\": \"hak\",\n \"i-klingon\": \"tlh\",\n \"i-lux\": \"lb\",\n \"i-navajo\": \"nv\",\n \"i-pwn\": \"pwn\",\n \"i-tao\": \"tao\",\n \"i-tay\": \"tay\",\n \"i-tsu\": \"tsu\",\n \"no-bok\": \"nb\",\n \"no-nyn\": \"nn\",\n \"sgn-BE-FR\": \"sfb\",\n \"sgn-BE-NL\": \"vgt\",\n \"sgn-CH-DE\": \"sgg\",\n \"zh-guoyu\": \"cmn\",\n \"zh-hakka\": \"hak\",\n \"zh-min-nan\": \"nan\",\n \"zh-xiang\": \"hsn\",\n \"sgn-BR\": \"bzs\",\n \"sgn-CO\": \"csn\",\n \"sgn-DE\": \"gsg\",\n \"sgn-DK\": \"dsl\",\n \"sgn-ES\": \"ssp\",\n \"sgn-FR\": \"fsl\",\n \"sgn-GB\": \"bfi\",\n \"sgn-GR\": \"gss\",\n \"sgn-IE\": \"isg\",\n \"sgn-IT\": \"ise\",\n \"sgn-JP\": \"jsl\",\n \"sgn-MX\": \"mfs\",\n \"sgn-NI\": \"ncs\",\n \"sgn-NL\": \"dse\",\n \"sgn-NO\": \"nsl\",\n \"sgn-PT\": \"psr\",\n \"sgn-SE\": \"swl\",\n \"sgn-US\": \"ase\",\n \"sgn-ZA\": \"sfs\",\n \"zh-cmn\": \"cmn\",\n \"zh-cmn-Hans\": \"cmn-Hans\",\n \"zh-cmn-Hant\": \"cmn-Hant\",\n \"zh-gan\": \"gan\",\n \"zh-wuu\": \"wuu\",\n \"zh-yue\": \"yue\"\n },\n subtags: {\n BU: \"MM\",\n DD: \"DE\",\n FX: \"FR\",\n TP: \"TL\",\n YD: \"YE\",\n ZR: \"CD\",\n heploc: \"alalc97\",\n 'in': \"id\",\n iw: \"he\",\n ji: \"yi\",\n jw: \"jv\",\n mo: \"ro\",\n ayx: \"nun\",\n bjd: \"drl\",\n ccq: \"rki\",\n cjr: \"mom\",\n cka: \"cmr\",\n cmk: \"xch\",\n drh: \"khk\",\n drw: \"prs\",\n gav: \"dev\",\n hrr: \"jal\",\n ibi: \"opa\",\n kgh: \"kml\",\n lcq: \"ppr\",\n mst: \"mry\",\n myt: \"mry\",\n sca: \"hle\",\n tie: \"ras\",\n tkk: \"twm\",\n tlw: \"weo\",\n tnf: \"prs\",\n ybd: \"rki\",\n yma: \"lrr\"\n },\n extLang: {\n aao: [\"aao\", \"ar\"],\n abh: [\"abh\", \"ar\"],\n abv: [\"abv\", \"ar\"],\n acm: [\"acm\", \"ar\"],\n acq: [\"acq\", \"ar\"],\n acw: [\"acw\", \"ar\"],\n acx: [\"acx\", \"ar\"],\n acy: [\"acy\", \"ar\"],\n adf: [\"adf\", \"ar\"],\n ads: [\"ads\", \"sgn\"],\n aeb: [\"aeb\", \"ar\"],\n aec: [\"aec\", \"ar\"],\n aed: [\"aed\", \"sgn\"],\n aen: [\"aen\", \"sgn\"],\n afb: [\"afb\", \"ar\"],\n afg: [\"afg\", \"sgn\"],\n ajp: [\"ajp\", \"ar\"],\n apc: [\"apc\", \"ar\"],\n apd: [\"apd\", \"ar\"],\n arb: [\"arb\", \"ar\"],\n arq: [\"arq\", \"ar\"],\n ars: [\"ars\", \"ar\"],\n ary: [\"ary\", \"ar\"],\n arz: [\"arz\", \"ar\"],\n ase: [\"ase\", \"sgn\"],\n asf: [\"asf\", \"sgn\"],\n asp: [\"asp\", \"sgn\"],\n asq: [\"asq\", \"sgn\"],\n asw: [\"asw\", \"sgn\"],\n auz: [\"auz\", \"ar\"],\n avl: [\"avl\", \"ar\"],\n ayh: [\"ayh\", \"ar\"],\n ayl: [\"ayl\", \"ar\"],\n ayn: [\"ayn\", \"ar\"],\n ayp: [\"ayp\", \"ar\"],\n bbz: [\"bbz\", \"ar\"],\n bfi: [\"bfi\", \"sgn\"],\n bfk: [\"bfk\", \"sgn\"],\n bjn: [\"bjn\", \"ms\"],\n bog: [\"bog\", \"sgn\"],\n bqn: [\"bqn\", \"sgn\"],\n bqy: [\"bqy\", \"sgn\"],\n btj: [\"btj\", \"ms\"],\n bve: [\"bve\", \"ms\"],\n bvl: [\"bvl\", \"sgn\"],\n bvu: [\"bvu\", \"ms\"],\n bzs: [\"bzs\", \"sgn\"],\n cdo: [\"cdo\", \"zh\"],\n cds: [\"cds\", \"sgn\"],\n cjy: [\"cjy\", \"zh\"],\n cmn: [\"cmn\", \"zh\"],\n coa: [\"coa\", \"ms\"],\n cpx: [\"cpx\", \"zh\"],\n csc: [\"csc\", \"sgn\"],\n csd: [\"csd\", \"sgn\"],\n cse: [\"cse\", \"sgn\"],\n csf: [\"csf\", \"sgn\"],\n csg: [\"csg\", \"sgn\"],\n csl: [\"csl\", \"sgn\"],\n csn: [\"csn\", \"sgn\"],\n csq: [\"csq\", \"sgn\"],\n csr: [\"csr\", \"sgn\"],\n czh: [\"czh\", \"zh\"],\n czo: [\"czo\", \"zh\"],\n doq: [\"doq\", \"sgn\"],\n dse: [\"dse\", \"sgn\"],\n dsl: [\"dsl\", \"sgn\"],\n dup: [\"dup\", \"ms\"],\n ecs: [\"ecs\", \"sgn\"],\n esl: [\"esl\", \"sgn\"],\n esn: [\"esn\", \"sgn\"],\n eso: [\"eso\", \"sgn\"],\n eth: [\"eth\", \"sgn\"],\n fcs: [\"fcs\", \"sgn\"],\n fse: [\"fse\", \"sgn\"],\n fsl: [\"fsl\", \"sgn\"],\n fss: [\"fss\", \"sgn\"],\n gan: [\"gan\", \"zh\"],\n gds: [\"gds\", \"sgn\"],\n gom: [\"gom\", \"kok\"],\n gse: [\"gse\", \"sgn\"],\n gsg: [\"gsg\", \"sgn\"],\n gsm: [\"gsm\", \"sgn\"],\n gss: [\"gss\", \"sgn\"],\n gus: [\"gus\", \"sgn\"],\n hab: [\"hab\", \"sgn\"],\n haf: [\"haf\", \"sgn\"],\n hak: [\"hak\", \"zh\"],\n hds: [\"hds\", \"sgn\"],\n hji: [\"hji\", \"ms\"],\n hks: [\"hks\", \"sgn\"],\n hos: [\"hos\", \"sgn\"],\n hps: [\"hps\", \"sgn\"],\n hsh: [\"hsh\", \"sgn\"],\n hsl: [\"hsl\", \"sgn\"],\n hsn: [\"hsn\", \"zh\"],\n icl: [\"icl\", \"sgn\"],\n ils: [\"ils\", \"sgn\"],\n inl: [\"inl\", \"sgn\"],\n ins: [\"ins\", \"sgn\"],\n ise: [\"ise\", \"sgn\"],\n isg: [\"isg\", \"sgn\"],\n isr: [\"isr\", \"sgn\"],\n jak: [\"jak\", \"ms\"],\n jax: [\"jax\", \"ms\"],\n jcs: [\"jcs\", \"sgn\"],\n jhs: [\"jhs\", \"sgn\"],\n jls: [\"jls\", \"sgn\"],\n jos: [\"jos\", \"sgn\"],\n jsl: [\"jsl\", \"sgn\"],\n jus: [\"jus\", \"sgn\"],\n kgi: [\"kgi\", \"sgn\"],\n knn: [\"knn\", \"kok\"],\n kvb: [\"kvb\", \"ms\"],\n kvk: [\"kvk\", \"sgn\"],\n kvr: [\"kvr\", \"ms\"],\n kxd: [\"kxd\", \"ms\"],\n lbs: [\"lbs\", \"sgn\"],\n lce: [\"lce\", \"ms\"],\n lcf: [\"lcf\", \"ms\"],\n liw: [\"liw\", \"ms\"],\n lls: [\"lls\", \"sgn\"],\n lsg: [\"lsg\", \"sgn\"],\n lsl: [\"lsl\", \"sgn\"],\n lso: [\"lso\", \"sgn\"],\n lsp: [\"lsp\", \"sgn\"],\n lst: [\"lst\", \"sgn\"],\n lsy: [\"lsy\", \"sgn\"],\n ltg: [\"ltg\", \"lv\"],\n lvs: [\"lvs\", \"lv\"],\n lzh: [\"lzh\", \"zh\"],\n max: [\"max\", \"ms\"],\n mdl: [\"mdl\", \"sgn\"],\n meo: [\"meo\", \"ms\"],\n mfa: [\"mfa\", \"ms\"],\n mfb: [\"mfb\", \"ms\"],\n mfs: [\"mfs\", \"sgn\"],\n min: [\"min\", \"ms\"],\n mnp: [\"mnp\", \"zh\"],\n mqg: [\"mqg\", \"ms\"],\n mre: [\"mre\", \"sgn\"],\n msd: [\"msd\", \"sgn\"],\n msi: [\"msi\", \"ms\"],\n msr: [\"msr\", \"sgn\"],\n mui: [\"mui\", \"ms\"],\n mzc: [\"mzc\", \"sgn\"],\n mzg: [\"mzg\", \"sgn\"],\n mzy: [\"mzy\", \"sgn\"],\n nan: [\"nan\", \"zh\"],\n nbs: [\"nbs\", \"sgn\"],\n ncs: [\"ncs\", \"sgn\"],\n nsi: [\"nsi\", \"sgn\"],\n nsl: [\"nsl\", \"sgn\"],\n nsp: [\"nsp\", \"sgn\"],\n nsr: [\"nsr\", \"sgn\"],\n nzs: [\"nzs\", \"sgn\"],\n okl: [\"okl\", \"sgn\"],\n orn: [\"orn\", \"ms\"],\n ors: [\"ors\", \"ms\"],\n pel: [\"pel\", \"ms\"],\n pga: [\"pga\", \"ar\"],\n pks: [\"pks\", \"sgn\"],\n prl: [\"prl\", \"sgn\"],\n prz: [\"prz\", \"sgn\"],\n psc: [\"psc\", \"sgn\"],\n psd: [\"psd\", \"sgn\"],\n pse: [\"pse\", \"ms\"],\n psg: [\"psg\", \"sgn\"],\n psl: [\"psl\", \"sgn\"],\n pso: [\"pso\", \"sgn\"],\n psp: [\"psp\", \"sgn\"],\n psr: [\"psr\", \"sgn\"],\n pys: [\"pys\", \"sgn\"],\n rms: [\"rms\", \"sgn\"],\n rsi: [\"rsi\", \"sgn\"],\n rsl: [\"rsl\", \"sgn\"],\n sdl: [\"sdl\", \"sgn\"],\n sfb: [\"sfb\", \"sgn\"],\n sfs: [\"sfs\", \"sgn\"],\n sgg: [\"sgg\", \"sgn\"],\n sgx: [\"sgx\", \"sgn\"],\n shu: [\"shu\", \"ar\"],\n slf: [\"slf\", \"sgn\"],\n sls: [\"sls\", \"sgn\"],\n sqk: [\"sqk\", \"sgn\"],\n sqs: [\"sqs\", \"sgn\"],\n ssh: [\"ssh\", \"ar\"],\n ssp: [\"ssp\", \"sgn\"],\n ssr: [\"ssr\", \"sgn\"],\n svk: [\"svk\", \"sgn\"],\n swc: [\"swc\", \"sw\"],\n swh: [\"swh\", \"sw\"],\n swl: [\"swl\", \"sgn\"],\n syy: [\"syy\", \"sgn\"],\n tmw: [\"tmw\", \"ms\"],\n tse: [\"tse\", \"sgn\"],\n tsm: [\"tsm\", \"sgn\"],\n tsq: [\"tsq\", \"sgn\"],\n tss: [\"tss\", \"sgn\"],\n tsy: [\"tsy\", \"sgn\"],\n tza: [\"tza\", \"sgn\"],\n ugn: [\"ugn\", \"sgn\"],\n ugy: [\"ugy\", \"sgn\"],\n ukl: [\"ukl\", \"sgn\"],\n uks: [\"uks\", \"sgn\"],\n urk: [\"urk\", \"ms\"],\n uzn: [\"uzn\", \"uz\"],\n uzs: [\"uzs\", \"uz\"],\n vgt: [\"vgt\", \"sgn\"],\n vkk: [\"vkk\", \"ms\"],\n vkt: [\"vkt\", \"ms\"],\n vsi: [\"vsi\", \"sgn\"],\n vsl: [\"vsl\", \"sgn\"],\n vsv: [\"vsv\", \"sgn\"],\n wuu: [\"wuu\", \"zh\"],\n xki: [\"xki\", \"sgn\"],\n xml: [\"xml\", \"sgn\"],\n xmm: [\"xmm\", \"ms\"],\n xms: [\"xms\", \"sgn\"],\n yds: [\"yds\", \"sgn\"],\n ysl: [\"ysl\", \"sgn\"],\n yue: [\"yue\", \"zh\"],\n zib: [\"zib\", \"sgn\"],\n zlm: [\"zlm\", \"ms\"],\n zmi: [\"zmi\", \"ms\"],\n zsl: [\"zsl\", \"sgn\"],\n zsm: [\"zsm\", \"ms\"]\n }\n};\n\n/**\n * Convert only a-z to uppercase as per section 6.1 of the spec\n */\nfunction toLatinUpperCase(str) {\n var i = str.length;\n\n while (i--) {\n var ch = str.charAt(i);\n\n if (ch >= \"a\" && ch <= \"z\") str = str.slice(0, i) + ch.toUpperCase() + str.slice(i + 1);\n }\n\n return str;\n}\n\n/**\n * The IsStructurallyValidLanguageTag abstract operation verifies that the locale\n * argument (which must be a String value)\n *\n * - represents a well-formed BCP 47 language tag as specified in RFC 5646 section\n * 2.1, or successor,\n * - does not include duplicate variant subtags, and\n * - does not include duplicate singleton subtags.\n *\n * The abstract operation returns true if locale can be generated from the ABNF\n * grammar in section 2.1 of the RFC, starting with Language-Tag, and does not\n * contain duplicate variant or singleton subtags (other than as a private use\n * subtag). It returns false otherwise. Terminal value characters in the grammar are\n * interpreted as the Unicode equivalents of the ASCII octet values given.\n */\nfunction /* 6.2.2 */IsStructurallyValidLanguageTag(locale) {\n // represents a well-formed BCP 47 language tag as specified in RFC 5646\n if (!expBCP47Syntax.test(locale)) return false;\n\n // does not include duplicate variant subtags, and\n if (expVariantDupes.test(locale)) return false;\n\n // does not include duplicate singleton subtags.\n if (expSingletonDupes.test(locale)) return false;\n\n return true;\n}\n\n/**\n * The CanonicalizeLanguageTag abstract operation returns the canonical and case-\n * regularized form of the locale argument (which must be a String value that is\n * a structurally valid BCP 47 language tag as verified by the\n * IsStructurallyValidLanguageTag abstract operation). It takes the steps\n * specified in RFC 5646 section 4.5, or successor, to bring the language tag\n * into canonical form, and to regularize the case of the subtags, but does not\n * take the steps to bring a language tag into “extlang form” and to reorder\n * variant subtags.\n\n * The specifications for extensions to BCP 47 language tags, such as RFC 6067,\n * may include canonicalization rules for the extension subtag sequences they\n * define that go beyond the canonicalization rules of RFC 5646 section 4.5.\n * Implementations are allowed, but not required, to apply these additional rules.\n */\nfunction /* 6.2.3 */CanonicalizeLanguageTag(locale) {\n var match = void 0,\n parts = void 0;\n\n // A language tag is in 'canonical form' when the tag is well-formed\n // according to the rules in Sections 2.1 and 2.2\n\n // Section 2.1 says all subtags use lowercase...\n locale = locale.toLowerCase();\n\n // ...with 2 exceptions: 'two-letter and four-letter subtags that neither\n // appear at the start of the tag nor occur after singletons. Such two-letter\n // subtags are all uppercase (as in the tags \"en-CA-x-ca\" or \"sgn-BE-FR\") and\n // four-letter subtags are titlecase (as in the tag \"az-Latn-x-latn\").\n parts = locale.split('-');\n for (var i = 1, max = parts.length; i < max; i++) {\n // Two-letter subtags are all uppercase\n if (parts[i].length === 2) parts[i] = parts[i].toUpperCase();\n\n // Four-letter subtags are titlecase\n else if (parts[i].length === 4) parts[i] = parts[i].charAt(0).toUpperCase() + parts[i].slice(1);\n\n // Is it a singleton?\n else if (parts[i].length === 1 && parts[i] !== 'x') break;\n }\n locale = arrJoin.call(parts, '-');\n\n // The steps laid out in RFC 5646 section 4.5 are as follows:\n\n // 1. Extension sequences are ordered into case-insensitive ASCII order\n // by singleton subtag.\n if ((match = locale.match(expExtSequences)) && match.length > 1) {\n // The built-in sort() sorts by ASCII order, so use that\n match.sort();\n\n // Replace all extensions with the joined, sorted array\n locale = locale.replace(RegExp('(?:' + expExtSequences.source + ')+', 'i'), arrJoin.call(match, ''));\n }\n\n // 2. Redundant or grandfathered tags are replaced by their 'Preferred-\n // Value', if there is one.\n if (hop.call(redundantTags.tags, locale)) locale = redundantTags.tags[locale];\n\n // 3. Subtags are replaced by their 'Preferred-Value', if there is one.\n // For extlangs, the original primary language subtag is also\n // replaced if there is a primary language subtag in the 'Preferred-\n // Value'.\n parts = locale.split('-');\n\n for (var _i = 1, _max = parts.length; _i < _max; _i++) {\n if (hop.call(redundantTags.subtags, parts[_i])) parts[_i] = redundantTags.subtags[parts[_i]];else if (hop.call(redundantTags.extLang, parts[_i])) {\n parts[_i] = redundantTags.extLang[parts[_i]][0];\n\n // For extlang tags, the prefix needs to be removed if it is redundant\n if (_i === 1 && redundantTags.extLang[parts[1]][1] === parts[0]) {\n parts = arrSlice.call(parts, _i++);\n _max -= 1;\n }\n }\n }\n\n return arrJoin.call(parts, '-');\n}\n\n/**\n * The DefaultLocale abstract operation returns a String value representing the\n * structurally valid (6.2.2) and canonicalized (6.2.3) BCP 47 language tag for the\n * host environment’s current locale.\n */\nfunction /* 6.2.4 */DefaultLocale() {\n return defaultLocale;\n}\n\n// Sect 6.3 Currency Codes\n// =======================\n\nvar expCurrencyCode = /^[A-Z]{3}$/;\n\n/**\n * The IsWellFormedCurrencyCode abstract operation verifies that the currency argument\n * (after conversion to a String value) represents a well-formed 3-letter ISO currency\n * code. The following steps are taken:\n */\nfunction /* 6.3.1 */IsWellFormedCurrencyCode(currency) {\n // 1. Let `c` be ToString(currency)\n var c = String(currency);\n\n // 2. Let `normalized` be the result of mapping c to upper case as described\n // in 6.1.\n var normalized = toLatinUpperCase(c);\n\n // 3. If the string length of normalized is not 3, return false.\n // 4. If normalized contains any character that is not in the range \"A\" to \"Z\"\n // (U+0041 to U+005A), return false.\n if (expCurrencyCode.test(normalized) === false) return false;\n\n // 5. Return true\n return true;\n}\n\nvar expUnicodeExSeq = /-u(?:-[0-9a-z]{2,8})+/gi; // See `extension` below\n\nfunction /* 9.2.1 */CanonicalizeLocaleList(locales) {\n // The abstract operation CanonicalizeLocaleList takes the following steps:\n\n // 1. If locales is undefined, then a. Return a new empty List\n if (locales === undefined) return new List();\n\n // 2. Let seen be a new empty List.\n var seen = new List();\n\n // 3. If locales is a String value, then\n // a. Let locales be a new array created as if by the expression new\n // Array(locales) where Array is the standard built-in constructor with\n // that name and locales is the value of locales.\n locales = typeof locales === 'string' ? [locales] : locales;\n\n // 4. Let O be ToObject(locales).\n var O = toObject(locales);\n\n // 5. Let lenValue be the result of calling the [[Get]] internal method of\n // O with the argument \"length\".\n // 6. Let len be ToUint32(lenValue).\n var len = toLength(O.length);\n\n // 7. Let k be 0.\n var k = 0;\n\n // 8. Repeat, while k < len\n while (k < len) {\n // a. Let Pk be ToString(k).\n var Pk = String(k);\n\n // b. Let kPresent be the result of calling the [[HasProperty]] internal\n // method of O with argument Pk.\n var kPresent = Pk in O;\n\n // c. If kPresent is true, then\n if (kPresent) {\n // i. Let kValue be the result of calling the [[Get]] internal\n // method of O with argument Pk.\n var kValue = O[Pk];\n\n // ii. If the type of kValue is not String or Object, then throw a\n // TypeError exception.\n if (kValue === null || typeof kValue !== 'string' && (typeof kValue === \"undefined\" ? \"undefined\" : babelHelpers$1[\"typeof\"](kValue)) !== 'object') throw new TypeError('String or Object type expected');\n\n // iii. Let tag be ToString(kValue).\n var tag = String(kValue);\n\n // iv. If the result of calling the abstract operation\n // IsStructurallyValidLanguageTag (defined in 6.2.2), passing tag as\n // the argument, is false, then throw a RangeError exception.\n if (!IsStructurallyValidLanguageTag(tag)) throw new RangeError(\"'\" + tag + \"' is not a structurally valid language tag\");\n\n // v. Let tag be the result of calling the abstract operation\n // CanonicalizeLanguageTag (defined in 6.2.3), passing tag as the\n // argument.\n tag = CanonicalizeLanguageTag(tag);\n\n // vi. If tag is not an element of seen, then append tag as the last\n // element of seen.\n if (arrIndexOf.call(seen, tag) === -1) arrPush.call(seen, tag);\n }\n\n // d. Increase k by 1.\n k++;\n }\n\n // 9. Return seen.\n return seen;\n}\n\n/**\n * The BestAvailableLocale abstract operation compares the provided argument\n * locale, which must be a String value with a structurally valid and\n * canonicalized BCP 47 language tag, against the locales in availableLocales and\n * returns either the longest non-empty prefix of locale that is an element of\n * availableLocales, or undefined if there is no such element. It uses the\n * fallback mechanism of RFC 4647, section 3.4. The following steps are taken:\n */\nfunction /* 9.2.2 */BestAvailableLocale(availableLocales, locale) {\n // 1. Let candidate be locale\n var candidate = locale;\n\n // 2. Repeat\n while (candidate) {\n // a. If availableLocales contains an element equal to candidate, then return\n // candidate.\n if (arrIndexOf.call(availableLocales, candidate) > -1) return candidate;\n\n // b. Let pos be the character index of the last occurrence of \"-\"\n // (U+002D) within candidate. If that character does not occur, return\n // undefined.\n var pos = candidate.lastIndexOf('-');\n\n if (pos < 0) return;\n\n // c. If pos ≥ 2 and the character \"-\" occurs at index pos-2 of candidate,\n // then decrease pos by 2.\n if (pos >= 2 && candidate.charAt(pos - 2) === '-') pos -= 2;\n\n // d. Let candidate be the substring of candidate from position 0, inclusive,\n // to position pos, exclusive.\n candidate = candidate.substring(0, pos);\n }\n}\n\n/**\n * The LookupMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The following steps are taken:\n */\nfunction /* 9.2.3 */LookupMatcher(availableLocales, requestedLocales) {\n // 1. Let i be 0.\n var i = 0;\n\n // 2. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n\n // 3. Let availableLocale be undefined.\n var availableLocale = void 0;\n\n var locale = void 0,\n noExtensionsLocale = void 0;\n\n // 4. Repeat while i < len and availableLocale is undefined:\n while (i < len && !availableLocale) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position i.\n locale = requestedLocales[i];\n\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. Increase i by 1.\n i++;\n }\n\n // 5. Let result be a new Record.\n var result = new Record();\n\n // 6. If availableLocale is not undefined, then\n if (availableLocale !== undefined) {\n // a. Set result.[[locale]] to availableLocale.\n result['[[locale]]'] = availableLocale;\n\n // b. If locale and noExtensionsLocale are not the same String value, then\n if (String(locale) !== String(noExtensionsLocale)) {\n // i. Let extension be the String value consisting of the first\n // substring of locale that is a Unicode locale extension sequence.\n var extension = locale.match(expUnicodeExSeq)[0];\n\n // ii. Let extensionIndex be the character position of the initial\n // \"-\" of the first Unicode locale extension sequence within locale.\n var extensionIndex = locale.indexOf('-u-');\n\n // iii. Set result.[[extension]] to extension.\n result['[[extension]]'] = extension;\n\n // iv. Set result.[[extensionIndex]] to extensionIndex.\n result['[[extensionIndex]]'] = extensionIndex;\n }\n }\n // 7. Else\n else\n // a. Set result.[[locale]] to the value returned by the DefaultLocale abstract\n // operation (defined in 6.2.4).\n result['[[locale]]'] = DefaultLocale();\n\n // 8. Return result\n return result;\n}\n\n/**\n * The BestFitMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The algorithm is implementation dependent, but should produce results\n * that a typical user of the requested locales would perceive as at least as\n * good as those produced by the LookupMatcher abstract operation. Options\n * specified through Unicode locale extension sequences must be ignored by the\n * algorithm. Information about such subsequences is returned separately.\n * The abstract operation returns a record with a [[locale]] field, whose value\n * is the language tag of the selected locale, which must be an element of\n * availableLocales. If the language tag of the request locale that led to the\n * selected locale contained a Unicode locale extension sequence, then the\n * returned record also contains an [[extension]] field whose value is the first\n * Unicode locale extension sequence, and an [[extensionIndex]] field whose value\n * is the index of the first Unicode locale extension sequence within the request\n * locale language tag.\n */\nfunction /* 9.2.4 */BestFitMatcher(availableLocales, requestedLocales) {\n return LookupMatcher(availableLocales, requestedLocales);\n}\n\n/**\n * The ResolveLocale abstract operation compares a BCP 47 language priority list\n * requestedLocales against the locales in availableLocales and determines the\n * best available language to meet the request. availableLocales and\n * requestedLocales must be provided as List values, options as a Record.\n */\nfunction /* 9.2.5 */ResolveLocale(availableLocales, requestedLocales, options, relevantExtensionKeys, localeData) {\n if (availableLocales.length === 0) {\n throw new ReferenceError('No locale data has been provided for this object yet.');\n }\n\n // The following steps are taken:\n // 1. Let matcher be the value of options.[[localeMatcher]].\n var matcher = options['[[localeMatcher]]'];\n\n var r = void 0;\n\n // 2. If matcher is \"lookup\", then\n if (matcher === 'lookup')\n // a. Let r be the result of calling the LookupMatcher abstract operation\n // (defined in 9.2.3) with arguments availableLocales and\n // requestedLocales.\n r = LookupMatcher(availableLocales, requestedLocales);\n\n // 3. Else\n else\n // a. Let r be the result of calling the BestFitMatcher abstract\n // operation (defined in 9.2.4) with arguments availableLocales and\n // requestedLocales.\n r = BestFitMatcher(availableLocales, requestedLocales);\n\n // 4. Let foundLocale be the value of r.[[locale]].\n var foundLocale = r['[[locale]]'];\n\n var extensionSubtags = void 0,\n extensionSubtagsLength = void 0;\n\n // 5. If r has an [[extension]] field, then\n if (hop.call(r, '[[extension]]')) {\n // a. Let extension be the value of r.[[extension]].\n var extension = r['[[extension]]'];\n // b. Let split be the standard built-in function object defined in ES5,\n // 15.5.4.14.\n var split = String.prototype.split;\n // c. Let extensionSubtags be the result of calling the [[Call]] internal\n // method of split with extension as the this value and an argument\n // list containing the single item \"-\".\n extensionSubtags = split.call(extension, '-');\n // d. Let extensionSubtagsLength be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument \"length\".\n extensionSubtagsLength = extensionSubtags.length;\n }\n\n // 6. Let result be a new Record.\n var result = new Record();\n\n // 7. Set result.[[dataLocale]] to foundLocale.\n result['[[dataLocale]]'] = foundLocale;\n\n // 8. Let supportedExtension be \"-u\".\n var supportedExtension = '-u';\n // 9. Let i be 0.\n var i = 0;\n // 10. Let len be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument \"length\".\n var len = relevantExtensionKeys.length;\n\n // 11 Repeat while i < len:\n while (i < len) {\n // a. Let key be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument ToString(i).\n var key = relevantExtensionKeys[i];\n // b. Let foundLocaleData be the result of calling the [[Get]] internal\n // method of localeData with the argument foundLocale.\n var foundLocaleData = localeData[foundLocale];\n // c. Let keyLocaleData be the result of calling the [[Get]] internal\n // method of foundLocaleData with the argument key.\n var keyLocaleData = foundLocaleData[key];\n // d. Let value be the result of calling the [[Get]] internal method of\n // keyLocaleData with argument \"0\".\n var value = keyLocaleData['0'];\n // e. Let supportedExtensionAddition be \"\".\n var supportedExtensionAddition = '';\n // f. Let indexOf be the standard built-in function object defined in\n // ES5, 15.4.4.14.\n var indexOf = arrIndexOf;\n\n // g. If extensionSubtags is not undefined, then\n if (extensionSubtags !== undefined) {\n // i. Let keyPos be the result of calling the [[Call]] internal\n // method of indexOf with extensionSubtags as the this value and\n // an argument list containing the single item key.\n var keyPos = indexOf.call(extensionSubtags, key);\n\n // ii. If keyPos ≠ -1, then\n if (keyPos !== -1) {\n // 1. If keyPos + 1 < extensionSubtagsLength and the length of the\n // result of calling the [[Get]] internal method of\n // extensionSubtags with argument ToString(keyPos +1) is greater\n // than 2, then\n if (keyPos + 1 < extensionSubtagsLength && extensionSubtags[keyPos + 1].length > 2) {\n // a. Let requestedValue be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument\n // ToString(keyPos + 1).\n var requestedValue = extensionSubtags[keyPos + 1];\n // b. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the\n // this value and an argument list containing the single\n // item requestedValue.\n var valuePos = indexOf.call(keyLocaleData, requestedValue);\n\n // c. If valuePos ≠ -1, then\n if (valuePos !== -1) {\n // i. Let value be requestedValue.\n value = requestedValue,\n // ii. Let supportedExtensionAddition be the\n // concatenation of \"-\", key, \"-\", and value.\n supportedExtensionAddition = '-' + key + '-' + value;\n }\n }\n // 2. Else\n else {\n // a. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the this\n // value and an argument list containing the single item\n // \"true\".\n var _valuePos = indexOf(keyLocaleData, 'true');\n\n // b. If valuePos ≠ -1, then\n if (_valuePos !== -1)\n // i. Let value be \"true\".\n value = 'true';\n }\n }\n }\n // h. If options has a field [[]], then\n if (hop.call(options, '[[' + key + ']]')) {\n // i. Let optionsValue be the value of options.[[]].\n var optionsValue = options['[[' + key + ']]'];\n\n // ii. If the result of calling the [[Call]] internal method of indexOf\n // with keyLocaleData as the this value and an argument list\n // containing the single item optionsValue is not -1, then\n if (indexOf.call(keyLocaleData, optionsValue) !== -1) {\n // 1. If optionsValue is not equal to value, then\n if (optionsValue !== value) {\n // a. Let value be optionsValue.\n value = optionsValue;\n // b. Let supportedExtensionAddition be \"\".\n supportedExtensionAddition = '';\n }\n }\n }\n // i. Set result.[[]] to value.\n result['[[' + key + ']]'] = value;\n\n // j. Append supportedExtensionAddition to supportedExtension.\n supportedExtension += supportedExtensionAddition;\n\n // k. Increase i by 1.\n i++;\n }\n // 12. If the length of supportedExtension is greater than 2, then\n if (supportedExtension.length > 2) {\n // a.\n var privateIndex = foundLocale.indexOf(\"-x-\");\n // b.\n if (privateIndex === -1) {\n // i.\n foundLocale = foundLocale + supportedExtension;\n }\n // c.\n else {\n // i.\n var preExtension = foundLocale.substring(0, privateIndex);\n // ii.\n var postExtension = foundLocale.substring(privateIndex);\n // iii.\n foundLocale = preExtension + supportedExtension + postExtension;\n }\n // d. asserting - skipping\n // e.\n foundLocale = CanonicalizeLanguageTag(foundLocale);\n }\n // 13. Set result.[[locale]] to foundLocale.\n result['[[locale]]'] = foundLocale;\n\n // 14. Return result.\n return result;\n}\n\n/**\n * The LookupSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the BCP 47 Lookup algorithm.\n * Locales appear in the same order in the returned list as in requestedLocales.\n * The following steps are taken:\n */\nfunction /* 9.2.6 */LookupSupportedLocales(availableLocales, requestedLocales) {\n // 1. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n // 2. Let subset be a new empty List.\n var subset = new List();\n // 3. Let k be 0.\n var k = 0;\n\n // 4. Repeat while k < len\n while (k < len) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position k.\n var locale = requestedLocales[k];\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n var noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n var availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. If availableLocale is not undefined, then append locale to the end of\n // subset.\n if (availableLocale !== undefined) arrPush.call(subset, locale);\n\n // e. Increment k by 1.\n k++;\n }\n\n // 5. Let subsetArray be a new Array object whose elements are the same\n // values in the same order as the elements of subset.\n var subsetArray = arrSlice.call(subset);\n\n // 6. Return subsetArray.\n return subsetArray;\n}\n\n/**\n * The BestFitSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the Best Fit Matcher\n * algorithm. Locales appear in the same order in the returned list as in\n * requestedLocales. The steps taken are implementation dependent.\n */\nfunction /*9.2.7 */BestFitSupportedLocales(availableLocales, requestedLocales) {\n // ###TODO: implement this function as described by the specification###\n return LookupSupportedLocales(availableLocales, requestedLocales);\n}\n\n/**\n * The SupportedLocales abstract operation returns the subset of the provided BCP\n * 47 language priority list requestedLocales for which availableLocales has a\n * matching locale. Two algorithms are available to match the locales: the Lookup\n * algorithm described in RFC 4647 section 3.4, and an implementation dependent\n * best-fit algorithm. Locales appear in the same order in the returned list as\n * in requestedLocales. The following steps are taken:\n */\nfunction /*9.2.8 */SupportedLocales(availableLocales, requestedLocales, options) {\n var matcher = void 0,\n subset = void 0;\n\n // 1. If options is not undefined, then\n if (options !== undefined) {\n // a. Let options be ToObject(options).\n options = new Record(toObject(options));\n // b. Let matcher be the result of calling the [[Get]] internal method of\n // options with argument \"localeMatcher\".\n matcher = options.localeMatcher;\n\n // c. If matcher is not undefined, then\n if (matcher !== undefined) {\n // i. Let matcher be ToString(matcher).\n matcher = String(matcher);\n\n // ii. If matcher is not \"lookup\" or \"best fit\", then throw a RangeError\n // exception.\n if (matcher !== 'lookup' && matcher !== 'best fit') throw new RangeError('matcher should be \"lookup\" or \"best fit\"');\n }\n }\n // 2. If matcher is undefined or \"best fit\", then\n if (matcher === undefined || matcher === 'best fit')\n // a. Let subset be the result of calling the BestFitSupportedLocales\n // abstract operation (defined in 9.2.7) with arguments\n // availableLocales and requestedLocales.\n subset = BestFitSupportedLocales(availableLocales, requestedLocales);\n // 3. Else\n else\n // a. Let subset be the result of calling the LookupSupportedLocales\n // abstract operation (defined in 9.2.6) with arguments\n // availableLocales and requestedLocales.\n subset = LookupSupportedLocales(availableLocales, requestedLocales);\n\n // 4. For each named own property name P of subset,\n for (var P in subset) {\n if (!hop.call(subset, P)) continue;\n\n // a. Let desc be the result of calling the [[GetOwnProperty]] internal\n // method of subset with P.\n // b. Set desc.[[Writable]] to false.\n // c. Set desc.[[Configurable]] to false.\n // d. Call the [[DefineOwnProperty]] internal method of subset with P, desc,\n // and true as arguments.\n defineProperty(subset, P, {\n writable: false, configurable: false, value: subset[P]\n });\n }\n // \"Freeze\" the array so no new elements can be added\n defineProperty(subset, 'length', { writable: false });\n\n // 5. Return subset\n return subset;\n}\n\n/**\n * The GetOption abstract operation extracts the value of the property named\n * property from the provided options object, converts it to the required type,\n * checks whether it is one of a List of allowed values, and fills in a fallback\n * value if necessary.\n */\nfunction /*9.2.9 */GetOption(options, property, type, values, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Assert: type is \"boolean\" or \"string\".\n // b. If type is \"boolean\", then let value be ToBoolean(value).\n // c. If type is \"string\", then let value be ToString(value).\n value = type === 'boolean' ? Boolean(value) : type === 'string' ? String(value) : value;\n\n // d. If values is not undefined, then\n if (values !== undefined) {\n // i. If values does not contain an element equal to value, then throw a\n // RangeError exception.\n if (arrIndexOf.call(values, value) === -1) throw new RangeError(\"'\" + value + \"' is not an allowed value for `\" + property + '`');\n }\n\n // e. Return value.\n return value;\n }\n // Else return fallback.\n return fallback;\n}\n\n/**\n * The GetNumberOption abstract operation extracts a property value from the\n * provided options object, converts it to a Number value, checks whether it is\n * in the allowed range, and fills in a fallback value if necessary.\n */\nfunction /* 9.2.10 */GetNumberOption(options, property, minimum, maximum, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Let value be ToNumber(value).\n value = Number(value);\n\n // b. If value is NaN or less than minimum or greater than maximum, throw a\n // RangeError exception.\n if (isNaN(value) || value < minimum || value > maximum) throw new RangeError('Value is not a number or outside accepted range');\n\n // c. Return floor(value).\n return Math.floor(value);\n }\n // 3. Else return fallback.\n return fallback;\n}\n\n// 8 The Intl Object\nvar Intl = {};\n\n// 8.2 Function Properties of the Intl Object\n\n// 8.2.1\n// @spec[tc39/ecma402/master/spec/intl.html]\n// @clause[sec-intl.getcanonicallocales]\nfunction getCanonicalLocales(locales) {\n // 1. Let ll be ? CanonicalizeLocaleList(locales).\n var ll = CanonicalizeLocaleList(locales);\n // 2. Return CreateArrayFromList(ll).\n {\n var result = [];\n\n var len = ll.length;\n var k = 0;\n\n while (k < len) {\n result[k] = ll[k];\n k++;\n }\n return result;\n }\n}\n\nObject.defineProperty(Intl, 'getCanonicalLocales', {\n enumerable: false,\n configurable: true,\n writable: true,\n value: getCanonicalLocales\n});\n\n// Currency minor units output from get-4217 grunt task, formatted\nvar currencyMinorUnits = {\n BHD: 3, BYR: 0, XOF: 0, BIF: 0, XAF: 0, CLF: 4, CLP: 0, KMF: 0, DJF: 0,\n XPF: 0, GNF: 0, ISK: 0, IQD: 3, JPY: 0, JOD: 3, KRW: 0, KWD: 3, LYD: 3,\n OMR: 3, PYG: 0, RWF: 0, TND: 3, UGX: 0, UYI: 0, VUV: 0, VND: 0\n};\n\n// Define the NumberFormat constructor internally so it cannot be tainted\nfunction NumberFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.NumberFormat(locales, options);\n }\n\n return InitializeNumberFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'NumberFormat', {\n configurable: true,\n writable: true,\n value: NumberFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(Intl.NumberFormat, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeNumberFormat accepts the arguments\n * numberFormat (which must be an object), locales, and options. It initializes\n * numberFormat as a NumberFormat object.\n */\nfunction /*11.1.1.1 */InitializeNumberFormat(numberFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(numberFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If numberFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(numberFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. If options is undefined, then\n if (options === undefined)\n // a. Let options be the result of creating a new object as if by the\n // expression new Object() where Object is the standard built-in constructor\n // with that name.\n options = {};\n\n // 5. Else\n else\n // a. Let options be ToObject(options).\n options = toObject(options);\n\n // 6. Let opt be a new Record.\n var opt = new Record(),\n\n\n // 7. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with the arguments options, \"localeMatcher\", \"string\",\n // a List containing the two String values \"lookup\" and \"best fit\", and\n // \"best fit\".\n matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 8. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 9. Let NumberFormat be the standard built-in object that is the initial value\n // of Intl.NumberFormat.\n // 10. Let localeData be the value of the [[localeData]] internal property of\n // NumberFormat.\n var localeData = internals.NumberFormat['[[localeData]]'];\n\n // 11. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // NumberFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of NumberFormat, and localeData.\n var r = ResolveLocale(internals.NumberFormat['[[availableLocales]]'], requestedLocales, opt, internals.NumberFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 12. Set the [[locale]] internal property of numberFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 13. Set the [[numberingSystem]] internal property of numberFormat to the value\n // of r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let s be the result of calling the GetOption abstract operation with the\n // arguments options, \"style\", \"string\", a List containing the three String\n // values \"decimal\", \"percent\", and \"currency\", and \"decimal\".\n var s = GetOption(options, 'style', 'string', new List('decimal', 'percent', 'currency'), 'decimal');\n\n // 16. Set the [[style]] internal property of numberFormat to s.\n internal['[[style]]'] = s;\n\n // 17. Let c be the result of calling the GetOption abstract operation with the\n // arguments options, \"currency\", \"string\", undefined, and undefined.\n var c = GetOption(options, 'currency', 'string');\n\n // 18. If c is not undefined and the result of calling the\n // IsWellFormedCurrencyCode abstract operation (defined in 6.3.1) with\n // argument c is false, then throw a RangeError exception.\n if (c !== undefined && !IsWellFormedCurrencyCode(c)) throw new RangeError(\"'\" + c + \"' is not a valid currency code\");\n\n // 19. If s is \"currency\" and c is undefined, throw a TypeError exception.\n if (s === 'currency' && c === undefined) throw new TypeError('Currency code is required when style is currency');\n\n var cDigits = void 0;\n\n // 20. If s is \"currency\", then\n if (s === 'currency') {\n // a. Let c be the result of converting c to upper case as specified in 6.1.\n c = c.toUpperCase();\n\n // b. Set the [[currency]] internal property of numberFormat to c.\n internal['[[currency]]'] = c;\n\n // c. Let cDigits be the result of calling the CurrencyDigits abstract\n // operation (defined below) with argument c.\n cDigits = CurrencyDigits(c);\n }\n\n // 21. Let cd be the result of calling the GetOption abstract operation with the\n // arguments options, \"currencyDisplay\", \"string\", a List containing the\n // three String values \"code\", \"symbol\", and \"name\", and \"symbol\".\n var cd = GetOption(options, 'currencyDisplay', 'string', new List('code', 'symbol', 'name'), 'symbol');\n\n // 22. If s is \"currency\", then set the [[currencyDisplay]] internal property of\n // numberFormat to cd.\n if (s === 'currency') internal['[[currencyDisplay]]'] = cd;\n\n // 23. Let mnid be the result of calling the GetNumberOption abstract operation\n // (defined in 9.2.10) with arguments options, \"minimumIntegerDigits\", 1, 21,\n // and 1.\n var mnid = GetNumberOption(options, 'minimumIntegerDigits', 1, 21, 1);\n\n // 24. Set the [[minimumIntegerDigits]] internal property of numberFormat to mnid.\n internal['[[minimumIntegerDigits]]'] = mnid;\n\n // 25. If s is \"currency\", then let mnfdDefault be cDigits; else let mnfdDefault\n // be 0.\n var mnfdDefault = s === 'currency' ? cDigits : 0;\n\n // 26. Let mnfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"minimumFractionDigits\", 0, 20, and mnfdDefault.\n var mnfd = GetNumberOption(options, 'minimumFractionDigits', 0, 20, mnfdDefault);\n\n // 27. Set the [[minimumFractionDigits]] internal property of numberFormat to mnfd.\n internal['[[minimumFractionDigits]]'] = mnfd;\n\n // 28. If s is \"currency\", then let mxfdDefault be max(mnfd, cDigits); else if s\n // is \"percent\", then let mxfdDefault be max(mnfd, 0); else let mxfdDefault\n // be max(mnfd, 3).\n var mxfdDefault = s === 'currency' ? Math.max(mnfd, cDigits) : s === 'percent' ? Math.max(mnfd, 0) : Math.max(mnfd, 3);\n\n // 29. Let mxfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"maximumFractionDigits\", mnfd, 20, and mxfdDefault.\n var mxfd = GetNumberOption(options, 'maximumFractionDigits', mnfd, 20, mxfdDefault);\n\n // 30. Set the [[maximumFractionDigits]] internal property of numberFormat to mxfd.\n internal['[[maximumFractionDigits]]'] = mxfd;\n\n // 31. Let mnsd be the result of calling the [[Get]] internal method of options\n // with argument \"minimumSignificantDigits\".\n var mnsd = options.minimumSignificantDigits;\n\n // 32. Let mxsd be the result of calling the [[Get]] internal method of options\n // with argument \"maximumSignificantDigits\".\n var mxsd = options.maximumSignificantDigits;\n\n // 33. If mnsd is not undefined or mxsd is not undefined, then:\n if (mnsd !== undefined || mxsd !== undefined) {\n // a. Let mnsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"minimumSignificantDigits\", 1, 21,\n // and 1.\n mnsd = GetNumberOption(options, 'minimumSignificantDigits', 1, 21, 1);\n\n // b. Let mxsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"maximumSignificantDigits\", mnsd,\n // 21, and 21.\n mxsd = GetNumberOption(options, 'maximumSignificantDigits', mnsd, 21, 21);\n\n // c. Set the [[minimumSignificantDigits]] internal property of numberFormat\n // to mnsd, and the [[maximumSignificantDigits]] internal property of\n // numberFormat to mxsd.\n internal['[[minimumSignificantDigits]]'] = mnsd;\n internal['[[maximumSignificantDigits]]'] = mxsd;\n }\n // 34. Let g be the result of calling the GetOption abstract operation with the\n // arguments options, \"useGrouping\", \"boolean\", undefined, and true.\n var g = GetOption(options, 'useGrouping', 'boolean', undefined, true);\n\n // 35. Set the [[useGrouping]] internal property of numberFormat to g.\n internal['[[useGrouping]]'] = g;\n\n // 36. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 37. Let patterns be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"patterns\".\n var patterns = dataLocaleData.patterns;\n\n // 38. Assert: patterns is an object (see 11.2.3)\n\n // 39. Let stylePatterns be the result of calling the [[Get]] internal method of\n // patterns with argument s.\n var stylePatterns = patterns[s];\n\n // 40. Set the [[positivePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"positivePattern\".\n internal['[[positivePattern]]'] = stylePatterns.positivePattern;\n\n // 41. Set the [[negativePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"negativePattern\".\n internal['[[negativePattern]]'] = stylePatterns.negativePattern;\n\n // 42. Set the [[boundFormat]] internal property of numberFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 43. Set the [[initializedNumberFormat]] internal property of numberFormat to\n // true.\n internal['[[initializedNumberFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) numberFormat.format = GetFormatNumber.call(numberFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return numberFormat;\n}\n\nfunction CurrencyDigits(currency) {\n // When the CurrencyDigits abstract operation is called with an argument currency\n // (which must be an upper case String value), the following steps are taken:\n\n // 1. If the ISO 4217 currency and funds code list contains currency as an\n // alphabetic code, then return the minor unit value corresponding to the\n // currency from the list; else return 2.\n return currencyMinorUnits[currency] !== undefined ? currencyMinorUnits[currency] : 2;\n}\n\n/* 11.2.3 */internals.NumberFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.NumberFormat is called, the\n * following steps are taken:\n */\n/* 11.2.2 */\ndefineProperty(Intl.NumberFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * NumberFormat object.\n */\n/* 11.3.2 */defineProperty(Intl.NumberFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatNumber\n});\n\nfunction GetFormatNumber() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.NumberFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this NumberFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 1, that takes the argument value and\n // performs the following steps:\n var F = function F(value) {\n // i. If value is not provided, then let value be undefined.\n // ii. Let x be ToNumber(value).\n // iii. Return the result of calling the FormatNumber abstract\n // operation (defined below) with arguments this and x.\n return FormatNumber(this, /* x = */Number(value));\n };\n\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts() {\n var value = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.NumberFormat object.');\n\n var x = Number(value);\n return FormatNumberToParts(this, x);\n}\n\nObject.defineProperty(Intl.NumberFormat.prototype, 'formatToParts', {\n configurable: true,\n enumerable: false,\n writable: true,\n value: formatToParts\n});\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumbertoparts]\n */\nfunction FormatNumberToParts(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be ArrayCreate(0).\n var result = [];\n // 3. Let n be 0.\n var n = 0;\n // 4. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Let O be ObjectCreate(%ObjectPrototype%).\n var O = {};\n // a. Perform ? CreateDataPropertyOrThrow(O, \"type\", part.[[type]]).\n O.type = part['[[type]]'];\n // a. Perform ? CreateDataPropertyOrThrow(O, \"value\", part.[[value]]).\n O.value = part['[[value]]'];\n // a. Perform ? CreateDataPropertyOrThrow(result, ? ToString(n), O).\n result[n] = O;\n // a. Increment n by 1.\n n += 1;\n }\n // 5. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-partitionnumberpattern]\n */\nfunction PartitionNumberPattern(numberFormat, x) {\n\n var internal = getInternalProperties(numberFormat),\n locale = internal['[[dataLocale]]'],\n nums = internal['[[numberingSystem]]'],\n data = internals.NumberFormat['[[localeData]]'][locale],\n ild = data.symbols[nums] || data.symbols.latn,\n pattern = void 0;\n\n // 1. If x is not NaN and x < 0, then:\n if (!isNaN(x) && x < 0) {\n // a. Let x be -x.\n x = -x;\n // a. Let pattern be the value of numberFormat.[[negativePattern]].\n pattern = internal['[[negativePattern]]'];\n }\n // 2. Else,\n else {\n // a. Let pattern be the value of numberFormat.[[positivePattern]].\n pattern = internal['[[positivePattern]]'];\n }\n // 3. Let result be a new empty List.\n var result = new List();\n // 4. Let beginIndex be Call(%StringProto_indexOf%, pattern, \"{\", 0).\n var beginIndex = pattern.indexOf('{', 0);\n // 5. Let endIndex be 0.\n var endIndex = 0;\n // 6. Let nextIndex be 0.\n var nextIndex = 0;\n // 7. Let length be the number of code units in pattern.\n var length = pattern.length;\n // 8. Repeat while beginIndex is an integer index into pattern:\n while (beginIndex > -1 && beginIndex < length) {\n // a. Set endIndex to Call(%StringProto_indexOf%, pattern, \"}\", beginIndex)\n endIndex = pattern.indexOf('}', beginIndex);\n // a. If endIndex = -1, throw new Error exception.\n if (endIndex === -1) throw new Error();\n // a. If beginIndex is greater than nextIndex, then:\n if (beginIndex > nextIndex) {\n // i. Let literal be a substring of pattern from position nextIndex, inclusive, to position beginIndex, exclusive.\n var literal = pattern.substring(nextIndex, beginIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': literal });\n }\n // a. Let p be the substring of pattern from position beginIndex, exclusive, to position endIndex, exclusive.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // a. If p is equal \"number\", then:\n if (p === \"number\") {\n // i. If x is NaN,\n if (isNaN(x)) {\n // 1. Let n be an ILD String value indicating the NaN value.\n var n = ild.nan;\n // 2. Add new part record { [[type]]: \"nan\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'nan', '[[value]]': n });\n }\n // ii. Else if isFinite(x) is false,\n else if (!isFinite(x)) {\n // 1. Let n be an ILD String value indicating infinity.\n var _n = ild.infinity;\n // 2. Add new part record { [[type]]: \"infinity\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'infinity', '[[value]]': _n });\n }\n // iii. Else,\n else {\n // 1. If the value of numberFormat.[[style]] is \"percent\" and isFinite(x), let x be 100 × x.\n if (internal['[[style]]'] === 'percent' && isFinite(x)) x *= 100;\n\n var _n2 = void 0;\n // 2. If the numberFormat.[[minimumSignificantDigits]] and numberFormat.[[maximumSignificantDigits]] are present, then\n if (hop.call(internal, '[[minimumSignificantDigits]]') && hop.call(internal, '[[maximumSignificantDigits]]')) {\n // a. Let n be ToRawPrecision(x, numberFormat.[[minimumSignificantDigits]], numberFormat.[[maximumSignificantDigits]]).\n _n2 = ToRawPrecision(x, internal['[[minimumSignificantDigits]]'], internal['[[maximumSignificantDigits]]']);\n }\n // 3. Else,\n else {\n // a. Let n be ToRawFixed(x, numberFormat.[[minimumIntegerDigits]], numberFormat.[[minimumFractionDigits]], numberFormat.[[maximumFractionDigits]]).\n _n2 = ToRawFixed(x, internal['[[minimumIntegerDigits]]'], internal['[[minimumFractionDigits]]'], internal['[[maximumFractionDigits]]']);\n }\n // 4. If the value of the numberFormat.[[numberingSystem]] matches one of the values in the \"Numbering System\" column of Table 2 below, then\n if (numSys[nums]) {\n (function () {\n // a. Let digits be an array whose 10 String valued elements are the UTF-16 string representations of the 10 digits specified in the \"Digits\" column of the matching row in Table 2.\n var digits = numSys[nums];\n // a. Replace each digit in n with the value of digits[digit].\n _n2 = String(_n2).replace(/\\d/g, function (digit) {\n return digits[digit];\n });\n })();\n }\n // 5. Else use an implementation dependent algorithm to map n to the appropriate representation of n in the given numbering system.\n else _n2 = String(_n2); // ###TODO###\n\n var integer = void 0;\n var fraction = void 0;\n // 6. Let decimalSepIndex be Call(%StringProto_indexOf%, n, \".\", 0).\n var decimalSepIndex = _n2.indexOf('.', 0);\n // 7. If decimalSepIndex > 0, then:\n if (decimalSepIndex > 0) {\n // a. Let integer be the substring of n from position 0, inclusive, to position decimalSepIndex, exclusive.\n integer = _n2.substring(0, decimalSepIndex);\n // a. Let fraction be the substring of n from position decimalSepIndex, exclusive, to the end of n.\n fraction = _n2.substring(decimalSepIndex + 1, decimalSepIndex.length);\n }\n // 8. Else:\n else {\n // a. Let integer be n.\n integer = _n2;\n // a. Let fraction be undefined.\n fraction = undefined;\n }\n // 9. If the value of the numberFormat.[[useGrouping]] is true,\n if (internal['[[useGrouping]]'] === true) {\n // a. Let groupSepSymbol be the ILND String representing the grouping separator.\n var groupSepSymbol = ild.group;\n // a. Let groups be a List whose elements are, in left to right order, the substrings defined by ILND set of locations within the integer.\n var groups = [];\n // ----> implementation:\n // Primary group represents the group closest to the decimal\n var pgSize = data.patterns.primaryGroupSize || 3;\n // Secondary group is every other group\n var sgSize = data.patterns.secondaryGroupSize || pgSize;\n // Group only if necessary\n if (integer.length > pgSize) {\n // Index of the primary grouping separator\n var end = integer.length - pgSize;\n // Starting index for our loop\n var idx = end % sgSize;\n var start = integer.slice(0, idx);\n if (start.length) arrPush.call(groups, start);\n // Loop to separate into secondary grouping digits\n while (idx < end) {\n arrPush.call(groups, integer.slice(idx, idx + sgSize));\n idx += sgSize;\n }\n // Add the primary grouping digits\n arrPush.call(groups, integer.slice(end));\n } else {\n arrPush.call(groups, integer);\n }\n // a. Assert: The number of elements in groups List is greater than 0.\n if (groups.length === 0) throw new Error();\n // a. Repeat, while groups List is not empty:\n while (groups.length) {\n // i. Remove the first element from groups and let integerGroup be the value of that element.\n var integerGroup = arrShift.call(groups);\n // ii. Add new part record { [[type]]: \"integer\", [[value]]: integerGroup } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integerGroup });\n // iii. If groups List is not empty, then:\n if (groups.length) {\n // 1. Add new part record { [[type]]: \"group\", [[value]]: groupSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'group', '[[value]]': groupSepSymbol });\n }\n }\n }\n // 10. Else,\n else {\n // a. Add new part record { [[type]]: \"integer\", [[value]]: integer } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integer });\n }\n // 11. If fraction is not undefined, then:\n if (fraction !== undefined) {\n // a. Let decimalSepSymbol be the ILND String representing the decimal separator.\n var decimalSepSymbol = ild.decimal;\n // a. Add new part record { [[type]]: \"decimal\", [[value]]: decimalSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'decimal', '[[value]]': decimalSepSymbol });\n // a. Add new part record { [[type]]: \"fraction\", [[value]]: fraction } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'fraction', '[[value]]': fraction });\n }\n }\n }\n // a. Else if p is equal \"plusSign\", then:\n else if (p === \"plusSign\") {\n // i. Let plusSignSymbol be the ILND String representing the plus sign.\n var plusSignSymbol = ild.plusSign;\n // ii. Add new part record { [[type]]: \"plusSign\", [[value]]: plusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'plusSign', '[[value]]': plusSignSymbol });\n }\n // a. Else if p is equal \"minusSign\", then:\n else if (p === \"minusSign\") {\n // i. Let minusSignSymbol be the ILND String representing the minus sign.\n var minusSignSymbol = ild.minusSign;\n // ii. Add new part record { [[type]]: \"minusSign\", [[value]]: minusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'minusSign', '[[value]]': minusSignSymbol });\n }\n // a. Else if p is equal \"percentSign\" and numberFormat.[[style]] is \"percent\", then:\n else if (p === \"percentSign\" && internal['[[style]]'] === \"percent\") {\n // i. Let percentSignSymbol be the ILND String representing the percent sign.\n var percentSignSymbol = ild.percentSign;\n // ii. Add new part record { [[type]]: \"percentSign\", [[value]]: percentSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': percentSignSymbol });\n }\n // a. Else if p is equal \"currency\" and numberFormat.[[style]] is \"currency\", then:\n else if (p === \"currency\" && internal['[[style]]'] === \"currency\") {\n // i. Let currency be the value of numberFormat.[[currency]].\n var currency = internal['[[currency]]'];\n\n var cd = void 0;\n\n // ii. If numberFormat.[[currencyDisplay]] is \"code\", then\n if (internal['[[currencyDisplay]]'] === \"code\") {\n // 1. Let cd be currency.\n cd = currency;\n }\n // iii. Else if numberFormat.[[currencyDisplay]] is \"symbol\", then\n else if (internal['[[currencyDisplay]]'] === \"symbol\") {\n // 1. Let cd be an ILD string representing currency in short form. If the implementation does not have such a representation of currency, use currency itself.\n cd = data.currencies[currency] || currency;\n }\n // iv. Else if numberFormat.[[currencyDisplay]] is \"name\", then\n else if (internal['[[currencyDisplay]]'] === \"name\") {\n // 1. Let cd be an ILD string representing currency in long form. If the implementation does not have such a representation of currency, then use currency itself.\n cd = currency;\n }\n // v. Add new part record { [[type]]: \"currency\", [[value]]: cd } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'currency', '[[value]]': cd });\n }\n // a. Else,\n else {\n // i. Let literal be the substring of pattern from position beginIndex, inclusive, to position endIndex, inclusive.\n var _literal = pattern.substring(beginIndex, endIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal });\n }\n // a. Set nextIndex to endIndex + 1.\n nextIndex = endIndex + 1;\n // a. Set beginIndex to Call(%StringProto_indexOf%, pattern, \"{\", nextIndex)\n beginIndex = pattern.indexOf('{', nextIndex);\n }\n // 9. If nextIndex is less than length, then:\n if (nextIndex < length) {\n // a. Let literal be the substring of pattern from position nextIndex, inclusive, to position length, exclusive.\n var _literal2 = pattern.substring(nextIndex, length);\n // a. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal2 });\n }\n // 10. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumber]\n */\nfunction FormatNumber(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be an empty String.\n var result = '';\n // 3. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Set result to a String value produced by concatenating result and part.[[value]].\n result += part['[[value]]'];\n }\n // 4. Return result.\n return result;\n}\n\n/**\n * When the ToRawPrecision abstract operation is called with arguments x (which\n * must be a finite non-negative number), minPrecision, and maxPrecision (both\n * must be integers between 1 and 21) the following steps are taken:\n */\nfunction ToRawPrecision(x, minPrecision, maxPrecision) {\n // 1. Let p be maxPrecision.\n var p = maxPrecision;\n\n var m = void 0,\n e = void 0;\n\n // 2. If x = 0, then\n if (x === 0) {\n // a. Let m be the String consisting of p occurrences of the character \"0\".\n m = arrJoin.call(Array(p + 1), '0');\n // b. Let e be 0.\n e = 0;\n }\n // 3. Else\n else {\n // a. Let e and n be integers such that 10ᵖ⁻¹ ≤ n < 10ᵖ and for which the\n // exact mathematical value of n × 10ᵉ⁻ᵖ⁺¹ – x is as close to zero as\n // possible. If there are two such sets of e and n, pick the e and n for\n // which n × 10ᵉ⁻ᵖ⁺¹ is larger.\n e = log10Floor(Math.abs(x));\n\n // Easier to get to m from here\n var f = Math.round(Math.exp(Math.abs(e - p + 1) * Math.LN10));\n\n // b. Let m be the String consisting of the digits of the decimal\n // representation of n (in order, with no leading zeroes)\n m = String(Math.round(e - p + 1 < 0 ? x * f : x / f));\n }\n\n // 4. If e ≥ p, then\n if (e >= p)\n // a. Return the concatenation of m and e-p+1 occurrences of the character \"0\".\n return m + arrJoin.call(Array(e - p + 1 + 1), '0');\n\n // 5. If e = p-1, then\n else if (e === p - 1)\n // a. Return m.\n return m;\n\n // 6. If e ≥ 0, then\n else if (e >= 0)\n // a. Let m be the concatenation of the first e+1 characters of m, the character\n // \".\", and the remaining p–(e+1) characters of m.\n m = m.slice(0, e + 1) + '.' + m.slice(e + 1);\n\n // 7. If e < 0, then\n else if (e < 0)\n // a. Let m be the concatenation of the String \"0.\", –(e+1) occurrences of the\n // character \"0\", and the string m.\n m = '0.' + arrJoin.call(Array(-(e + 1) + 1), '0') + m;\n\n // 8. If m contains the character \".\", and maxPrecision > minPrecision, then\n if (m.indexOf(\".\") >= 0 && maxPrecision > minPrecision) {\n // a. Let cut be maxPrecision – minPrecision.\n var cut = maxPrecision - minPrecision;\n\n // b. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.charAt(m.length - 1) === '0') {\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n\n // ii. Decrease cut by 1.\n cut--;\n }\n\n // c. If the last character of m is \".\", then\n if (m.charAt(m.length - 1) === '.')\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. Return m.\n return m;\n}\n\n/**\n * @spec[tc39/ecma402/master/spec/numberformat.html]\n * @clause[sec-torawfixed]\n * When the ToRawFixed abstract operation is called with arguments x (which must\n * be a finite non-negative number), minInteger (which must be an integer between\n * 1 and 21), minFraction, and maxFraction (which must be integers between 0 and\n * 20) the following steps are taken:\n */\nfunction ToRawFixed(x, minInteger, minFraction, maxFraction) {\n // 1. Let f be maxFraction.\n var f = maxFraction;\n // 2. Let n be an integer for which the exact mathematical value of n ÷ 10f – x is as close to zero as possible. If there are two such n, pick the larger n.\n var n = Math.pow(10, f) * x; // diverging...\n // 3. If n = 0, let m be the String \"0\". Otherwise, let m be the String consisting of the digits of the decimal representation of n (in order, with no leading zeroes).\n var m = n === 0 ? \"0\" : n.toFixed(0); // divering...\n\n {\n // this diversion is needed to take into consideration big numbers, e.g.:\n // 1.2344501e+37 -> 12344501000000000000000000000000000000\n var idx = void 0;\n var exp = (idx = m.indexOf('e')) > -1 ? m.slice(idx + 1) : 0;\n if (exp) {\n m = m.slice(0, idx).replace('.', '');\n m += arrJoin.call(Array(exp - (m.length - 1) + 1), '0');\n }\n }\n\n var int = void 0;\n // 4. If f ≠ 0, then\n if (f !== 0) {\n // a. Let k be the number of characters in m.\n var k = m.length;\n // a. If k ≤ f, then\n if (k <= f) {\n // i. Let z be the String consisting of f+1–k occurrences of the character \"0\".\n var z = arrJoin.call(Array(f + 1 - k + 1), '0');\n // ii. Let m be the concatenation of Strings z and m.\n m = z + m;\n // iii. Let k be f+1.\n k = f + 1;\n }\n // a. Let a be the first k–f characters of m, and let b be the remaining f characters of m.\n var a = m.substring(0, k - f),\n b = m.substring(k - f, m.length);\n // a. Let m be the concatenation of the three Strings a, \".\", and b.\n m = a + \".\" + b;\n // a. Let int be the number of characters in a.\n int = a.length;\n }\n // 5. Else, let int be the number of characters in m.\n else int = m.length;\n // 6. Let cut be maxFraction – minFraction.\n var cut = maxFraction - minFraction;\n // 7. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.slice(-1) === \"0\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n // a. Decrease cut by 1.\n cut--;\n }\n // 8. If the last character of m is \".\", then\n if (m.slice(-1) === \".\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. If int < minInteger, then\n if (int < minInteger) {\n // a. Let z be the String consisting of minInteger–int occurrences of the character \"0\".\n var _z = arrJoin.call(Array(minInteger - int + 1), '0');\n // a. Let m be the concatenation of Strings z and m.\n m = _z + m;\n }\n // 10. Return m.\n return m;\n}\n\n// Sect 11.3.2 Table 2, Numbering systems\n// ======================================\nvar numSys = {\n arab: [\"٠\", \"١\", \"٢\", \"٣\", \"٤\", \"٥\", \"٦\", \"٧\", \"٨\", \"٩\"],\n arabext: [\"۰\", \"۱\", \"۲\", \"۳\", \"۴\", \"۵\", \"۶\", \"۷\", \"۸\", \"۹\"],\n bali: [\"᭐\", \"᭑\", \"᭒\", \"᭓\", \"᭔\", \"᭕\", \"᭖\", \"᭗\", \"᭘\", \"᭙\"],\n beng: [\"০\", \"১\", \"২\", \"৩\", \"৪\", \"৫\", \"৬\", \"৭\", \"৮\", \"৯\"],\n deva: [\"०\", \"१\", \"२\", \"३\", \"४\", \"५\", \"६\", \"७\", \"८\", \"९\"],\n fullwide: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n gujr: [\"૦\", \"૧\", \"૨\", \"૩\", \"૪\", \"૫\", \"૬\", \"૭\", \"૮\", \"૯\"],\n guru: [\"੦\", \"੧\", \"੨\", \"੩\", \"੪\", \"੫\", \"੬\", \"੭\", \"੮\", \"੯\"],\n hanidec: [\"〇\", \"一\", \"二\", \"三\", \"四\", \"五\", \"六\", \"七\", \"八\", \"九\"],\n khmr: [\"០\", \"១\", \"២\", \"៣\", \"៤\", \"៥\", \"៦\", \"៧\", \"៨\", \"៩\"],\n knda: [\"೦\", \"೧\", \"೨\", \"೩\", \"೪\", \"೫\", \"೬\", \"೭\", \"೮\", \"೯\"],\n laoo: [\"໐\", \"໑\", \"໒\", \"໓\", \"໔\", \"໕\", \"໖\", \"໗\", \"໘\", \"໙\"],\n latn: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n limb: [\"᥆\", \"᥇\", \"᥈\", \"᥉\", \"᥊\", \"᥋\", \"᥌\", \"᥍\", \"᥎\", \"᥏\"],\n mlym: [\"൦\", \"൧\", \"൨\", \"൩\", \"൪\", \"൫\", \"൬\", \"൭\", \"൮\", \"൯\"],\n mong: [\"᠐\", \"᠑\", \"᠒\", \"᠓\", \"᠔\", \"᠕\", \"᠖\", \"᠗\", \"᠘\", \"᠙\"],\n mymr: [\"၀\", \"၁\", \"၂\", \"၃\", \"၄\", \"၅\", \"၆\", \"၇\", \"၈\", \"၉\"],\n orya: [\"୦\", \"୧\", \"୨\", \"୩\", \"୪\", \"୫\", \"୬\", \"୭\", \"୮\", \"୯\"],\n tamldec: [\"௦\", \"௧\", \"௨\", \"௩\", \"௪\", \"௫\", \"௬\", \"௭\", \"௮\", \"௯\"],\n telu: [\"౦\", \"౧\", \"౨\", \"౩\", \"౪\", \"౫\", \"౬\", \"౭\", \"౮\", \"౯\"],\n thai: [\"๐\", \"๑\", \"๒\", \"๓\", \"๔\", \"๕\", \"๖\", \"๗\", \"๘\", \"๙\"],\n tibt: [\"༠\", \"༡\", \"༢\", \"༣\", \"༤\", \"༥\", \"༦\", \"༧\", \"༨\", \"༩\"]\n};\n\n/**\n * This function provides access to the locale and formatting options computed\n * during initialization of the object.\n *\n * The function returns a new object whose properties and attributes are set as\n * if constructed by an object literal assigning to each of the following\n * properties the value of the corresponding internal property of this\n * NumberFormat object (see 11.4): locale, numberingSystem, style, currency,\n * currencyDisplay, minimumIntegerDigits, minimumFractionDigits,\n * maximumFractionDigits, minimumSignificantDigits, maximumSignificantDigits, and\n * useGrouping. Properties whose corresponding internal properties are not present\n * are not assigned.\n */\n/* 11.3.3 */defineProperty(Intl.NumberFormat.prototype, 'resolvedOptions', {\n configurable: true,\n writable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'numberingSystem', 'style', 'currency', 'currencyDisplay', 'minimumIntegerDigits', 'minimumFractionDigits', 'maximumFractionDigits', 'minimumSignificantDigits', 'maximumSignificantDigits', 'useGrouping'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.NumberFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\n/* jslint esnext: true */\n\n// Match these datetime components in a CLDR pattern, except those in single quotes\nvar expDTComponents = /(?:[Eec]{1,6}|G{1,5}|[Qq]{1,5}|(?:[yYur]+|U{1,5})|[ML]{1,5}|d{1,2}|D{1,3}|F{1}|[abB]{1,5}|[hkHK]{1,2}|w{1,2}|W{1}|m{1,2}|s{1,2}|[zZOvVxX]{1,4})(?=([^']*'[^']*')*[^']*$)/g;\n// trim patterns after transformations\nvar expPatternTrimmer = /^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g;\n// Skip over patterns with these datetime components because we don't have data\n// to back them up:\n// timezone, weekday, amoung others\nvar unwantedDTCs = /[rqQASjJgwWIQq]/; // xXVO were removed from this list in favor of computing matches with timeZoneName values but printing as empty string\n\nvar dtKeys = [\"era\", \"year\", \"month\", \"day\", \"weekday\", \"quarter\"];\nvar tmKeys = [\"hour\", \"minute\", \"second\", \"hour12\", \"timeZoneName\"];\n\nfunction isDateFormatOnly(obj) {\n for (var i = 0; i < tmKeys.length; i += 1) {\n if (obj.hasOwnProperty(tmKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction isTimeFormatOnly(obj) {\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (obj.hasOwnProperty(dtKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction joinDateAndTimeFormats(dateFormatObj, timeFormatObj) {\n var o = { _: {} };\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (dateFormatObj[dtKeys[i]]) {\n o[dtKeys[i]] = dateFormatObj[dtKeys[i]];\n }\n if (dateFormatObj._[dtKeys[i]]) {\n o._[dtKeys[i]] = dateFormatObj._[dtKeys[i]];\n }\n }\n for (var j = 0; j < tmKeys.length; j += 1) {\n if (timeFormatObj[tmKeys[j]]) {\n o[tmKeys[j]] = timeFormatObj[tmKeys[j]];\n }\n if (timeFormatObj._[tmKeys[j]]) {\n o._[tmKeys[j]] = timeFormatObj._[tmKeys[j]];\n }\n }\n return o;\n}\n\nfunction computeFinalPatterns(formatObj) {\n // From http://www.unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns:\n // 'In patterns, two single quotes represents a literal single quote, either\n // inside or outside single quotes. Text within single quotes is not\n // interpreted in any way (except for two adjacent single quotes).'\n formatObj.pattern12 = formatObj.extendedPattern.replace(/'([^']*)'/g, function ($0, literal) {\n return literal ? literal : \"'\";\n });\n\n // pattern 12 is always the default. we can produce the 24 by removing {ampm}\n formatObj.pattern = formatObj.pattern12.replace('{ampm}', '').replace(expPatternTrimmer, '');\n return formatObj;\n}\n\nfunction expDTComponentsMeta($0, formatObj) {\n switch ($0.charAt(0)) {\n // --- Era\n case 'G':\n formatObj.era = ['short', 'short', 'short', 'long', 'narrow'][$0.length - 1];\n return '{era}';\n\n // --- Year\n case 'y':\n case 'Y':\n case 'u':\n case 'U':\n case 'r':\n formatObj.year = $0.length === 2 ? '2-digit' : 'numeric';\n return '{year}';\n\n // --- Quarter (not supported in this polyfill)\n case 'Q':\n case 'q':\n formatObj.quarter = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{quarter}';\n\n // --- Month\n case 'M':\n case 'L':\n formatObj.month = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{month}';\n\n // --- Week (not supported in this polyfill)\n case 'w':\n // week of the year\n formatObj.week = $0.length === 2 ? '2-digit' : 'numeric';\n return '{weekday}';\n case 'W':\n // week of the month\n formatObj.week = 'numeric';\n return '{weekday}';\n\n // --- Day\n case 'd':\n // day of the month\n formatObj.day = $0.length === 2 ? '2-digit' : 'numeric';\n return '{day}';\n case 'D': // day of the year\n case 'F': // day of the week\n case 'g':\n // 1..n: Modified Julian day\n formatObj.day = 'numeric';\n return '{day}';\n\n // --- Week Day\n case 'E':\n // day of the week\n formatObj.weekday = ['short', 'short', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'e':\n // local day of the week\n formatObj.weekday = ['numeric', '2-digit', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'c':\n // stand alone local day of the week\n formatObj.weekday = ['numeric', undefined, 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n\n // --- Period\n case 'a': // AM, PM\n case 'b': // am, pm, noon, midnight\n case 'B':\n // flexible day periods\n formatObj.hour12 = true;\n return '{ampm}';\n\n // --- Hour\n case 'h':\n case 'H':\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n case 'k':\n case 'K':\n formatObj.hour12 = true; // 12-hour-cycle time formats (using h or K)\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n\n // --- Minute\n case 'm':\n formatObj.minute = $0.length === 2 ? '2-digit' : 'numeric';\n return '{minute}';\n\n // --- Second\n case 's':\n formatObj.second = $0.length === 2 ? '2-digit' : 'numeric';\n return '{second}';\n case 'S':\n case 'A':\n formatObj.second = 'numeric';\n return '{second}';\n\n // --- Timezone\n case 'z': // 1..3, 4: specific non-location format\n case 'Z': // 1..3, 4, 5: The ISO8601 varios formats\n case 'O': // 1, 4: miliseconds in day short, long\n case 'v': // 1, 4: generic non-location format\n case 'V': // 1, 2, 3, 4: time zone ID or city\n case 'X': // 1, 2, 3, 4: The ISO8601 varios formats\n case 'x':\n // 1, 2, 3, 4: The ISO8601 varios formats\n // this polyfill only supports much, for now, we are just doing something dummy\n formatObj.timeZoneName = $0.length < 4 ? 'short' : 'long';\n return '{timeZoneName}';\n }\n}\n\n/**\n * Converts the CLDR availableFormats into the objects and patterns required by\n * the ECMAScript Internationalization API specification.\n */\nfunction createDateTimeFormat(skeleton, pattern) {\n // we ignore certain patterns that are unsupported to avoid this expensive op.\n if (unwantedDTCs.test(pattern)) return undefined;\n\n var formatObj = {\n originalPattern: pattern,\n _: {}\n };\n\n // Replace the pattern string with the one required by the specification, whilst\n // at the same time evaluating it for the subsets and formats\n formatObj.extendedPattern = pattern.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj._);\n });\n\n // Match the skeleton string with the one required by the specification\n // this implementation is based on the Date Field Symbol Table:\n // http://unicode.org/reports/tr35/tr35-dates.html#Date_Field_Symbol_Table\n // Note: we are adding extra data to the formatObject even though this polyfill\n // might not support it.\n skeleton.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj);\n });\n\n return computeFinalPatterns(formatObj);\n}\n\n/**\n * Processes DateTime formats from CLDR to an easier-to-parse format.\n * the result of this operation should be cached the first time a particular\n * calendar is analyzed.\n *\n * The specification requires we support at least the following subsets of\n * date/time components:\n *\n * - 'weekday', 'year', 'month', 'day', 'hour', 'minute', 'second'\n * - 'weekday', 'year', 'month', 'day'\n * - 'year', 'month', 'day'\n * - 'year', 'month'\n * - 'month', 'day'\n * - 'hour', 'minute', 'second'\n * - 'hour', 'minute'\n *\n * We need to cherry pick at least these subsets from the CLDR data and convert\n * them into the pattern objects used in the ECMA-402 API.\n */\nfunction createDateTimeFormats(formats) {\n var availableFormats = formats.availableFormats;\n var timeFormats = formats.timeFormats;\n var dateFormats = formats.dateFormats;\n var result = [];\n var skeleton = void 0,\n pattern = void 0,\n computed = void 0,\n i = void 0,\n j = void 0;\n var timeRelatedFormats = [];\n var dateRelatedFormats = [];\n\n // Map available (custom) formats into a pattern for createDateTimeFormats\n for (skeleton in availableFormats) {\n if (availableFormats.hasOwnProperty(skeleton)) {\n pattern = availableFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n // in some cases, the format is only displaying date specific props\n // or time specific props, in which case we need to also produce the\n // combined formats.\n if (isDateFormatOnly(computed)) {\n dateRelatedFormats.push(computed);\n } else if (isTimeFormatOnly(computed)) {\n timeRelatedFormats.push(computed);\n }\n }\n }\n }\n\n // Map time formats into a pattern for createDateTimeFormats\n for (skeleton in timeFormats) {\n if (timeFormats.hasOwnProperty(skeleton)) {\n pattern = timeFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n timeRelatedFormats.push(computed);\n }\n }\n }\n\n // Map date formats into a pattern for createDateTimeFormats\n for (skeleton in dateFormats) {\n if (dateFormats.hasOwnProperty(skeleton)) {\n pattern = dateFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n dateRelatedFormats.push(computed);\n }\n }\n }\n\n // combine custom time and custom date formats when they are orthogonals to complete the\n // formats supported by CLDR.\n // This Algo is based on section \"Missing Skeleton Fields\" from:\n // http://unicode.org/reports/tr35/tr35-dates.html#availableFormats_appendItems\n for (i = 0; i < timeRelatedFormats.length; i += 1) {\n for (j = 0; j < dateRelatedFormats.length; j += 1) {\n if (dateRelatedFormats[j].month === 'long') {\n pattern = dateRelatedFormats[j].weekday ? formats.full : formats.long;\n } else if (dateRelatedFormats[j].month === 'short') {\n pattern = formats.medium;\n } else {\n pattern = formats.short;\n }\n computed = joinDateAndTimeFormats(dateRelatedFormats[j], timeRelatedFormats[i]);\n computed.originalPattern = pattern;\n computed.extendedPattern = pattern.replace('{0}', timeRelatedFormats[i].extendedPattern).replace('{1}', dateRelatedFormats[j].extendedPattern).replace(/^[,\\s]+|[,\\s]+$/gi, '');\n result.push(computeFinalPatterns(computed));\n }\n }\n\n return result;\n}\n\n// this represents the exceptions of the rule that are not covered by CLDR availableFormats\n// for single property configurations, they play no role when using multiple properties, and\n// those that are not in this table, are not exceptions or are not covered by the data we\n// provide.\nvar validSyntheticProps = {\n second: {\n numeric: 's',\n '2-digit': 'ss'\n },\n minute: {\n numeric: 'm',\n '2-digit': 'mm'\n },\n year: {\n numeric: 'y',\n '2-digit': 'yy'\n },\n day: {\n numeric: 'd',\n '2-digit': 'dd'\n },\n month: {\n numeric: 'L',\n '2-digit': 'LL',\n narrow: 'LLLLL',\n short: 'LLL',\n long: 'LLLL'\n },\n weekday: {\n narrow: 'ccccc',\n short: 'ccc',\n long: 'cccc'\n }\n};\n\nfunction generateSyntheticFormat(propName, propValue) {\n if (validSyntheticProps[propName] && validSyntheticProps[propName][propValue]) {\n var _ref2;\n\n return _ref2 = {\n originalPattern: validSyntheticProps[propName][propValue],\n _: defineProperty$1({}, propName, propValue),\n extendedPattern: \"{\" + propName + \"}\"\n }, defineProperty$1(_ref2, propName, propValue), defineProperty$1(_ref2, \"pattern12\", \"{\" + propName + \"}\"), defineProperty$1(_ref2, \"pattern\", \"{\" + propName + \"}\"), _ref2;\n }\n}\n\n// An object map of date component keys, saves using a regex later\nvar dateWidths = objCreate(null, { narrow: {}, short: {}, long: {} });\n\n/**\n * Returns a string for a date component, resolved using multiple inheritance as specified\n * as specified in the Unicode Technical Standard 35.\n */\nfunction resolveDateString(data, ca, component, width, key) {\n // From http://www.unicode.org/reports/tr35/tr35.html#Multiple_Inheritance:\n // 'In clearly specified instances, resources may inherit from within the same locale.\n // For example, ... the Buddhist calendar inherits from the Gregorian calendar.'\n var obj = data[ca] && data[ca][component] ? data[ca][component] : data.gregory[component],\n\n\n // \"sideways\" inheritance resolves strings when a key doesn't exist\n alts = {\n narrow: ['short', 'long'],\n short: ['long', 'narrow'],\n long: ['short', 'narrow']\n },\n\n\n //\n resolved = hop.call(obj, width) ? obj[width] : hop.call(obj, alts[width][0]) ? obj[alts[width][0]] : obj[alts[width][1]];\n\n // `key` wouldn't be specified for components 'dayPeriods'\n return key !== null ? resolved[key] : resolved;\n}\n\n// Define the DateTimeFormat constructor internally so it cannot be tainted\nfunction DateTimeFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.DateTimeFormat(locales, options);\n }\n return InitializeDateTimeFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'DateTimeFormat', {\n configurable: true,\n writable: true,\n value: DateTimeFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(DateTimeFormatConstructor, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeDateTimeFormat accepts the arguments dateTimeFormat\n * (which must be an object), locales, and options. It initializes dateTimeFormat as a\n * DateTimeFormat object.\n */\nfunction /* 12.1.1.1 */InitializeDateTimeFormat(dateTimeFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(dateTimeFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If dateTimeFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(dateTimeFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined below) with arguments options, \"any\", and \"date\".\n options = ToDateTimeOptions(options, 'any', 'date');\n\n // 5. Let opt be a new Record.\n var opt = new Record();\n\n // 6. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with arguments options, \"localeMatcher\", \"string\", a List\n // containing the two String values \"lookup\" and \"best fit\", and \"best fit\".\n var matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 7. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 8. Let DateTimeFormat be the standard built-in object that is the initial\n // value of Intl.DateTimeFormat.\n var DateTimeFormat = internals.DateTimeFormat; // This is what we *really* need\n\n // 9. Let localeData be the value of the [[localeData]] internal property of\n // DateTimeFormat.\n var localeData = DateTimeFormat['[[localeData]]'];\n\n // 10. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // DateTimeFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of DateTimeFormat, and localeData.\n var r = ResolveLocale(DateTimeFormat['[[availableLocales]]'], requestedLocales, opt, DateTimeFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 11. Set the [[locale]] internal property of dateTimeFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 12. Set the [[calendar]] internal property of dateTimeFormat to the value of\n // r.[[ca]].\n internal['[[calendar]]'] = r['[[ca]]'];\n\n // 13. Set the [[numberingSystem]] internal property of dateTimeFormat to the value of\n // r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let tz be the result of calling the [[Get]] internal method of options with\n // argument \"timeZone\".\n var tz = options.timeZone;\n\n // 16. If tz is not undefined, then\n if (tz !== undefined) {\n // a. Let tz be ToString(tz).\n // b. Convert tz to upper case as described in 6.1.\n // NOTE: If an implementation accepts additional time zone values, as permitted\n // under certain conditions by the Conformance clause, different casing\n // rules apply.\n tz = toLatinUpperCase(tz);\n\n // c. If tz is not \"UTC\", then throw a RangeError exception.\n // ###TODO: accept more time zones###\n if (tz !== 'UTC') throw new RangeError('timeZone is not supported.');\n }\n\n // 17. Set the [[timeZone]] internal property of dateTimeFormat to tz.\n internal['[[timeZone]]'] = tz;\n\n // 18. Let opt be a new Record.\n opt = new Record();\n\n // 19. For each row of Table 3, except the header row, do:\n for (var prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, prop)) continue;\n\n // 20. Let prop be the name given in the Property column of the row.\n // 21. Let value be the result of calling the GetOption abstract operation,\n // passing as argument options, the name given in the Property column of the\n // row, \"string\", a List containing the strings given in the Values column of\n // the row, and undefined.\n var value = GetOption(options, prop, 'string', dateTimeComponents[prop]);\n\n // 22. Set opt.[[]] to value.\n opt['[[' + prop + ']]'] = value;\n }\n\n // Assigned a value below\n var bestFormat = void 0;\n\n // 23. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 24. Let formats be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"formats\".\n // Note: we process the CLDR formats into the spec'd structure\n var formats = ToDateTimeFormats(dataLocaleData.formats);\n\n // 25. Let matcher be the result of calling the GetOption abstract operation with\n // arguments options, \"formatMatcher\", \"string\", a List containing the two String\n // values \"basic\" and \"best fit\", and \"best fit\".\n matcher = GetOption(options, 'formatMatcher', 'string', new List('basic', 'best fit'), 'best fit');\n\n // Optimization: caching the processed formats as a one time operation by\n // replacing the initial structure from localeData\n dataLocaleData.formats = formats;\n\n // 26. If matcher is \"basic\", then\n if (matcher === 'basic') {\n // 27. Let bestFormat be the result of calling the BasicFormatMatcher abstract\n // operation (defined below) with opt and formats.\n bestFormat = BasicFormatMatcher(opt, formats);\n\n // 28. Else\n } else {\n {\n // diverging\n var _hr = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n opt.hour12 = _hr === undefined ? dataLocaleData.hour12 : _hr;\n }\n // 29. Let bestFormat be the result of calling the BestFitFormatMatcher\n // abstract operation (defined below) with opt and formats.\n bestFormat = BestFitFormatMatcher(opt, formats);\n }\n\n // 30. For each row in Table 3, except the header row, do\n for (var _prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _prop)) continue;\n\n // a. Let prop be the name given in the Property column of the row.\n // b. Let pDesc be the result of calling the [[GetOwnProperty]] internal method of\n // bestFormat with argument prop.\n // c. If pDesc is not undefined, then\n if (hop.call(bestFormat, _prop)) {\n // i. Let p be the result of calling the [[Get]] internal method of bestFormat\n // with argument prop.\n var p = bestFormat[_prop];\n {\n // diverging\n p = bestFormat._ && hop.call(bestFormat._, _prop) ? bestFormat._[_prop] : p;\n }\n\n // ii. Set the [[]] internal property of dateTimeFormat to p.\n internal['[[' + _prop + ']]'] = p;\n }\n }\n\n var pattern = void 0; // Assigned a value below\n\n // 31. Let hr12 be the result of calling the GetOption abstract operation with\n // arguments options, \"hour12\", \"boolean\", undefined, and undefined.\n var hr12 = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n\n // 32. If dateTimeFormat has an internal property [[hour]], then\n if (internal['[[hour]]']) {\n // a. If hr12 is undefined, then let hr12 be the result of calling the [[Get]]\n // internal method of dataLocaleData with argument \"hour12\".\n hr12 = hr12 === undefined ? dataLocaleData.hour12 : hr12;\n\n // b. Set the [[hour12]] internal property of dateTimeFormat to hr12.\n internal['[[hour12]]'] = hr12;\n\n // c. If hr12 is true, then\n if (hr12 === true) {\n // i. Let hourNo0 be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"hourNo0\".\n var hourNo0 = dataLocaleData.hourNo0;\n\n // ii. Set the [[hourNo0]] internal property of dateTimeFormat to hourNo0.\n internal['[[hourNo0]]'] = hourNo0;\n\n // iii. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern12\".\n pattern = bestFormat.pattern12;\n }\n\n // d. Else\n else\n // i. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n }\n\n // 33. Else\n else\n // a. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n\n // 34. Set the [[pattern]] internal property of dateTimeFormat to pattern.\n internal['[[pattern]]'] = pattern;\n\n // 35. Set the [[boundFormat]] internal property of dateTimeFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 36. Set the [[initializedDateTimeFormat]] internal property of dateTimeFormat to\n // true.\n internal['[[initializedDateTimeFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) dateTimeFormat.format = GetFormatDateTime.call(dateTimeFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return dateTimeFormat;\n}\n\n/**\n * Several DateTimeFormat algorithms use values from the following table, which provides\n * property names and allowable values for the components of date and time formats:\n */\nvar dateTimeComponents = {\n weekday: [\"narrow\", \"short\", \"long\"],\n era: [\"narrow\", \"short\", \"long\"],\n year: [\"2-digit\", \"numeric\"],\n month: [\"2-digit\", \"numeric\", \"narrow\", \"short\", \"long\"],\n day: [\"2-digit\", \"numeric\"],\n hour: [\"2-digit\", \"numeric\"],\n minute: [\"2-digit\", \"numeric\"],\n second: [\"2-digit\", \"numeric\"],\n timeZoneName: [\"short\", \"long\"]\n};\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeFormats(formats) {\n if (Object.prototype.toString.call(formats) === '[object Array]') {\n return formats;\n }\n return createDateTimeFormats(formats);\n}\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeOptions(options, required, defaults) {\n // 1. If options is undefined, then let options be null, else let options be\n // ToObject(options).\n if (options === undefined) options = null;else {\n // (#12) options needs to be a Record, but it also needs to inherit properties\n var opt2 = toObject(options);\n options = new Record();\n\n for (var k in opt2) {\n options[k] = opt2[k];\n }\n }\n\n // 2. Let create be the standard built-in function object defined in ES5, 15.2.3.5.\n var create = objCreate;\n\n // 3. Let options be the result of calling the [[Call]] internal method of create with\n // undefined as the this value and an argument list containing the single item\n // options.\n options = create(options);\n\n // 4. Let needDefaults be true.\n var needDefaults = true;\n\n // 5. If required is \"date\" or \"any\", then\n if (required === 'date' || required === 'any') {\n // a. For each of the property names \"weekday\", \"year\", \"month\", \"day\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.weekday !== undefined || options.year !== undefined || options.month !== undefined || options.day !== undefined) needDefaults = false;\n }\n\n // 6. If required is \"time\" or \"any\", then\n if (required === 'time' || required === 'any') {\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.hour !== undefined || options.minute !== undefined || options.second !== undefined) needDefaults = false;\n }\n\n // 7. If needDefaults is true and defaults is either \"date\" or \"all\", then\n if (needDefaults && (defaults === 'date' || defaults === 'all'))\n // a. For each of the property names \"year\", \"month\", \"day\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.year = options.month = options.day = 'numeric';\n\n // 8. If needDefaults is true and defaults is either \"time\" or \"all\", then\n if (needDefaults && (defaults === 'time' || defaults === 'all'))\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.hour = options.minute = options.second = 'numeric';\n\n // 9. Return options.\n return options;\n}\n\n/**\n * When the BasicFormatMatcher abstract operation is called with two arguments options and\n * formats, the following steps are taken:\n */\nfunction BasicFormatMatcher(options, formats) {\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, property) ? format[property] : undefined;\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta === 2) score -= longMorePenalty;\n\n // 6. Else if delta = 1, decrease score by shortMorePenalty.\n else if (delta === 1) score -= shortMorePenalty;\n\n // 7. Else if delta = -1, decrease score by shortLessPenalty.\n else if (delta === -1) score -= shortLessPenalty;\n\n // 8. Else if delta = -2, decrease score by longLessPenalty.\n else if (delta === -2) score -= longLessPenalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/**\n * When the BestFitFormatMatcher abstract operation is called with two arguments options\n * and formats, it performs implementation dependent steps, which should return a set of\n * component representations that a typical user of the selected locale would perceive as\n * at least as good as the one returned by BasicFormatMatcher.\n *\n * This polyfill defines the algorithm to be the same as BasicFormatMatcher,\n * with the addition of bonus points awarded where the requested format is of\n * the same data type as the potentially matching format.\n *\n * This algo relies on the concept of closest distance matching described here:\n * http://unicode.org/reports/tr35/tr35-dates.html#Matching_Skeletons\n * Typically a “best match” is found using a closest distance match, such as:\n *\n * Symbols requesting a best choice for the locale are replaced.\n * j → one of {H, k, h, K}; C → one of {a, b, B}\n * -> Covered by cldr.js matching process\n *\n * For fields with symbols representing the same type (year, month, day, etc):\n * Most symbols have a small distance from each other.\n * M ≅ L; E ≅ c; a ≅ b ≅ B; H ≅ k ≅ h ≅ K; ...\n * -> Covered by cldr.js matching process\n *\n * Width differences among fields, other than those marking text vs numeric, are given small distance from each other.\n * MMM ≅ MMMM\n * MM ≅ M\n * Numeric and text fields are given a larger distance from each other.\n * MMM ≈ MM\n * Symbols representing substantial differences (week of year vs week of month) are given much larger a distances from each other.\n * d ≋ D; ...\n * Missing or extra fields cause a match to fail. (But see Missing Skeleton Fields).\n *\n *\n * For example,\n *\n * { month: 'numeric', day: 'numeric' }\n *\n * should match\n *\n * { month: '2-digit', day: '2-digit' }\n *\n * rather than\n *\n * { month: 'short', day: 'numeric' }\n *\n * This makes sense because a user requesting a formatted date with numeric parts would\n * not expect to see the returned format containing narrow, short or long part names\n */\nfunction BestFitFormatMatcher(options, formats) {\n /** Diverging: this block implements the hack for single property configuration, eg.:\n *\n * `new Intl.DateTimeFormat('en', {day: 'numeric'})`\n *\n * should produce a single digit with the day of the month. This is needed because\n * CLDR `availableFormats` data structure doesn't cover these cases.\n */\n {\n var optionsPropNames = [];\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n if (options['[[' + property + ']]'] !== undefined) {\n optionsPropNames.push(property);\n }\n }\n if (optionsPropNames.length === 1) {\n var _bestFormat = generateSyntheticFormat(optionsPropNames[0], options['[[' + optionsPropNames[0] + ']]']);\n if (_bestFormat) {\n return _bestFormat;\n }\n }\n }\n\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n var patternPenalty = 2;\n\n var hour12Penalty = 1;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var _property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + _property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, _property) ? format[_property] : undefined;\n\n // Diverging: using the default properties produced by the pattern/skeleton\n // to match it with user options, and apply a penalty\n var patternProp = hop.call(format._, _property) ? format._[_property] : undefined;\n if (optionsProp !== patternProp) {\n score -= patternPenalty;\n }\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n {\n // diverging from spec\n // When the bestFit argument is true, subtract additional penalty where data types are not the same\n if (formatPropIndex <= 1 && optionsPropIndex >= 2 || formatPropIndex >= 2 && optionsPropIndex <= 1) {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 0) score -= longMorePenalty;else if (delta < 0) score -= longLessPenalty;\n } else {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 1) score -= shortMorePenalty;else if (delta < -1) score -= shortLessPenalty;\n }\n }\n }\n }\n\n {\n // diverging to also take into consideration differences between 12 or 24 hours\n // which is special for the best fit only.\n if (format._.hour12 !== options.hour12) {\n score -= hour12Penalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/* 12.2.3 */internals.DateTimeFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['ca', 'nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.DateTimeFormat is called, the\n * following steps are taken:\n */\n/* 12.2.2 */\ndefineProperty(Intl.DateTimeFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * DateTimeFormat object.\n */\n/* 12.3.2 */defineProperty(Intl.DateTimeFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatDateTime\n});\n\nfunction GetFormatDateTime() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.DateTimeFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this DateTimeFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 0, that takes the argument date and\n // performs the following steps:\n var F = function F() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n // i. If date is not provided or is undefined, then let x be the\n // result as if by the expression Date.now() where Date.now is\n // the standard built-in function defined in ES5, 15.9.4.4.\n // ii. Else let x be ToNumber(date).\n // iii. Return the result of calling the FormatDateTime abstract\n // operation (defined below) with arguments this and x.\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatDateTime(this, x);\n };\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts$1() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.DateTimeFormat object.');\n\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatToPartsDateTime(this, x);\n}\n\nObject.defineProperty(Intl.DateTimeFormat.prototype, 'formatToParts', {\n enumerable: false,\n writable: true,\n configurable: true,\n value: formatToParts$1\n});\n\nfunction CreateDateTimeParts(dateTimeFormat, x) {\n // 1. If x is not a finite Number, then throw a RangeError exception.\n if (!isFinite(x)) throw new RangeError('Invalid valid date passed to format');\n\n var internal = dateTimeFormat.__getInternalProperties(secret);\n\n // Creating restore point for properties on the RegExp object... please wait\n /* let regexpRestore = */createRegExpRestore(); // ###TODO: review this\n\n // 2. Let locale be the value of the [[locale]] internal property of dateTimeFormat.\n var locale = internal['[[locale]]'];\n\n // 3. Let nf be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {useGrouping: false}) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n var nf = new Intl.NumberFormat([locale], { useGrouping: false });\n\n // 4. Let nf2 be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {minimumIntegerDigits: 2, useGrouping:\n // false}) where Intl.NumberFormat is the standard built-in constructor defined in\n // 11.1.3.\n var nf2 = new Intl.NumberFormat([locale], { minimumIntegerDigits: 2, useGrouping: false });\n\n // 5. Let tm be the result of calling the ToLocalTime abstract operation (defined\n // below) with x, the value of the [[calendar]] internal property of dateTimeFormat,\n // and the value of the [[timeZone]] internal property of dateTimeFormat.\n var tm = ToLocalTime(x, internal['[[calendar]]'], internal['[[timeZone]]']);\n\n // 6. Let result be the value of the [[pattern]] internal property of dateTimeFormat.\n var pattern = internal['[[pattern]]'];\n\n // 7.\n var result = new List();\n\n // 8.\n var index = 0;\n\n // 9.\n var beginIndex = pattern.indexOf('{');\n\n // 10.\n var endIndex = 0;\n\n // Need the locale minus any extensions\n var dataLocale = internal['[[dataLocale]]'];\n\n // Need the calendar data from CLDR\n var localeData = internals.DateTimeFormat['[[localeData]]'][dataLocale].calendars;\n var ca = internal['[[calendar]]'];\n\n // 11.\n while (beginIndex !== -1) {\n var fv = void 0;\n // a.\n endIndex = pattern.indexOf('}', beginIndex);\n // b.\n if (endIndex === -1) {\n throw new Error('Unclosed pattern');\n }\n // c.\n if (beginIndex > index) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(index, beginIndex)\n });\n }\n // d.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // e.\n if (dateTimeComponents.hasOwnProperty(p)) {\n // i. Let f be the value of the [[

]] internal property of dateTimeFormat.\n var f = internal['[[' + p + ']]'];\n // ii. Let v be the value of tm.[[

]].\n var v = tm['[[' + p + ']]'];\n // iii. If p is \"year\" and v ≤ 0, then let v be 1 - v.\n if (p === 'year' && v <= 0) {\n v = 1 - v;\n }\n // iv. If p is \"month\", then increase v by 1.\n else if (p === 'month') {\n v++;\n }\n // v. If p is \"hour\" and the value of the [[hour12]] internal property of\n // dateTimeFormat is true, then\n else if (p === 'hour' && internal['[[hour12]]'] === true) {\n // 1. Let v be v modulo 12.\n v = v % 12;\n // 2. If v is 0 and the value of the [[hourNo0]] internal property of\n // dateTimeFormat is true, then let v be 12.\n if (v === 0 && internal['[[hourNo0]]'] === true) {\n v = 12;\n }\n }\n\n // vi. If f is \"numeric\", then\n if (f === 'numeric') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments nf and v.\n fv = FormatNumber(nf, v);\n }\n // vii. Else if f is \"2-digit\", then\n else if (f === '2-digit') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // with arguments nf2 and v.\n fv = FormatNumber(nf2, v);\n // 2. If the length of fv is greater than 2, let fv be the substring of fv\n // containing the last two characters.\n if (fv.length > 2) {\n fv = fv.slice(-2);\n }\n }\n // viii. Else if f is \"narrow\", \"short\", or \"long\", then let fv be a String\n // value representing f in the desired form; the String value depends upon\n // the implementation and the effective locale and calendar of\n // dateTimeFormat. If p is \"month\", then the String value may also depend\n // on whether dateTimeFormat has a [[day]] internal property. If p is\n // \"timeZoneName\", then the String value may also depend on the value of\n // the [[inDST]] field of tm.\n else if (f in dateWidths) {\n switch (p) {\n case 'month':\n fv = resolveDateString(localeData, ca, 'months', f, tm['[[' + p + ']]']);\n break;\n\n case 'weekday':\n try {\n fv = resolveDateString(localeData, ca, 'days', f, tm['[[' + p + ']]']);\n // fv = resolveDateString(ca.days, f)[tm['[['+ p +']]']];\n } catch (e) {\n throw new Error('Could not find weekday data for locale ' + locale);\n }\n break;\n\n case 'timeZoneName':\n fv = ''; // ###TODO\n break;\n\n case 'era':\n try {\n fv = resolveDateString(localeData, ca, 'eras', f, tm['[[' + p + ']]']);\n } catch (e) {\n throw new Error('Could not find era data for locale ' + locale);\n }\n break;\n\n default:\n fv = tm['[[' + p + ']]'];\n }\n }\n // ix\n arrPush.call(result, {\n type: p,\n value: fv\n });\n // f.\n } else if (p === 'ampm') {\n // i.\n var _v = tm['[[hour]]'];\n // ii./iii.\n fv = resolveDateString(localeData, ca, 'dayPeriods', _v > 11 ? 'pm' : 'am', null);\n // iv.\n arrPush.call(result, {\n type: 'dayPeriod',\n value: fv\n });\n // g.\n } else {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(beginIndex, endIndex + 1)\n });\n }\n // h.\n index = endIndex + 1;\n // i.\n beginIndex = pattern.indexOf('{', index);\n }\n // 12.\n if (endIndex < pattern.length - 1) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substr(endIndex + 1)\n });\n }\n // 13.\n return result;\n}\n\n/**\n * When the FormatDateTime abstract operation is called with arguments dateTimeFormat\n * (which must be an object initialized as a DateTimeFormat) and x (which must be a Number\n * value), it returns a String value representing x (interpreted as a time value as\n * specified in ES5, 15.9.1.1) according to the effective locale and the formatting\n * options of dateTimeFormat.\n */\nfunction FormatDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = '';\n\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result += part.value;\n }\n return result;\n}\n\nfunction FormatToPartsDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = [];\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result.push({\n type: part.type,\n value: part.value\n });\n }\n return result;\n}\n\n/**\n * When the ToLocalTime abstract operation is called with arguments date, calendar, and\n * timeZone, the following steps are taken:\n */\nfunction ToLocalTime(date, calendar, timeZone) {\n // 1. Apply calendrical calculations on date for the given calendar and time zone to\n // produce weekday, era, year, month, day, hour, minute, second, and inDST values.\n // The calculations should use best available information about the specified\n // calendar and time zone. If the calendar is \"gregory\", then the calculations must\n // match the algorithms specified in ES5, 15.9.1, except that calculations are not\n // bound by the restrictions on the use of best available information on time zones\n // for local time zone adjustment and daylight saving time adjustment imposed by\n // ES5, 15.9.1.7 and 15.9.1.8.\n // ###TODO###\n var d = new Date(date),\n m = 'get' + (timeZone || '');\n\n // 2. Return a Record with fields [[weekday]], [[era]], [[year]], [[month]], [[day]],\n // [[hour]], [[minute]], [[second]], and [[inDST]], each with the corresponding\n // calculated value.\n return new Record({\n '[[weekday]]': d[m + 'Day'](),\n '[[era]]': +(d[m + 'FullYear']() >= 0),\n '[[year]]': d[m + 'FullYear'](),\n '[[month]]': d[m + 'Month'](),\n '[[day]]': d[m + 'Date'](),\n '[[hour]]': d[m + 'Hours'](),\n '[[minute]]': d[m + 'Minutes'](),\n '[[second]]': d[m + 'Seconds'](),\n '[[inDST]]': false // ###TODO###\n });\n}\n\n/**\n * The function returns a new object whose properties and attributes are set as if\n * constructed by an object literal assigning to each of the following properties the\n * value of the corresponding internal property of this DateTimeFormat object (see 12.4):\n * locale, calendar, numberingSystem, timeZone, hour12, weekday, era, year, month, day,\n * hour, minute, second, and timeZoneName. Properties whose corresponding internal\n * properties are not present are not assigned.\n */\n/* 12.3.3 */defineProperty(Intl.DateTimeFormat.prototype, 'resolvedOptions', {\n writable: true,\n configurable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'calendar', 'numberingSystem', 'timeZone', 'hour12', 'weekday', 'era', 'year', 'month', 'day', 'hour', 'minute', 'second', 'timeZoneName'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.DateTimeFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\nvar ls = Intl.__localeSensitiveProtos = {\n Number: {},\n Date: {}\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.2.1 */ls.Number.toLocaleString = function () {\n // Satisfy test 13.2.1_1\n if (Object.prototype.toString.call(this) !== '[object Number]') throw new TypeError('`this` value must be a number for Number.prototype.toLocaleString()');\n\n // 1. Let x be this Number value (as defined in ES5, 15.7.4).\n // 2. If locales is not provided, then let locales be undefined.\n // 3. If options is not provided, then let options be undefined.\n // 4. Let numberFormat be the result of creating a new object as if by the\n // expression new Intl.NumberFormat(locales, options) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n // 5. Return the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments numberFormat and x.\n return FormatNumber(new NumberFormatConstructor(arguments[0], arguments[1]), this);\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.3.1 */ls.Date.toLocaleString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"any\", and \"all\".\n options = ToDateTimeOptions(options, 'any', 'all');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleDateString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.2 */ls.Date.toLocaleDateString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleDateString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0],\n\n\n // 4. If options is not provided, then let options be undefined.\n options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"date\", and \"date\".\n options = ToDateTimeOptions(options, 'date', 'date');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleTimeString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.3 */ls.Date.toLocaleTimeString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleTimeString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"time\", and \"time\".\n options = ToDateTimeOptions(options, 'time', 'time');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\ndefineProperty(Intl, '__applyLocaleSensitivePrototypes', {\n writable: true,\n configurable: true,\n value: function value() {\n defineProperty(Number.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Number.toLocaleString });\n // Need this here for IE 8, to avoid the _DontEnum_ bug\n defineProperty(Date.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Date.toLocaleString });\n\n for (var k in ls.Date) {\n if (hop.call(ls.Date, k)) defineProperty(Date.prototype, k, { writable: true, configurable: true, value: ls.Date[k] });\n }\n }\n});\n\n/**\n * Can't really ship a single script with data for hundreds of locales, so we provide\n * this __addLocaleData method as a means for the developer to add the data on an\n * as-needed basis\n */\ndefineProperty(Intl, '__addLocaleData', {\n value: function value(data) {\n if (!IsStructurallyValidLanguageTag(data.locale)) throw new Error(\"Object passed doesn't identify itself with a valid language tag\");\n\n addLocaleData(data, data.locale);\n }\n});\n\nfunction addLocaleData(data, tag) {\n // Both NumberFormat and DateTimeFormat require number data, so throw if it isn't present\n if (!data.number) throw new Error(\"Object passed doesn't contain locale data for Intl.NumberFormat\");\n\n var locale = void 0,\n locales = [tag],\n parts = tag.split('-');\n\n // Create fallbacks for locale data with scripts, e.g. Latn, Hans, Vaii, etc\n if (parts.length > 2 && parts[1].length === 4) arrPush.call(locales, parts[0] + '-' + parts[2]);\n\n while (locale = arrShift.call(locales)) {\n // Add to NumberFormat internal properties as per 11.2.3\n arrPush.call(internals.NumberFormat['[[availableLocales]]'], locale);\n internals.NumberFormat['[[localeData]]'][locale] = data.number;\n\n // ...and DateTimeFormat internal properties as per 12.2.3\n if (data.date) {\n data.date.nu = data.number.nu;\n arrPush.call(internals.DateTimeFormat['[[availableLocales]]'], locale);\n internals.DateTimeFormat['[[localeData]]'][locale] = data.date;\n }\n }\n\n // If this is the first set of locale data added, make it the default\n if (defaultLocale === undefined) setDefaultLocale(tag);\n}\n\ndefineProperty(Intl, '__disableRegExpRestore', {\n value: function value() {\n internals.disableRegExpRestore = true;\n }\n});\n\nmodule.exports = Intl;\n/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(57)))\n\n/***/ }),\n\n/***/ 924:\n/***/ (function(module, exports) {\n\n/* (ignored) */\n\n/***/ }),\n\n/***/ 925:\n/***/ (function(module, exports) {\n\nIntlPolyfill.__addLocaleData({ locale: \"en\", date: { ca: [\"gregory\", \"buddhist\", \"chinese\", \"coptic\", \"dangi\", \"ethioaa\", \"ethiopic\", \"generic\", \"hebrew\", \"indian\", \"islamic\", \"islamicc\", \"japanese\", \"persian\", \"roc\"], hourNo0: true, hour12: true, formats: { short: \"{1}, {0}\", medium: \"{1}, {0}\", full: \"{1} 'at' {0}\", long: \"{1} 'at' {0}\", availableFormats: { \"d\": \"d\", \"E\": \"ccc\", Ed: \"d E\", Ehm: \"E h:mm a\", EHm: \"E HH:mm\", Ehms: \"E h:mm:ss a\", EHms: \"E HH:mm:ss\", Gy: \"y G\", GyMMM: \"MMM y G\", GyMMMd: \"MMM d, y G\", GyMMMEd: \"E, MMM d, y G\", \"h\": \"h a\", \"H\": \"HH\", hm: \"h:mm a\", Hm: \"HH:mm\", hms: \"h:mm:ss a\", Hms: \"HH:mm:ss\", hmsv: \"h:mm:ss a v\", Hmsv: \"HH:mm:ss v\", hmv: \"h:mm a v\", Hmv: \"HH:mm v\", \"M\": \"L\", Md: \"M/d\", MEd: \"E, M/d\", MMM: \"LLL\", MMMd: \"MMM d\", MMMEd: \"E, MMM d\", MMMMd: \"MMMM d\", ms: \"mm:ss\", \"y\": \"y\", yM: \"M/y\", yMd: \"M/d/y\", yMEd: \"E, M/d/y\", yMMM: \"MMM y\", yMMMd: \"MMM d, y\", yMMMEd: \"E, MMM d, y\", yMMMM: \"MMMM y\", yQQQ: \"QQQ y\", yQQQQ: \"QQQQ y\" }, dateFormats: { yMMMMEEEEd: \"EEEE, MMMM d, y\", yMMMMd: \"MMMM d, y\", yMMMd: \"MMM d, y\", yMd: \"M/d/yy\" }, timeFormats: { hmmsszzzz: \"h:mm:ss a zzzz\", hmsz: \"h:mm:ss a z\", hms: \"h:mm:ss a\", hm: \"h:mm a\" } }, calendars: { buddhist: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"BE\"], short: [\"BE\"], long: [\"BE\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, chinese: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Mo1\", \"Mo2\", \"Mo3\", \"Mo4\", \"Mo5\", \"Mo6\", \"Mo7\", \"Mo8\", \"Mo9\", \"Mo10\", \"Mo11\", \"Mo12\"], long: [\"Month1\", \"Month2\", \"Month3\", \"Month4\", \"Month5\", \"Month6\", \"Month7\", \"Month8\", \"Month9\", \"Month10\", \"Month11\", \"Month12\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, coptic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\"], short: [\"Tout\", \"Baba\", \"Hator\", \"Kiahk\", \"Toba\", \"Amshir\", \"Baramhat\", \"Baramouda\", \"Bashans\", \"Paona\", \"Epep\", \"Mesra\", \"Nasie\"], long: [\"Tout\", \"Baba\", \"Hator\", \"Kiahk\", \"Toba\", \"Amshir\", \"Baramhat\", \"Baramouda\", \"Bashans\", \"Paona\", \"Epep\", \"Mesra\", \"Nasie\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\", \"ERA1\"], short: [\"ERA0\", \"ERA1\"], long: [\"ERA0\", \"ERA1\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, dangi: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Mo1\", \"Mo2\", \"Mo3\", \"Mo4\", \"Mo5\", \"Mo6\", \"Mo7\", \"Mo8\", \"Mo9\", \"Mo10\", \"Mo11\", \"Mo12\"], long: [\"Month1\", \"Month2\", \"Month3\", \"Month4\", \"Month5\", \"Month6\", \"Month7\", \"Month8\", \"Month9\", \"Month10\", \"Month11\", \"Month12\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, ethiopic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\"], short: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"], long: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\", \"ERA1\"], short: [\"ERA0\", \"ERA1\"], long: [\"ERA0\", \"ERA1\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, ethioaa: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\"], short: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"], long: [\"Meskerem\", \"Tekemt\", \"Hedar\", \"Tahsas\", \"Ter\", \"Yekatit\", \"Megabit\", \"Miazia\", \"Genbot\", \"Sene\", \"Hamle\", \"Nehasse\", \"Pagumen\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\"], short: [\"ERA0\"], long: [\"ERA0\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, generic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"M01\", \"M02\", \"M03\", \"M04\", \"M05\", \"M06\", \"M07\", \"M08\", \"M09\", \"M10\", \"M11\", \"M12\"], long: [\"M01\", \"M02\", \"M03\", \"M04\", \"M05\", \"M06\", \"M07\", \"M08\", \"M09\", \"M10\", \"M11\", \"M12\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"ERA0\", \"ERA1\"], short: [\"ERA0\", \"ERA1\"], long: [\"ERA0\", \"ERA1\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, gregory: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"B\", \"A\", \"BCE\", \"CE\"], short: [\"BC\", \"AD\", \"BCE\", \"CE\"], long: [\"Before Christ\", \"Anno Domini\", \"Before Common Era\", \"Common Era\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, hebrew: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\", \"13\", \"7\"], short: [\"Tishri\", \"Heshvan\", \"Kislev\", \"Tevet\", \"Shevat\", \"Adar I\", \"Adar\", \"Nisan\", \"Iyar\", \"Sivan\", \"Tamuz\", \"Av\", \"Elul\", \"Adar II\"], long: [\"Tishri\", \"Heshvan\", \"Kislev\", \"Tevet\", \"Shevat\", \"Adar I\", \"Adar\", \"Nisan\", \"Iyar\", \"Sivan\", \"Tamuz\", \"Av\", \"Elul\", \"Adar II\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AM\"], short: [\"AM\"], long: [\"AM\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, indian: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Chaitra\", \"Vaisakha\", \"Jyaistha\", \"Asadha\", \"Sravana\", \"Bhadra\", \"Asvina\", \"Kartika\", \"Agrahayana\", \"Pausa\", \"Magha\", \"Phalguna\"], long: [\"Chaitra\", \"Vaisakha\", \"Jyaistha\", \"Asadha\", \"Sravana\", \"Bhadra\", \"Asvina\", \"Kartika\", \"Agrahayana\", \"Pausa\", \"Magha\", \"Phalguna\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"Saka\"], short: [\"Saka\"], long: [\"Saka\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, islamic: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Muh.\", \"Saf.\", \"Rab. I\", \"Rab. II\", \"Jum. I\", \"Jum. II\", \"Raj.\", \"Sha.\", \"Ram.\", \"Shaw.\", \"Dhuʻl-Q.\", \"Dhuʻl-H.\"], long: [\"Muharram\", \"Safar\", \"Rabiʻ I\", \"Rabiʻ II\", \"Jumada I\", \"Jumada II\", \"Rajab\", \"Shaʻban\", \"Ramadan\", \"Shawwal\", \"Dhuʻl-Qiʻdah\", \"Dhuʻl-Hijjah\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AH\"], short: [\"AH\"], long: [\"AH\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, islamicc: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Muh.\", \"Saf.\", \"Rab. I\", \"Rab. II\", \"Jum. I\", \"Jum. II\", \"Raj.\", \"Sha.\", \"Ram.\", \"Shaw.\", \"Dhuʻl-Q.\", \"Dhuʻl-H.\"], long: [\"Muharram\", \"Safar\", \"Rabiʻ I\", \"Rabiʻ II\", \"Jumada I\", \"Jumada II\", \"Rajab\", \"Shaʻban\", \"Ramadan\", \"Shawwal\", \"Dhuʻl-Qiʻdah\", \"Dhuʻl-Hijjah\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AH\"], short: [\"AH\"], long: [\"AH\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, japanese: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"Taika (645–650)\", \"Hakuchi (650–671)\", \"Hakuhō (672–686)\", \"Shuchō (686–701)\", \"Taihō (701–704)\", \"Keiun (704–708)\", \"Wadō (708–715)\", \"Reiki (715–717)\", \"Yōrō (717–724)\", \"Jinki (724–729)\", \"Tenpyō (729–749)\", \"Tenpyō-kampō (749-749)\", \"Tenpyō-shōhō (749-757)\", \"Tenpyō-hōji (757-765)\", \"Tenpyō-jingo (765-767)\", \"Jingo-keiun (767-770)\", \"Hōki (770–780)\", \"Ten-ō (781-782)\", \"Enryaku (782–806)\", \"Daidō (806–810)\", \"Kōnin (810–824)\", \"Tenchō (824–834)\", \"Jōwa (834–848)\", \"Kajō (848–851)\", \"Ninju (851–854)\", \"Saikō (854–857)\", \"Ten-an (857-859)\", \"Jōgan (859–877)\", \"Gangyō (877–885)\", \"Ninna (885–889)\", \"Kanpyō (889–898)\", \"Shōtai (898–901)\", \"Engi (901–923)\", \"Enchō (923–931)\", \"Jōhei (931–938)\", \"Tengyō (938–947)\", \"Tenryaku (947–957)\", \"Tentoku (957–961)\", \"Ōwa (961–964)\", \"Kōhō (964–968)\", \"Anna (968–970)\", \"Tenroku (970–973)\", \"Ten’en (973–976)\", \"Jōgen (976–978)\", \"Tengen (978–983)\", \"Eikan (983–985)\", \"Kanna (985–987)\", \"Eien (987–989)\", \"Eiso (989–990)\", \"Shōryaku (990–995)\", \"Chōtoku (995–999)\", \"Chōhō (999–1004)\", \"Kankō (1004–1012)\", \"Chōwa (1012–1017)\", \"Kannin (1017–1021)\", \"Jian (1021–1024)\", \"Manju (1024–1028)\", \"Chōgen (1028–1037)\", \"Chōryaku (1037–1040)\", \"Chōkyū (1040–1044)\", \"Kantoku (1044–1046)\", \"Eishō (1046–1053)\", \"Tengi (1053–1058)\", \"Kōhei (1058–1065)\", \"Jiryaku (1065–1069)\", \"Enkyū (1069–1074)\", \"Shōho (1074–1077)\", \"Shōryaku (1077–1081)\", \"Eihō (1081–1084)\", \"Ōtoku (1084–1087)\", \"Kanji (1087–1094)\", \"Kahō (1094–1096)\", \"Eichō (1096–1097)\", \"Jōtoku (1097–1099)\", \"Kōwa (1099–1104)\", \"Chōji (1104–1106)\", \"Kashō (1106–1108)\", \"Tennin (1108–1110)\", \"Ten-ei (1110-1113)\", \"Eikyū (1113–1118)\", \"Gen’ei (1118–1120)\", \"Hōan (1120–1124)\", \"Tenji (1124–1126)\", \"Daiji (1126–1131)\", \"Tenshō (1131–1132)\", \"Chōshō (1132–1135)\", \"Hōen (1135–1141)\", \"Eiji (1141–1142)\", \"Kōji (1142–1144)\", \"Ten’yō (1144–1145)\", \"Kyūan (1145–1151)\", \"Ninpei (1151–1154)\", \"Kyūju (1154–1156)\", \"Hōgen (1156–1159)\", \"Heiji (1159–1160)\", \"Eiryaku (1160–1161)\", \"Ōho (1161–1163)\", \"Chōkan (1163–1165)\", \"Eiman (1165–1166)\", \"Nin’an (1166–1169)\", \"Kaō (1169–1171)\", \"Shōan (1171–1175)\", \"Angen (1175–1177)\", \"Jishō (1177–1181)\", \"Yōwa (1181–1182)\", \"Juei (1182–1184)\", \"Genryaku (1184–1185)\", \"Bunji (1185–1190)\", \"Kenkyū (1190–1199)\", \"Shōji (1199–1201)\", \"Kennin (1201–1204)\", \"Genkyū (1204–1206)\", \"Ken’ei (1206–1207)\", \"Jōgen (1207–1211)\", \"Kenryaku (1211–1213)\", \"Kenpō (1213–1219)\", \"Jōkyū (1219–1222)\", \"Jōō (1222–1224)\", \"Gennin (1224–1225)\", \"Karoku (1225–1227)\", \"Antei (1227–1229)\", \"Kanki (1229–1232)\", \"Jōei (1232–1233)\", \"Tenpuku (1233–1234)\", \"Bunryaku (1234–1235)\", \"Katei (1235–1238)\", \"Ryakunin (1238–1239)\", \"En’ō (1239–1240)\", \"Ninji (1240–1243)\", \"Kangen (1243–1247)\", \"Hōji (1247–1249)\", \"Kenchō (1249–1256)\", \"Kōgen (1256–1257)\", \"Shōka (1257–1259)\", \"Shōgen (1259–1260)\", \"Bun’ō (1260–1261)\", \"Kōchō (1261–1264)\", \"Bun’ei (1264–1275)\", \"Kenji (1275–1278)\", \"Kōan (1278–1288)\", \"Shōō (1288–1293)\", \"Einin (1293–1299)\", \"Shōan (1299–1302)\", \"Kengen (1302–1303)\", \"Kagen (1303–1306)\", \"Tokuji (1306–1308)\", \"Enkyō (1308–1311)\", \"Ōchō (1311–1312)\", \"Shōwa (1312–1317)\", \"Bunpō (1317–1319)\", \"Genō (1319–1321)\", \"Genkō (1321–1324)\", \"Shōchū (1324–1326)\", \"Karyaku (1326–1329)\", \"Gentoku (1329–1331)\", \"Genkō (1331–1334)\", \"Kenmu (1334–1336)\", \"Engen (1336–1340)\", \"Kōkoku (1340–1346)\", \"Shōhei (1346–1370)\", \"Kentoku (1370–1372)\", \"Bunchū (1372–1375)\", \"Tenju (1375–1379)\", \"Kōryaku (1379–1381)\", \"Kōwa (1381–1384)\", \"Genchū (1384–1392)\", \"Meitoku (1384–1387)\", \"Kakei (1387–1389)\", \"Kōō (1389–1390)\", \"Meitoku (1390–1394)\", \"Ōei (1394–1428)\", \"Shōchō (1428–1429)\", \"Eikyō (1429–1441)\", \"Kakitsu (1441–1444)\", \"Bun’an (1444–1449)\", \"Hōtoku (1449–1452)\", \"Kyōtoku (1452–1455)\", \"Kōshō (1455–1457)\", \"Chōroku (1457–1460)\", \"Kanshō (1460–1466)\", \"Bunshō (1466–1467)\", \"Ōnin (1467–1469)\", \"Bunmei (1469–1487)\", \"Chōkyō (1487–1489)\", \"Entoku (1489–1492)\", \"Meiō (1492–1501)\", \"Bunki (1501–1504)\", \"Eishō (1504–1521)\", \"Taiei (1521–1528)\", \"Kyōroku (1528–1532)\", \"Tenbun (1532–1555)\", \"Kōji (1555–1558)\", \"Eiroku (1558–1570)\", \"Genki (1570–1573)\", \"Tenshō (1573–1592)\", \"Bunroku (1592–1596)\", \"Keichō (1596–1615)\", \"Genna (1615–1624)\", \"Kan’ei (1624–1644)\", \"Shōho (1644–1648)\", \"Keian (1648–1652)\", \"Jōō (1652–1655)\", \"Meireki (1655–1658)\", \"Manji (1658–1661)\", \"Kanbun (1661–1673)\", \"Enpō (1673–1681)\", \"Tenna (1681–1684)\", \"Jōkyō (1684–1688)\", \"Genroku (1688–1704)\", \"Hōei (1704–1711)\", \"Shōtoku (1711–1716)\", \"Kyōhō (1716–1736)\", \"Genbun (1736–1741)\", \"Kanpō (1741–1744)\", \"Enkyō (1744–1748)\", \"Kan’en (1748–1751)\", \"Hōreki (1751–1764)\", \"Meiwa (1764–1772)\", \"An’ei (1772–1781)\", \"Tenmei (1781–1789)\", \"Kansei (1789–1801)\", \"Kyōwa (1801–1804)\", \"Bunka (1804–1818)\", \"Bunsei (1818–1830)\", \"Tenpō (1830–1844)\", \"Kōka (1844–1848)\", \"Kaei (1848–1854)\", \"Ansei (1854–1860)\", \"Man’en (1860–1861)\", \"Bunkyū (1861–1864)\", \"Genji (1864–1865)\", \"Keiō (1865–1868)\", \"M\", \"T\", \"S\", \"H\"], short: [\"Taika (645–650)\", \"Hakuchi (650–671)\", \"Hakuhō (672–686)\", \"Shuchō (686–701)\", \"Taihō (701–704)\", \"Keiun (704–708)\", \"Wadō (708–715)\", \"Reiki (715–717)\", \"Yōrō (717–724)\", \"Jinki (724–729)\", \"Tenpyō (729–749)\", \"Tenpyō-kampō (749-749)\", \"Tenpyō-shōhō (749-757)\", \"Tenpyō-hōji (757-765)\", \"Tenpyō-jingo (765-767)\", \"Jingo-keiun (767-770)\", \"Hōki (770–780)\", \"Ten-ō (781-782)\", \"Enryaku (782–806)\", \"Daidō (806–810)\", \"Kōnin (810–824)\", \"Tenchō (824–834)\", \"Jōwa (834–848)\", \"Kajō (848–851)\", \"Ninju (851–854)\", \"Saikō (854–857)\", \"Ten-an (857-859)\", \"Jōgan (859–877)\", \"Gangyō (877–885)\", \"Ninna (885–889)\", \"Kanpyō (889–898)\", \"Shōtai (898–901)\", \"Engi (901–923)\", \"Enchō (923–931)\", \"Jōhei (931–938)\", \"Tengyō (938–947)\", \"Tenryaku (947–957)\", \"Tentoku (957–961)\", \"Ōwa (961–964)\", \"Kōhō (964–968)\", \"Anna (968–970)\", \"Tenroku (970–973)\", \"Ten’en (973–976)\", \"Jōgen (976–978)\", \"Tengen (978–983)\", \"Eikan (983–985)\", \"Kanna (985–987)\", \"Eien (987–989)\", \"Eiso (989–990)\", \"Shōryaku (990–995)\", \"Chōtoku (995–999)\", \"Chōhō (999–1004)\", \"Kankō (1004–1012)\", \"Chōwa (1012–1017)\", \"Kannin (1017–1021)\", \"Jian (1021–1024)\", \"Manju (1024–1028)\", \"Chōgen (1028–1037)\", \"Chōryaku (1037–1040)\", \"Chōkyū (1040–1044)\", \"Kantoku (1044–1046)\", \"Eishō (1046–1053)\", \"Tengi (1053–1058)\", \"Kōhei (1058–1065)\", \"Jiryaku (1065–1069)\", \"Enkyū (1069–1074)\", \"Shōho (1074–1077)\", \"Shōryaku (1077–1081)\", \"Eihō (1081–1084)\", \"Ōtoku (1084–1087)\", \"Kanji (1087–1094)\", \"Kahō (1094–1096)\", \"Eichō (1096–1097)\", \"Jōtoku (1097–1099)\", \"Kōwa (1099–1104)\", \"Chōji (1104–1106)\", \"Kashō (1106–1108)\", \"Tennin (1108–1110)\", \"Ten-ei (1110-1113)\", \"Eikyū (1113–1118)\", \"Gen’ei (1118–1120)\", \"Hōan (1120–1124)\", \"Tenji (1124–1126)\", \"Daiji (1126–1131)\", \"Tenshō (1131–1132)\", \"Chōshō (1132–1135)\", \"Hōen (1135–1141)\", \"Eiji (1141–1142)\", \"Kōji (1142–1144)\", \"Ten’yō (1144–1145)\", \"Kyūan (1145–1151)\", \"Ninpei (1151–1154)\", \"Kyūju (1154–1156)\", \"Hōgen (1156–1159)\", \"Heiji (1159–1160)\", \"Eiryaku (1160–1161)\", \"Ōho (1161–1163)\", \"Chōkan (1163–1165)\", \"Eiman (1165–1166)\", \"Nin’an (1166–1169)\", \"Kaō (1169–1171)\", \"Shōan (1171–1175)\", \"Angen (1175–1177)\", \"Jishō (1177–1181)\", \"Yōwa (1181–1182)\", \"Juei (1182–1184)\", \"Genryaku (1184–1185)\", \"Bunji (1185–1190)\", \"Kenkyū (1190–1199)\", \"Shōji (1199–1201)\", \"Kennin (1201–1204)\", \"Genkyū (1204–1206)\", \"Ken’ei (1206–1207)\", \"Jōgen (1207–1211)\", \"Kenryaku (1211–1213)\", \"Kenpō (1213–1219)\", \"Jōkyū (1219–1222)\", \"Jōō (1222–1224)\", \"Gennin (1224–1225)\", \"Karoku (1225–1227)\", \"Antei (1227–1229)\", \"Kanki (1229–1232)\", \"Jōei (1232–1233)\", \"Tenpuku (1233–1234)\", \"Bunryaku (1234–1235)\", \"Katei (1235–1238)\", \"Ryakunin (1238–1239)\", \"En’ō (1239–1240)\", \"Ninji (1240–1243)\", \"Kangen (1243–1247)\", \"Hōji (1247–1249)\", \"Kenchō (1249–1256)\", \"Kōgen (1256–1257)\", \"Shōka (1257–1259)\", \"Shōgen (1259–1260)\", \"Bun’ō (1260–1261)\", \"Kōchō (1261–1264)\", \"Bun’ei (1264–1275)\", \"Kenji (1275–1278)\", \"Kōan (1278–1288)\", \"Shōō (1288–1293)\", \"Einin (1293–1299)\", \"Shōan (1299–1302)\", \"Kengen (1302–1303)\", \"Kagen (1303–1306)\", \"Tokuji (1306–1308)\", \"Enkyō (1308–1311)\", \"Ōchō (1311–1312)\", \"Shōwa (1312–1317)\", \"Bunpō (1317–1319)\", \"Genō (1319–1321)\", \"Genkō (1321–1324)\", \"Shōchū (1324–1326)\", \"Karyaku (1326–1329)\", \"Gentoku (1329–1331)\", \"Genkō (1331–1334)\", \"Kenmu (1334–1336)\", \"Engen (1336–1340)\", \"Kōkoku (1340–1346)\", \"Shōhei (1346–1370)\", \"Kentoku (1370–1372)\", \"Bunchū (1372–1375)\", \"Tenju (1375–1379)\", \"Kōryaku (1379–1381)\", \"Kōwa (1381–1384)\", \"Genchū (1384–1392)\", \"Meitoku (1384–1387)\", \"Kakei (1387–1389)\", \"Kōō (1389–1390)\", \"Meitoku (1390–1394)\", \"Ōei (1394–1428)\", \"Shōchō (1428–1429)\", \"Eikyō (1429–1441)\", \"Kakitsu (1441–1444)\", \"Bun’an (1444–1449)\", \"Hōtoku (1449–1452)\", \"Kyōtoku (1452–1455)\", \"Kōshō (1455–1457)\", \"Chōroku (1457–1460)\", \"Kanshō (1460–1466)\", \"Bunshō (1466–1467)\", \"Ōnin (1467–1469)\", \"Bunmei (1469–1487)\", \"Chōkyō (1487–1489)\", \"Entoku (1489–1492)\", \"Meiō (1492–1501)\", \"Bunki (1501–1504)\", \"Eishō (1504–1521)\", \"Taiei (1521–1528)\", \"Kyōroku (1528–1532)\", \"Tenbun (1532–1555)\", \"Kōji (1555–1558)\", \"Eiroku (1558–1570)\", \"Genki (1570–1573)\", \"Tenshō (1573–1592)\", \"Bunroku (1592–1596)\", \"Keichō (1596–1615)\", \"Genna (1615–1624)\", \"Kan’ei (1624–1644)\", \"Shōho (1644–1648)\", \"Keian (1648–1652)\", \"Jōō (1652–1655)\", \"Meireki (1655–1658)\", \"Manji (1658–1661)\", \"Kanbun (1661–1673)\", \"Enpō (1673–1681)\", \"Tenna (1681–1684)\", \"Jōkyō (1684–1688)\", \"Genroku (1688–1704)\", \"Hōei (1704–1711)\", \"Shōtoku (1711–1716)\", \"Kyōhō (1716–1736)\", \"Genbun (1736–1741)\", \"Kanpō (1741–1744)\", \"Enkyō (1744–1748)\", \"Kan’en (1748–1751)\", \"Hōreki (1751–1764)\", \"Meiwa (1764–1772)\", \"An’ei (1772–1781)\", \"Tenmei (1781–1789)\", \"Kansei (1789–1801)\", \"Kyōwa (1801–1804)\", \"Bunka (1804–1818)\", \"Bunsei (1818–1830)\", \"Tenpō (1830–1844)\", \"Kōka (1844–1848)\", \"Kaei (1848–1854)\", \"Ansei (1854–1860)\", \"Man’en (1860–1861)\", \"Bunkyū (1861–1864)\", \"Genji (1864–1865)\", \"Keiō (1865–1868)\", \"Meiji\", \"Taishō\", \"Shōwa\", \"Heisei\"], long: [\"Taika (645–650)\", \"Hakuchi (650–671)\", \"Hakuhō (672–686)\", \"Shuchō (686–701)\", \"Taihō (701–704)\", \"Keiun (704–708)\", \"Wadō (708–715)\", \"Reiki (715–717)\", \"Yōrō (717–724)\", \"Jinki (724–729)\", \"Tenpyō (729–749)\", \"Tenpyō-kampō (749-749)\", \"Tenpyō-shōhō (749-757)\", \"Tenpyō-hōji (757-765)\", \"Tenpyō-jingo (765-767)\", \"Jingo-keiun (767-770)\", \"Hōki (770–780)\", \"Ten-ō (781-782)\", \"Enryaku (782–806)\", \"Daidō (806–810)\", \"Kōnin (810–824)\", \"Tenchō (824–834)\", \"Jōwa (834–848)\", \"Kajō (848–851)\", \"Ninju (851–854)\", \"Saikō (854–857)\", \"Ten-an (857-859)\", \"Jōgan (859–877)\", \"Gangyō (877–885)\", \"Ninna (885–889)\", \"Kanpyō (889–898)\", \"Shōtai (898–901)\", \"Engi (901–923)\", \"Enchō (923–931)\", \"Jōhei (931–938)\", \"Tengyō (938–947)\", \"Tenryaku (947–957)\", \"Tentoku (957–961)\", \"Ōwa (961–964)\", \"Kōhō (964–968)\", \"Anna (968–970)\", \"Tenroku (970–973)\", \"Ten’en (973–976)\", \"Jōgen (976–978)\", \"Tengen (978–983)\", \"Eikan (983–985)\", \"Kanna (985–987)\", \"Eien (987–989)\", \"Eiso (989–990)\", \"Shōryaku (990–995)\", \"Chōtoku (995–999)\", \"Chōhō (999–1004)\", \"Kankō (1004–1012)\", \"Chōwa (1012–1017)\", \"Kannin (1017–1021)\", \"Jian (1021–1024)\", \"Manju (1024–1028)\", \"Chōgen (1028–1037)\", \"Chōryaku (1037–1040)\", \"Chōkyū (1040–1044)\", \"Kantoku (1044–1046)\", \"Eishō (1046–1053)\", \"Tengi (1053–1058)\", \"Kōhei (1058–1065)\", \"Jiryaku (1065–1069)\", \"Enkyū (1069–1074)\", \"Shōho (1074–1077)\", \"Shōryaku (1077–1081)\", \"Eihō (1081–1084)\", \"Ōtoku (1084–1087)\", \"Kanji (1087–1094)\", \"Kahō (1094–1096)\", \"Eichō (1096–1097)\", \"Jōtoku (1097–1099)\", \"Kōwa (1099–1104)\", \"Chōji (1104–1106)\", \"Kashō (1106–1108)\", \"Tennin (1108–1110)\", \"Ten-ei (1110-1113)\", \"Eikyū (1113–1118)\", \"Gen’ei (1118–1120)\", \"Hōan (1120–1124)\", \"Tenji (1124–1126)\", \"Daiji (1126–1131)\", \"Tenshō (1131–1132)\", \"Chōshō (1132–1135)\", \"Hōen (1135–1141)\", \"Eiji (1141–1142)\", \"Kōji (1142–1144)\", \"Ten’yō (1144–1145)\", \"Kyūan (1145–1151)\", \"Ninpei (1151–1154)\", \"Kyūju (1154–1156)\", \"Hōgen (1156–1159)\", \"Heiji (1159–1160)\", \"Eiryaku (1160–1161)\", \"Ōho (1161–1163)\", \"Chōkan (1163–1165)\", \"Eiman (1165–1166)\", \"Nin’an (1166–1169)\", \"Kaō (1169–1171)\", \"Shōan (1171–1175)\", \"Angen (1175–1177)\", \"Jishō (1177–1181)\", \"Yōwa (1181–1182)\", \"Juei (1182–1184)\", \"Genryaku (1184–1185)\", \"Bunji (1185–1190)\", \"Kenkyū (1190–1199)\", \"Shōji (1199–1201)\", \"Kennin (1201–1204)\", \"Genkyū (1204–1206)\", \"Ken’ei (1206–1207)\", \"Jōgen (1207–1211)\", \"Kenryaku (1211–1213)\", \"Kenpō (1213–1219)\", \"Jōkyū (1219–1222)\", \"Jōō (1222–1224)\", \"Gennin (1224–1225)\", \"Karoku (1225–1227)\", \"Antei (1227–1229)\", \"Kanki (1229–1232)\", \"Jōei (1232–1233)\", \"Tenpuku (1233–1234)\", \"Bunryaku (1234–1235)\", \"Katei (1235–1238)\", \"Ryakunin (1238–1239)\", \"En’ō (1239–1240)\", \"Ninji (1240–1243)\", \"Kangen (1243–1247)\", \"Hōji (1247–1249)\", \"Kenchō (1249–1256)\", \"Kōgen (1256–1257)\", \"Shōka (1257–1259)\", \"Shōgen (1259–1260)\", \"Bun’ō (1260–1261)\", \"Kōchō (1261–1264)\", \"Bun’ei (1264–1275)\", \"Kenji (1275–1278)\", \"Kōan (1278–1288)\", \"Shōō (1288–1293)\", \"Einin (1293–1299)\", \"Shōan (1299–1302)\", \"Kengen (1302–1303)\", \"Kagen (1303–1306)\", \"Tokuji (1306–1308)\", \"Enkyō (1308–1311)\", \"Ōchō (1311–1312)\", \"Shōwa (1312–1317)\", \"Bunpō (1317–1319)\", \"Genō (1319–1321)\", \"Genkō (1321–1324)\", \"Shōchū (1324–1326)\", \"Karyaku (1326–1329)\", \"Gentoku (1329–1331)\", \"Genkō (1331–1334)\", \"Kenmu (1334–1336)\", \"Engen (1336–1340)\", \"Kōkoku (1340–1346)\", \"Shōhei (1346–1370)\", \"Kentoku (1370–1372)\", \"Bunchū (1372–1375)\", \"Tenju (1375–1379)\", \"Kōryaku (1379–1381)\", \"Kōwa (1381–1384)\", \"Genchū (1384–1392)\", \"Meitoku (1384–1387)\", \"Kakei (1387–1389)\", \"Kōō (1389–1390)\", \"Meitoku (1390–1394)\", \"Ōei (1394–1428)\", \"Shōchō (1428–1429)\", \"Eikyō (1429–1441)\", \"Kakitsu (1441–1444)\", \"Bun’an (1444–1449)\", \"Hōtoku (1449–1452)\", \"Kyōtoku (1452–1455)\", \"Kōshō (1455–1457)\", \"Chōroku (1457–1460)\", \"Kanshō (1460–1466)\", \"Bunshō (1466–1467)\", \"Ōnin (1467–1469)\", \"Bunmei (1469–1487)\", \"Chōkyō (1487–1489)\", \"Entoku (1489–1492)\", \"Meiō (1492–1501)\", \"Bunki (1501–1504)\", \"Eishō (1504–1521)\", \"Taiei (1521–1528)\", \"Kyōroku (1528–1532)\", \"Tenbun (1532–1555)\", \"Kōji (1555–1558)\", \"Eiroku (1558–1570)\", \"Genki (1570–1573)\", \"Tenshō (1573–1592)\", \"Bunroku (1592–1596)\", \"Keichō (1596–1615)\", \"Genna (1615–1624)\", \"Kan’ei (1624–1644)\", \"Shōho (1644–1648)\", \"Keian (1648–1652)\", \"Jōō (1652–1655)\", \"Meireki (1655–1658)\", \"Manji (1658–1661)\", \"Kanbun (1661–1673)\", \"Enpō (1673–1681)\", \"Tenna (1681–1684)\", \"Jōkyō (1684–1688)\", \"Genroku (1688–1704)\", \"Hōei (1704–1711)\", \"Shōtoku (1711–1716)\", \"Kyōhō (1716–1736)\", \"Genbun (1736–1741)\", \"Kanpō (1741–1744)\", \"Enkyō (1744–1748)\", \"Kan’en (1748–1751)\", \"Hōreki (1751–1764)\", \"Meiwa (1764–1772)\", \"An’ei (1772–1781)\", \"Tenmei (1781–1789)\", \"Kansei (1789–1801)\", \"Kyōwa (1801–1804)\", \"Bunka (1804–1818)\", \"Bunsei (1818–1830)\", \"Tenpō (1830–1844)\", \"Kōka (1844–1848)\", \"Kaei (1848–1854)\", \"Ansei (1854–1860)\", \"Man’en (1860–1861)\", \"Bunkyū (1861–1864)\", \"Genji (1864–1865)\", \"Keiō (1865–1868)\", \"Meiji\", \"Taishō\", \"Shōwa\", \"Heisei\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, persian: { months: { narrow: [\"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\", \"10\", \"11\", \"12\"], short: [\"Farvardin\", \"Ordibehesht\", \"Khordad\", \"Tir\", \"Mordad\", \"Shahrivar\", \"Mehr\", \"Aban\", \"Azar\", \"Dey\", \"Bahman\", \"Esfand\"], long: [\"Farvardin\", \"Ordibehesht\", \"Khordad\", \"Tir\", \"Mordad\", \"Shahrivar\", \"Mehr\", \"Aban\", \"Azar\", \"Dey\", \"Bahman\", \"Esfand\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"AP\"], short: [\"AP\"], long: [\"AP\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } }, roc: { months: { narrow: [\"J\", \"F\", \"M\", \"A\", \"M\", \"J\", \"J\", \"A\", \"S\", \"O\", \"N\", \"D\"], short: [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\", \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"], long: [\"January\", \"February\", \"March\", \"April\", \"May\", \"June\", \"July\", \"August\", \"September\", \"October\", \"November\", \"December\"] }, days: { narrow: [\"S\", \"M\", \"T\", \"W\", \"T\", \"F\", \"S\"], short: [\"Sun\", \"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\"], long: [\"Sunday\", \"Monday\", \"Tuesday\", \"Wednesday\", \"Thursday\", \"Friday\", \"Saturday\"] }, eras: { narrow: [\"Before R.O.C.\", \"Minguo\"], short: [\"Before R.O.C.\", \"Minguo\"], long: [\"Before R.O.C.\", \"Minguo\"] }, dayPeriods: { am: \"AM\", pm: \"PM\" } } } }, number: { nu: [\"latn\"], patterns: { decimal: { positivePattern: \"{number}\", negativePattern: \"{minusSign}{number}\" }, currency: { positivePattern: \"{currency}{number}\", negativePattern: \"{minusSign}{currency}{number}\" }, percent: { positivePattern: \"{number}{percentSign}\", negativePattern: \"{minusSign}{number}{percentSign}\" } }, symbols: { latn: { decimal: \".\", group: \",\", nan: \"NaN\", plusSign: \"+\", minusSign: \"-\", percentSign: \"%\", infinity: \"∞\" } }, currencies: { AUD: \"A$\", BRL: \"R$\", CAD: \"CA$\", CNY: \"CN¥\", EUR: \"€\", GBP: \"£\", HKD: \"HK$\", ILS: \"₪\", INR: \"₹\", JPY: \"¥\", KRW: \"₩\", MXN: \"MX$\", NZD: \"NZ$\", TWD: \"NT$\", USD: \"$\", VND: \"₫\", XAF: \"FCFA\", XCD: \"EC$\", XOF: \"CFA\", XPF: \"CFPF\" } } });\n\n/***/ }),\n\n/***/ 926:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nif (!__webpack_require__(927)()) {\n\tObject.defineProperty(__webpack_require__(928), 'Symbol', { value: __webpack_require__(929), configurable: true, enumerable: false,\n\t\twritable: true });\n}\n\n/***/ }),\n\n/***/ 927:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar validTypes = { object: true, symbol: true };\n\nmodule.exports = function () {\n\tvar symbol;\n\tif (typeof Symbol !== 'function') return false;\n\tsymbol = Symbol('test symbol');\n\ttry {\n\t\tString(symbol);\n\t} catch (e) {\n\t\treturn false;\n\t}\n\n\t// Return 'true' also for polyfills\n\tif (!validTypes[typeof Symbol.iterator]) return false;\n\tif (!validTypes[typeof Symbol.toPrimitive]) return false;\n\tif (!validTypes[typeof Symbol.toStringTag]) return false;\n\n\treturn true;\n};\n\n/***/ }),\n\n/***/ 928:\n/***/ (function(module, exports) {\n\n/* eslint strict: \"off\" */\n\nmodule.exports = function () {\n\treturn this;\n}();\n\n/***/ }),\n\n/***/ 929:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n// ES2015 Symbol polyfill for environments that do not (or partially) support it\n\n\n\nvar d = __webpack_require__(930),\n validateSymbol = __webpack_require__(944),\n create = Object.create,\n defineProperties = Object.defineProperties,\n defineProperty = Object.defineProperty,\n objPrototype = Object.prototype,\n NativeSymbol,\n SymbolPolyfill,\n HiddenSymbol,\n globalSymbols = create(null),\n isNativeSafe;\n\nif (typeof Symbol === 'function') {\n\tNativeSymbol = Symbol;\n\ttry {\n\t\tString(NativeSymbol());\n\t\tisNativeSafe = true;\n\t} catch (ignore) {}\n}\n\nvar generateName = function () {\n\tvar created = create(null);\n\treturn function (desc) {\n\t\tvar postfix = 0,\n\t\t name,\n\t\t ie11BugWorkaround;\n\t\twhile (created[desc + (postfix || '')]) ++postfix;\n\t\tdesc += postfix || '';\n\t\tcreated[desc] = true;\n\t\tname = '@@' + desc;\n\t\tdefineProperty(objPrototype, name, d.gs(null, function (value) {\n\t\t\t// For IE11 issue see:\n\t\t\t// https://connect.microsoft.com/IE/feedbackdetail/view/1928508/\n\t\t\t// ie11-broken-getters-on-dom-objects\n\t\t\t// https://github.com/medikoo/es6-symbol/issues/12\n\t\t\tif (ie11BugWorkaround) return;\n\t\t\tie11BugWorkaround = true;\n\t\t\tdefineProperty(this, name, d(value));\n\t\t\tie11BugWorkaround = false;\n\t\t}));\n\t\treturn name;\n\t};\n}();\n\n// Internal constructor (not one exposed) for creating Symbol instances.\n// This one is used to ensure that `someSymbol instanceof Symbol` always return false\nHiddenSymbol = function Symbol(description) {\n\tif (this instanceof HiddenSymbol) throw new TypeError('Symbol is not a constructor');\n\treturn SymbolPolyfill(description);\n};\n\n// Exposed `Symbol` constructor\n// (returns instances of HiddenSymbol)\nmodule.exports = SymbolPolyfill = function Symbol(description) {\n\tvar symbol;\n\tif (this instanceof Symbol) throw new TypeError('Symbol is not a constructor');\n\tif (isNativeSafe) return NativeSymbol(description);\n\tsymbol = create(HiddenSymbol.prototype);\n\tdescription = description === undefined ? '' : String(description);\n\treturn defineProperties(symbol, {\n\t\t__description__: d('', description),\n\t\t__name__: d('', generateName(description))\n\t});\n};\ndefineProperties(SymbolPolyfill, {\n\tfor: d(function (key) {\n\t\tif (globalSymbols[key]) return globalSymbols[key];\n\t\treturn globalSymbols[key] = SymbolPolyfill(String(key));\n\t}),\n\tkeyFor: d(function (s) {\n\t\tvar key;\n\t\tvalidateSymbol(s);\n\t\tfor (key in globalSymbols) if (globalSymbols[key] === s) return key;\n\t}),\n\n\t// To ensure proper interoperability with other native functions (e.g. Array.from)\n\t// fallback to eventual native implementation of given symbol\n\thasInstance: d('', NativeSymbol && NativeSymbol.hasInstance || SymbolPolyfill('hasInstance')),\n\tisConcatSpreadable: d('', NativeSymbol && NativeSymbol.isConcatSpreadable || SymbolPolyfill('isConcatSpreadable')),\n\titerator: d('', NativeSymbol && NativeSymbol.iterator || SymbolPolyfill('iterator')),\n\tmatch: d('', NativeSymbol && NativeSymbol.match || SymbolPolyfill('match')),\n\treplace: d('', NativeSymbol && NativeSymbol.replace || SymbolPolyfill('replace')),\n\tsearch: d('', NativeSymbol && NativeSymbol.search || SymbolPolyfill('search')),\n\tspecies: d('', NativeSymbol && NativeSymbol.species || SymbolPolyfill('species')),\n\tsplit: d('', NativeSymbol && NativeSymbol.split || SymbolPolyfill('split')),\n\ttoPrimitive: d('', NativeSymbol && NativeSymbol.toPrimitive || SymbolPolyfill('toPrimitive')),\n\ttoStringTag: d('', NativeSymbol && NativeSymbol.toStringTag || SymbolPolyfill('toStringTag')),\n\tunscopables: d('', NativeSymbol && NativeSymbol.unscopables || SymbolPolyfill('unscopables'))\n});\n\n// Internal tweaks for real symbol producer\ndefineProperties(HiddenSymbol.prototype, {\n\tconstructor: d(SymbolPolyfill),\n\ttoString: d('', function () {\n\t\treturn this.__name__;\n\t})\n});\n\n// Proper implementation of methods exposed on Symbol.prototype\n// They won't be accessible on produced symbol instances as they derive from HiddenSymbol.prototype\ndefineProperties(SymbolPolyfill.prototype, {\n\ttoString: d(function () {\n\t\treturn 'Symbol (' + validateSymbol(this).__description__ + ')';\n\t}),\n\tvalueOf: d(function () {\n\t\treturn validateSymbol(this);\n\t})\n});\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toPrimitive, d('', function () {\n\tvar symbol = validateSymbol(this);\n\tif (typeof symbol === 'symbol') return symbol;\n\treturn symbol.toString();\n}));\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toStringTag, d('c', 'Symbol'));\n\n// Proper implementaton of toPrimitive and toStringTag for returned symbol instances\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toStringTag, d('c', SymbolPolyfill.prototype[SymbolPolyfill.toStringTag]));\n\n// Note: It's important to define `toPrimitive` as last one, as some implementations\n// implement `toPrimitive` natively without implementing `toStringTag` (or other specified symbols)\n// And that may invoke error in definition flow:\n// See: https://github.com/medikoo/es6-symbol/issues/13#issuecomment-164146149\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toPrimitive, d('c', SymbolPolyfill.prototype[SymbolPolyfill.toPrimitive]));\n\n/***/ }),\n\n/***/ 930:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar assign = __webpack_require__(931),\n normalizeOpts = __webpack_require__(939),\n isCallable = __webpack_require__(940),\n contains = __webpack_require__(941),\n d;\n\nd = module.exports = function (dscr, value /*, options*/) {\n\tvar c, e, w, options, desc;\n\tif (arguments.length < 2 || typeof dscr !== 'string') {\n\t\toptions = value;\n\t\tvalue = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[2];\n\t}\n\tif (dscr == null) {\n\t\tc = w = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t\tw = contains.call(dscr, 'w');\n\t}\n\n\tdesc = { value: value, configurable: c, enumerable: e, writable: w };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\nd.gs = function (dscr, get, set /*, options*/) {\n\tvar c, e, options, desc;\n\tif (typeof dscr !== 'string') {\n\t\toptions = set;\n\t\tset = get;\n\t\tget = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[3];\n\t}\n\tif (get == null) {\n\t\tget = undefined;\n\t} else if (!isCallable(get)) {\n\t\toptions = get;\n\t\tget = set = undefined;\n\t} else if (set == null) {\n\t\tset = undefined;\n\t} else if (!isCallable(set)) {\n\t\toptions = set;\n\t\tset = undefined;\n\t}\n\tif (dscr == null) {\n\t\tc = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t}\n\n\tdesc = { get: get, set: set, configurable: c, enumerable: e };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\n/***/ }),\n\n/***/ 931:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(932)() ? Object.assign : __webpack_require__(933);\n\n/***/ }),\n\n/***/ 932:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = function () {\n\tvar assign = Object.assign,\n\t obj;\n\tif (typeof assign !== \"function\") return false;\n\tobj = { foo: \"raz\" };\n\tassign(obj, { bar: \"dwa\" }, { trzy: \"trzy\" });\n\treturn obj.foo + obj.bar + obj.trzy === \"razdwatrzy\";\n};\n\n/***/ }),\n\n/***/ 933:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar keys = __webpack_require__(934),\n value = __webpack_require__(938),\n max = Math.max;\n\nmodule.exports = function (dest, src /*, …srcn*/) {\n\tvar error,\n\t i,\n\t length = max(arguments.length, 2),\n\t assign;\n\tdest = Object(value(dest));\n\tassign = function (key) {\n\t\ttry {\n\t\t\tdest[key] = src[key];\n\t\t} catch (e) {\n\t\t\tif (!error) error = e;\n\t\t}\n\t};\n\tfor (i = 1; i < length; ++i) {\n\t\tsrc = arguments[i];\n\t\tkeys(src).forEach(assign);\n\t}\n\tif (error !== undefined) throw error;\n\treturn dest;\n};\n\n/***/ }),\n\n/***/ 934:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(935)() ? Object.keys : __webpack_require__(936);\n\n/***/ }),\n\n/***/ 935:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = function () {\n\ttry {\n\t\tObject.keys(\"primitive\");\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\n/***/ }),\n\n/***/ 936:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isValue = __webpack_require__(891);\n\nvar keys = Object.keys;\n\nmodule.exports = function (object) {\n\treturn keys(isValue(object) ? Object(object) : object);\n};\n\n/***/ }),\n\n/***/ 937:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n// eslint-disable-next-line no-empty-function\n\nmodule.exports = function () {};\n\n/***/ }),\n\n/***/ 938:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isValue = __webpack_require__(891);\n\nmodule.exports = function (value) {\n\tif (!isValue(value)) throw new TypeError(\"Cannot use null or undefined\");\n\treturn value;\n};\n\n/***/ }),\n\n/***/ 939:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isValue = __webpack_require__(891);\n\nvar forEach = Array.prototype.forEach,\n create = Object.create;\n\nvar process = function (src, obj) {\n\tvar key;\n\tfor (key in src) obj[key] = src[key];\n};\n\n// eslint-disable-next-line no-unused-vars\nmodule.exports = function (opts1 /*, …options*/) {\n\tvar result = create(null);\n\tforEach.call(arguments, function (options) {\n\t\tif (!isValue(options)) return;\n\t\tprocess(Object(options), result);\n\t});\n\treturn result;\n};\n\n/***/ }),\n\n/***/ 940:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n// Deprecated\n\n\n\nmodule.exports = function (obj) {\n return typeof obj === \"function\";\n};\n\n/***/ }),\n\n/***/ 941:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(942)() ? String.prototype.contains : __webpack_require__(943);\n\n/***/ }),\n\n/***/ 942:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar str = \"razdwatrzy\";\n\nmodule.exports = function () {\n\tif (typeof str.contains !== \"function\") return false;\n\treturn str.contains(\"dwa\") === true && str.contains(\"foo\") === false;\n};\n\n/***/ }),\n\n/***/ 943:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar indexOf = String.prototype.indexOf;\n\nmodule.exports = function (searchString /*, position*/) {\n\treturn indexOf.call(this, searchString, arguments[1]) > -1;\n};\n\n/***/ }),\n\n/***/ 944:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar isSymbol = __webpack_require__(945);\n\nmodule.exports = function (value) {\n\tif (!isSymbol(value)) throw new TypeError(value + \" is not a symbol\");\n\treturn value;\n};\n\n/***/ }),\n\n/***/ 945:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = function (x) {\n\tif (!x) return false;\n\tif (typeof x === 'symbol') return true;\n\tif (!x.constructor) return false;\n\tif (x.constructor.name !== 'Symbol') return false;\n\treturn x[x.constructor.toStringTag] === 'Symbol';\n};\n\n/***/ }),\n\n/***/ 946:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(883);\nvar ES = __webpack_require__(901);\n\nvar implementation = __webpack_require__(909);\nvar getPolyfill = __webpack_require__(910);\nvar polyfill = getPolyfill();\nvar shim = __webpack_require__(958);\n\nvar slice = Array.prototype.slice;\n\n/* eslint-disable no-unused-vars */\nvar boundIncludesShim = function includes(array, searchElement) {\n\t/* eslint-enable no-unused-vars */\n\tES.RequireObjectCoercible(array);\n\treturn polyfill.apply(array, slice.call(arguments, 1));\n};\ndefine(boundIncludesShim, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = boundIncludesShim;\n\n/***/ }),\n\n/***/ 947:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n// modified from https://github.com/es-shims/es5-shim\n\nvar has = Object.prototype.hasOwnProperty;\nvar toStr = Object.prototype.toString;\nvar slice = Array.prototype.slice;\nvar isArgs = __webpack_require__(948);\nvar isEnumerable = Object.prototype.propertyIsEnumerable;\nvar hasDontEnumBug = !isEnumerable.call({ toString: null }, 'toString');\nvar hasProtoEnumBug = isEnumerable.call(function () {}, 'prototype');\nvar dontEnums = ['toString', 'toLocaleString', 'valueOf', 'hasOwnProperty', 'isPrototypeOf', 'propertyIsEnumerable', 'constructor'];\nvar equalsConstructorPrototype = function (o) {\n\tvar ctor = o.constructor;\n\treturn ctor && ctor.prototype === o;\n};\nvar excludedKeys = {\n\t$console: true,\n\t$external: true,\n\t$frame: true,\n\t$frameElement: true,\n\t$frames: true,\n\t$innerHeight: true,\n\t$innerWidth: true,\n\t$outerHeight: true,\n\t$outerWidth: true,\n\t$pageXOffset: true,\n\t$pageYOffset: true,\n\t$parent: true,\n\t$scrollLeft: true,\n\t$scrollTop: true,\n\t$scrollX: true,\n\t$scrollY: true,\n\t$self: true,\n\t$webkitIndexedDB: true,\n\t$webkitStorageInfo: true,\n\t$window: true\n};\nvar hasAutomationEqualityBug = function () {\n\t/* global window */\n\tif (typeof window === 'undefined') {\n\t\treturn false;\n\t}\n\tfor (var k in window) {\n\t\ttry {\n\t\t\tif (!excludedKeys['$' + k] && has.call(window, k) && window[k] !== null && typeof window[k] === 'object') {\n\t\t\t\ttry {\n\t\t\t\t\tequalsConstructorPrototype(window[k]);\n\t\t\t\t} catch (e) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\t\t} catch (e) {\n\t\t\treturn true;\n\t\t}\n\t}\n\treturn false;\n}();\nvar equalsConstructorPrototypeIfNotBuggy = function (o) {\n\t/* global window */\n\tif (typeof window === 'undefined' || !hasAutomationEqualityBug) {\n\t\treturn equalsConstructorPrototype(o);\n\t}\n\ttry {\n\t\treturn equalsConstructorPrototype(o);\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar keysShim = function keys(object) {\n\tvar isObject = object !== null && typeof object === 'object';\n\tvar isFunction = toStr.call(object) === '[object Function]';\n\tvar isArguments = isArgs(object);\n\tvar isString = isObject && toStr.call(object) === '[object String]';\n\tvar theKeys = [];\n\n\tif (!isObject && !isFunction && !isArguments) {\n\t\tthrow new TypeError('Object.keys called on a non-object');\n\t}\n\n\tvar skipProto = hasProtoEnumBug && isFunction;\n\tif (isString && object.length > 0 && !has.call(object, 0)) {\n\t\tfor (var i = 0; i < object.length; ++i) {\n\t\t\ttheKeys.push(String(i));\n\t\t}\n\t}\n\n\tif (isArguments && object.length > 0) {\n\t\tfor (var j = 0; j < object.length; ++j) {\n\t\t\ttheKeys.push(String(j));\n\t\t}\n\t} else {\n\t\tfor (var name in object) {\n\t\t\tif (!(skipProto && name === 'prototype') && has.call(object, name)) {\n\t\t\t\ttheKeys.push(String(name));\n\t\t\t}\n\t\t}\n\t}\n\n\tif (hasDontEnumBug) {\n\t\tvar skipConstructor = equalsConstructorPrototypeIfNotBuggy(object);\n\n\t\tfor (var k = 0; k < dontEnums.length; ++k) {\n\t\t\tif (!(skipConstructor && dontEnums[k] === 'constructor') && has.call(object, dontEnums[k])) {\n\t\t\t\ttheKeys.push(dontEnums[k]);\n\t\t\t}\n\t\t}\n\t}\n\treturn theKeys;\n};\n\nkeysShim.shim = function shimObjectKeys() {\n\tif (Object.keys) {\n\t\tvar keysWorksWithArguments = function () {\n\t\t\t// Safari 5.0 bug\n\t\t\treturn (Object.keys(arguments) || '').length === 2;\n\t\t}(1, 2);\n\t\tif (!keysWorksWithArguments) {\n\t\t\tvar originalKeys = Object.keys;\n\t\t\tObject.keys = function keys(object) {\n\t\t\t\tif (isArgs(object)) {\n\t\t\t\t\treturn originalKeys(slice.call(object));\n\t\t\t\t} else {\n\t\t\t\t\treturn originalKeys(object);\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\t} else {\n\t\tObject.keys = keysShim;\n\t}\n\treturn Object.keys || keysShim;\n};\n\nmodule.exports = keysShim;\n\n/***/ }),\n\n/***/ 948:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar toStr = Object.prototype.toString;\n\nmodule.exports = function isArguments(value) {\n\tvar str = toStr.call(value);\n\tvar isArgs = str === '[object Arguments]';\n\tif (!isArgs) {\n\t\tisArgs = str !== '[object Array]' && value !== null && typeof value === 'object' && typeof value.length === 'number' && value.length >= 0 && toStr.call(value.callee) === '[object Function]';\n\t}\n\treturn isArgs;\n};\n\n/***/ }),\n\n/***/ 949:\n/***/ (function(module, exports) {\n\n\nvar hasOwn = Object.prototype.hasOwnProperty;\nvar toString = Object.prototype.toString;\n\nmodule.exports = function forEach(obj, fn, ctx) {\n if (toString.call(fn) !== '[object Function]') {\n throw new TypeError('iterator must be a function');\n }\n var l = obj.length;\n if (l === +l) {\n for (var i = 0; i < l; i++) {\n fn.call(ctx, obj[i], i, obj);\n }\n } else {\n for (var k in obj) {\n if (hasOwn.call(obj, k)) {\n fn.call(ctx, obj[k], k, obj);\n }\n }\n }\n};\n\n/***/ }),\n\n/***/ 950:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\n/* eslint no-invalid-this: 1 */\n\nvar ERROR_MESSAGE = 'Function.prototype.bind called on incompatible ';\nvar slice = Array.prototype.slice;\nvar toStr = Object.prototype.toString;\nvar funcType = '[object Function]';\n\nmodule.exports = function bind(that) {\n var target = this;\n if (typeof target !== 'function' || toStr.call(target) !== funcType) {\n throw new TypeError(ERROR_MESSAGE + target);\n }\n var args = slice.call(arguments, 1);\n\n var bound;\n var binder = function () {\n if (this instanceof bound) {\n var result = target.apply(this, args.concat(slice.call(arguments)));\n if (Object(result) === result) {\n return result;\n }\n return this;\n } else {\n return target.apply(that, args.concat(slice.call(arguments)));\n }\n };\n\n var boundLength = Math.max(0, target.length - args.length);\n var boundArgs = [];\n for (var i = 0; i < boundLength; i++) {\n boundArgs.push('$' + i);\n }\n\n bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder);\n\n if (target.prototype) {\n var Empty = function Empty() {};\n Empty.prototype = target.prototype;\n bound.prototype = new Empty();\n Empty.prototype = null;\n }\n\n return bound;\n};\n\n/***/ }),\n\n/***/ 951:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar isPrimitive = __webpack_require__(903);\nvar isCallable = __webpack_require__(893);\nvar isDate = __webpack_require__(952);\nvar isSymbol = __webpack_require__(953);\n\nvar ordinaryToPrimitive = function OrdinaryToPrimitive(O, hint) {\n\tif (typeof O === 'undefined' || O === null) {\n\t\tthrow new TypeError('Cannot call method on ' + O);\n\t}\n\tif (typeof hint !== 'string' || hint !== 'number' && hint !== 'string') {\n\t\tthrow new TypeError('hint must be \"string\" or \"number\"');\n\t}\n\tvar methodNames = hint === 'string' ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\tvar method, result, i;\n\tfor (i = 0; i < methodNames.length; ++i) {\n\t\tmethod = O[methodNames[i]];\n\t\tif (isCallable(method)) {\n\t\t\tresult = method.call(O);\n\t\t\tif (isPrimitive(result)) {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t}\n\t}\n\tthrow new TypeError('No default value');\n};\n\nvar GetMethod = function GetMethod(O, P) {\n\tvar func = O[P];\n\tif (func !== null && typeof func !== 'undefined') {\n\t\tif (!isCallable(func)) {\n\t\t\tthrow new TypeError(func + ' returned for property ' + P + ' of object ' + O + ' is not a function');\n\t\t}\n\t\treturn func;\n\t}\n};\n\n// http://www.ecma-international.org/ecma-262/6.0/#sec-toprimitive\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\tvar hint = 'default';\n\tif (arguments.length > 1) {\n\t\tif (PreferredType === String) {\n\t\t\thint = 'string';\n\t\t} else if (PreferredType === Number) {\n\t\t\thint = 'number';\n\t\t}\n\t}\n\n\tvar exoticToPrim;\n\tif (hasSymbols) {\n\t\tif (Symbol.toPrimitive) {\n\t\t\texoticToPrim = GetMethod(input, Symbol.toPrimitive);\n\t\t} else if (isSymbol(input)) {\n\t\t\texoticToPrim = Symbol.prototype.valueOf;\n\t\t}\n\t}\n\tif (typeof exoticToPrim !== 'undefined') {\n\t\tvar result = exoticToPrim.call(input, hint);\n\t\tif (isPrimitive(result)) {\n\t\t\treturn result;\n\t\t}\n\t\tthrow new TypeError('unable to convert exotic object to primitive');\n\t}\n\tif (hint === 'default' && (isDate(input) || isSymbol(input))) {\n\t\thint = 'string';\n\t}\n\treturn ordinaryToPrimitive(input, hint === 'default' ? 'number' : hint);\n};\n\n/***/ }),\n\n/***/ 952:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar getDay = Date.prototype.getDay;\nvar tryDateObject = function tryDateObject(value) {\n\ttry {\n\t\tgetDay.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar toStr = Object.prototype.toString;\nvar dateClass = '[object Date]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isDateObject(value) {\n\tif (typeof value !== 'object' || value === null) {\n\t\treturn false;\n\t}\n\treturn hasToStringTag ? tryDateObject(value) : toStr.call(value) === dateClass;\n};\n\n/***/ }),\n\n/***/ 953:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nif (hasSymbols) {\n\tvar symToStr = Symbol.prototype.toString;\n\tvar symStringRegex = /^Symbol\\(.*\\)$/;\n\tvar isSymbolObject = function isSymbolObject(value) {\n\t\tif (typeof value.valueOf() !== 'symbol') {\n\t\t\treturn false;\n\t\t}\n\t\treturn symStringRegex.test(symToStr.call(value));\n\t};\n\tmodule.exports = function isSymbol(value) {\n\t\tif (typeof value === 'symbol') {\n\t\t\treturn true;\n\t\t}\n\t\tif (toStr.call(value) !== '[object Symbol]') {\n\t\t\treturn false;\n\t\t}\n\t\ttry {\n\t\t\treturn isSymbolObject(value);\n\t\t} catch (e) {\n\t\t\treturn false;\n\t\t}\n\t};\n} else {\n\tmodule.exports = function isSymbol(value) {\n\t\t// this environment does not support Symbols.\n\t\treturn false;\n\t};\n}\n\n/***/ }),\n\n/***/ 954:\n/***/ (function(module, exports) {\n\nmodule.exports = function isPrimitive(value) {\n\treturn value === null || typeof value !== 'function' && typeof value !== 'object';\n};\n\n/***/ }),\n\n/***/ 955:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar $isNaN = __webpack_require__(904);\nvar $isFinite = __webpack_require__(905);\n\nvar sign = __webpack_require__(907);\nvar mod = __webpack_require__(908);\n\nvar IsCallable = __webpack_require__(893);\nvar toPrimitive = __webpack_require__(956);\n\nvar has = __webpack_require__(888);\n\n// https://es5.github.io/#x9\nvar ES5 = {\n\tToPrimitive: toPrimitive,\n\n\tToBoolean: function ToBoolean(value) {\n\t\treturn !!value;\n\t},\n\tToNumber: function ToNumber(value) {\n\t\treturn Number(value);\n\t},\n\tToInteger: function ToInteger(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number)) {\n\t\t\treturn 0;\n\t\t}\n\t\tif (number === 0 || !$isFinite(number)) {\n\t\t\treturn number;\n\t\t}\n\t\treturn sign(number) * Math.floor(Math.abs(number));\n\t},\n\tToInt32: function ToInt32(x) {\n\t\treturn this.ToNumber(x) >> 0;\n\t},\n\tToUint32: function ToUint32(x) {\n\t\treturn this.ToNumber(x) >>> 0;\n\t},\n\tToUint16: function ToUint16(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) {\n\t\t\treturn 0;\n\t\t}\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x10000);\n\t},\n\tToString: function ToString(value) {\n\t\treturn String(value);\n\t},\n\tToObject: function ToObject(value) {\n\t\tthis.CheckObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\tCheckObjectCoercible: function CheckObjectCoercible(value, optMessage) {\n\t\t/* jshint eqnull:true */\n\t\tif (value == null) {\n\t\t\tthrow new TypeError(optMessage || 'Cannot call method on ' + value);\n\t\t}\n\t\treturn value;\n\t},\n\tIsCallable: IsCallable,\n\tSameValue: function SameValue(x, y) {\n\t\tif (x === y) {\n\t\t\t// 0 === -0, but they are not identical.\n\t\t\tif (x === 0) {\n\t\t\t\treturn 1 / x === 1 / y;\n\t\t\t}\n\t\t\treturn true;\n\t\t}\n\t\treturn $isNaN(x) && $isNaN(y);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/5.1/#sec-8\n\tType: function Type(x) {\n\t\tif (x === null) {\n\t\t\treturn 'Null';\n\t\t}\n\t\tif (typeof x === 'undefined') {\n\t\t\treturn 'Undefined';\n\t\t}\n\t\tif (typeof x === 'function' || typeof x === 'object') {\n\t\t\treturn 'Object';\n\t\t}\n\t\tif (typeof x === 'number') {\n\t\t\treturn 'Number';\n\t\t}\n\t\tif (typeof x === 'boolean') {\n\t\t\treturn 'Boolean';\n\t\t}\n\t\tif (typeof x === 'string') {\n\t\t\treturn 'String';\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-property-descriptor-specification-type\n\tIsPropertyDescriptor: function IsPropertyDescriptor(Desc) {\n\t\tif (this.Type(Desc) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tvar allowed = {\n\t\t\t'[[Configurable]]': true,\n\t\t\t'[[Enumerable]]': true,\n\t\t\t'[[Get]]': true,\n\t\t\t'[[Set]]': true,\n\t\t\t'[[Value]]': true,\n\t\t\t'[[Writable]]': true\n\t\t};\n\t\t// jscs:disable\n\t\tfor (var key in Desc) {\n\t\t\t// eslint-disable-line\n\t\t\tif (has(Desc, key) && !allowed[key]) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t// jscs:enable\n\t\tvar isData = has(Desc, '[[Value]]');\n\t\tvar IsAccessor = has(Desc, '[[Get]]') || has(Desc, '[[Set]]');\n\t\tif (isData && IsAccessor) {\n\t\t\tthrow new TypeError('Property Descriptors may not be both accessor and data descriptors');\n\t\t}\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.1\n\tIsAccessorDescriptor: function IsAccessorDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Get]]') && !has(Desc, '[[Set]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.2\n\tIsDataDescriptor: function IsDataDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Value]]') && !has(Desc, '[[Writable]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.3\n\tIsGenericDescriptor: function IsGenericDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!this.IsAccessorDescriptor(Desc) && !this.IsDataDescriptor(Desc)) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.4\n\tFromPropertyDescriptor: function FromPropertyDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn Desc;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsDataDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tvalue: Desc['[[Value]]'],\n\t\t\t\twritable: !!Desc['[[Writable]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else if (this.IsAccessorDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tget: Desc['[[Get]]'],\n\t\t\t\tset: Desc['[[Set]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else {\n\t\t\tthrow new TypeError('FromPropertyDescriptor must be called with a fully populated Property Descriptor');\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.5\n\tToPropertyDescriptor: function ToPropertyDescriptor(Obj) {\n\t\tif (this.Type(Obj) !== 'Object') {\n\t\t\tthrow new TypeError('ToPropertyDescriptor requires an object');\n\t\t}\n\n\t\tvar desc = {};\n\t\tif (has(Obj, 'enumerable')) {\n\t\t\tdesc['[[Enumerable]]'] = this.ToBoolean(Obj.enumerable);\n\t\t}\n\t\tif (has(Obj, 'configurable')) {\n\t\t\tdesc['[[Configurable]]'] = this.ToBoolean(Obj.configurable);\n\t\t}\n\t\tif (has(Obj, 'value')) {\n\t\t\tdesc['[[Value]]'] = Obj.value;\n\t\t}\n\t\tif (has(Obj, 'writable')) {\n\t\t\tdesc['[[Writable]]'] = this.ToBoolean(Obj.writable);\n\t\t}\n\t\tif (has(Obj, 'get')) {\n\t\t\tvar getter = Obj.get;\n\t\t\tif (typeof getter !== 'undefined' && !this.IsCallable(getter)) {\n\t\t\t\tthrow new TypeError('getter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Get]]'] = getter;\n\t\t}\n\t\tif (has(Obj, 'set')) {\n\t\t\tvar setter = Obj.set;\n\t\t\tif (typeof setter !== 'undefined' && !this.IsCallable(setter)) {\n\t\t\t\tthrow new TypeError('setter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Set]]'] = setter;\n\t\t}\n\n\t\tif ((has(desc, '[[Get]]') || has(desc, '[[Set]]')) && (has(desc, '[[Value]]') || has(desc, '[[Writable]]'))) {\n\t\t\tthrow new TypeError('Invalid property descriptor. Cannot both specify accessors and a value or writable attribute');\n\t\t}\n\t\treturn desc;\n\t}\n};\n\nmodule.exports = ES5;\n\n/***/ }),\n\n/***/ 956:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar toStr = Object.prototype.toString;\n\nvar isPrimitive = __webpack_require__(903);\n\nvar isCallable = __webpack_require__(893);\n\n// https://es5.github.io/#x8.12\nvar ES5internalSlots = {\n\t'[[DefaultValue]]': function (O, hint) {\n\t\tvar actualHint = hint || (toStr.call(O) === '[object Date]' ? String : Number);\n\n\t\tif (actualHint === String || actualHint === Number) {\n\t\t\tvar methods = actualHint === String ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\t\t\tvar value, i;\n\t\t\tfor (i = 0; i < methods.length; ++i) {\n\t\t\t\tif (isCallable(O[methods[i]])) {\n\t\t\t\t\tvalue = O[methods[i]]();\n\t\t\t\t\tif (isPrimitive(value)) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\tthrow new TypeError('No default value');\n\t\t}\n\t\tthrow new TypeError('invalid [[DefaultValue]] hint supplied');\n\t}\n};\n\n// https://es5.github.io/#x9\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\treturn ES5internalSlots['[[DefaultValue]]'](input, PreferredType);\n};\n\n/***/ }),\n\n/***/ 957:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar has = __webpack_require__(888);\nvar regexExec = RegExp.prototype.exec;\nvar gOPD = Object.getOwnPropertyDescriptor;\n\nvar tryRegexExecCall = function tryRegexExec(value) {\n\ttry {\n\t\tvar lastIndex = value.lastIndex;\n\t\tvalue.lastIndex = 0;\n\n\t\tregexExec.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t} finally {\n\t\tvalue.lastIndex = lastIndex;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar regexClass = '[object RegExp]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isRegex(value) {\n\tif (!value || typeof value !== 'object') {\n\t\treturn false;\n\t}\n\tif (!hasToStringTag) {\n\t\treturn toStr.call(value) === regexClass;\n\t}\n\n\tvar descriptor = gOPD(value, 'lastIndex');\n\tvar hasLastIndexDataProperty = descriptor && has(descriptor, 'value');\n\tif (!hasLastIndexDataProperty) {\n\t\treturn false;\n\t}\n\n\treturn tryRegexExecCall(value);\n};\n\n/***/ }),\n\n/***/ 958:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(883);\nvar getPolyfill = __webpack_require__(910);\n\nmodule.exports = function shimArrayPrototypeIncludes() {\n\tvar polyfill = getPolyfill();\n\tdefine(Array.prototype, { includes: polyfill }, { includes: function () {\n\t\t\treturn Array.prototype.includes !== polyfill;\n\t\t} });\n\treturn polyfill;\n};\n\n/***/ }),\n\n/***/ 959:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(883);\n\nvar implementation = __webpack_require__(911);\nvar getPolyfill = __webpack_require__(912);\nvar shim = __webpack_require__(962);\n\nvar polyfill = getPolyfill();\n\ndefine(polyfill, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = polyfill;\n\n/***/ }),\n\n/***/ 960:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nmodule.exports = __webpack_require__(961);\n\n/***/ }),\n\n/***/ 961:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar ES2015 = __webpack_require__(902);\nvar assign = __webpack_require__(906);\n\nvar ES2016 = assign(assign({}, ES2015), {\n\t// https://github.com/tc39/ecma262/pull/60\n\tSameValueNonNumber: function SameValueNonNumber(x, y) {\n\t\tif (typeof x === 'number' || typeof x !== typeof y) {\n\t\t\tthrow new TypeError('SameValueNonNumber requires two non-number values of the same type.');\n\t\t}\n\t\treturn this.SameValue(x, y);\n\t}\n});\n\nmodule.exports = ES2016;\n\n/***/ }),\n\n/***/ 962:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar getPolyfill = __webpack_require__(912);\nvar define = __webpack_require__(883);\n\nmodule.exports = function shimValues() {\n\tvar polyfill = getPolyfill();\n\tdefine(Object, { values: polyfill }, {\n\t\tvalues: function testValues() {\n\t\t\treturn Object.values !== polyfill;\n\t\t}\n\t});\n\treturn polyfill;\n};\n\n/***/ }),\n\n/***/ 963:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(883);\n\nvar implementation = __webpack_require__(913);\nvar getPolyfill = __webpack_require__(914);\nvar shim = __webpack_require__(964);\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\ndefine(implementation, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = implementation;\n\n/***/ }),\n\n/***/ 964:\n/***/ (function(module, exports, __webpack_require__) {\n\n\"use strict\";\n\n\nvar define = __webpack_require__(883);\nvar getPolyfill = __webpack_require__(914);\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function shimNumberIsNaN() {\n\tvar polyfill = getPolyfill();\n\tdefine(Number, { isNaN: polyfill }, { isNaN: function () {\n\t\t\treturn Number.isNaN !== polyfill;\n\t\t} });\n\treturn polyfill;\n};\n\n/***/ })\n\n});\n\n\n// WEBPACK FOOTER //\n// base_polyfills.js","import 'intl';\nimport 'intl/locale-data/jsonp/en';\nimport 'es6-symbol/implement';\nimport includes from 'array-includes';\nimport assign from 'object-assign';\nimport values from 'object.values';\nimport isNaN from 'is-nan';\nimport { decode as decodeBase64 } from './utils/base64';\n\nif (!Array.prototype.includes) {\n includes.shim();\n}\n\nif (!Object.assign) {\n Object.assign = assign;\n}\n\nif (!Object.values) {\n values.shim();\n}\n\nif (!Number.isNaN) {\n Number.isNaN = isNaN;\n}\n\nif (!HTMLCanvasElement.prototype.toBlob) {\n const BASE64_MARKER = ';base64,';\n\n Object.defineProperty(HTMLCanvasElement.prototype, 'toBlob', {\n value(callback, type = 'image/png', quality) {\n const dataURL = this.toDataURL(type, quality);\n let data;\n\n if (dataURL.indexOf(BASE64_MARKER) >= 0) {\n const [, base64] = dataURL.split(BASE64_MARKER);\n data = decodeBase64(base64);\n } else {\n [, data] = dataURL.split(',');\n }\n\n callback(new Blob([data], { type }));\n },\n });\n}\n\n\n\n// WEBPACK FOOTER //\n// ./app/javascript/mastodon/base_polyfills.js","'use strict';\n\nvar keys = require('object-keys');\nvar foreach = require('foreach');\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nvar toStr = Object.prototype.toString;\n\nvar isFunction = function (fn) {\n\treturn typeof fn === 'function' && toStr.call(fn) === '[object Function]';\n};\n\nvar arePropertyDescriptorsSupported = function () {\n\tvar obj = {};\n\ttry {\n\t\tObject.defineProperty(obj, 'x', { enumerable: false, value: obj });\n /* eslint-disable no-unused-vars, no-restricted-syntax */\n for (var _ in obj) { return false; }\n /* eslint-enable no-unused-vars, no-restricted-syntax */\n\t\treturn obj.x === obj;\n\t} catch (e) { /* this is IE 8. */\n\t\treturn false;\n\t}\n};\nvar supportsDescriptors = Object.defineProperty && arePropertyDescriptorsSupported();\n\nvar defineProperty = function (object, name, value, predicate) {\n\tif (name in object && (!isFunction(predicate) || !predicate())) {\n\t\treturn;\n\t}\n\tif (supportsDescriptors) {\n\t\tObject.defineProperty(object, name, {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: false,\n\t\t\tvalue: value,\n\t\t\twritable: true\n\t\t});\n\t} else {\n\t\tobject[name] = value;\n\t}\n};\n\nvar defineProperties = function (object, map) {\n\tvar predicates = arguments.length > 2 ? arguments[2] : {};\n\tvar props = keys(map);\n\tif (hasSymbols) {\n\t\tprops = props.concat(Object.getOwnPropertySymbols(map));\n\t}\n\tforeach(props, function (name) {\n\t\tdefineProperty(object, name, map[name], predicates[name]);\n\t});\n};\n\ndefineProperties.supportsDescriptors = !!supportsDescriptors;\n\nmodule.exports = defineProperties;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/define-properties/index.js","var bind = require('function-bind');\n\nmodule.exports = bind.call(Function.call, Object.prototype.hasOwnProperty);\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/has/src/index.js","\"use strict\";\n\nvar _undefined = require(\"../function/noop\")(); // Support ES3 engines\n\nmodule.exports = function (val) {\n return (val !== _undefined) && (val !== null);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/is-value.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = Function.prototype.bind || implementation;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/function-bind/index.js","'use strict';\n\nvar fnToStr = Function.prototype.toString;\n\nvar constructorRegex = /^\\s*class /;\nvar isES6ClassFn = function isES6ClassFn(value) {\n\ttry {\n\t\tvar fnStr = fnToStr.call(value);\n\t\tvar singleStripped = fnStr.replace(/\\/\\/.*\\n/g, '');\n\t\tvar multiStripped = singleStripped.replace(/\\/\\*[.\\s\\S]*\\*\\//g, '');\n\t\tvar spaceStripped = multiStripped.replace(/\\n/mg, ' ').replace(/ {2}/g, ' ');\n\t\treturn constructorRegex.test(spaceStripped);\n\t} catch (e) {\n\t\treturn false; // not a function\n\t}\n};\n\nvar tryFunctionObject = function tryFunctionObject(value) {\n\ttry {\n\t\tif (isES6ClassFn(value)) { return false; }\n\t\tfnToStr.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar fnClass = '[object Function]';\nvar genClass = '[object GeneratorFunction]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isCallable(value) {\n\tif (!value) { return false; }\n\tif (typeof value !== 'function' && typeof value !== 'object') { return false; }\n\tif (hasToStringTag) { return tryFunctionObject(value); }\n\tif (isES6ClassFn(value)) { return false; }\n\tvar strClass = toStr.call(value);\n\treturn strClass === fnClass || strClass === genClass;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-callable/index.js","'use strict';\n\nmodule.exports = require('./es2015');\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es6.js","'use strict';\n\nvar has = require('has');\nvar toPrimitive = require('es-to-primitive/es6');\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar $isNaN = require('./helpers/isNaN');\nvar $isFinite = require('./helpers/isFinite');\nvar MAX_SAFE_INTEGER = Number.MAX_SAFE_INTEGER || Math.pow(2, 53) - 1;\n\nvar assign = require('./helpers/assign');\nvar sign = require('./helpers/sign');\nvar mod = require('./helpers/mod');\nvar isPrimitive = require('./helpers/isPrimitive');\nvar parseInteger = parseInt;\nvar bind = require('function-bind');\nvar arraySlice = bind.call(Function.call, Array.prototype.slice);\nvar strSlice = bind.call(Function.call, String.prototype.slice);\nvar isBinary = bind.call(Function.call, RegExp.prototype.test, /^0b[01]+$/i);\nvar isOctal = bind.call(Function.call, RegExp.prototype.test, /^0o[0-7]+$/i);\nvar regexExec = bind.call(Function.call, RegExp.prototype.exec);\nvar nonWS = ['\\u0085', '\\u200b', '\\ufffe'].join('');\nvar nonWSregex = new RegExp('[' + nonWS + ']', 'g');\nvar hasNonWS = bind.call(Function.call, RegExp.prototype.test, nonWSregex);\nvar invalidHexLiteral = /^[-+]0x[0-9a-f]+$/i;\nvar isInvalidHexLiteral = bind.call(Function.call, RegExp.prototype.test, invalidHexLiteral);\n\n// whitespace from: http://es5.github.io/#x15.5.4.20\n// implementation from https://github.com/es-shims/es5-shim/blob/v3.4.0/es5-shim.js#L1304-L1324\nvar ws = [\n\t'\\x09\\x0A\\x0B\\x0C\\x0D\\x20\\xA0\\u1680\\u180E\\u2000\\u2001\\u2002\\u2003',\n\t'\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200A\\u202F\\u205F\\u3000\\u2028',\n\t'\\u2029\\uFEFF'\n].join('');\nvar trimRegex = new RegExp('(^[' + ws + ']+)|([' + ws + ']+$)', 'g');\nvar replace = bind.call(Function.call, String.prototype.replace);\nvar trim = function (value) {\n\treturn replace(value, trimRegex, '');\n};\n\nvar ES5 = require('./es5');\n\nvar hasRegExpMatcher = require('is-regex');\n\n// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-abstract-operations\nvar ES6 = assign(assign({}, ES5), {\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-call-f-v-args\n\tCall: function Call(F, V) {\n\t\tvar args = arguments.length > 2 ? arguments[2] : [];\n\t\tif (!this.IsCallable(F)) {\n\t\t\tthrow new TypeError(F + ' is not a function');\n\t\t}\n\t\treturn F.apply(V, args);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toprimitive\n\tToPrimitive: toPrimitive,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toboolean\n\t// ToBoolean: ES5.ToBoolean,\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-tonumber\n\tToNumber: function ToNumber(argument) {\n\t\tvar value = isPrimitive(argument) ? argument : toPrimitive(argument, Number);\n\t\tif (typeof value === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a number');\n\t\t}\n\t\tif (typeof value === 'string') {\n\t\t\tif (isBinary(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 2));\n\t\t\t} else if (isOctal(value)) {\n\t\t\t\treturn this.ToNumber(parseInteger(strSlice(value, 2), 8));\n\t\t\t} else if (hasNonWS(value) || isInvalidHexLiteral(value)) {\n\t\t\t\treturn NaN;\n\t\t\t} else {\n\t\t\t\tvar trimmed = trim(value);\n\t\t\t\tif (trimmed !== value) {\n\t\t\t\t\treturn this.ToNumber(trimmed);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\treturn Number(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tointeger\n\t// ToInteger: ES5.ToNumber,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint32\n\t// ToInt32: ES5.ToInt32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint32\n\t// ToUint32: ES5.ToUint32,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint16\n\tToInt16: function ToInt16(argument) {\n\t\tvar int16bit = this.ToUint16(argument);\n\t\treturn int16bit >= 0x8000 ? int16bit - 0x10000 : int16bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint16\n\t// ToUint16: ES5.ToUint16,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toint8\n\tToInt8: function ToInt8(argument) {\n\t\tvar int8bit = this.ToUint8(argument);\n\t\treturn int8bit >= 0x80 ? int8bit - 0x100 : int8bit;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8\n\tToUint8: function ToUint8(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) { return 0; }\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x100);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-touint8clamp\n\tToUint8Clamp: function ToUint8Clamp(argument) {\n\t\tvar number = this.ToNumber(argument);\n\t\tif ($isNaN(number) || number <= 0) { return 0; }\n\t\tif (number >= 0xFF) { return 0xFF; }\n\t\tvar f = Math.floor(argument);\n\t\tif (f + 0.5 < number) { return f + 1; }\n\t\tif (number < f + 0.5) { return f; }\n\t\tif (f % 2 !== 0) { return f + 1; }\n\t\treturn f;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tostring\n\tToString: function ToString(argument) {\n\t\tif (typeof argument === 'symbol') {\n\t\t\tthrow new TypeError('Cannot convert a Symbol value to a string');\n\t\t}\n\t\treturn String(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-toobject\n\tToObject: function ToObject(value) {\n\t\tthis.RequireObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-topropertykey\n\tToPropertyKey: function ToPropertyKey(argument) {\n\t\tvar key = this.ToPrimitive(argument, String);\n\t\treturn typeof key === 'symbol' ? key : this.ToString(key);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-tolength\n\tToLength: function ToLength(argument) {\n\t\tvar len = this.ToInteger(argument);\n\t\tif (len <= 0) { return 0; } // includes converting -0 to +0\n\t\tif (len > MAX_SAFE_INTEGER) { return MAX_SAFE_INTEGER; }\n\t\treturn len;\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-canonicalnumericindexstring\n\tCanonicalNumericIndexString: function CanonicalNumericIndexString(argument) {\n\t\tif (toStr.call(argument) !== '[object String]') {\n\t\t\tthrow new TypeError('must be a string');\n\t\t}\n\t\tif (argument === '-0') { return -0; }\n\t\tvar n = this.ToNumber(argument);\n\t\tif (this.SameValue(this.ToString(n), argument)) { return n; }\n\t\treturn void 0;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-requireobjectcoercible\n\tRequireObjectCoercible: ES5.CheckObjectCoercible,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isarray\n\tIsArray: Array.isArray || function IsArray(argument) {\n\t\treturn toStr.call(argument) === '[object Array]';\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-iscallable\n\t// IsCallable: ES5.IsCallable,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isconstructor\n\tIsConstructor: function IsConstructor(argument) {\n\t\treturn typeof argument === 'function' && !!argument.prototype; // unfortunately there's no way to truly check this without try/catch `new argument`\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isextensible-o\n\tIsExtensible: function IsExtensible(obj) {\n\t\tif (!Object.preventExtensions) { return true; }\n\t\tif (isPrimitive(obj)) {\n\t\t\treturn false;\n\t\t}\n\t\treturn Object.isExtensible(obj);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-isinteger\n\tIsInteger: function IsInteger(argument) {\n\t\tif (typeof argument !== 'number' || $isNaN(argument) || !$isFinite(argument)) {\n\t\t\treturn false;\n\t\t}\n\t\tvar abs = Math.abs(argument);\n\t\treturn Math.floor(abs) === abs;\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-ispropertykey\n\tIsPropertyKey: function IsPropertyKey(argument) {\n\t\treturn typeof argument === 'string' || typeof argument === 'symbol';\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-isregexp\n\tIsRegExp: function IsRegExp(argument) {\n\t\tif (!argument || typeof argument !== 'object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols) {\n\t\t\tvar isRegExp = argument[Symbol.match];\n\t\t\tif (typeof isRegExp !== 'undefined') {\n\t\t\t\treturn ES5.ToBoolean(isRegExp);\n\t\t\t}\n\t\t}\n\t\treturn hasRegExpMatcher(argument);\n\t},\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevalue\n\t// SameValue: ES5.SameValue,\n\n\t// https://people.mozilla.org/~jorendorff/es6-draft.html#sec-samevaluezero\n\tSameValueZero: function SameValueZero(x, y) {\n\t\treturn (x === y) || ($isNaN(x) && $isNaN(y));\n\t},\n\n\t/**\n\t * 7.3.2 GetV (V, P)\n\t * 1. Assert: IsPropertyKey(P) is true.\n\t * 2. Let O be ToObject(V).\n\t * 3. ReturnIfAbrupt(O).\n\t * 4. Return O.[[Get]](P, V).\n\t */\n\tGetV: function GetV(V, P) {\n\t\t// 7.3.2.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.2.2-3\n\t\tvar O = this.ToObject(V);\n\n\t\t// 7.3.2.4\n\t\treturn O[P];\n\t},\n\n\t/**\n\t * 7.3.9 - http://www.ecma-international.org/ecma-262/6.0/#sec-getmethod\n\t * 1. Assert: IsPropertyKey(P) is true.\n\t * 2. Let func be GetV(O, P).\n\t * 3. ReturnIfAbrupt(func).\n\t * 4. If func is either undefined or null, return undefined.\n\t * 5. If IsCallable(func) is false, throw a TypeError exception.\n\t * 6. Return func.\n\t */\n\tGetMethod: function GetMethod(O, P) {\n\t\t// 7.3.9.1\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\n\t\t// 7.3.9.2\n\t\tvar func = this.GetV(O, P);\n\n\t\t// 7.3.9.4\n\t\tif (func == null) {\n\t\t\treturn void 0;\n\t\t}\n\n\t\t// 7.3.9.5\n\t\tif (!this.IsCallable(func)) {\n\t\t\tthrow new TypeError(P + 'is not a function');\n\t\t}\n\n\t\t// 7.3.9.6\n\t\treturn func;\n\t},\n\n\t/**\n\t * 7.3.1 Get (O, P) - http://www.ecma-international.org/ecma-262/6.0/#sec-get-o-p\n\t * 1. Assert: Type(O) is Object.\n\t * 2. Assert: IsPropertyKey(P) is true.\n\t * 3. Return O.[[Get]](P, O).\n\t */\n\tGet: function Get(O, P) {\n\t\t// 7.3.1.1\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\t// 7.3.1.2\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\t// 7.3.1.3\n\t\treturn O[P];\n\t},\n\n\tType: function Type(x) {\n\t\tif (typeof x === 'symbol') {\n\t\t\treturn 'Symbol';\n\t\t}\n\t\treturn ES5.Type(x);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/6.0/#sec-speciesconstructor\n\tSpeciesConstructor: function SpeciesConstructor(O, defaultConstructor) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tvar C = O.constructor;\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.Type(C) !== 'Object') {\n\t\t\tthrow new TypeError('O.constructor is not an Object');\n\t\t}\n\t\tvar S = hasSymbols && Symbol.species ? C[Symbol.species] : void 0;\n\t\tif (S == null) {\n\t\t\treturn defaultConstructor;\n\t\t}\n\t\tif (this.IsConstructor(S)) {\n\t\t\treturn S;\n\t\t}\n\t\tthrow new TypeError('no constructor found');\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-completepropertydescriptor\n\tCompletePropertyDescriptor: function CompletePropertyDescriptor(Desc) {\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsGenericDescriptor(Desc) || this.IsDataDescriptor(Desc)) {\n\t\t\tif (!has(Desc, '[[Value]]')) {\n\t\t\t\tDesc['[[Value]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Writable]]')) {\n\t\t\t\tDesc['[[Writable]]'] = false;\n\t\t\t}\n\t\t} else {\n\t\t\tif (!has(Desc, '[[Get]]')) {\n\t\t\t\tDesc['[[Get]]'] = void 0;\n\t\t\t}\n\t\t\tif (!has(Desc, '[[Set]]')) {\n\t\t\t\tDesc['[[Set]]'] = void 0;\n\t\t\t}\n\t\t}\n\t\tif (!has(Desc, '[[Enumerable]]')) {\n\t\t\tDesc['[[Enumerable]]'] = false;\n\t\t}\n\t\tif (!has(Desc, '[[Configurable]]')) {\n\t\t\tDesc['[[Configurable]]'] = false;\n\t\t}\n\t\treturn Desc;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-set-o-p-v-throw\n\tSet: function Set(O, P, V, Throw) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tif (this.Type(Throw) !== 'Boolean') {\n\t\t\tthrow new TypeError('Throw must be a Boolean');\n\t\t}\n\t\tif (Throw) {\n\t\t\tO[P] = V;\n\t\t\treturn true;\n\t\t} else {\n\t\t\ttry {\n\t\t\t\tO[P] = V;\n\t\t\t} catch (e) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasownproperty\n\tHasOwnProperty: function HasOwnProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn has(O, P);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-hasproperty\n\tHasProperty: function HasProperty(O, P) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('O must be an Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\treturn P in O;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-isconcatspreadable\n\tIsConcatSpreadable: function IsConcatSpreadable(O) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tif (hasSymbols && typeof Symbol.isConcatSpreadable === 'symbol') {\n\t\t\tvar spreadable = this.Get(O, Symbol.isConcatSpreadable);\n\t\t\tif (typeof spreadable !== 'undefined') {\n\t\t\t\treturn this.ToBoolean(spreadable);\n\t\t\t}\n\t\t}\n\t\treturn this.IsArray(O);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-invoke\n\tInvoke: function Invoke(O, P) {\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('P must be a Property Key');\n\t\t}\n\t\tvar argumentsList = arraySlice(arguments, 2);\n\t\tvar func = this.GetV(O, P);\n\t\treturn this.Call(func, O, argumentsList);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createiterresultobject\n\tCreateIterResultObject: function CreateIterResultObject(value, done) {\n\t\tif (this.Type(done) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(done) is not Boolean');\n\t\t}\n\t\treturn {\n\t\t\tvalue: value,\n\t\t\tdone: done\n\t\t};\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-regexpexec\n\tRegExpExec: function RegExpExec(R, S) {\n\t\tif (this.Type(R) !== 'Object') {\n\t\t\tthrow new TypeError('R must be an Object');\n\t\t}\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('S must be a String');\n\t\t}\n\t\tvar exec = this.Get(R, 'exec');\n\t\tif (this.IsCallable(exec)) {\n\t\t\tvar result = this.Call(exec, R, [S]);\n\t\t\tif (result === null || this.Type(result) === 'Object') {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t\tthrow new TypeError('\"exec\" method must return `null` or an Object');\n\t\t}\n\t\treturn regexExec(R, S);\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-arrayspeciescreate\n\tArraySpeciesCreate: function ArraySpeciesCreate(originalArray, length) {\n\t\tif (!this.IsInteger(length) || length < 0) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0');\n\t\t}\n\t\tvar len = length === 0 ? 0 : length;\n\t\tvar C;\n\t\tvar isArray = this.IsArray(originalArray);\n\t\tif (isArray) {\n\t\t\tC = this.Get(originalArray, 'constructor');\n\t\t\t// TODO: figure out how to make a cross-realm normal Array, a same-realm Array\n\t\t\t// if (this.IsConstructor(C)) {\n\t\t\t// \tif C is another realm's Array, C = undefined\n\t\t\t// \tObject.getPrototypeOf(Object.getPrototypeOf(Object.getPrototypeOf(Array))) === null ?\n\t\t\t// }\n\t\t\tif (this.Type(C) === 'Object' && hasSymbols && Symbol.species) {\n\t\t\t\tC = this.Get(C, Symbol.species);\n\t\t\t\tif (C === null) {\n\t\t\t\t\tC = void 0;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t\tif (typeof C === 'undefined') {\n\t\t\treturn Array(len);\n\t\t}\n\t\tif (!this.IsConstructor(C)) {\n\t\t\tthrow new TypeError('C must be a constructor');\n\t\t}\n\t\treturn new C(len); // this.Construct(C, len);\n\t},\n\n\tCreateDataProperty: function CreateDataProperty(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar oldDesc = Object.getOwnPropertyDescriptor(O, P);\n\t\tvar extensible = oldDesc || (typeof Object.isExtensible !== 'function' || Object.isExtensible(O));\n\t\tvar immutable = oldDesc && (!oldDesc.writable || !oldDesc.configurable);\n\t\tif (immutable || !extensible) {\n\t\t\treturn false;\n\t\t}\n\t\tvar newDesc = {\n\t\t\tconfigurable: true,\n\t\t\tenumerable: true,\n\t\t\tvalue: V,\n\t\t\twritable: true\n\t\t};\n\t\tObject.defineProperty(O, P, newDesc);\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-createdatapropertyorthrow\n\tCreateDataPropertyOrThrow: function CreateDataPropertyOrThrow(O, P, V) {\n\t\tif (this.Type(O) !== 'Object') {\n\t\t\tthrow new TypeError('Assertion failed: Type(O) is not Object');\n\t\t}\n\t\tif (!this.IsPropertyKey(P)) {\n\t\t\tthrow new TypeError('Assertion failed: IsPropertyKey(P) is not true');\n\t\t}\n\t\tvar success = this.CreateDataProperty(O, P, V);\n\t\tif (!success) {\n\t\t\tthrow new TypeError('unable to create data property');\n\t\t}\n\t\treturn success;\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-advancestringindex\n\tAdvanceStringIndex: function AdvanceStringIndex(S, index, unicode) {\n\t\tif (this.Type(S) !== 'String') {\n\t\t\tthrow new TypeError('Assertion failed: Type(S) is not String');\n\t\t}\n\t\tif (!this.IsInteger(index)) {\n\t\t\tthrow new TypeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (index < 0 || index > MAX_SAFE_INTEGER) {\n\t\t\tthrow new RangeError('Assertion failed: length must be an integer >= 0 and <= (2**53 - 1)');\n\t\t}\n\t\tif (this.Type(unicode) !== 'Boolean') {\n\t\t\tthrow new TypeError('Assertion failed: Type(unicode) is not Boolean');\n\t\t}\n\t\tif (!unicode) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar length = S.length;\n\t\tif ((index + 1) >= length) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar first = S.charCodeAt(index);\n\t\tif (first < 0xD800 || first > 0xDBFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\tvar second = S.charCodeAt(index + 1);\n\t\tif (second < 0xDC00 || second > 0xDFFF) {\n\t\t\treturn index + 1;\n\t\t}\n\t\treturn index + 2;\n\t}\n});\n\ndelete ES6.CheckObjectCoercible; // renamed in ES6 to RequireObjectCoercible\n\nmodule.exports = ES6;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es2015.js","module.exports = function isPrimitive(value) {\n\treturn value === null || (typeof value !== 'function' && typeof value !== 'object');\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-to-primitive/helpers/isPrimitive.js","module.exports = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/isNaN.js","var $isNaN = Number.isNaN || function (a) { return a !== a; };\n\nmodule.exports = Number.isFinite || function (x) { return typeof x === 'number' && !$isNaN(x) && x !== Infinity && x !== -Infinity; };\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/isFinite.js","var has = Object.prototype.hasOwnProperty;\nmodule.exports = function assign(target, source) {\n\tif (Object.assign) {\n\t\treturn Object.assign(target, source);\n\t}\n\tfor (var key in source) {\n\t\tif (has.call(source, key)) {\n\t\t\ttarget[key] = source[key];\n\t\t}\n\t}\n\treturn target;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/assign.js","module.exports = function sign(number) {\n\treturn number >= 0 ? 1 : -1;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/sign.js","module.exports = function mod(number, modulo) {\n\tvar remain = number % modulo;\n\treturn Math.floor(remain >= 0 ? remain : remain + modulo);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/mod.js","'use strict';\n\nvar ES = require('es-abstract/es6');\nvar $isNaN = Number.isNaN || function isNaN(a) {\n\treturn a !== a;\n};\nvar $isFinite = Number.isFinite || function isFinite(n) {\n\treturn typeof n === 'number' && global.isFinite(n);\n};\nvar indexOf = Array.prototype.indexOf;\n\nmodule.exports = function includes(searchElement) {\n\tvar fromIndex = arguments.length > 1 ? ES.ToInteger(arguments[1]) : 0;\n\tif (indexOf && !$isNaN(searchElement) && $isFinite(fromIndex) && typeof searchElement !== 'undefined') {\n\t\treturn indexOf.apply(this, arguments) > -1;\n\t}\n\n\tvar O = ES.ToObject(this);\n\tvar length = ES.ToLength(O.length);\n\tif (length === 0) {\n\t\treturn false;\n\t}\n\tvar k = fromIndex >= 0 ? fromIndex : Math.max(0, length + fromIndex);\n\twhile (k < length) {\n\t\tif (ES.SameValueZero(searchElement, O[k])) {\n\t\t\treturn true;\n\t\t}\n\t\tk += 1;\n\t}\n\treturn false;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/implementation.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = function getPolyfill() {\n\treturn Array.prototype.includes || implementation;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/polyfill.js","'use strict';\n\nvar ES = require('es-abstract/es7');\nvar has = require('has');\nvar bind = require('function-bind');\nvar isEnumerable = bind.call(Function.call, Object.prototype.propertyIsEnumerable);\n\nmodule.exports = function values(O) {\n\tvar obj = ES.RequireObjectCoercible(O);\n\tvar vals = [];\n\tfor (var key in obj) {\n\t\tif (has(obj, key) && isEnumerable(obj, key)) {\n\t\t\tvals.push(obj[key]);\n\t\t}\n\t}\n\treturn vals;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/implementation.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = function getPolyfill() {\n\treturn typeof Object.values === 'function' ? Object.values : implementation;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/polyfill.js","'use strict';\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function isNaN(value) {\n\treturn value !== value;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/implementation.js","'use strict';\n\nvar implementation = require('./implementation');\n\nmodule.exports = function getPolyfill() {\n\tif (Number.isNaN && Number.isNaN(NaN) && !Number.isNaN('a')) {\n\t\treturn Number.isNaN;\n\t}\n\treturn implementation;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/polyfill.js","// Expose `IntlPolyfill` as global to add locale data into runtime later on.\nglobal.IntlPolyfill = require('./lib/core.js');\n\n// Require all locale data for `Intl`. This module will be\n// ignored when bundling for the browser with Browserify/Webpack.\nrequire('./locale-data/complete.js');\n\n// hack to export the polyfill as global Intl if needed\nif (!global.Intl) {\n global.Intl = global.IntlPolyfill;\n global.IntlPolyfill.__applyLocaleSensitivePrototypes();\n}\n\n// providing an idiomatic api for the nodejs version of this module\nmodule.exports = global.IntlPolyfill;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/intl/index.js","'use strict';\n\nvar _typeof = typeof Symbol === \"function\" && typeof Symbol.iterator === \"symbol\" ? function (obj) {\n return typeof obj;\n} : function (obj) {\n return obj && typeof Symbol === \"function\" && obj.constructor === Symbol ? \"symbol\" : typeof obj;\n};\n\nvar jsx = function () {\n var REACT_ELEMENT_TYPE = typeof Symbol === \"function\" && Symbol.for && Symbol.for(\"react.element\") || 0xeac7;\n return function createRawReactElement(type, props, key, children) {\n var defaultProps = type && type.defaultProps;\n var childrenLength = arguments.length - 3;\n\n if (!props && childrenLength !== 0) {\n props = {};\n }\n\n if (props && defaultProps) {\n for (var propName in defaultProps) {\n if (props[propName] === void 0) {\n props[propName] = defaultProps[propName];\n }\n }\n } else if (!props) {\n props = defaultProps || {};\n }\n\n if (childrenLength === 1) {\n props.children = children;\n } else if (childrenLength > 1) {\n var childArray = Array(childrenLength);\n\n for (var i = 0; i < childrenLength; i++) {\n childArray[i] = arguments[i + 3];\n }\n\n props.children = childArray;\n }\n\n return {\n $$typeof: REACT_ELEMENT_TYPE,\n type: type,\n key: key === undefined ? null : '' + key,\n ref: null,\n props: props,\n _owner: null\n };\n };\n}();\n\nvar asyncToGenerator = function (fn) {\n return function () {\n var gen = fn.apply(this, arguments);\n return new Promise(function (resolve, reject) {\n function step(key, arg) {\n try {\n var info = gen[key](arg);\n var value = info.value;\n } catch (error) {\n reject(error);\n return;\n }\n\n if (info.done) {\n resolve(value);\n } else {\n return Promise.resolve(value).then(function (value) {\n return step(\"next\", value);\n }, function (err) {\n return step(\"throw\", err);\n });\n }\n }\n\n return step(\"next\");\n });\n };\n};\n\nvar classCallCheck = function (instance, Constructor) {\n if (!(instance instanceof Constructor)) {\n throw new TypeError(\"Cannot call a class as a function\");\n }\n};\n\nvar createClass = function () {\n function defineProperties(target, props) {\n for (var i = 0; i < props.length; i++) {\n var descriptor = props[i];\n descriptor.enumerable = descriptor.enumerable || false;\n descriptor.configurable = true;\n if (\"value\" in descriptor) descriptor.writable = true;\n Object.defineProperty(target, descriptor.key, descriptor);\n }\n }\n\n return function (Constructor, protoProps, staticProps) {\n if (protoProps) defineProperties(Constructor.prototype, protoProps);\n if (staticProps) defineProperties(Constructor, staticProps);\n return Constructor;\n };\n}();\n\nvar defineEnumerableProperties = function (obj, descs) {\n for (var key in descs) {\n var desc = descs[key];\n desc.configurable = desc.enumerable = true;\n if (\"value\" in desc) desc.writable = true;\n Object.defineProperty(obj, key, desc);\n }\n\n return obj;\n};\n\nvar defaults = function (obj, defaults) {\n var keys = Object.getOwnPropertyNames(defaults);\n\n for (var i = 0; i < keys.length; i++) {\n var key = keys[i];\n var value = Object.getOwnPropertyDescriptor(defaults, key);\n\n if (value && value.configurable && obj[key] === undefined) {\n Object.defineProperty(obj, key, value);\n }\n }\n\n return obj;\n};\n\nvar defineProperty$1 = function (obj, key, value) {\n if (key in obj) {\n Object.defineProperty(obj, key, {\n value: value,\n enumerable: true,\n configurable: true,\n writable: true\n });\n } else {\n obj[key] = value;\n }\n\n return obj;\n};\n\nvar _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n};\n\nvar get = function get(object, property, receiver) {\n if (object === null) object = Function.prototype;\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent === null) {\n return undefined;\n } else {\n return get(parent, property, receiver);\n }\n } else if (\"value\" in desc) {\n return desc.value;\n } else {\n var getter = desc.get;\n\n if (getter === undefined) {\n return undefined;\n }\n\n return getter.call(receiver);\n }\n};\n\nvar inherits = function (subClass, superClass) {\n if (typeof superClass !== \"function\" && superClass !== null) {\n throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass);\n }\n\n subClass.prototype = Object.create(superClass && superClass.prototype, {\n constructor: {\n value: subClass,\n enumerable: false,\n writable: true,\n configurable: true\n }\n });\n if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;\n};\n\nvar _instanceof = function (left, right) {\n if (right != null && typeof Symbol !== \"undefined\" && right[Symbol.hasInstance]) {\n return right[Symbol.hasInstance](left);\n } else {\n return left instanceof right;\n }\n};\n\nvar interopRequireDefault = function (obj) {\n return obj && obj.__esModule ? obj : {\n default: obj\n };\n};\n\nvar interopRequireWildcard = function (obj) {\n if (obj && obj.__esModule) {\n return obj;\n } else {\n var newObj = {};\n\n if (obj != null) {\n for (var key in obj) {\n if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];\n }\n }\n\n newObj.default = obj;\n return newObj;\n }\n};\n\nvar newArrowCheck = function (innerThis, boundThis) {\n if (innerThis !== boundThis) {\n throw new TypeError(\"Cannot instantiate an arrow function\");\n }\n};\n\nvar objectDestructuringEmpty = function (obj) {\n if (obj == null) throw new TypeError(\"Cannot destructure undefined\");\n};\n\nvar objectWithoutProperties = function (obj, keys) {\n var target = {};\n\n for (var i in obj) {\n if (keys.indexOf(i) >= 0) continue;\n if (!Object.prototype.hasOwnProperty.call(obj, i)) continue;\n target[i] = obj[i];\n }\n\n return target;\n};\n\nvar possibleConstructorReturn = function (self, call) {\n if (!self) {\n throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\");\n }\n\n return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self;\n};\n\nvar selfGlobal = typeof global === \"undefined\" ? self : global;\n\nvar set = function set(object, property, value, receiver) {\n var desc = Object.getOwnPropertyDescriptor(object, property);\n\n if (desc === undefined) {\n var parent = Object.getPrototypeOf(object);\n\n if (parent !== null) {\n set(parent, property, value, receiver);\n }\n } else if (\"value\" in desc && desc.writable) {\n desc.value = value;\n } else {\n var setter = desc.set;\n\n if (setter !== undefined) {\n setter.call(receiver, value);\n }\n }\n\n return value;\n};\n\nvar slicedToArray = function () {\n function sliceIterator(arr, i) {\n var _arr = [];\n var _n = true;\n var _d = false;\n var _e = undefined;\n\n try {\n for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {\n _arr.push(_s.value);\n\n if (i && _arr.length === i) break;\n }\n } catch (err) {\n _d = true;\n _e = err;\n } finally {\n try {\n if (!_n && _i[\"return\"]) _i[\"return\"]();\n } finally {\n if (_d) throw _e;\n }\n }\n\n return _arr;\n }\n\n return function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n return sliceIterator(arr, i);\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n };\n}();\n\nvar slicedToArrayLoose = function (arr, i) {\n if (Array.isArray(arr)) {\n return arr;\n } else if (Symbol.iterator in Object(arr)) {\n var _arr = [];\n\n for (var _iterator = arr[Symbol.iterator](), _step; !(_step = _iterator.next()).done;) {\n _arr.push(_step.value);\n\n if (i && _arr.length === i) break;\n }\n\n return _arr;\n } else {\n throw new TypeError(\"Invalid attempt to destructure non-iterable instance\");\n }\n};\n\nvar taggedTemplateLiteral = function (strings, raw) {\n return Object.freeze(Object.defineProperties(strings, {\n raw: {\n value: Object.freeze(raw)\n }\n }));\n};\n\nvar taggedTemplateLiteralLoose = function (strings, raw) {\n strings.raw = raw;\n return strings;\n};\n\nvar temporalRef = function (val, name, undef) {\n if (val === undef) {\n throw new ReferenceError(name + \" is not defined - temporal dead zone\");\n } else {\n return val;\n }\n};\n\nvar temporalUndefined = {};\n\nvar toArray = function (arr) {\n return Array.isArray(arr) ? arr : Array.from(arr);\n};\n\nvar toConsumableArray = function (arr) {\n if (Array.isArray(arr)) {\n for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i];\n\n return arr2;\n } else {\n return Array.from(arr);\n }\n};\n\n\n\nvar babelHelpers$1 = Object.freeze({\n jsx: jsx,\n asyncToGenerator: asyncToGenerator,\n classCallCheck: classCallCheck,\n createClass: createClass,\n defineEnumerableProperties: defineEnumerableProperties,\n defaults: defaults,\n defineProperty: defineProperty$1,\n get: get,\n inherits: inherits,\n interopRequireDefault: interopRequireDefault,\n interopRequireWildcard: interopRequireWildcard,\n newArrowCheck: newArrowCheck,\n objectDestructuringEmpty: objectDestructuringEmpty,\n objectWithoutProperties: objectWithoutProperties,\n possibleConstructorReturn: possibleConstructorReturn,\n selfGlobal: selfGlobal,\n set: set,\n slicedToArray: slicedToArray,\n slicedToArrayLoose: slicedToArrayLoose,\n taggedTemplateLiteral: taggedTemplateLiteral,\n taggedTemplateLiteralLoose: taggedTemplateLiteralLoose,\n temporalRef: temporalRef,\n temporalUndefined: temporalUndefined,\n toArray: toArray,\n toConsumableArray: toConsumableArray,\n typeof: _typeof,\n extends: _extends,\n instanceof: _instanceof\n});\n\nvar realDefineProp = function () {\n var sentinel = function sentinel() {};\n try {\n Object.defineProperty(sentinel, 'a', {\n get: function get() {\n return 1;\n }\n });\n Object.defineProperty(sentinel, 'prototype', { writable: false });\n return sentinel.a === 1 && sentinel.prototype instanceof Object;\n } catch (e) {\n return false;\n }\n}();\n\n// Need a workaround for getters in ES3\nvar es3 = !realDefineProp && !Object.prototype.__defineGetter__;\n\n// We use this a lot (and need it for proto-less objects)\nvar hop = Object.prototype.hasOwnProperty;\n\n// Naive defineProperty for compatibility\nvar defineProperty = realDefineProp ? Object.defineProperty : function (obj, name, desc) {\n if ('get' in desc && obj.__defineGetter__) obj.__defineGetter__(name, desc.get);else if (!hop.call(obj, name) || 'value' in desc) obj[name] = desc.value;\n};\n\n// Array.prototype.indexOf, as good as we need it to be\nvar arrIndexOf = Array.prototype.indexOf || function (search) {\n /*jshint validthis:true */\n var t = this;\n if (!t.length) return -1;\n\n for (var i = arguments[1] || 0, max = t.length; i < max; i++) {\n if (t[i] === search) return i;\n }\n\n return -1;\n};\n\n// Create an object with the specified prototype (2nd arg required for Record)\nvar objCreate = Object.create || function (proto, props) {\n var obj = void 0;\n\n function F() {}\n F.prototype = proto;\n obj = new F();\n\n for (var k in props) {\n if (hop.call(props, k)) defineProperty(obj, k, props[k]);\n }\n\n return obj;\n};\n\n// Snapshot some (hopefully still) native built-ins\nvar arrSlice = Array.prototype.slice;\nvar arrConcat = Array.prototype.concat;\nvar arrPush = Array.prototype.push;\nvar arrJoin = Array.prototype.join;\nvar arrShift = Array.prototype.shift;\n\n// Naive Function.prototype.bind for compatibility\nvar fnBind = Function.prototype.bind || function (thisObj) {\n var fn = this,\n args = arrSlice.call(arguments, 1);\n\n // All our (presently) bound functions have either 1 or 0 arguments. By returning\n // different function signatures, we can pass some tests in ES3 environments\n if (fn.length === 1) {\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n }\n return function () {\n return fn.apply(thisObj, arrConcat.call(args, arrSlice.call(arguments)));\n };\n};\n\n// Object housing internal properties for constructors\nvar internals = objCreate(null);\n\n// Keep internal properties internal\nvar secret = Math.random();\n\n// Helper functions\n// ================\n\n/**\n * A function to deal with the inaccuracy of calculating log10 in pre-ES6\n * JavaScript environments. Math.log(num) / Math.LN10 was responsible for\n * causing issue #62.\n */\nfunction log10Floor(n) {\n // ES6 provides the more accurate Math.log10\n if (typeof Math.log10 === 'function') return Math.floor(Math.log10(n));\n\n var x = Math.round(Math.log(n) * Math.LOG10E);\n return x - (Number('1e' + x) > n);\n}\n\n/**\n * A map that doesn't contain Object in its prototype chain\n */\nfunction Record(obj) {\n // Copy only own properties over unless this object is already a Record instance\n for (var k in obj) {\n if (obj instanceof Record || hop.call(obj, k)) defineProperty(this, k, { value: obj[k], enumerable: true, writable: true, configurable: true });\n }\n}\nRecord.prototype = objCreate(null);\n\n/**\n * An ordered list\n */\nfunction List() {\n defineProperty(this, 'length', { writable: true, value: 0 });\n\n if (arguments.length) arrPush.apply(this, arrSlice.call(arguments));\n}\nList.prototype = objCreate(null);\n\n/**\n * Constructs a regular expression to restore tainted RegExp properties\n */\nfunction createRegExpRestore() {\n if (internals.disableRegExpRestore) {\n return function () {/* no-op */};\n }\n\n var regExpCache = {\n lastMatch: RegExp.lastMatch || '',\n leftContext: RegExp.leftContext,\n multiline: RegExp.multiline,\n input: RegExp.input\n },\n has = false;\n\n // Create a snapshot of all the 'captured' properties\n for (var i = 1; i <= 9; i++) {\n has = (regExpCache['$' + i] = RegExp['$' + i]) || has;\n }return function () {\n // Now we've snapshotted some properties, escape the lastMatch string\n var esc = /[.?*+^$[\\]\\\\(){}|-]/g,\n lm = regExpCache.lastMatch.replace(esc, '\\\\$&'),\n reg = new List();\n\n // If any of the captured strings were non-empty, iterate over them all\n if (has) {\n for (var _i = 1; _i <= 9; _i++) {\n var m = regExpCache['$' + _i];\n\n // If it's empty, add an empty capturing group\n if (!m) lm = '()' + lm;\n\n // Else find the string in lm and escape & wrap it to capture it\n else {\n m = m.replace(esc, '\\\\$&');\n lm = lm.replace(m, '(' + m + ')');\n }\n\n // Push it to the reg and chop lm to make sure further groups come after\n arrPush.call(reg, lm.slice(0, lm.indexOf('(') + 1));\n lm = lm.slice(lm.indexOf('(') + 1);\n }\n }\n\n var exprStr = arrJoin.call(reg, '') + lm;\n\n // Shorten the regex by replacing each part of the expression with a match\n // for a string of that exact length. This is safe for the type of\n // expressions generated above, because the expression matches the whole\n // match string, so we know each group and each segment between capturing\n // groups can be matched by its length alone.\n exprStr = exprStr.replace(/(\\\\\\(|\\\\\\)|[^()])+/g, function (match) {\n return '[\\\\s\\\\S]{' + match.replace('\\\\', '').length + '}';\n });\n\n // Create the regular expression that will reconstruct the RegExp properties\n var expr = new RegExp(exprStr, regExpCache.multiline ? 'gm' : 'g');\n\n // Set the lastIndex of the generated expression to ensure that the match\n // is found in the correct index.\n expr.lastIndex = regExpCache.leftContext.length;\n\n expr.exec(regExpCache.input);\n };\n}\n\n/**\n * Mimics ES5's abstract ToObject() function\n */\nfunction toObject(arg) {\n if (arg === null) throw new TypeError('Cannot convert null or undefined to object');\n\n if ((typeof arg === 'undefined' ? 'undefined' : babelHelpers$1['typeof'](arg)) === 'object') return arg;\n return Object(arg);\n}\n\nfunction toNumber(arg) {\n if (typeof arg === 'number') return arg;\n return Number(arg);\n}\n\nfunction toInteger(arg) {\n var number = toNumber(arg);\n if (isNaN(number)) return 0;\n if (number === +0 || number === -0 || number === +Infinity || number === -Infinity) return number;\n if (number < 0) return Math.floor(Math.abs(number)) * -1;\n return Math.floor(Math.abs(number));\n}\n\nfunction toLength(arg) {\n var len = toInteger(arg);\n if (len <= 0) return 0;\n if (len === Infinity) return Math.pow(2, 53) - 1;\n return Math.min(len, Math.pow(2, 53) - 1);\n}\n\n/**\n * Returns \"internal\" properties for an object\n */\nfunction getInternalProperties(obj) {\n if (hop.call(obj, '__getInternalProperties')) return obj.__getInternalProperties(secret);\n\n return objCreate(null);\n}\n\n/**\n* Defines regular expressions for various operations related to the BCP 47 syntax,\n* as defined at http://tools.ietf.org/html/bcp47#section-2.1\n*/\n\n// extlang = 3ALPHA ; selected ISO 639 codes\n// *2(\"-\" 3ALPHA) ; permanently reserved\nvar extlang = '[a-z]{3}(?:-[a-z]{3}){0,2}';\n\n// language = 2*3ALPHA ; shortest ISO 639 code\n// [\"-\" extlang] ; sometimes followed by\n// ; extended language subtags\n// / 4ALPHA ; or reserved for future use\n// / 5*8ALPHA ; or registered language subtag\nvar language = '(?:[a-z]{2,3}(?:-' + extlang + ')?|[a-z]{4}|[a-z]{5,8})';\n\n// script = 4ALPHA ; ISO 15924 code\nvar script = '[a-z]{4}';\n\n// region = 2ALPHA ; ISO 3166-1 code\n// / 3DIGIT ; UN M.49 code\nvar region = '(?:[a-z]{2}|\\\\d{3})';\n\n// variant = 5*8alphanum ; registered variants\n// / (DIGIT 3alphanum)\nvar variant = '(?:[a-z0-9]{5,8}|\\\\d[a-z0-9]{3})';\n\n// ; Single alphanumerics\n// ; \"x\" reserved for private use\n// singleton = DIGIT ; 0 - 9\n// / %x41-57 ; A - W\n// / %x59-5A ; Y - Z\n// / %x61-77 ; a - w\n// / %x79-7A ; y - z\nvar singleton = '[0-9a-wy-z]';\n\n// extension = singleton 1*(\"-\" (2*8alphanum))\nvar extension = singleton + '(?:-[a-z0-9]{2,8})+';\n\n// privateuse = \"x\" 1*(\"-\" (1*8alphanum))\nvar privateuse = 'x(?:-[a-z0-9]{1,8})+';\n\n// irregular = \"en-GB-oed\" ; irregular tags do not match\n// / \"i-ami\" ; the 'langtag' production and\n// / \"i-bnn\" ; would not otherwise be\n// / \"i-default\" ; considered 'well-formed'\n// / \"i-enochian\" ; These tags are all valid,\n// / \"i-hak\" ; but most are deprecated\n// / \"i-klingon\" ; in favor of more modern\n// / \"i-lux\" ; subtags or subtag\n// / \"i-mingo\" ; combination\n// / \"i-navajo\"\n// / \"i-pwn\"\n// / \"i-tao\"\n// / \"i-tay\"\n// / \"i-tsu\"\n// / \"sgn-BE-FR\"\n// / \"sgn-BE-NL\"\n// / \"sgn-CH-DE\"\nvar irregular = '(?:en-GB-oed' + '|i-(?:ami|bnn|default|enochian|hak|klingon|lux|mingo|navajo|pwn|tao|tay|tsu)' + '|sgn-(?:BE-FR|BE-NL|CH-DE))';\n\n// regular = \"art-lojban\" ; these tags match the 'langtag'\n// / \"cel-gaulish\" ; production, but their subtags\n// / \"no-bok\" ; are not extended language\n// / \"no-nyn\" ; or variant subtags: their meaning\n// / \"zh-guoyu\" ; is defined by their registration\n// / \"zh-hakka\" ; and all of these are deprecated\n// / \"zh-min\" ; in favor of a more modern\n// / \"zh-min-nan\" ; subtag or sequence of subtags\n// / \"zh-xiang\"\nvar regular = '(?:art-lojban|cel-gaulish|no-bok|no-nyn' + '|zh-(?:guoyu|hakka|min|min-nan|xiang))';\n\n// grandfathered = irregular ; non-redundant tags registered\n// / regular ; during the RFC 3066 era\nvar grandfathered = '(?:' + irregular + '|' + regular + ')';\n\n// langtag = language\n// [\"-\" script]\n// [\"-\" region]\n// *(\"-\" variant)\n// *(\"-\" extension)\n// [\"-\" privateuse]\nvar langtag = language + '(?:-' + script + ')?(?:-' + region + ')?(?:-' + variant + ')*(?:-' + extension + ')*(?:-' + privateuse + ')?';\n\n// Language-Tag = langtag ; normal language tags\n// / privateuse ; private use tag\n// / grandfathered ; grandfathered tags\nvar expBCP47Syntax = RegExp('^(?:' + langtag + '|' + privateuse + '|' + grandfathered + ')$', 'i');\n\n// Match duplicate variants in a language tag\nvar expVariantDupes = RegExp('^(?!x).*?-(' + variant + ')-(?:\\\\w{4,8}-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match duplicate singletons in a language tag (except in private use)\nvar expSingletonDupes = RegExp('^(?!x).*?-(' + singleton + ')-(?:\\\\w+-(?!x-))*\\\\1\\\\b', 'i');\n\n// Match all extension sequences\nvar expExtSequences = RegExp('-' + extension, 'ig');\n\n// Default locale is the first-added locale data for us\nvar defaultLocale = void 0;\nfunction setDefaultLocale(locale) {\n defaultLocale = locale;\n}\n\n// IANA Subtag Registry redundant tag and subtag maps\nvar redundantTags = {\n tags: {\n \"art-lojban\": \"jbo\",\n \"i-ami\": \"ami\",\n \"i-bnn\": \"bnn\",\n \"i-hak\": \"hak\",\n \"i-klingon\": \"tlh\",\n \"i-lux\": \"lb\",\n \"i-navajo\": \"nv\",\n \"i-pwn\": \"pwn\",\n \"i-tao\": \"tao\",\n \"i-tay\": \"tay\",\n \"i-tsu\": \"tsu\",\n \"no-bok\": \"nb\",\n \"no-nyn\": \"nn\",\n \"sgn-BE-FR\": \"sfb\",\n \"sgn-BE-NL\": \"vgt\",\n \"sgn-CH-DE\": \"sgg\",\n \"zh-guoyu\": \"cmn\",\n \"zh-hakka\": \"hak\",\n \"zh-min-nan\": \"nan\",\n \"zh-xiang\": \"hsn\",\n \"sgn-BR\": \"bzs\",\n \"sgn-CO\": \"csn\",\n \"sgn-DE\": \"gsg\",\n \"sgn-DK\": \"dsl\",\n \"sgn-ES\": \"ssp\",\n \"sgn-FR\": \"fsl\",\n \"sgn-GB\": \"bfi\",\n \"sgn-GR\": \"gss\",\n \"sgn-IE\": \"isg\",\n \"sgn-IT\": \"ise\",\n \"sgn-JP\": \"jsl\",\n \"sgn-MX\": \"mfs\",\n \"sgn-NI\": \"ncs\",\n \"sgn-NL\": \"dse\",\n \"sgn-NO\": \"nsl\",\n \"sgn-PT\": \"psr\",\n \"sgn-SE\": \"swl\",\n \"sgn-US\": \"ase\",\n \"sgn-ZA\": \"sfs\",\n \"zh-cmn\": \"cmn\",\n \"zh-cmn-Hans\": \"cmn-Hans\",\n \"zh-cmn-Hant\": \"cmn-Hant\",\n \"zh-gan\": \"gan\",\n \"zh-wuu\": \"wuu\",\n \"zh-yue\": \"yue\"\n },\n subtags: {\n BU: \"MM\",\n DD: \"DE\",\n FX: \"FR\",\n TP: \"TL\",\n YD: \"YE\",\n ZR: \"CD\",\n heploc: \"alalc97\",\n 'in': \"id\",\n iw: \"he\",\n ji: \"yi\",\n jw: \"jv\",\n mo: \"ro\",\n ayx: \"nun\",\n bjd: \"drl\",\n ccq: \"rki\",\n cjr: \"mom\",\n cka: \"cmr\",\n cmk: \"xch\",\n drh: \"khk\",\n drw: \"prs\",\n gav: \"dev\",\n hrr: \"jal\",\n ibi: \"opa\",\n kgh: \"kml\",\n lcq: \"ppr\",\n mst: \"mry\",\n myt: \"mry\",\n sca: \"hle\",\n tie: \"ras\",\n tkk: \"twm\",\n tlw: \"weo\",\n tnf: \"prs\",\n ybd: \"rki\",\n yma: \"lrr\"\n },\n extLang: {\n aao: [\"aao\", \"ar\"],\n abh: [\"abh\", \"ar\"],\n abv: [\"abv\", \"ar\"],\n acm: [\"acm\", \"ar\"],\n acq: [\"acq\", \"ar\"],\n acw: [\"acw\", \"ar\"],\n acx: [\"acx\", \"ar\"],\n acy: [\"acy\", \"ar\"],\n adf: [\"adf\", \"ar\"],\n ads: [\"ads\", \"sgn\"],\n aeb: [\"aeb\", \"ar\"],\n aec: [\"aec\", \"ar\"],\n aed: [\"aed\", \"sgn\"],\n aen: [\"aen\", \"sgn\"],\n afb: [\"afb\", \"ar\"],\n afg: [\"afg\", \"sgn\"],\n ajp: [\"ajp\", \"ar\"],\n apc: [\"apc\", \"ar\"],\n apd: [\"apd\", \"ar\"],\n arb: [\"arb\", \"ar\"],\n arq: [\"arq\", \"ar\"],\n ars: [\"ars\", \"ar\"],\n ary: [\"ary\", \"ar\"],\n arz: [\"arz\", \"ar\"],\n ase: [\"ase\", \"sgn\"],\n asf: [\"asf\", \"sgn\"],\n asp: [\"asp\", \"sgn\"],\n asq: [\"asq\", \"sgn\"],\n asw: [\"asw\", \"sgn\"],\n auz: [\"auz\", \"ar\"],\n avl: [\"avl\", \"ar\"],\n ayh: [\"ayh\", \"ar\"],\n ayl: [\"ayl\", \"ar\"],\n ayn: [\"ayn\", \"ar\"],\n ayp: [\"ayp\", \"ar\"],\n bbz: [\"bbz\", \"ar\"],\n bfi: [\"bfi\", \"sgn\"],\n bfk: [\"bfk\", \"sgn\"],\n bjn: [\"bjn\", \"ms\"],\n bog: [\"bog\", \"sgn\"],\n bqn: [\"bqn\", \"sgn\"],\n bqy: [\"bqy\", \"sgn\"],\n btj: [\"btj\", \"ms\"],\n bve: [\"bve\", \"ms\"],\n bvl: [\"bvl\", \"sgn\"],\n bvu: [\"bvu\", \"ms\"],\n bzs: [\"bzs\", \"sgn\"],\n cdo: [\"cdo\", \"zh\"],\n cds: [\"cds\", \"sgn\"],\n cjy: [\"cjy\", \"zh\"],\n cmn: [\"cmn\", \"zh\"],\n coa: [\"coa\", \"ms\"],\n cpx: [\"cpx\", \"zh\"],\n csc: [\"csc\", \"sgn\"],\n csd: [\"csd\", \"sgn\"],\n cse: [\"cse\", \"sgn\"],\n csf: [\"csf\", \"sgn\"],\n csg: [\"csg\", \"sgn\"],\n csl: [\"csl\", \"sgn\"],\n csn: [\"csn\", \"sgn\"],\n csq: [\"csq\", \"sgn\"],\n csr: [\"csr\", \"sgn\"],\n czh: [\"czh\", \"zh\"],\n czo: [\"czo\", \"zh\"],\n doq: [\"doq\", \"sgn\"],\n dse: [\"dse\", \"sgn\"],\n dsl: [\"dsl\", \"sgn\"],\n dup: [\"dup\", \"ms\"],\n ecs: [\"ecs\", \"sgn\"],\n esl: [\"esl\", \"sgn\"],\n esn: [\"esn\", \"sgn\"],\n eso: [\"eso\", \"sgn\"],\n eth: [\"eth\", \"sgn\"],\n fcs: [\"fcs\", \"sgn\"],\n fse: [\"fse\", \"sgn\"],\n fsl: [\"fsl\", \"sgn\"],\n fss: [\"fss\", \"sgn\"],\n gan: [\"gan\", \"zh\"],\n gds: [\"gds\", \"sgn\"],\n gom: [\"gom\", \"kok\"],\n gse: [\"gse\", \"sgn\"],\n gsg: [\"gsg\", \"sgn\"],\n gsm: [\"gsm\", \"sgn\"],\n gss: [\"gss\", \"sgn\"],\n gus: [\"gus\", \"sgn\"],\n hab: [\"hab\", \"sgn\"],\n haf: [\"haf\", \"sgn\"],\n hak: [\"hak\", \"zh\"],\n hds: [\"hds\", \"sgn\"],\n hji: [\"hji\", \"ms\"],\n hks: [\"hks\", \"sgn\"],\n hos: [\"hos\", \"sgn\"],\n hps: [\"hps\", \"sgn\"],\n hsh: [\"hsh\", \"sgn\"],\n hsl: [\"hsl\", \"sgn\"],\n hsn: [\"hsn\", \"zh\"],\n icl: [\"icl\", \"sgn\"],\n ils: [\"ils\", \"sgn\"],\n inl: [\"inl\", \"sgn\"],\n ins: [\"ins\", \"sgn\"],\n ise: [\"ise\", \"sgn\"],\n isg: [\"isg\", \"sgn\"],\n isr: [\"isr\", \"sgn\"],\n jak: [\"jak\", \"ms\"],\n jax: [\"jax\", \"ms\"],\n jcs: [\"jcs\", \"sgn\"],\n jhs: [\"jhs\", \"sgn\"],\n jls: [\"jls\", \"sgn\"],\n jos: [\"jos\", \"sgn\"],\n jsl: [\"jsl\", \"sgn\"],\n jus: [\"jus\", \"sgn\"],\n kgi: [\"kgi\", \"sgn\"],\n knn: [\"knn\", \"kok\"],\n kvb: [\"kvb\", \"ms\"],\n kvk: [\"kvk\", \"sgn\"],\n kvr: [\"kvr\", \"ms\"],\n kxd: [\"kxd\", \"ms\"],\n lbs: [\"lbs\", \"sgn\"],\n lce: [\"lce\", \"ms\"],\n lcf: [\"lcf\", \"ms\"],\n liw: [\"liw\", \"ms\"],\n lls: [\"lls\", \"sgn\"],\n lsg: [\"lsg\", \"sgn\"],\n lsl: [\"lsl\", \"sgn\"],\n lso: [\"lso\", \"sgn\"],\n lsp: [\"lsp\", \"sgn\"],\n lst: [\"lst\", \"sgn\"],\n lsy: [\"lsy\", \"sgn\"],\n ltg: [\"ltg\", \"lv\"],\n lvs: [\"lvs\", \"lv\"],\n lzh: [\"lzh\", \"zh\"],\n max: [\"max\", \"ms\"],\n mdl: [\"mdl\", \"sgn\"],\n meo: [\"meo\", \"ms\"],\n mfa: [\"mfa\", \"ms\"],\n mfb: [\"mfb\", \"ms\"],\n mfs: [\"mfs\", \"sgn\"],\n min: [\"min\", \"ms\"],\n mnp: [\"mnp\", \"zh\"],\n mqg: [\"mqg\", \"ms\"],\n mre: [\"mre\", \"sgn\"],\n msd: [\"msd\", \"sgn\"],\n msi: [\"msi\", \"ms\"],\n msr: [\"msr\", \"sgn\"],\n mui: [\"mui\", \"ms\"],\n mzc: [\"mzc\", \"sgn\"],\n mzg: [\"mzg\", \"sgn\"],\n mzy: [\"mzy\", \"sgn\"],\n nan: [\"nan\", \"zh\"],\n nbs: [\"nbs\", \"sgn\"],\n ncs: [\"ncs\", \"sgn\"],\n nsi: [\"nsi\", \"sgn\"],\n nsl: [\"nsl\", \"sgn\"],\n nsp: [\"nsp\", \"sgn\"],\n nsr: [\"nsr\", \"sgn\"],\n nzs: [\"nzs\", \"sgn\"],\n okl: [\"okl\", \"sgn\"],\n orn: [\"orn\", \"ms\"],\n ors: [\"ors\", \"ms\"],\n pel: [\"pel\", \"ms\"],\n pga: [\"pga\", \"ar\"],\n pks: [\"pks\", \"sgn\"],\n prl: [\"prl\", \"sgn\"],\n prz: [\"prz\", \"sgn\"],\n psc: [\"psc\", \"sgn\"],\n psd: [\"psd\", \"sgn\"],\n pse: [\"pse\", \"ms\"],\n psg: [\"psg\", \"sgn\"],\n psl: [\"psl\", \"sgn\"],\n pso: [\"pso\", \"sgn\"],\n psp: [\"psp\", \"sgn\"],\n psr: [\"psr\", \"sgn\"],\n pys: [\"pys\", \"sgn\"],\n rms: [\"rms\", \"sgn\"],\n rsi: [\"rsi\", \"sgn\"],\n rsl: [\"rsl\", \"sgn\"],\n sdl: [\"sdl\", \"sgn\"],\n sfb: [\"sfb\", \"sgn\"],\n sfs: [\"sfs\", \"sgn\"],\n sgg: [\"sgg\", \"sgn\"],\n sgx: [\"sgx\", \"sgn\"],\n shu: [\"shu\", \"ar\"],\n slf: [\"slf\", \"sgn\"],\n sls: [\"sls\", \"sgn\"],\n sqk: [\"sqk\", \"sgn\"],\n sqs: [\"sqs\", \"sgn\"],\n ssh: [\"ssh\", \"ar\"],\n ssp: [\"ssp\", \"sgn\"],\n ssr: [\"ssr\", \"sgn\"],\n svk: [\"svk\", \"sgn\"],\n swc: [\"swc\", \"sw\"],\n swh: [\"swh\", \"sw\"],\n swl: [\"swl\", \"sgn\"],\n syy: [\"syy\", \"sgn\"],\n tmw: [\"tmw\", \"ms\"],\n tse: [\"tse\", \"sgn\"],\n tsm: [\"tsm\", \"sgn\"],\n tsq: [\"tsq\", \"sgn\"],\n tss: [\"tss\", \"sgn\"],\n tsy: [\"tsy\", \"sgn\"],\n tza: [\"tza\", \"sgn\"],\n ugn: [\"ugn\", \"sgn\"],\n ugy: [\"ugy\", \"sgn\"],\n ukl: [\"ukl\", \"sgn\"],\n uks: [\"uks\", \"sgn\"],\n urk: [\"urk\", \"ms\"],\n uzn: [\"uzn\", \"uz\"],\n uzs: [\"uzs\", \"uz\"],\n vgt: [\"vgt\", \"sgn\"],\n vkk: [\"vkk\", \"ms\"],\n vkt: [\"vkt\", \"ms\"],\n vsi: [\"vsi\", \"sgn\"],\n vsl: [\"vsl\", \"sgn\"],\n vsv: [\"vsv\", \"sgn\"],\n wuu: [\"wuu\", \"zh\"],\n xki: [\"xki\", \"sgn\"],\n xml: [\"xml\", \"sgn\"],\n xmm: [\"xmm\", \"ms\"],\n xms: [\"xms\", \"sgn\"],\n yds: [\"yds\", \"sgn\"],\n ysl: [\"ysl\", \"sgn\"],\n yue: [\"yue\", \"zh\"],\n zib: [\"zib\", \"sgn\"],\n zlm: [\"zlm\", \"ms\"],\n zmi: [\"zmi\", \"ms\"],\n zsl: [\"zsl\", \"sgn\"],\n zsm: [\"zsm\", \"ms\"]\n }\n};\n\n/**\n * Convert only a-z to uppercase as per section 6.1 of the spec\n */\nfunction toLatinUpperCase(str) {\n var i = str.length;\n\n while (i--) {\n var ch = str.charAt(i);\n\n if (ch >= \"a\" && ch <= \"z\") str = str.slice(0, i) + ch.toUpperCase() + str.slice(i + 1);\n }\n\n return str;\n}\n\n/**\n * The IsStructurallyValidLanguageTag abstract operation verifies that the locale\n * argument (which must be a String value)\n *\n * - represents a well-formed BCP 47 language tag as specified in RFC 5646 section\n * 2.1, or successor,\n * - does not include duplicate variant subtags, and\n * - does not include duplicate singleton subtags.\n *\n * The abstract operation returns true if locale can be generated from the ABNF\n * grammar in section 2.1 of the RFC, starting with Language-Tag, and does not\n * contain duplicate variant or singleton subtags (other than as a private use\n * subtag). It returns false otherwise. Terminal value characters in the grammar are\n * interpreted as the Unicode equivalents of the ASCII octet values given.\n */\nfunction /* 6.2.2 */IsStructurallyValidLanguageTag(locale) {\n // represents a well-formed BCP 47 language tag as specified in RFC 5646\n if (!expBCP47Syntax.test(locale)) return false;\n\n // does not include duplicate variant subtags, and\n if (expVariantDupes.test(locale)) return false;\n\n // does not include duplicate singleton subtags.\n if (expSingletonDupes.test(locale)) return false;\n\n return true;\n}\n\n/**\n * The CanonicalizeLanguageTag abstract operation returns the canonical and case-\n * regularized form of the locale argument (which must be a String value that is\n * a structurally valid BCP 47 language tag as verified by the\n * IsStructurallyValidLanguageTag abstract operation). It takes the steps\n * specified in RFC 5646 section 4.5, or successor, to bring the language tag\n * into canonical form, and to regularize the case of the subtags, but does not\n * take the steps to bring a language tag into “extlang form” and to reorder\n * variant subtags.\n\n * The specifications for extensions to BCP 47 language tags, such as RFC 6067,\n * may include canonicalization rules for the extension subtag sequences they\n * define that go beyond the canonicalization rules of RFC 5646 section 4.5.\n * Implementations are allowed, but not required, to apply these additional rules.\n */\nfunction /* 6.2.3 */CanonicalizeLanguageTag(locale) {\n var match = void 0,\n parts = void 0;\n\n // A language tag is in 'canonical form' when the tag is well-formed\n // according to the rules in Sections 2.1 and 2.2\n\n // Section 2.1 says all subtags use lowercase...\n locale = locale.toLowerCase();\n\n // ...with 2 exceptions: 'two-letter and four-letter subtags that neither\n // appear at the start of the tag nor occur after singletons. Such two-letter\n // subtags are all uppercase (as in the tags \"en-CA-x-ca\" or \"sgn-BE-FR\") and\n // four-letter subtags are titlecase (as in the tag \"az-Latn-x-latn\").\n parts = locale.split('-');\n for (var i = 1, max = parts.length; i < max; i++) {\n // Two-letter subtags are all uppercase\n if (parts[i].length === 2) parts[i] = parts[i].toUpperCase();\n\n // Four-letter subtags are titlecase\n else if (parts[i].length === 4) parts[i] = parts[i].charAt(0).toUpperCase() + parts[i].slice(1);\n\n // Is it a singleton?\n else if (parts[i].length === 1 && parts[i] !== 'x') break;\n }\n locale = arrJoin.call(parts, '-');\n\n // The steps laid out in RFC 5646 section 4.5 are as follows:\n\n // 1. Extension sequences are ordered into case-insensitive ASCII order\n // by singleton subtag.\n if ((match = locale.match(expExtSequences)) && match.length > 1) {\n // The built-in sort() sorts by ASCII order, so use that\n match.sort();\n\n // Replace all extensions with the joined, sorted array\n locale = locale.replace(RegExp('(?:' + expExtSequences.source + ')+', 'i'), arrJoin.call(match, ''));\n }\n\n // 2. Redundant or grandfathered tags are replaced by their 'Preferred-\n // Value', if there is one.\n if (hop.call(redundantTags.tags, locale)) locale = redundantTags.tags[locale];\n\n // 3. Subtags are replaced by their 'Preferred-Value', if there is one.\n // For extlangs, the original primary language subtag is also\n // replaced if there is a primary language subtag in the 'Preferred-\n // Value'.\n parts = locale.split('-');\n\n for (var _i = 1, _max = parts.length; _i < _max; _i++) {\n if (hop.call(redundantTags.subtags, parts[_i])) parts[_i] = redundantTags.subtags[parts[_i]];else if (hop.call(redundantTags.extLang, parts[_i])) {\n parts[_i] = redundantTags.extLang[parts[_i]][0];\n\n // For extlang tags, the prefix needs to be removed if it is redundant\n if (_i === 1 && redundantTags.extLang[parts[1]][1] === parts[0]) {\n parts = arrSlice.call(parts, _i++);\n _max -= 1;\n }\n }\n }\n\n return arrJoin.call(parts, '-');\n}\n\n/**\n * The DefaultLocale abstract operation returns a String value representing the\n * structurally valid (6.2.2) and canonicalized (6.2.3) BCP 47 language tag for the\n * host environment’s current locale.\n */\nfunction /* 6.2.4 */DefaultLocale() {\n return defaultLocale;\n}\n\n// Sect 6.3 Currency Codes\n// =======================\n\nvar expCurrencyCode = /^[A-Z]{3}$/;\n\n/**\n * The IsWellFormedCurrencyCode abstract operation verifies that the currency argument\n * (after conversion to a String value) represents a well-formed 3-letter ISO currency\n * code. The following steps are taken:\n */\nfunction /* 6.3.1 */IsWellFormedCurrencyCode(currency) {\n // 1. Let `c` be ToString(currency)\n var c = String(currency);\n\n // 2. Let `normalized` be the result of mapping c to upper case as described\n // in 6.1.\n var normalized = toLatinUpperCase(c);\n\n // 3. If the string length of normalized is not 3, return false.\n // 4. If normalized contains any character that is not in the range \"A\" to \"Z\"\n // (U+0041 to U+005A), return false.\n if (expCurrencyCode.test(normalized) === false) return false;\n\n // 5. Return true\n return true;\n}\n\nvar expUnicodeExSeq = /-u(?:-[0-9a-z]{2,8})+/gi; // See `extension` below\n\nfunction /* 9.2.1 */CanonicalizeLocaleList(locales) {\n // The abstract operation CanonicalizeLocaleList takes the following steps:\n\n // 1. If locales is undefined, then a. Return a new empty List\n if (locales === undefined) return new List();\n\n // 2. Let seen be a new empty List.\n var seen = new List();\n\n // 3. If locales is a String value, then\n // a. Let locales be a new array created as if by the expression new\n // Array(locales) where Array is the standard built-in constructor with\n // that name and locales is the value of locales.\n locales = typeof locales === 'string' ? [locales] : locales;\n\n // 4. Let O be ToObject(locales).\n var O = toObject(locales);\n\n // 5. Let lenValue be the result of calling the [[Get]] internal method of\n // O with the argument \"length\".\n // 6. Let len be ToUint32(lenValue).\n var len = toLength(O.length);\n\n // 7. Let k be 0.\n var k = 0;\n\n // 8. Repeat, while k < len\n while (k < len) {\n // a. Let Pk be ToString(k).\n var Pk = String(k);\n\n // b. Let kPresent be the result of calling the [[HasProperty]] internal\n // method of O with argument Pk.\n var kPresent = Pk in O;\n\n // c. If kPresent is true, then\n if (kPresent) {\n // i. Let kValue be the result of calling the [[Get]] internal\n // method of O with argument Pk.\n var kValue = O[Pk];\n\n // ii. If the type of kValue is not String or Object, then throw a\n // TypeError exception.\n if (kValue === null || typeof kValue !== 'string' && (typeof kValue === \"undefined\" ? \"undefined\" : babelHelpers$1[\"typeof\"](kValue)) !== 'object') throw new TypeError('String or Object type expected');\n\n // iii. Let tag be ToString(kValue).\n var tag = String(kValue);\n\n // iv. If the result of calling the abstract operation\n // IsStructurallyValidLanguageTag (defined in 6.2.2), passing tag as\n // the argument, is false, then throw a RangeError exception.\n if (!IsStructurallyValidLanguageTag(tag)) throw new RangeError(\"'\" + tag + \"' is not a structurally valid language tag\");\n\n // v. Let tag be the result of calling the abstract operation\n // CanonicalizeLanguageTag (defined in 6.2.3), passing tag as the\n // argument.\n tag = CanonicalizeLanguageTag(tag);\n\n // vi. If tag is not an element of seen, then append tag as the last\n // element of seen.\n if (arrIndexOf.call(seen, tag) === -1) arrPush.call(seen, tag);\n }\n\n // d. Increase k by 1.\n k++;\n }\n\n // 9. Return seen.\n return seen;\n}\n\n/**\n * The BestAvailableLocale abstract operation compares the provided argument\n * locale, which must be a String value with a structurally valid and\n * canonicalized BCP 47 language tag, against the locales in availableLocales and\n * returns either the longest non-empty prefix of locale that is an element of\n * availableLocales, or undefined if there is no such element. It uses the\n * fallback mechanism of RFC 4647, section 3.4. The following steps are taken:\n */\nfunction /* 9.2.2 */BestAvailableLocale(availableLocales, locale) {\n // 1. Let candidate be locale\n var candidate = locale;\n\n // 2. Repeat\n while (candidate) {\n // a. If availableLocales contains an element equal to candidate, then return\n // candidate.\n if (arrIndexOf.call(availableLocales, candidate) > -1) return candidate;\n\n // b. Let pos be the character index of the last occurrence of \"-\"\n // (U+002D) within candidate. If that character does not occur, return\n // undefined.\n var pos = candidate.lastIndexOf('-');\n\n if (pos < 0) return;\n\n // c. If pos ≥ 2 and the character \"-\" occurs at index pos-2 of candidate,\n // then decrease pos by 2.\n if (pos >= 2 && candidate.charAt(pos - 2) === '-') pos -= 2;\n\n // d. Let candidate be the substring of candidate from position 0, inclusive,\n // to position pos, exclusive.\n candidate = candidate.substring(0, pos);\n }\n}\n\n/**\n * The LookupMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The following steps are taken:\n */\nfunction /* 9.2.3 */LookupMatcher(availableLocales, requestedLocales) {\n // 1. Let i be 0.\n var i = 0;\n\n // 2. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n\n // 3. Let availableLocale be undefined.\n var availableLocale = void 0;\n\n var locale = void 0,\n noExtensionsLocale = void 0;\n\n // 4. Repeat while i < len and availableLocale is undefined:\n while (i < len && !availableLocale) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position i.\n locale = requestedLocales[i];\n\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. Increase i by 1.\n i++;\n }\n\n // 5. Let result be a new Record.\n var result = new Record();\n\n // 6. If availableLocale is not undefined, then\n if (availableLocale !== undefined) {\n // a. Set result.[[locale]] to availableLocale.\n result['[[locale]]'] = availableLocale;\n\n // b. If locale and noExtensionsLocale are not the same String value, then\n if (String(locale) !== String(noExtensionsLocale)) {\n // i. Let extension be the String value consisting of the first\n // substring of locale that is a Unicode locale extension sequence.\n var extension = locale.match(expUnicodeExSeq)[0];\n\n // ii. Let extensionIndex be the character position of the initial\n // \"-\" of the first Unicode locale extension sequence within locale.\n var extensionIndex = locale.indexOf('-u-');\n\n // iii. Set result.[[extension]] to extension.\n result['[[extension]]'] = extension;\n\n // iv. Set result.[[extensionIndex]] to extensionIndex.\n result['[[extensionIndex]]'] = extensionIndex;\n }\n }\n // 7. Else\n else\n // a. Set result.[[locale]] to the value returned by the DefaultLocale abstract\n // operation (defined in 6.2.4).\n result['[[locale]]'] = DefaultLocale();\n\n // 8. Return result\n return result;\n}\n\n/**\n * The BestFitMatcher abstract operation compares requestedLocales, which must be\n * a List as returned by CanonicalizeLocaleList, against the locales in\n * availableLocales and determines the best available language to meet the\n * request. The algorithm is implementation dependent, but should produce results\n * that a typical user of the requested locales would perceive as at least as\n * good as those produced by the LookupMatcher abstract operation. Options\n * specified through Unicode locale extension sequences must be ignored by the\n * algorithm. Information about such subsequences is returned separately.\n * The abstract operation returns a record with a [[locale]] field, whose value\n * is the language tag of the selected locale, which must be an element of\n * availableLocales. If the language tag of the request locale that led to the\n * selected locale contained a Unicode locale extension sequence, then the\n * returned record also contains an [[extension]] field whose value is the first\n * Unicode locale extension sequence, and an [[extensionIndex]] field whose value\n * is the index of the first Unicode locale extension sequence within the request\n * locale language tag.\n */\nfunction /* 9.2.4 */BestFitMatcher(availableLocales, requestedLocales) {\n return LookupMatcher(availableLocales, requestedLocales);\n}\n\n/**\n * The ResolveLocale abstract operation compares a BCP 47 language priority list\n * requestedLocales against the locales in availableLocales and determines the\n * best available language to meet the request. availableLocales and\n * requestedLocales must be provided as List values, options as a Record.\n */\nfunction /* 9.2.5 */ResolveLocale(availableLocales, requestedLocales, options, relevantExtensionKeys, localeData) {\n if (availableLocales.length === 0) {\n throw new ReferenceError('No locale data has been provided for this object yet.');\n }\n\n // The following steps are taken:\n // 1. Let matcher be the value of options.[[localeMatcher]].\n var matcher = options['[[localeMatcher]]'];\n\n var r = void 0;\n\n // 2. If matcher is \"lookup\", then\n if (matcher === 'lookup')\n // a. Let r be the result of calling the LookupMatcher abstract operation\n // (defined in 9.2.3) with arguments availableLocales and\n // requestedLocales.\n r = LookupMatcher(availableLocales, requestedLocales);\n\n // 3. Else\n else\n // a. Let r be the result of calling the BestFitMatcher abstract\n // operation (defined in 9.2.4) with arguments availableLocales and\n // requestedLocales.\n r = BestFitMatcher(availableLocales, requestedLocales);\n\n // 4. Let foundLocale be the value of r.[[locale]].\n var foundLocale = r['[[locale]]'];\n\n var extensionSubtags = void 0,\n extensionSubtagsLength = void 0;\n\n // 5. If r has an [[extension]] field, then\n if (hop.call(r, '[[extension]]')) {\n // a. Let extension be the value of r.[[extension]].\n var extension = r['[[extension]]'];\n // b. Let split be the standard built-in function object defined in ES5,\n // 15.5.4.14.\n var split = String.prototype.split;\n // c. Let extensionSubtags be the result of calling the [[Call]] internal\n // method of split with extension as the this value and an argument\n // list containing the single item \"-\".\n extensionSubtags = split.call(extension, '-');\n // d. Let extensionSubtagsLength be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument \"length\".\n extensionSubtagsLength = extensionSubtags.length;\n }\n\n // 6. Let result be a new Record.\n var result = new Record();\n\n // 7. Set result.[[dataLocale]] to foundLocale.\n result['[[dataLocale]]'] = foundLocale;\n\n // 8. Let supportedExtension be \"-u\".\n var supportedExtension = '-u';\n // 9. Let i be 0.\n var i = 0;\n // 10. Let len be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument \"length\".\n var len = relevantExtensionKeys.length;\n\n // 11 Repeat while i < len:\n while (i < len) {\n // a. Let key be the result of calling the [[Get]] internal method of\n // relevantExtensionKeys with argument ToString(i).\n var key = relevantExtensionKeys[i];\n // b. Let foundLocaleData be the result of calling the [[Get]] internal\n // method of localeData with the argument foundLocale.\n var foundLocaleData = localeData[foundLocale];\n // c. Let keyLocaleData be the result of calling the [[Get]] internal\n // method of foundLocaleData with the argument key.\n var keyLocaleData = foundLocaleData[key];\n // d. Let value be the result of calling the [[Get]] internal method of\n // keyLocaleData with argument \"0\".\n var value = keyLocaleData['0'];\n // e. Let supportedExtensionAddition be \"\".\n var supportedExtensionAddition = '';\n // f. Let indexOf be the standard built-in function object defined in\n // ES5, 15.4.4.14.\n var indexOf = arrIndexOf;\n\n // g. If extensionSubtags is not undefined, then\n if (extensionSubtags !== undefined) {\n // i. Let keyPos be the result of calling the [[Call]] internal\n // method of indexOf with extensionSubtags as the this value and\n // an argument list containing the single item key.\n var keyPos = indexOf.call(extensionSubtags, key);\n\n // ii. If keyPos ≠ -1, then\n if (keyPos !== -1) {\n // 1. If keyPos + 1 < extensionSubtagsLength and the length of the\n // result of calling the [[Get]] internal method of\n // extensionSubtags with argument ToString(keyPos +1) is greater\n // than 2, then\n if (keyPos + 1 < extensionSubtagsLength && extensionSubtags[keyPos + 1].length > 2) {\n // a. Let requestedValue be the result of calling the [[Get]]\n // internal method of extensionSubtags with argument\n // ToString(keyPos + 1).\n var requestedValue = extensionSubtags[keyPos + 1];\n // b. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the\n // this value and an argument list containing the single\n // item requestedValue.\n var valuePos = indexOf.call(keyLocaleData, requestedValue);\n\n // c. If valuePos ≠ -1, then\n if (valuePos !== -1) {\n // i. Let value be requestedValue.\n value = requestedValue,\n // ii. Let supportedExtensionAddition be the\n // concatenation of \"-\", key, \"-\", and value.\n supportedExtensionAddition = '-' + key + '-' + value;\n }\n }\n // 2. Else\n else {\n // a. Let valuePos be the result of calling the [[Call]]\n // internal method of indexOf with keyLocaleData as the this\n // value and an argument list containing the single item\n // \"true\".\n var _valuePos = indexOf(keyLocaleData, 'true');\n\n // b. If valuePos ≠ -1, then\n if (_valuePos !== -1)\n // i. Let value be \"true\".\n value = 'true';\n }\n }\n }\n // h. If options has a field [[]], then\n if (hop.call(options, '[[' + key + ']]')) {\n // i. Let optionsValue be the value of options.[[]].\n var optionsValue = options['[[' + key + ']]'];\n\n // ii. If the result of calling the [[Call]] internal method of indexOf\n // with keyLocaleData as the this value and an argument list\n // containing the single item optionsValue is not -1, then\n if (indexOf.call(keyLocaleData, optionsValue) !== -1) {\n // 1. If optionsValue is not equal to value, then\n if (optionsValue !== value) {\n // a. Let value be optionsValue.\n value = optionsValue;\n // b. Let supportedExtensionAddition be \"\".\n supportedExtensionAddition = '';\n }\n }\n }\n // i. Set result.[[]] to value.\n result['[[' + key + ']]'] = value;\n\n // j. Append supportedExtensionAddition to supportedExtension.\n supportedExtension += supportedExtensionAddition;\n\n // k. Increase i by 1.\n i++;\n }\n // 12. If the length of supportedExtension is greater than 2, then\n if (supportedExtension.length > 2) {\n // a.\n var privateIndex = foundLocale.indexOf(\"-x-\");\n // b.\n if (privateIndex === -1) {\n // i.\n foundLocale = foundLocale + supportedExtension;\n }\n // c.\n else {\n // i.\n var preExtension = foundLocale.substring(0, privateIndex);\n // ii.\n var postExtension = foundLocale.substring(privateIndex);\n // iii.\n foundLocale = preExtension + supportedExtension + postExtension;\n }\n // d. asserting - skipping\n // e.\n foundLocale = CanonicalizeLanguageTag(foundLocale);\n }\n // 13. Set result.[[locale]] to foundLocale.\n result['[[locale]]'] = foundLocale;\n\n // 14. Return result.\n return result;\n}\n\n/**\n * The LookupSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the BCP 47 Lookup algorithm.\n * Locales appear in the same order in the returned list as in requestedLocales.\n * The following steps are taken:\n */\nfunction /* 9.2.6 */LookupSupportedLocales(availableLocales, requestedLocales) {\n // 1. Let len be the number of elements in requestedLocales.\n var len = requestedLocales.length;\n // 2. Let subset be a new empty List.\n var subset = new List();\n // 3. Let k be 0.\n var k = 0;\n\n // 4. Repeat while k < len\n while (k < len) {\n // a. Let locale be the element of requestedLocales at 0-origined list\n // position k.\n var locale = requestedLocales[k];\n // b. Let noExtensionsLocale be the String value that is locale with all\n // Unicode locale extension sequences removed.\n var noExtensionsLocale = String(locale).replace(expUnicodeExSeq, '');\n // c. Let availableLocale be the result of calling the\n // BestAvailableLocale abstract operation (defined in 9.2.2) with\n // arguments availableLocales and noExtensionsLocale.\n var availableLocale = BestAvailableLocale(availableLocales, noExtensionsLocale);\n\n // d. If availableLocale is not undefined, then append locale to the end of\n // subset.\n if (availableLocale !== undefined) arrPush.call(subset, locale);\n\n // e. Increment k by 1.\n k++;\n }\n\n // 5. Let subsetArray be a new Array object whose elements are the same\n // values in the same order as the elements of subset.\n var subsetArray = arrSlice.call(subset);\n\n // 6. Return subsetArray.\n return subsetArray;\n}\n\n/**\n * The BestFitSupportedLocales abstract operation returns the subset of the\n * provided BCP 47 language priority list requestedLocales for which\n * availableLocales has a matching locale when using the Best Fit Matcher\n * algorithm. Locales appear in the same order in the returned list as in\n * requestedLocales. The steps taken are implementation dependent.\n */\nfunction /*9.2.7 */BestFitSupportedLocales(availableLocales, requestedLocales) {\n // ###TODO: implement this function as described by the specification###\n return LookupSupportedLocales(availableLocales, requestedLocales);\n}\n\n/**\n * The SupportedLocales abstract operation returns the subset of the provided BCP\n * 47 language priority list requestedLocales for which availableLocales has a\n * matching locale. Two algorithms are available to match the locales: the Lookup\n * algorithm described in RFC 4647 section 3.4, and an implementation dependent\n * best-fit algorithm. Locales appear in the same order in the returned list as\n * in requestedLocales. The following steps are taken:\n */\nfunction /*9.2.8 */SupportedLocales(availableLocales, requestedLocales, options) {\n var matcher = void 0,\n subset = void 0;\n\n // 1. If options is not undefined, then\n if (options !== undefined) {\n // a. Let options be ToObject(options).\n options = new Record(toObject(options));\n // b. Let matcher be the result of calling the [[Get]] internal method of\n // options with argument \"localeMatcher\".\n matcher = options.localeMatcher;\n\n // c. If matcher is not undefined, then\n if (matcher !== undefined) {\n // i. Let matcher be ToString(matcher).\n matcher = String(matcher);\n\n // ii. If matcher is not \"lookup\" or \"best fit\", then throw a RangeError\n // exception.\n if (matcher !== 'lookup' && matcher !== 'best fit') throw new RangeError('matcher should be \"lookup\" or \"best fit\"');\n }\n }\n // 2. If matcher is undefined or \"best fit\", then\n if (matcher === undefined || matcher === 'best fit')\n // a. Let subset be the result of calling the BestFitSupportedLocales\n // abstract operation (defined in 9.2.7) with arguments\n // availableLocales and requestedLocales.\n subset = BestFitSupportedLocales(availableLocales, requestedLocales);\n // 3. Else\n else\n // a. Let subset be the result of calling the LookupSupportedLocales\n // abstract operation (defined in 9.2.6) with arguments\n // availableLocales and requestedLocales.\n subset = LookupSupportedLocales(availableLocales, requestedLocales);\n\n // 4. For each named own property name P of subset,\n for (var P in subset) {\n if (!hop.call(subset, P)) continue;\n\n // a. Let desc be the result of calling the [[GetOwnProperty]] internal\n // method of subset with P.\n // b. Set desc.[[Writable]] to false.\n // c. Set desc.[[Configurable]] to false.\n // d. Call the [[DefineOwnProperty]] internal method of subset with P, desc,\n // and true as arguments.\n defineProperty(subset, P, {\n writable: false, configurable: false, value: subset[P]\n });\n }\n // \"Freeze\" the array so no new elements can be added\n defineProperty(subset, 'length', { writable: false });\n\n // 5. Return subset\n return subset;\n}\n\n/**\n * The GetOption abstract operation extracts the value of the property named\n * property from the provided options object, converts it to the required type,\n * checks whether it is one of a List of allowed values, and fills in a fallback\n * value if necessary.\n */\nfunction /*9.2.9 */GetOption(options, property, type, values, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Assert: type is \"boolean\" or \"string\".\n // b. If type is \"boolean\", then let value be ToBoolean(value).\n // c. If type is \"string\", then let value be ToString(value).\n value = type === 'boolean' ? Boolean(value) : type === 'string' ? String(value) : value;\n\n // d. If values is not undefined, then\n if (values !== undefined) {\n // i. If values does not contain an element equal to value, then throw a\n // RangeError exception.\n if (arrIndexOf.call(values, value) === -1) throw new RangeError(\"'\" + value + \"' is not an allowed value for `\" + property + '`');\n }\n\n // e. Return value.\n return value;\n }\n // Else return fallback.\n return fallback;\n}\n\n/**\n * The GetNumberOption abstract operation extracts a property value from the\n * provided options object, converts it to a Number value, checks whether it is\n * in the allowed range, and fills in a fallback value if necessary.\n */\nfunction /* 9.2.10 */GetNumberOption(options, property, minimum, maximum, fallback) {\n // 1. Let value be the result of calling the [[Get]] internal method of\n // options with argument property.\n var value = options[property];\n\n // 2. If value is not undefined, then\n if (value !== undefined) {\n // a. Let value be ToNumber(value).\n value = Number(value);\n\n // b. If value is NaN or less than minimum or greater than maximum, throw a\n // RangeError exception.\n if (isNaN(value) || value < minimum || value > maximum) throw new RangeError('Value is not a number or outside accepted range');\n\n // c. Return floor(value).\n return Math.floor(value);\n }\n // 3. Else return fallback.\n return fallback;\n}\n\n// 8 The Intl Object\nvar Intl = {};\n\n// 8.2 Function Properties of the Intl Object\n\n// 8.2.1\n// @spec[tc39/ecma402/master/spec/intl.html]\n// @clause[sec-intl.getcanonicallocales]\nfunction getCanonicalLocales(locales) {\n // 1. Let ll be ? CanonicalizeLocaleList(locales).\n var ll = CanonicalizeLocaleList(locales);\n // 2. Return CreateArrayFromList(ll).\n {\n var result = [];\n\n var len = ll.length;\n var k = 0;\n\n while (k < len) {\n result[k] = ll[k];\n k++;\n }\n return result;\n }\n}\n\nObject.defineProperty(Intl, 'getCanonicalLocales', {\n enumerable: false,\n configurable: true,\n writable: true,\n value: getCanonicalLocales\n});\n\n// Currency minor units output from get-4217 grunt task, formatted\nvar currencyMinorUnits = {\n BHD: 3, BYR: 0, XOF: 0, BIF: 0, XAF: 0, CLF: 4, CLP: 0, KMF: 0, DJF: 0,\n XPF: 0, GNF: 0, ISK: 0, IQD: 3, JPY: 0, JOD: 3, KRW: 0, KWD: 3, LYD: 3,\n OMR: 3, PYG: 0, RWF: 0, TND: 3, UGX: 0, UYI: 0, VUV: 0, VND: 0\n};\n\n// Define the NumberFormat constructor internally so it cannot be tainted\nfunction NumberFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.NumberFormat(locales, options);\n }\n\n return InitializeNumberFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'NumberFormat', {\n configurable: true,\n writable: true,\n value: NumberFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(Intl.NumberFormat, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeNumberFormat accepts the arguments\n * numberFormat (which must be an object), locales, and options. It initializes\n * numberFormat as a NumberFormat object.\n */\nfunction /*11.1.1.1 */InitializeNumberFormat(numberFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(numberFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If numberFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(numberFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. If options is undefined, then\n if (options === undefined)\n // a. Let options be the result of creating a new object as if by the\n // expression new Object() where Object is the standard built-in constructor\n // with that name.\n options = {};\n\n // 5. Else\n else\n // a. Let options be ToObject(options).\n options = toObject(options);\n\n // 6. Let opt be a new Record.\n var opt = new Record(),\n\n\n // 7. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with the arguments options, \"localeMatcher\", \"string\",\n // a List containing the two String values \"lookup\" and \"best fit\", and\n // \"best fit\".\n matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 8. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 9. Let NumberFormat be the standard built-in object that is the initial value\n // of Intl.NumberFormat.\n // 10. Let localeData be the value of the [[localeData]] internal property of\n // NumberFormat.\n var localeData = internals.NumberFormat['[[localeData]]'];\n\n // 11. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // NumberFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of NumberFormat, and localeData.\n var r = ResolveLocale(internals.NumberFormat['[[availableLocales]]'], requestedLocales, opt, internals.NumberFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 12. Set the [[locale]] internal property of numberFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 13. Set the [[numberingSystem]] internal property of numberFormat to the value\n // of r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let s be the result of calling the GetOption abstract operation with the\n // arguments options, \"style\", \"string\", a List containing the three String\n // values \"decimal\", \"percent\", and \"currency\", and \"decimal\".\n var s = GetOption(options, 'style', 'string', new List('decimal', 'percent', 'currency'), 'decimal');\n\n // 16. Set the [[style]] internal property of numberFormat to s.\n internal['[[style]]'] = s;\n\n // 17. Let c be the result of calling the GetOption abstract operation with the\n // arguments options, \"currency\", \"string\", undefined, and undefined.\n var c = GetOption(options, 'currency', 'string');\n\n // 18. If c is not undefined and the result of calling the\n // IsWellFormedCurrencyCode abstract operation (defined in 6.3.1) with\n // argument c is false, then throw a RangeError exception.\n if (c !== undefined && !IsWellFormedCurrencyCode(c)) throw new RangeError(\"'\" + c + \"' is not a valid currency code\");\n\n // 19. If s is \"currency\" and c is undefined, throw a TypeError exception.\n if (s === 'currency' && c === undefined) throw new TypeError('Currency code is required when style is currency');\n\n var cDigits = void 0;\n\n // 20. If s is \"currency\", then\n if (s === 'currency') {\n // a. Let c be the result of converting c to upper case as specified in 6.1.\n c = c.toUpperCase();\n\n // b. Set the [[currency]] internal property of numberFormat to c.\n internal['[[currency]]'] = c;\n\n // c. Let cDigits be the result of calling the CurrencyDigits abstract\n // operation (defined below) with argument c.\n cDigits = CurrencyDigits(c);\n }\n\n // 21. Let cd be the result of calling the GetOption abstract operation with the\n // arguments options, \"currencyDisplay\", \"string\", a List containing the\n // three String values \"code\", \"symbol\", and \"name\", and \"symbol\".\n var cd = GetOption(options, 'currencyDisplay', 'string', new List('code', 'symbol', 'name'), 'symbol');\n\n // 22. If s is \"currency\", then set the [[currencyDisplay]] internal property of\n // numberFormat to cd.\n if (s === 'currency') internal['[[currencyDisplay]]'] = cd;\n\n // 23. Let mnid be the result of calling the GetNumberOption abstract operation\n // (defined in 9.2.10) with arguments options, \"minimumIntegerDigits\", 1, 21,\n // and 1.\n var mnid = GetNumberOption(options, 'minimumIntegerDigits', 1, 21, 1);\n\n // 24. Set the [[minimumIntegerDigits]] internal property of numberFormat to mnid.\n internal['[[minimumIntegerDigits]]'] = mnid;\n\n // 25. If s is \"currency\", then let mnfdDefault be cDigits; else let mnfdDefault\n // be 0.\n var mnfdDefault = s === 'currency' ? cDigits : 0;\n\n // 26. Let mnfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"minimumFractionDigits\", 0, 20, and mnfdDefault.\n var mnfd = GetNumberOption(options, 'minimumFractionDigits', 0, 20, mnfdDefault);\n\n // 27. Set the [[minimumFractionDigits]] internal property of numberFormat to mnfd.\n internal['[[minimumFractionDigits]]'] = mnfd;\n\n // 28. If s is \"currency\", then let mxfdDefault be max(mnfd, cDigits); else if s\n // is \"percent\", then let mxfdDefault be max(mnfd, 0); else let mxfdDefault\n // be max(mnfd, 3).\n var mxfdDefault = s === 'currency' ? Math.max(mnfd, cDigits) : s === 'percent' ? Math.max(mnfd, 0) : Math.max(mnfd, 3);\n\n // 29. Let mxfd be the result of calling the GetNumberOption abstract operation\n // with arguments options, \"maximumFractionDigits\", mnfd, 20, and mxfdDefault.\n var mxfd = GetNumberOption(options, 'maximumFractionDigits', mnfd, 20, mxfdDefault);\n\n // 30. Set the [[maximumFractionDigits]] internal property of numberFormat to mxfd.\n internal['[[maximumFractionDigits]]'] = mxfd;\n\n // 31. Let mnsd be the result of calling the [[Get]] internal method of options\n // with argument \"minimumSignificantDigits\".\n var mnsd = options.minimumSignificantDigits;\n\n // 32. Let mxsd be the result of calling the [[Get]] internal method of options\n // with argument \"maximumSignificantDigits\".\n var mxsd = options.maximumSignificantDigits;\n\n // 33. If mnsd is not undefined or mxsd is not undefined, then:\n if (mnsd !== undefined || mxsd !== undefined) {\n // a. Let mnsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"minimumSignificantDigits\", 1, 21,\n // and 1.\n mnsd = GetNumberOption(options, 'minimumSignificantDigits', 1, 21, 1);\n\n // b. Let mxsd be the result of calling the GetNumberOption abstract\n // operation with arguments options, \"maximumSignificantDigits\", mnsd,\n // 21, and 21.\n mxsd = GetNumberOption(options, 'maximumSignificantDigits', mnsd, 21, 21);\n\n // c. Set the [[minimumSignificantDigits]] internal property of numberFormat\n // to mnsd, and the [[maximumSignificantDigits]] internal property of\n // numberFormat to mxsd.\n internal['[[minimumSignificantDigits]]'] = mnsd;\n internal['[[maximumSignificantDigits]]'] = mxsd;\n }\n // 34. Let g be the result of calling the GetOption abstract operation with the\n // arguments options, \"useGrouping\", \"boolean\", undefined, and true.\n var g = GetOption(options, 'useGrouping', 'boolean', undefined, true);\n\n // 35. Set the [[useGrouping]] internal property of numberFormat to g.\n internal['[[useGrouping]]'] = g;\n\n // 36. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 37. Let patterns be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"patterns\".\n var patterns = dataLocaleData.patterns;\n\n // 38. Assert: patterns is an object (see 11.2.3)\n\n // 39. Let stylePatterns be the result of calling the [[Get]] internal method of\n // patterns with argument s.\n var stylePatterns = patterns[s];\n\n // 40. Set the [[positivePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"positivePattern\".\n internal['[[positivePattern]]'] = stylePatterns.positivePattern;\n\n // 41. Set the [[negativePattern]] internal property of numberFormat to the\n // result of calling the [[Get]] internal method of stylePatterns with the\n // argument \"negativePattern\".\n internal['[[negativePattern]]'] = stylePatterns.negativePattern;\n\n // 42. Set the [[boundFormat]] internal property of numberFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 43. Set the [[initializedNumberFormat]] internal property of numberFormat to\n // true.\n internal['[[initializedNumberFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) numberFormat.format = GetFormatNumber.call(numberFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return numberFormat;\n}\n\nfunction CurrencyDigits(currency) {\n // When the CurrencyDigits abstract operation is called with an argument currency\n // (which must be an upper case String value), the following steps are taken:\n\n // 1. If the ISO 4217 currency and funds code list contains currency as an\n // alphabetic code, then return the minor unit value corresponding to the\n // currency from the list; else return 2.\n return currencyMinorUnits[currency] !== undefined ? currencyMinorUnits[currency] : 2;\n}\n\n/* 11.2.3 */internals.NumberFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.NumberFormat is called, the\n * following steps are taken:\n */\n/* 11.2.2 */\ndefineProperty(Intl.NumberFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * NumberFormat object.\n */\n/* 11.3.2 */defineProperty(Intl.NumberFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatNumber\n});\n\nfunction GetFormatNumber() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.NumberFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this NumberFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 1, that takes the argument value and\n // performs the following steps:\n var F = function F(value) {\n // i. If value is not provided, then let value be undefined.\n // ii. Let x be ToNumber(value).\n // iii. Return the result of calling the FormatNumber abstract\n // operation (defined below) with arguments this and x.\n return FormatNumber(this, /* x = */Number(value));\n };\n\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts() {\n var value = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.NumberFormat object.');\n\n var x = Number(value);\n return FormatNumberToParts(this, x);\n}\n\nObject.defineProperty(Intl.NumberFormat.prototype, 'formatToParts', {\n configurable: true,\n enumerable: false,\n writable: true,\n value: formatToParts\n});\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumbertoparts]\n */\nfunction FormatNumberToParts(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be ArrayCreate(0).\n var result = [];\n // 3. Let n be 0.\n var n = 0;\n // 4. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Let O be ObjectCreate(%ObjectPrototype%).\n var O = {};\n // a. Perform ? CreateDataPropertyOrThrow(O, \"type\", part.[[type]]).\n O.type = part['[[type]]'];\n // a. Perform ? CreateDataPropertyOrThrow(O, \"value\", part.[[value]]).\n O.value = part['[[value]]'];\n // a. Perform ? CreateDataPropertyOrThrow(result, ? ToString(n), O).\n result[n] = O;\n // a. Increment n by 1.\n n += 1;\n }\n // 5. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-partitionnumberpattern]\n */\nfunction PartitionNumberPattern(numberFormat, x) {\n\n var internal = getInternalProperties(numberFormat),\n locale = internal['[[dataLocale]]'],\n nums = internal['[[numberingSystem]]'],\n data = internals.NumberFormat['[[localeData]]'][locale],\n ild = data.symbols[nums] || data.symbols.latn,\n pattern = void 0;\n\n // 1. If x is not NaN and x < 0, then:\n if (!isNaN(x) && x < 0) {\n // a. Let x be -x.\n x = -x;\n // a. Let pattern be the value of numberFormat.[[negativePattern]].\n pattern = internal['[[negativePattern]]'];\n }\n // 2. Else,\n else {\n // a. Let pattern be the value of numberFormat.[[positivePattern]].\n pattern = internal['[[positivePattern]]'];\n }\n // 3. Let result be a new empty List.\n var result = new List();\n // 4. Let beginIndex be Call(%StringProto_indexOf%, pattern, \"{\", 0).\n var beginIndex = pattern.indexOf('{', 0);\n // 5. Let endIndex be 0.\n var endIndex = 0;\n // 6. Let nextIndex be 0.\n var nextIndex = 0;\n // 7. Let length be the number of code units in pattern.\n var length = pattern.length;\n // 8. Repeat while beginIndex is an integer index into pattern:\n while (beginIndex > -1 && beginIndex < length) {\n // a. Set endIndex to Call(%StringProto_indexOf%, pattern, \"}\", beginIndex)\n endIndex = pattern.indexOf('}', beginIndex);\n // a. If endIndex = -1, throw new Error exception.\n if (endIndex === -1) throw new Error();\n // a. If beginIndex is greater than nextIndex, then:\n if (beginIndex > nextIndex) {\n // i. Let literal be a substring of pattern from position nextIndex, inclusive, to position beginIndex, exclusive.\n var literal = pattern.substring(nextIndex, beginIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': literal });\n }\n // a. Let p be the substring of pattern from position beginIndex, exclusive, to position endIndex, exclusive.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // a. If p is equal \"number\", then:\n if (p === \"number\") {\n // i. If x is NaN,\n if (isNaN(x)) {\n // 1. Let n be an ILD String value indicating the NaN value.\n var n = ild.nan;\n // 2. Add new part record { [[type]]: \"nan\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'nan', '[[value]]': n });\n }\n // ii. Else if isFinite(x) is false,\n else if (!isFinite(x)) {\n // 1. Let n be an ILD String value indicating infinity.\n var _n = ild.infinity;\n // 2. Add new part record { [[type]]: \"infinity\", [[value]]: n } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'infinity', '[[value]]': _n });\n }\n // iii. Else,\n else {\n // 1. If the value of numberFormat.[[style]] is \"percent\" and isFinite(x), let x be 100 × x.\n if (internal['[[style]]'] === 'percent' && isFinite(x)) x *= 100;\n\n var _n2 = void 0;\n // 2. If the numberFormat.[[minimumSignificantDigits]] and numberFormat.[[maximumSignificantDigits]] are present, then\n if (hop.call(internal, '[[minimumSignificantDigits]]') && hop.call(internal, '[[maximumSignificantDigits]]')) {\n // a. Let n be ToRawPrecision(x, numberFormat.[[minimumSignificantDigits]], numberFormat.[[maximumSignificantDigits]]).\n _n2 = ToRawPrecision(x, internal['[[minimumSignificantDigits]]'], internal['[[maximumSignificantDigits]]']);\n }\n // 3. Else,\n else {\n // a. Let n be ToRawFixed(x, numberFormat.[[minimumIntegerDigits]], numberFormat.[[minimumFractionDigits]], numberFormat.[[maximumFractionDigits]]).\n _n2 = ToRawFixed(x, internal['[[minimumIntegerDigits]]'], internal['[[minimumFractionDigits]]'], internal['[[maximumFractionDigits]]']);\n }\n // 4. If the value of the numberFormat.[[numberingSystem]] matches one of the values in the \"Numbering System\" column of Table 2 below, then\n if (numSys[nums]) {\n (function () {\n // a. Let digits be an array whose 10 String valued elements are the UTF-16 string representations of the 10 digits specified in the \"Digits\" column of the matching row in Table 2.\n var digits = numSys[nums];\n // a. Replace each digit in n with the value of digits[digit].\n _n2 = String(_n2).replace(/\\d/g, function (digit) {\n return digits[digit];\n });\n })();\n }\n // 5. Else use an implementation dependent algorithm to map n to the appropriate representation of n in the given numbering system.\n else _n2 = String(_n2); // ###TODO###\n\n var integer = void 0;\n var fraction = void 0;\n // 6. Let decimalSepIndex be Call(%StringProto_indexOf%, n, \".\", 0).\n var decimalSepIndex = _n2.indexOf('.', 0);\n // 7. If decimalSepIndex > 0, then:\n if (decimalSepIndex > 0) {\n // a. Let integer be the substring of n from position 0, inclusive, to position decimalSepIndex, exclusive.\n integer = _n2.substring(0, decimalSepIndex);\n // a. Let fraction be the substring of n from position decimalSepIndex, exclusive, to the end of n.\n fraction = _n2.substring(decimalSepIndex + 1, decimalSepIndex.length);\n }\n // 8. Else:\n else {\n // a. Let integer be n.\n integer = _n2;\n // a. Let fraction be undefined.\n fraction = undefined;\n }\n // 9. If the value of the numberFormat.[[useGrouping]] is true,\n if (internal['[[useGrouping]]'] === true) {\n // a. Let groupSepSymbol be the ILND String representing the grouping separator.\n var groupSepSymbol = ild.group;\n // a. Let groups be a List whose elements are, in left to right order, the substrings defined by ILND set of locations within the integer.\n var groups = [];\n // ----> implementation:\n // Primary group represents the group closest to the decimal\n var pgSize = data.patterns.primaryGroupSize || 3;\n // Secondary group is every other group\n var sgSize = data.patterns.secondaryGroupSize || pgSize;\n // Group only if necessary\n if (integer.length > pgSize) {\n // Index of the primary grouping separator\n var end = integer.length - pgSize;\n // Starting index for our loop\n var idx = end % sgSize;\n var start = integer.slice(0, idx);\n if (start.length) arrPush.call(groups, start);\n // Loop to separate into secondary grouping digits\n while (idx < end) {\n arrPush.call(groups, integer.slice(idx, idx + sgSize));\n idx += sgSize;\n }\n // Add the primary grouping digits\n arrPush.call(groups, integer.slice(end));\n } else {\n arrPush.call(groups, integer);\n }\n // a. Assert: The number of elements in groups List is greater than 0.\n if (groups.length === 0) throw new Error();\n // a. Repeat, while groups List is not empty:\n while (groups.length) {\n // i. Remove the first element from groups and let integerGroup be the value of that element.\n var integerGroup = arrShift.call(groups);\n // ii. Add new part record { [[type]]: \"integer\", [[value]]: integerGroup } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integerGroup });\n // iii. If groups List is not empty, then:\n if (groups.length) {\n // 1. Add new part record { [[type]]: \"group\", [[value]]: groupSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'group', '[[value]]': groupSepSymbol });\n }\n }\n }\n // 10. Else,\n else {\n // a. Add new part record { [[type]]: \"integer\", [[value]]: integer } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'integer', '[[value]]': integer });\n }\n // 11. If fraction is not undefined, then:\n if (fraction !== undefined) {\n // a. Let decimalSepSymbol be the ILND String representing the decimal separator.\n var decimalSepSymbol = ild.decimal;\n // a. Add new part record { [[type]]: \"decimal\", [[value]]: decimalSepSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'decimal', '[[value]]': decimalSepSymbol });\n // a. Add new part record { [[type]]: \"fraction\", [[value]]: fraction } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'fraction', '[[value]]': fraction });\n }\n }\n }\n // a. Else if p is equal \"plusSign\", then:\n else if (p === \"plusSign\") {\n // i. Let plusSignSymbol be the ILND String representing the plus sign.\n var plusSignSymbol = ild.plusSign;\n // ii. Add new part record { [[type]]: \"plusSign\", [[value]]: plusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'plusSign', '[[value]]': plusSignSymbol });\n }\n // a. Else if p is equal \"minusSign\", then:\n else if (p === \"minusSign\") {\n // i. Let minusSignSymbol be the ILND String representing the minus sign.\n var minusSignSymbol = ild.minusSign;\n // ii. Add new part record { [[type]]: \"minusSign\", [[value]]: minusSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'minusSign', '[[value]]': minusSignSymbol });\n }\n // a. Else if p is equal \"percentSign\" and numberFormat.[[style]] is \"percent\", then:\n else if (p === \"percentSign\" && internal['[[style]]'] === \"percent\") {\n // i. Let percentSignSymbol be the ILND String representing the percent sign.\n var percentSignSymbol = ild.percentSign;\n // ii. Add new part record { [[type]]: \"percentSign\", [[value]]: percentSignSymbol } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': percentSignSymbol });\n }\n // a. Else if p is equal \"currency\" and numberFormat.[[style]] is \"currency\", then:\n else if (p === \"currency\" && internal['[[style]]'] === \"currency\") {\n // i. Let currency be the value of numberFormat.[[currency]].\n var currency = internal['[[currency]]'];\n\n var cd = void 0;\n\n // ii. If numberFormat.[[currencyDisplay]] is \"code\", then\n if (internal['[[currencyDisplay]]'] === \"code\") {\n // 1. Let cd be currency.\n cd = currency;\n }\n // iii. Else if numberFormat.[[currencyDisplay]] is \"symbol\", then\n else if (internal['[[currencyDisplay]]'] === \"symbol\") {\n // 1. Let cd be an ILD string representing currency in short form. If the implementation does not have such a representation of currency, use currency itself.\n cd = data.currencies[currency] || currency;\n }\n // iv. Else if numberFormat.[[currencyDisplay]] is \"name\", then\n else if (internal['[[currencyDisplay]]'] === \"name\") {\n // 1. Let cd be an ILD string representing currency in long form. If the implementation does not have such a representation of currency, then use currency itself.\n cd = currency;\n }\n // v. Add new part record { [[type]]: \"currency\", [[value]]: cd } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'currency', '[[value]]': cd });\n }\n // a. Else,\n else {\n // i. Let literal be the substring of pattern from position beginIndex, inclusive, to position endIndex, inclusive.\n var _literal = pattern.substring(beginIndex, endIndex);\n // ii. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal });\n }\n // a. Set nextIndex to endIndex + 1.\n nextIndex = endIndex + 1;\n // a. Set beginIndex to Call(%StringProto_indexOf%, pattern, \"{\", nextIndex)\n beginIndex = pattern.indexOf('{', nextIndex);\n }\n // 9. If nextIndex is less than length, then:\n if (nextIndex < length) {\n // a. Let literal be the substring of pattern from position nextIndex, inclusive, to position length, exclusive.\n var _literal2 = pattern.substring(nextIndex, length);\n // a. Add new part record { [[type]]: \"literal\", [[value]]: literal } as a new element of the list result.\n arrPush.call(result, { '[[type]]': 'literal', '[[value]]': _literal2 });\n }\n // 10. Return result.\n return result;\n}\n\n/*\n * @spec[stasm/ecma402/number-format-to-parts/spec/numberformat.html]\n * @clause[sec-formatnumber]\n */\nfunction FormatNumber(numberFormat, x) {\n // 1. Let parts be ? PartitionNumberPattern(numberFormat, x).\n var parts = PartitionNumberPattern(numberFormat, x);\n // 2. Let result be an empty String.\n var result = '';\n // 3. For each part in parts, do:\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n // a. Set result to a String value produced by concatenating result and part.[[value]].\n result += part['[[value]]'];\n }\n // 4. Return result.\n return result;\n}\n\n/**\n * When the ToRawPrecision abstract operation is called with arguments x (which\n * must be a finite non-negative number), minPrecision, and maxPrecision (both\n * must be integers between 1 and 21) the following steps are taken:\n */\nfunction ToRawPrecision(x, minPrecision, maxPrecision) {\n // 1. Let p be maxPrecision.\n var p = maxPrecision;\n\n var m = void 0,\n e = void 0;\n\n // 2. If x = 0, then\n if (x === 0) {\n // a. Let m be the String consisting of p occurrences of the character \"0\".\n m = arrJoin.call(Array(p + 1), '0');\n // b. Let e be 0.\n e = 0;\n }\n // 3. Else\n else {\n // a. Let e and n be integers such that 10ᵖ⁻¹ ≤ n < 10ᵖ and for which the\n // exact mathematical value of n × 10ᵉ⁻ᵖ⁺¹ – x is as close to zero as\n // possible. If there are two such sets of e and n, pick the e and n for\n // which n × 10ᵉ⁻ᵖ⁺¹ is larger.\n e = log10Floor(Math.abs(x));\n\n // Easier to get to m from here\n var f = Math.round(Math.exp(Math.abs(e - p + 1) * Math.LN10));\n\n // b. Let m be the String consisting of the digits of the decimal\n // representation of n (in order, with no leading zeroes)\n m = String(Math.round(e - p + 1 < 0 ? x * f : x / f));\n }\n\n // 4. If e ≥ p, then\n if (e >= p)\n // a. Return the concatenation of m and e-p+1 occurrences of the character \"0\".\n return m + arrJoin.call(Array(e - p + 1 + 1), '0');\n\n // 5. If e = p-1, then\n else if (e === p - 1)\n // a. Return m.\n return m;\n\n // 6. If e ≥ 0, then\n else if (e >= 0)\n // a. Let m be the concatenation of the first e+1 characters of m, the character\n // \".\", and the remaining p–(e+1) characters of m.\n m = m.slice(0, e + 1) + '.' + m.slice(e + 1);\n\n // 7. If e < 0, then\n else if (e < 0)\n // a. Let m be the concatenation of the String \"0.\", –(e+1) occurrences of the\n // character \"0\", and the string m.\n m = '0.' + arrJoin.call(Array(-(e + 1) + 1), '0') + m;\n\n // 8. If m contains the character \".\", and maxPrecision > minPrecision, then\n if (m.indexOf(\".\") >= 0 && maxPrecision > minPrecision) {\n // a. Let cut be maxPrecision – minPrecision.\n var cut = maxPrecision - minPrecision;\n\n // b. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.charAt(m.length - 1) === '0') {\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n\n // ii. Decrease cut by 1.\n cut--;\n }\n\n // c. If the last character of m is \".\", then\n if (m.charAt(m.length - 1) === '.')\n // i. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. Return m.\n return m;\n}\n\n/**\n * @spec[tc39/ecma402/master/spec/numberformat.html]\n * @clause[sec-torawfixed]\n * When the ToRawFixed abstract operation is called with arguments x (which must\n * be a finite non-negative number), minInteger (which must be an integer between\n * 1 and 21), minFraction, and maxFraction (which must be integers between 0 and\n * 20) the following steps are taken:\n */\nfunction ToRawFixed(x, minInteger, minFraction, maxFraction) {\n // 1. Let f be maxFraction.\n var f = maxFraction;\n // 2. Let n be an integer for which the exact mathematical value of n ÷ 10f – x is as close to zero as possible. If there are two such n, pick the larger n.\n var n = Math.pow(10, f) * x; // diverging...\n // 3. If n = 0, let m be the String \"0\". Otherwise, let m be the String consisting of the digits of the decimal representation of n (in order, with no leading zeroes).\n var m = n === 0 ? \"0\" : n.toFixed(0); // divering...\n\n {\n // this diversion is needed to take into consideration big numbers, e.g.:\n // 1.2344501e+37 -> 12344501000000000000000000000000000000\n var idx = void 0;\n var exp = (idx = m.indexOf('e')) > -1 ? m.slice(idx + 1) : 0;\n if (exp) {\n m = m.slice(0, idx).replace('.', '');\n m += arrJoin.call(Array(exp - (m.length - 1) + 1), '0');\n }\n }\n\n var int = void 0;\n // 4. If f ≠ 0, then\n if (f !== 0) {\n // a. Let k be the number of characters in m.\n var k = m.length;\n // a. If k ≤ f, then\n if (k <= f) {\n // i. Let z be the String consisting of f+1–k occurrences of the character \"0\".\n var z = arrJoin.call(Array(f + 1 - k + 1), '0');\n // ii. Let m be the concatenation of Strings z and m.\n m = z + m;\n // iii. Let k be f+1.\n k = f + 1;\n }\n // a. Let a be the first k–f characters of m, and let b be the remaining f characters of m.\n var a = m.substring(0, k - f),\n b = m.substring(k - f, m.length);\n // a. Let m be the concatenation of the three Strings a, \".\", and b.\n m = a + \".\" + b;\n // a. Let int be the number of characters in a.\n int = a.length;\n }\n // 5. Else, let int be the number of characters in m.\n else int = m.length;\n // 6. Let cut be maxFraction – minFraction.\n var cut = maxFraction - minFraction;\n // 7. Repeat while cut > 0 and the last character of m is \"0\":\n while (cut > 0 && m.slice(-1) === \"0\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n // a. Decrease cut by 1.\n cut--;\n }\n // 8. If the last character of m is \".\", then\n if (m.slice(-1) === \".\") {\n // a. Remove the last character from m.\n m = m.slice(0, -1);\n }\n // 9. If int < minInteger, then\n if (int < minInteger) {\n // a. Let z be the String consisting of minInteger–int occurrences of the character \"0\".\n var _z = arrJoin.call(Array(minInteger - int + 1), '0');\n // a. Let m be the concatenation of Strings z and m.\n m = _z + m;\n }\n // 10. Return m.\n return m;\n}\n\n// Sect 11.3.2 Table 2, Numbering systems\n// ======================================\nvar numSys = {\n arab: [\"٠\", \"١\", \"٢\", \"٣\", \"٤\", \"٥\", \"٦\", \"٧\", \"٨\", \"٩\"],\n arabext: [\"۰\", \"۱\", \"۲\", \"۳\", \"۴\", \"۵\", \"۶\", \"۷\", \"۸\", \"۹\"],\n bali: [\"᭐\", \"᭑\", \"᭒\", \"᭓\", \"᭔\", \"᭕\", \"᭖\", \"᭗\", \"᭘\", \"᭙\"],\n beng: [\"০\", \"১\", \"২\", \"৩\", \"৪\", \"৫\", \"৬\", \"৭\", \"৮\", \"৯\"],\n deva: [\"०\", \"१\", \"२\", \"३\", \"४\", \"५\", \"६\", \"७\", \"८\", \"९\"],\n fullwide: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n gujr: [\"૦\", \"૧\", \"૨\", \"૩\", \"૪\", \"૫\", \"૬\", \"૭\", \"૮\", \"૯\"],\n guru: [\"੦\", \"੧\", \"੨\", \"੩\", \"੪\", \"੫\", \"੬\", \"੭\", \"੮\", \"੯\"],\n hanidec: [\"〇\", \"一\", \"二\", \"三\", \"四\", \"五\", \"六\", \"七\", \"八\", \"九\"],\n khmr: [\"០\", \"១\", \"២\", \"៣\", \"៤\", \"៥\", \"៦\", \"៧\", \"៨\", \"៩\"],\n knda: [\"೦\", \"೧\", \"೨\", \"೩\", \"೪\", \"೫\", \"೬\", \"೭\", \"೮\", \"೯\"],\n laoo: [\"໐\", \"໑\", \"໒\", \"໓\", \"໔\", \"໕\", \"໖\", \"໗\", \"໘\", \"໙\"],\n latn: [\"0\", \"1\", \"2\", \"3\", \"4\", \"5\", \"6\", \"7\", \"8\", \"9\"],\n limb: [\"᥆\", \"᥇\", \"᥈\", \"᥉\", \"᥊\", \"᥋\", \"᥌\", \"᥍\", \"᥎\", \"᥏\"],\n mlym: [\"൦\", \"൧\", \"൨\", \"൩\", \"൪\", \"൫\", \"൬\", \"൭\", \"൮\", \"൯\"],\n mong: [\"᠐\", \"᠑\", \"᠒\", \"᠓\", \"᠔\", \"᠕\", \"᠖\", \"᠗\", \"᠘\", \"᠙\"],\n mymr: [\"၀\", \"၁\", \"၂\", \"၃\", \"၄\", \"၅\", \"၆\", \"၇\", \"၈\", \"၉\"],\n orya: [\"୦\", \"୧\", \"୨\", \"୩\", \"୪\", \"୫\", \"୬\", \"୭\", \"୮\", \"୯\"],\n tamldec: [\"௦\", \"௧\", \"௨\", \"௩\", \"௪\", \"௫\", \"௬\", \"௭\", \"௮\", \"௯\"],\n telu: [\"౦\", \"౧\", \"౨\", \"౩\", \"౪\", \"౫\", \"౬\", \"౭\", \"౮\", \"౯\"],\n thai: [\"๐\", \"๑\", \"๒\", \"๓\", \"๔\", \"๕\", \"๖\", \"๗\", \"๘\", \"๙\"],\n tibt: [\"༠\", \"༡\", \"༢\", \"༣\", \"༤\", \"༥\", \"༦\", \"༧\", \"༨\", \"༩\"]\n};\n\n/**\n * This function provides access to the locale and formatting options computed\n * during initialization of the object.\n *\n * The function returns a new object whose properties and attributes are set as\n * if constructed by an object literal assigning to each of the following\n * properties the value of the corresponding internal property of this\n * NumberFormat object (see 11.4): locale, numberingSystem, style, currency,\n * currencyDisplay, minimumIntegerDigits, minimumFractionDigits,\n * maximumFractionDigits, minimumSignificantDigits, maximumSignificantDigits, and\n * useGrouping. Properties whose corresponding internal properties are not present\n * are not assigned.\n */\n/* 11.3.3 */defineProperty(Intl.NumberFormat.prototype, 'resolvedOptions', {\n configurable: true,\n writable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'numberingSystem', 'style', 'currency', 'currencyDisplay', 'minimumIntegerDigits', 'minimumFractionDigits', 'maximumFractionDigits', 'minimumSignificantDigits', 'maximumSignificantDigits', 'useGrouping'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 11.3_b\n if (!internal || !internal['[[initializedNumberFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.NumberFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\n/* jslint esnext: true */\n\n// Match these datetime components in a CLDR pattern, except those in single quotes\nvar expDTComponents = /(?:[Eec]{1,6}|G{1,5}|[Qq]{1,5}|(?:[yYur]+|U{1,5})|[ML]{1,5}|d{1,2}|D{1,3}|F{1}|[abB]{1,5}|[hkHK]{1,2}|w{1,2}|W{1}|m{1,2}|s{1,2}|[zZOvVxX]{1,4})(?=([^']*'[^']*')*[^']*$)/g;\n// trim patterns after transformations\nvar expPatternTrimmer = /^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g;\n// Skip over patterns with these datetime components because we don't have data\n// to back them up:\n// timezone, weekday, amoung others\nvar unwantedDTCs = /[rqQASjJgwWIQq]/; // xXVO were removed from this list in favor of computing matches with timeZoneName values but printing as empty string\n\nvar dtKeys = [\"era\", \"year\", \"month\", \"day\", \"weekday\", \"quarter\"];\nvar tmKeys = [\"hour\", \"minute\", \"second\", \"hour12\", \"timeZoneName\"];\n\nfunction isDateFormatOnly(obj) {\n for (var i = 0; i < tmKeys.length; i += 1) {\n if (obj.hasOwnProperty(tmKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction isTimeFormatOnly(obj) {\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (obj.hasOwnProperty(dtKeys[i])) {\n return false;\n }\n }\n return true;\n}\n\nfunction joinDateAndTimeFormats(dateFormatObj, timeFormatObj) {\n var o = { _: {} };\n for (var i = 0; i < dtKeys.length; i += 1) {\n if (dateFormatObj[dtKeys[i]]) {\n o[dtKeys[i]] = dateFormatObj[dtKeys[i]];\n }\n if (dateFormatObj._[dtKeys[i]]) {\n o._[dtKeys[i]] = dateFormatObj._[dtKeys[i]];\n }\n }\n for (var j = 0; j < tmKeys.length; j += 1) {\n if (timeFormatObj[tmKeys[j]]) {\n o[tmKeys[j]] = timeFormatObj[tmKeys[j]];\n }\n if (timeFormatObj._[tmKeys[j]]) {\n o._[tmKeys[j]] = timeFormatObj._[tmKeys[j]];\n }\n }\n return o;\n}\n\nfunction computeFinalPatterns(formatObj) {\n // From http://www.unicode.org/reports/tr35/tr35-dates.html#Date_Format_Patterns:\n // 'In patterns, two single quotes represents a literal single quote, either\n // inside or outside single quotes. Text within single quotes is not\n // interpreted in any way (except for two adjacent single quotes).'\n formatObj.pattern12 = formatObj.extendedPattern.replace(/'([^']*)'/g, function ($0, literal) {\n return literal ? literal : \"'\";\n });\n\n // pattern 12 is always the default. we can produce the 24 by removing {ampm}\n formatObj.pattern = formatObj.pattern12.replace('{ampm}', '').replace(expPatternTrimmer, '');\n return formatObj;\n}\n\nfunction expDTComponentsMeta($0, formatObj) {\n switch ($0.charAt(0)) {\n // --- Era\n case 'G':\n formatObj.era = ['short', 'short', 'short', 'long', 'narrow'][$0.length - 1];\n return '{era}';\n\n // --- Year\n case 'y':\n case 'Y':\n case 'u':\n case 'U':\n case 'r':\n formatObj.year = $0.length === 2 ? '2-digit' : 'numeric';\n return '{year}';\n\n // --- Quarter (not supported in this polyfill)\n case 'Q':\n case 'q':\n formatObj.quarter = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{quarter}';\n\n // --- Month\n case 'M':\n case 'L':\n formatObj.month = ['numeric', '2-digit', 'short', 'long', 'narrow'][$0.length - 1];\n return '{month}';\n\n // --- Week (not supported in this polyfill)\n case 'w':\n // week of the year\n formatObj.week = $0.length === 2 ? '2-digit' : 'numeric';\n return '{weekday}';\n case 'W':\n // week of the month\n formatObj.week = 'numeric';\n return '{weekday}';\n\n // --- Day\n case 'd':\n // day of the month\n formatObj.day = $0.length === 2 ? '2-digit' : 'numeric';\n return '{day}';\n case 'D': // day of the year\n case 'F': // day of the week\n case 'g':\n // 1..n: Modified Julian day\n formatObj.day = 'numeric';\n return '{day}';\n\n // --- Week Day\n case 'E':\n // day of the week\n formatObj.weekday = ['short', 'short', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'e':\n // local day of the week\n formatObj.weekday = ['numeric', '2-digit', 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n case 'c':\n // stand alone local day of the week\n formatObj.weekday = ['numeric', undefined, 'short', 'long', 'narrow', 'short'][$0.length - 1];\n return '{weekday}';\n\n // --- Period\n case 'a': // AM, PM\n case 'b': // am, pm, noon, midnight\n case 'B':\n // flexible day periods\n formatObj.hour12 = true;\n return '{ampm}';\n\n // --- Hour\n case 'h':\n case 'H':\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n case 'k':\n case 'K':\n formatObj.hour12 = true; // 12-hour-cycle time formats (using h or K)\n formatObj.hour = $0.length === 2 ? '2-digit' : 'numeric';\n return '{hour}';\n\n // --- Minute\n case 'm':\n formatObj.minute = $0.length === 2 ? '2-digit' : 'numeric';\n return '{minute}';\n\n // --- Second\n case 's':\n formatObj.second = $0.length === 2 ? '2-digit' : 'numeric';\n return '{second}';\n case 'S':\n case 'A':\n formatObj.second = 'numeric';\n return '{second}';\n\n // --- Timezone\n case 'z': // 1..3, 4: specific non-location format\n case 'Z': // 1..3, 4, 5: The ISO8601 varios formats\n case 'O': // 1, 4: miliseconds in day short, long\n case 'v': // 1, 4: generic non-location format\n case 'V': // 1, 2, 3, 4: time zone ID or city\n case 'X': // 1, 2, 3, 4: The ISO8601 varios formats\n case 'x':\n // 1, 2, 3, 4: The ISO8601 varios formats\n // this polyfill only supports much, for now, we are just doing something dummy\n formatObj.timeZoneName = $0.length < 4 ? 'short' : 'long';\n return '{timeZoneName}';\n }\n}\n\n/**\n * Converts the CLDR availableFormats into the objects and patterns required by\n * the ECMAScript Internationalization API specification.\n */\nfunction createDateTimeFormat(skeleton, pattern) {\n // we ignore certain patterns that are unsupported to avoid this expensive op.\n if (unwantedDTCs.test(pattern)) return undefined;\n\n var formatObj = {\n originalPattern: pattern,\n _: {}\n };\n\n // Replace the pattern string with the one required by the specification, whilst\n // at the same time evaluating it for the subsets and formats\n formatObj.extendedPattern = pattern.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj._);\n });\n\n // Match the skeleton string with the one required by the specification\n // this implementation is based on the Date Field Symbol Table:\n // http://unicode.org/reports/tr35/tr35-dates.html#Date_Field_Symbol_Table\n // Note: we are adding extra data to the formatObject even though this polyfill\n // might not support it.\n skeleton.replace(expDTComponents, function ($0) {\n // See which symbol we're dealing with\n return expDTComponentsMeta($0, formatObj);\n });\n\n return computeFinalPatterns(formatObj);\n}\n\n/**\n * Processes DateTime formats from CLDR to an easier-to-parse format.\n * the result of this operation should be cached the first time a particular\n * calendar is analyzed.\n *\n * The specification requires we support at least the following subsets of\n * date/time components:\n *\n * - 'weekday', 'year', 'month', 'day', 'hour', 'minute', 'second'\n * - 'weekday', 'year', 'month', 'day'\n * - 'year', 'month', 'day'\n * - 'year', 'month'\n * - 'month', 'day'\n * - 'hour', 'minute', 'second'\n * - 'hour', 'minute'\n *\n * We need to cherry pick at least these subsets from the CLDR data and convert\n * them into the pattern objects used in the ECMA-402 API.\n */\nfunction createDateTimeFormats(formats) {\n var availableFormats = formats.availableFormats;\n var timeFormats = formats.timeFormats;\n var dateFormats = formats.dateFormats;\n var result = [];\n var skeleton = void 0,\n pattern = void 0,\n computed = void 0,\n i = void 0,\n j = void 0;\n var timeRelatedFormats = [];\n var dateRelatedFormats = [];\n\n // Map available (custom) formats into a pattern for createDateTimeFormats\n for (skeleton in availableFormats) {\n if (availableFormats.hasOwnProperty(skeleton)) {\n pattern = availableFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n // in some cases, the format is only displaying date specific props\n // or time specific props, in which case we need to also produce the\n // combined formats.\n if (isDateFormatOnly(computed)) {\n dateRelatedFormats.push(computed);\n } else if (isTimeFormatOnly(computed)) {\n timeRelatedFormats.push(computed);\n }\n }\n }\n }\n\n // Map time formats into a pattern for createDateTimeFormats\n for (skeleton in timeFormats) {\n if (timeFormats.hasOwnProperty(skeleton)) {\n pattern = timeFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n timeRelatedFormats.push(computed);\n }\n }\n }\n\n // Map date formats into a pattern for createDateTimeFormats\n for (skeleton in dateFormats) {\n if (dateFormats.hasOwnProperty(skeleton)) {\n pattern = dateFormats[skeleton];\n computed = createDateTimeFormat(skeleton, pattern);\n if (computed) {\n result.push(computed);\n dateRelatedFormats.push(computed);\n }\n }\n }\n\n // combine custom time and custom date formats when they are orthogonals to complete the\n // formats supported by CLDR.\n // This Algo is based on section \"Missing Skeleton Fields\" from:\n // http://unicode.org/reports/tr35/tr35-dates.html#availableFormats_appendItems\n for (i = 0; i < timeRelatedFormats.length; i += 1) {\n for (j = 0; j < dateRelatedFormats.length; j += 1) {\n if (dateRelatedFormats[j].month === 'long') {\n pattern = dateRelatedFormats[j].weekday ? formats.full : formats.long;\n } else if (dateRelatedFormats[j].month === 'short') {\n pattern = formats.medium;\n } else {\n pattern = formats.short;\n }\n computed = joinDateAndTimeFormats(dateRelatedFormats[j], timeRelatedFormats[i]);\n computed.originalPattern = pattern;\n computed.extendedPattern = pattern.replace('{0}', timeRelatedFormats[i].extendedPattern).replace('{1}', dateRelatedFormats[j].extendedPattern).replace(/^[,\\s]+|[,\\s]+$/gi, '');\n result.push(computeFinalPatterns(computed));\n }\n }\n\n return result;\n}\n\n// this represents the exceptions of the rule that are not covered by CLDR availableFormats\n// for single property configurations, they play no role when using multiple properties, and\n// those that are not in this table, are not exceptions or are not covered by the data we\n// provide.\nvar validSyntheticProps = {\n second: {\n numeric: 's',\n '2-digit': 'ss'\n },\n minute: {\n numeric: 'm',\n '2-digit': 'mm'\n },\n year: {\n numeric: 'y',\n '2-digit': 'yy'\n },\n day: {\n numeric: 'd',\n '2-digit': 'dd'\n },\n month: {\n numeric: 'L',\n '2-digit': 'LL',\n narrow: 'LLLLL',\n short: 'LLL',\n long: 'LLLL'\n },\n weekday: {\n narrow: 'ccccc',\n short: 'ccc',\n long: 'cccc'\n }\n};\n\nfunction generateSyntheticFormat(propName, propValue) {\n if (validSyntheticProps[propName] && validSyntheticProps[propName][propValue]) {\n var _ref2;\n\n return _ref2 = {\n originalPattern: validSyntheticProps[propName][propValue],\n _: defineProperty$1({}, propName, propValue),\n extendedPattern: \"{\" + propName + \"}\"\n }, defineProperty$1(_ref2, propName, propValue), defineProperty$1(_ref2, \"pattern12\", \"{\" + propName + \"}\"), defineProperty$1(_ref2, \"pattern\", \"{\" + propName + \"}\"), _ref2;\n }\n}\n\n// An object map of date component keys, saves using a regex later\nvar dateWidths = objCreate(null, { narrow: {}, short: {}, long: {} });\n\n/**\n * Returns a string for a date component, resolved using multiple inheritance as specified\n * as specified in the Unicode Technical Standard 35.\n */\nfunction resolveDateString(data, ca, component, width, key) {\n // From http://www.unicode.org/reports/tr35/tr35.html#Multiple_Inheritance:\n // 'In clearly specified instances, resources may inherit from within the same locale.\n // For example, ... the Buddhist calendar inherits from the Gregorian calendar.'\n var obj = data[ca] && data[ca][component] ? data[ca][component] : data.gregory[component],\n\n\n // \"sideways\" inheritance resolves strings when a key doesn't exist\n alts = {\n narrow: ['short', 'long'],\n short: ['long', 'narrow'],\n long: ['short', 'narrow']\n },\n\n\n //\n resolved = hop.call(obj, width) ? obj[width] : hop.call(obj, alts[width][0]) ? obj[alts[width][0]] : obj[alts[width][1]];\n\n // `key` wouldn't be specified for components 'dayPeriods'\n return key !== null ? resolved[key] : resolved;\n}\n\n// Define the DateTimeFormat constructor internally so it cannot be tainted\nfunction DateTimeFormatConstructor() {\n var locales = arguments[0];\n var options = arguments[1];\n\n if (!this || this === Intl) {\n return new Intl.DateTimeFormat(locales, options);\n }\n return InitializeDateTimeFormat(toObject(this), locales, options);\n}\n\ndefineProperty(Intl, 'DateTimeFormat', {\n configurable: true,\n writable: true,\n value: DateTimeFormatConstructor\n});\n\n// Must explicitly set prototypes as unwritable\ndefineProperty(DateTimeFormatConstructor, 'prototype', {\n writable: false\n});\n\n/**\n * The abstract operation InitializeDateTimeFormat accepts the arguments dateTimeFormat\n * (which must be an object), locales, and options. It initializes dateTimeFormat as a\n * DateTimeFormat object.\n */\nfunction /* 12.1.1.1 */InitializeDateTimeFormat(dateTimeFormat, locales, options) {\n // This will be a internal properties object if we're not already initialized\n var internal = getInternalProperties(dateTimeFormat);\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore();\n\n // 1. If dateTimeFormat has an [[initializedIntlObject]] internal property with\n // value true, throw a TypeError exception.\n if (internal['[[initializedIntlObject]]'] === true) throw new TypeError('`this` object has already been initialized as an Intl object');\n\n // Need this to access the `internal` object\n defineProperty(dateTimeFormat, '__getInternalProperties', {\n value: function value() {\n // NOTE: Non-standard, for internal use only\n if (arguments[0] === secret) return internal;\n }\n });\n\n // 2. Set the [[initializedIntlObject]] internal property of numberFormat to true.\n internal['[[initializedIntlObject]]'] = true;\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n var requestedLocales = CanonicalizeLocaleList(locales);\n\n // 4. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined below) with arguments options, \"any\", and \"date\".\n options = ToDateTimeOptions(options, 'any', 'date');\n\n // 5. Let opt be a new Record.\n var opt = new Record();\n\n // 6. Let matcher be the result of calling the GetOption abstract operation\n // (defined in 9.2.9) with arguments options, \"localeMatcher\", \"string\", a List\n // containing the two String values \"lookup\" and \"best fit\", and \"best fit\".\n var matcher = GetOption(options, 'localeMatcher', 'string', new List('lookup', 'best fit'), 'best fit');\n\n // 7. Set opt.[[localeMatcher]] to matcher.\n opt['[[localeMatcher]]'] = matcher;\n\n // 8. Let DateTimeFormat be the standard built-in object that is the initial\n // value of Intl.DateTimeFormat.\n var DateTimeFormat = internals.DateTimeFormat; // This is what we *really* need\n\n // 9. Let localeData be the value of the [[localeData]] internal property of\n // DateTimeFormat.\n var localeData = DateTimeFormat['[[localeData]]'];\n\n // 10. Let r be the result of calling the ResolveLocale abstract operation\n // (defined in 9.2.5) with the [[availableLocales]] internal property of\n // DateTimeFormat, requestedLocales, opt, the [[relevantExtensionKeys]]\n // internal property of DateTimeFormat, and localeData.\n var r = ResolveLocale(DateTimeFormat['[[availableLocales]]'], requestedLocales, opt, DateTimeFormat['[[relevantExtensionKeys]]'], localeData);\n\n // 11. Set the [[locale]] internal property of dateTimeFormat to the value of\n // r.[[locale]].\n internal['[[locale]]'] = r['[[locale]]'];\n\n // 12. Set the [[calendar]] internal property of dateTimeFormat to the value of\n // r.[[ca]].\n internal['[[calendar]]'] = r['[[ca]]'];\n\n // 13. Set the [[numberingSystem]] internal property of dateTimeFormat to the value of\n // r.[[nu]].\n internal['[[numberingSystem]]'] = r['[[nu]]'];\n\n // The specification doesn't tell us to do this, but it's helpful later on\n internal['[[dataLocale]]'] = r['[[dataLocale]]'];\n\n // 14. Let dataLocale be the value of r.[[dataLocale]].\n var dataLocale = r['[[dataLocale]]'];\n\n // 15. Let tz be the result of calling the [[Get]] internal method of options with\n // argument \"timeZone\".\n var tz = options.timeZone;\n\n // 16. If tz is not undefined, then\n if (tz !== undefined) {\n // a. Let tz be ToString(tz).\n // b. Convert tz to upper case as described in 6.1.\n // NOTE: If an implementation accepts additional time zone values, as permitted\n // under certain conditions by the Conformance clause, different casing\n // rules apply.\n tz = toLatinUpperCase(tz);\n\n // c. If tz is not \"UTC\", then throw a RangeError exception.\n // ###TODO: accept more time zones###\n if (tz !== 'UTC') throw new RangeError('timeZone is not supported.');\n }\n\n // 17. Set the [[timeZone]] internal property of dateTimeFormat to tz.\n internal['[[timeZone]]'] = tz;\n\n // 18. Let opt be a new Record.\n opt = new Record();\n\n // 19. For each row of Table 3, except the header row, do:\n for (var prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, prop)) continue;\n\n // 20. Let prop be the name given in the Property column of the row.\n // 21. Let value be the result of calling the GetOption abstract operation,\n // passing as argument options, the name given in the Property column of the\n // row, \"string\", a List containing the strings given in the Values column of\n // the row, and undefined.\n var value = GetOption(options, prop, 'string', dateTimeComponents[prop]);\n\n // 22. Set opt.[[]] to value.\n opt['[[' + prop + ']]'] = value;\n }\n\n // Assigned a value below\n var bestFormat = void 0;\n\n // 23. Let dataLocaleData be the result of calling the [[Get]] internal method of\n // localeData with argument dataLocale.\n var dataLocaleData = localeData[dataLocale];\n\n // 24. Let formats be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"formats\".\n // Note: we process the CLDR formats into the spec'd structure\n var formats = ToDateTimeFormats(dataLocaleData.formats);\n\n // 25. Let matcher be the result of calling the GetOption abstract operation with\n // arguments options, \"formatMatcher\", \"string\", a List containing the two String\n // values \"basic\" and \"best fit\", and \"best fit\".\n matcher = GetOption(options, 'formatMatcher', 'string', new List('basic', 'best fit'), 'best fit');\n\n // Optimization: caching the processed formats as a one time operation by\n // replacing the initial structure from localeData\n dataLocaleData.formats = formats;\n\n // 26. If matcher is \"basic\", then\n if (matcher === 'basic') {\n // 27. Let bestFormat be the result of calling the BasicFormatMatcher abstract\n // operation (defined below) with opt and formats.\n bestFormat = BasicFormatMatcher(opt, formats);\n\n // 28. Else\n } else {\n {\n // diverging\n var _hr = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n opt.hour12 = _hr === undefined ? dataLocaleData.hour12 : _hr;\n }\n // 29. Let bestFormat be the result of calling the BestFitFormatMatcher\n // abstract operation (defined below) with opt and formats.\n bestFormat = BestFitFormatMatcher(opt, formats);\n }\n\n // 30. For each row in Table 3, except the header row, do\n for (var _prop in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _prop)) continue;\n\n // a. Let prop be the name given in the Property column of the row.\n // b. Let pDesc be the result of calling the [[GetOwnProperty]] internal method of\n // bestFormat with argument prop.\n // c. If pDesc is not undefined, then\n if (hop.call(bestFormat, _prop)) {\n // i. Let p be the result of calling the [[Get]] internal method of bestFormat\n // with argument prop.\n var p = bestFormat[_prop];\n {\n // diverging\n p = bestFormat._ && hop.call(bestFormat._, _prop) ? bestFormat._[_prop] : p;\n }\n\n // ii. Set the [[]] internal property of dateTimeFormat to p.\n internal['[[' + _prop + ']]'] = p;\n }\n }\n\n var pattern = void 0; // Assigned a value below\n\n // 31. Let hr12 be the result of calling the GetOption abstract operation with\n // arguments options, \"hour12\", \"boolean\", undefined, and undefined.\n var hr12 = GetOption(options, 'hour12', 'boolean' /*, undefined, undefined*/);\n\n // 32. If dateTimeFormat has an internal property [[hour]], then\n if (internal['[[hour]]']) {\n // a. If hr12 is undefined, then let hr12 be the result of calling the [[Get]]\n // internal method of dataLocaleData with argument \"hour12\".\n hr12 = hr12 === undefined ? dataLocaleData.hour12 : hr12;\n\n // b. Set the [[hour12]] internal property of dateTimeFormat to hr12.\n internal['[[hour12]]'] = hr12;\n\n // c. If hr12 is true, then\n if (hr12 === true) {\n // i. Let hourNo0 be the result of calling the [[Get]] internal method of\n // dataLocaleData with argument \"hourNo0\".\n var hourNo0 = dataLocaleData.hourNo0;\n\n // ii. Set the [[hourNo0]] internal property of dateTimeFormat to hourNo0.\n internal['[[hourNo0]]'] = hourNo0;\n\n // iii. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern12\".\n pattern = bestFormat.pattern12;\n }\n\n // d. Else\n else\n // i. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n }\n\n // 33. Else\n else\n // a. Let pattern be the result of calling the [[Get]] internal method of\n // bestFormat with argument \"pattern\".\n pattern = bestFormat.pattern;\n\n // 34. Set the [[pattern]] internal property of dateTimeFormat to pattern.\n internal['[[pattern]]'] = pattern;\n\n // 35. Set the [[boundFormat]] internal property of dateTimeFormat to undefined.\n internal['[[boundFormat]]'] = undefined;\n\n // 36. Set the [[initializedDateTimeFormat]] internal property of dateTimeFormat to\n // true.\n internal['[[initializedDateTimeFormat]]'] = true;\n\n // In ES3, we need to pre-bind the format() function\n if (es3) dateTimeFormat.format = GetFormatDateTime.call(dateTimeFormat);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // Return the newly initialised object\n return dateTimeFormat;\n}\n\n/**\n * Several DateTimeFormat algorithms use values from the following table, which provides\n * property names and allowable values for the components of date and time formats:\n */\nvar dateTimeComponents = {\n weekday: [\"narrow\", \"short\", \"long\"],\n era: [\"narrow\", \"short\", \"long\"],\n year: [\"2-digit\", \"numeric\"],\n month: [\"2-digit\", \"numeric\", \"narrow\", \"short\", \"long\"],\n day: [\"2-digit\", \"numeric\"],\n hour: [\"2-digit\", \"numeric\"],\n minute: [\"2-digit\", \"numeric\"],\n second: [\"2-digit\", \"numeric\"],\n timeZoneName: [\"short\", \"long\"]\n};\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeFormats(formats) {\n if (Object.prototype.toString.call(formats) === '[object Array]') {\n return formats;\n }\n return createDateTimeFormats(formats);\n}\n\n/**\n * When the ToDateTimeOptions abstract operation is called with arguments options,\n * required, and defaults, the following steps are taken:\n */\nfunction ToDateTimeOptions(options, required, defaults) {\n // 1. If options is undefined, then let options be null, else let options be\n // ToObject(options).\n if (options === undefined) options = null;else {\n // (#12) options needs to be a Record, but it also needs to inherit properties\n var opt2 = toObject(options);\n options = new Record();\n\n for (var k in opt2) {\n options[k] = opt2[k];\n }\n }\n\n // 2. Let create be the standard built-in function object defined in ES5, 15.2.3.5.\n var create = objCreate;\n\n // 3. Let options be the result of calling the [[Call]] internal method of create with\n // undefined as the this value and an argument list containing the single item\n // options.\n options = create(options);\n\n // 4. Let needDefaults be true.\n var needDefaults = true;\n\n // 5. If required is \"date\" or \"any\", then\n if (required === 'date' || required === 'any') {\n // a. For each of the property names \"weekday\", \"year\", \"month\", \"day\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.weekday !== undefined || options.year !== undefined || options.month !== undefined || options.day !== undefined) needDefaults = false;\n }\n\n // 6. If required is \"time\" or \"any\", then\n if (required === 'time' || required === 'any') {\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. If the result of calling the [[Get]] internal method of options with the\n // property name is not undefined, then let needDefaults be false.\n if (options.hour !== undefined || options.minute !== undefined || options.second !== undefined) needDefaults = false;\n }\n\n // 7. If needDefaults is true and defaults is either \"date\" or \"all\", then\n if (needDefaults && (defaults === 'date' || defaults === 'all'))\n // a. For each of the property names \"year\", \"month\", \"day\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.year = options.month = options.day = 'numeric';\n\n // 8. If needDefaults is true and defaults is either \"time\" or \"all\", then\n if (needDefaults && (defaults === 'time' || defaults === 'all'))\n // a. For each of the property names \"hour\", \"minute\", \"second\":\n // i. Call the [[DefineOwnProperty]] internal method of options with the\n // property name, Property Descriptor {[[Value]]: \"numeric\", [[Writable]]:\n // true, [[Enumerable]]: true, [[Configurable]]: true}, and false.\n options.hour = options.minute = options.second = 'numeric';\n\n // 9. Return options.\n return options;\n}\n\n/**\n * When the BasicFormatMatcher abstract operation is called with two arguments options and\n * formats, the following steps are taken:\n */\nfunction BasicFormatMatcher(options, formats) {\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, property) ? format[property] : undefined;\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta === 2) score -= longMorePenalty;\n\n // 6. Else if delta = 1, decrease score by shortMorePenalty.\n else if (delta === 1) score -= shortMorePenalty;\n\n // 7. Else if delta = -1, decrease score by shortLessPenalty.\n else if (delta === -1) score -= shortLessPenalty;\n\n // 8. Else if delta = -2, decrease score by longLessPenalty.\n else if (delta === -2) score -= longLessPenalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/**\n * When the BestFitFormatMatcher abstract operation is called with two arguments options\n * and formats, it performs implementation dependent steps, which should return a set of\n * component representations that a typical user of the selected locale would perceive as\n * at least as good as the one returned by BasicFormatMatcher.\n *\n * This polyfill defines the algorithm to be the same as BasicFormatMatcher,\n * with the addition of bonus points awarded where the requested format is of\n * the same data type as the potentially matching format.\n *\n * This algo relies on the concept of closest distance matching described here:\n * http://unicode.org/reports/tr35/tr35-dates.html#Matching_Skeletons\n * Typically a “best match” is found using a closest distance match, such as:\n *\n * Symbols requesting a best choice for the locale are replaced.\n * j → one of {H, k, h, K}; C → one of {a, b, B}\n * -> Covered by cldr.js matching process\n *\n * For fields with symbols representing the same type (year, month, day, etc):\n * Most symbols have a small distance from each other.\n * M ≅ L; E ≅ c; a ≅ b ≅ B; H ≅ k ≅ h ≅ K; ...\n * -> Covered by cldr.js matching process\n *\n * Width differences among fields, other than those marking text vs numeric, are given small distance from each other.\n * MMM ≅ MMMM\n * MM ≅ M\n * Numeric and text fields are given a larger distance from each other.\n * MMM ≈ MM\n * Symbols representing substantial differences (week of year vs week of month) are given much larger a distances from each other.\n * d ≋ D; ...\n * Missing or extra fields cause a match to fail. (But see Missing Skeleton Fields).\n *\n *\n * For example,\n *\n * { month: 'numeric', day: 'numeric' }\n *\n * should match\n *\n * { month: '2-digit', day: '2-digit' }\n *\n * rather than\n *\n * { month: 'short', day: 'numeric' }\n *\n * This makes sense because a user requesting a formatted date with numeric parts would\n * not expect to see the returned format containing narrow, short or long part names\n */\nfunction BestFitFormatMatcher(options, formats) {\n /** Diverging: this block implements the hack for single property configuration, eg.:\n *\n * `new Intl.DateTimeFormat('en', {day: 'numeric'})`\n *\n * should produce a single digit with the day of the month. This is needed because\n * CLDR `availableFormats` data structure doesn't cover these cases.\n */\n {\n var optionsPropNames = [];\n for (var property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, property)) continue;\n\n if (options['[[' + property + ']]'] !== undefined) {\n optionsPropNames.push(property);\n }\n }\n if (optionsPropNames.length === 1) {\n var _bestFormat = generateSyntheticFormat(optionsPropNames[0], options['[[' + optionsPropNames[0] + ']]']);\n if (_bestFormat) {\n return _bestFormat;\n }\n }\n }\n\n // 1. Let removalPenalty be 120.\n var removalPenalty = 120;\n\n // 2. Let additionPenalty be 20.\n var additionPenalty = 20;\n\n // 3. Let longLessPenalty be 8.\n var longLessPenalty = 8;\n\n // 4. Let longMorePenalty be 6.\n var longMorePenalty = 6;\n\n // 5. Let shortLessPenalty be 6.\n var shortLessPenalty = 6;\n\n // 6. Let shortMorePenalty be 3.\n var shortMorePenalty = 3;\n\n var patternPenalty = 2;\n\n var hour12Penalty = 1;\n\n // 7. Let bestScore be -Infinity.\n var bestScore = -Infinity;\n\n // 8. Let bestFormat be undefined.\n var bestFormat = void 0;\n\n // 9. Let i be 0.\n var i = 0;\n\n // 10. Assert: formats is an Array object.\n\n // 11. Let len be the result of calling the [[Get]] internal method of formats with argument \"length\".\n var len = formats.length;\n\n // 12. Repeat while i < len:\n while (i < len) {\n // a. Let format be the result of calling the [[Get]] internal method of formats with argument ToString(i).\n var format = formats[i];\n\n // b. Let score be 0.\n var score = 0;\n\n // c. For each property shown in Table 3:\n for (var _property in dateTimeComponents) {\n if (!hop.call(dateTimeComponents, _property)) continue;\n\n // i. Let optionsProp be options.[[]].\n var optionsProp = options['[[' + _property + ']]'];\n\n // ii. Let formatPropDesc be the result of calling the [[GetOwnProperty]] internal method of format\n // with argument property.\n // iii. If formatPropDesc is not undefined, then\n // 1. Let formatProp be the result of calling the [[Get]] internal method of format with argument property.\n var formatProp = hop.call(format, _property) ? format[_property] : undefined;\n\n // Diverging: using the default properties produced by the pattern/skeleton\n // to match it with user options, and apply a penalty\n var patternProp = hop.call(format._, _property) ? format._[_property] : undefined;\n if (optionsProp !== patternProp) {\n score -= patternPenalty;\n }\n\n // iv. If optionsProp is undefined and formatProp is not undefined, then decrease score by\n // additionPenalty.\n if (optionsProp === undefined && formatProp !== undefined) score -= additionPenalty;\n\n // v. Else if optionsProp is not undefined and formatProp is undefined, then decrease score by\n // removalPenalty.\n else if (optionsProp !== undefined && formatProp === undefined) score -= removalPenalty;\n\n // vi. Else\n else {\n // 1. Let values be the array [\"2-digit\", \"numeric\", \"narrow\", \"short\",\n // \"long\"].\n var values = ['2-digit', 'numeric', 'narrow', 'short', 'long'];\n\n // 2. Let optionsPropIndex be the index of optionsProp within values.\n var optionsPropIndex = arrIndexOf.call(values, optionsProp);\n\n // 3. Let formatPropIndex be the index of formatProp within values.\n var formatPropIndex = arrIndexOf.call(values, formatProp);\n\n // 4. Let delta be max(min(formatPropIndex - optionsPropIndex, 2), -2).\n var delta = Math.max(Math.min(formatPropIndex - optionsPropIndex, 2), -2);\n\n {\n // diverging from spec\n // When the bestFit argument is true, subtract additional penalty where data types are not the same\n if (formatPropIndex <= 1 && optionsPropIndex >= 2 || formatPropIndex >= 2 && optionsPropIndex <= 1) {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 0) score -= longMorePenalty;else if (delta < 0) score -= longLessPenalty;\n } else {\n // 5. If delta = 2, decrease score by longMorePenalty.\n if (delta > 1) score -= shortMorePenalty;else if (delta < -1) score -= shortLessPenalty;\n }\n }\n }\n }\n\n {\n // diverging to also take into consideration differences between 12 or 24 hours\n // which is special for the best fit only.\n if (format._.hour12 !== options.hour12) {\n score -= hour12Penalty;\n }\n }\n\n // d. If score > bestScore, then\n if (score > bestScore) {\n // i. Let bestScore be score.\n bestScore = score;\n // ii. Let bestFormat be format.\n bestFormat = format;\n }\n\n // e. Increase i by 1.\n i++;\n }\n\n // 13. Return bestFormat.\n return bestFormat;\n}\n\n/* 12.2.3 */internals.DateTimeFormat = {\n '[[availableLocales]]': [],\n '[[relevantExtensionKeys]]': ['ca', 'nu'],\n '[[localeData]]': {}\n};\n\n/**\n * When the supportedLocalesOf method of Intl.DateTimeFormat is called, the\n * following steps are taken:\n */\n/* 12.2.2 */\ndefineProperty(Intl.DateTimeFormat, 'supportedLocalesOf', {\n configurable: true,\n writable: true,\n value: fnBind.call(function (locales) {\n // Bound functions only have the `this` value altered if being used as a constructor,\n // this lets us imitate a native function that has no constructor\n if (!hop.call(this, '[[availableLocales]]')) throw new TypeError('supportedLocalesOf() is not a constructor');\n\n // Create an object whose props can be used to restore the values of RegExp props\n var regexpRestore = createRegExpRestore(),\n\n\n // 1. If options is not provided, then let options be undefined.\n options = arguments[1],\n\n\n // 2. Let availableLocales be the value of the [[availableLocales]] internal\n // property of the standard built-in object that is the initial value of\n // Intl.NumberFormat.\n\n availableLocales = this['[[availableLocales]]'],\n\n\n // 3. Let requestedLocales be the result of calling the CanonicalizeLocaleList\n // abstract operation (defined in 9.2.1) with argument locales.\n requestedLocales = CanonicalizeLocaleList(locales);\n\n // Restore the RegExp properties\n regexpRestore();\n\n // 4. Return the result of calling the SupportedLocales abstract operation\n // (defined in 9.2.8) with arguments availableLocales, requestedLocales,\n // and options.\n return SupportedLocales(availableLocales, requestedLocales, options);\n }, internals.NumberFormat)\n});\n\n/**\n * This named accessor property returns a function that formats a number\n * according to the effective locale and the formatting options of this\n * DateTimeFormat object.\n */\n/* 12.3.2 */defineProperty(Intl.DateTimeFormat.prototype, 'format', {\n configurable: true,\n get: GetFormatDateTime\n});\n\nfunction GetFormatDateTime() {\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for format() is not an initialized Intl.DateTimeFormat object.');\n\n // The value of the [[Get]] attribute is a function that takes the following\n // steps:\n\n // 1. If the [[boundFormat]] internal property of this DateTimeFormat object\n // is undefined, then:\n if (internal['[[boundFormat]]'] === undefined) {\n // a. Let F be a Function object, with internal properties set as\n // specified for built-in functions in ES5, 15, or successor, and the\n // length property set to 0, that takes the argument date and\n // performs the following steps:\n var F = function F() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n // i. If date is not provided or is undefined, then let x be the\n // result as if by the expression Date.now() where Date.now is\n // the standard built-in function defined in ES5, 15.9.4.4.\n // ii. Else let x be ToNumber(date).\n // iii. Return the result of calling the FormatDateTime abstract\n // operation (defined below) with arguments this and x.\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatDateTime(this, x);\n };\n // b. Let bind be the standard built-in function object defined in ES5,\n // 15.3.4.5.\n // c. Let bf be the result of calling the [[Call]] internal method of\n // bind with F as the this value and an argument list containing\n // the single item this.\n var bf = fnBind.call(F, this);\n // d. Set the [[boundFormat]] internal property of this NumberFormat\n // object to bf.\n internal['[[boundFormat]]'] = bf;\n }\n // Return the value of the [[boundFormat]] internal property of this\n // NumberFormat object.\n return internal['[[boundFormat]]'];\n}\n\nfunction formatToParts$1() {\n var date = arguments.length <= 0 || arguments[0] === undefined ? undefined : arguments[0];\n\n var internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for formatToParts() is not an initialized Intl.DateTimeFormat object.');\n\n var x = date === undefined ? Date.now() : toNumber(date);\n return FormatToPartsDateTime(this, x);\n}\n\nObject.defineProperty(Intl.DateTimeFormat.prototype, 'formatToParts', {\n enumerable: false,\n writable: true,\n configurable: true,\n value: formatToParts$1\n});\n\nfunction CreateDateTimeParts(dateTimeFormat, x) {\n // 1. If x is not a finite Number, then throw a RangeError exception.\n if (!isFinite(x)) throw new RangeError('Invalid valid date passed to format');\n\n var internal = dateTimeFormat.__getInternalProperties(secret);\n\n // Creating restore point for properties on the RegExp object... please wait\n /* let regexpRestore = */createRegExpRestore(); // ###TODO: review this\n\n // 2. Let locale be the value of the [[locale]] internal property of dateTimeFormat.\n var locale = internal['[[locale]]'];\n\n // 3. Let nf be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {useGrouping: false}) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n var nf = new Intl.NumberFormat([locale], { useGrouping: false });\n\n // 4. Let nf2 be the result of creating a new NumberFormat object as if by the\n // expression new Intl.NumberFormat([locale], {minimumIntegerDigits: 2, useGrouping:\n // false}) where Intl.NumberFormat is the standard built-in constructor defined in\n // 11.1.3.\n var nf2 = new Intl.NumberFormat([locale], { minimumIntegerDigits: 2, useGrouping: false });\n\n // 5. Let tm be the result of calling the ToLocalTime abstract operation (defined\n // below) with x, the value of the [[calendar]] internal property of dateTimeFormat,\n // and the value of the [[timeZone]] internal property of dateTimeFormat.\n var tm = ToLocalTime(x, internal['[[calendar]]'], internal['[[timeZone]]']);\n\n // 6. Let result be the value of the [[pattern]] internal property of dateTimeFormat.\n var pattern = internal['[[pattern]]'];\n\n // 7.\n var result = new List();\n\n // 8.\n var index = 0;\n\n // 9.\n var beginIndex = pattern.indexOf('{');\n\n // 10.\n var endIndex = 0;\n\n // Need the locale minus any extensions\n var dataLocale = internal['[[dataLocale]]'];\n\n // Need the calendar data from CLDR\n var localeData = internals.DateTimeFormat['[[localeData]]'][dataLocale].calendars;\n var ca = internal['[[calendar]]'];\n\n // 11.\n while (beginIndex !== -1) {\n var fv = void 0;\n // a.\n endIndex = pattern.indexOf('}', beginIndex);\n // b.\n if (endIndex === -1) {\n throw new Error('Unclosed pattern');\n }\n // c.\n if (beginIndex > index) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(index, beginIndex)\n });\n }\n // d.\n var p = pattern.substring(beginIndex + 1, endIndex);\n // e.\n if (dateTimeComponents.hasOwnProperty(p)) {\n // i. Let f be the value of the [[

]] internal property of dateTimeFormat.\n var f = internal['[[' + p + ']]'];\n // ii. Let v be the value of tm.[[

]].\n var v = tm['[[' + p + ']]'];\n // iii. If p is \"year\" and v ≤ 0, then let v be 1 - v.\n if (p === 'year' && v <= 0) {\n v = 1 - v;\n }\n // iv. If p is \"month\", then increase v by 1.\n else if (p === 'month') {\n v++;\n }\n // v. If p is \"hour\" and the value of the [[hour12]] internal property of\n // dateTimeFormat is true, then\n else if (p === 'hour' && internal['[[hour12]]'] === true) {\n // 1. Let v be v modulo 12.\n v = v % 12;\n // 2. If v is 0 and the value of the [[hourNo0]] internal property of\n // dateTimeFormat is true, then let v be 12.\n if (v === 0 && internal['[[hourNo0]]'] === true) {\n v = 12;\n }\n }\n\n // vi. If f is \"numeric\", then\n if (f === 'numeric') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments nf and v.\n fv = FormatNumber(nf, v);\n }\n // vii. Else if f is \"2-digit\", then\n else if (f === '2-digit') {\n // 1. Let fv be the result of calling the FormatNumber abstract operation\n // with arguments nf2 and v.\n fv = FormatNumber(nf2, v);\n // 2. If the length of fv is greater than 2, let fv be the substring of fv\n // containing the last two characters.\n if (fv.length > 2) {\n fv = fv.slice(-2);\n }\n }\n // viii. Else if f is \"narrow\", \"short\", or \"long\", then let fv be a String\n // value representing f in the desired form; the String value depends upon\n // the implementation and the effective locale and calendar of\n // dateTimeFormat. If p is \"month\", then the String value may also depend\n // on whether dateTimeFormat has a [[day]] internal property. If p is\n // \"timeZoneName\", then the String value may also depend on the value of\n // the [[inDST]] field of tm.\n else if (f in dateWidths) {\n switch (p) {\n case 'month':\n fv = resolveDateString(localeData, ca, 'months', f, tm['[[' + p + ']]']);\n break;\n\n case 'weekday':\n try {\n fv = resolveDateString(localeData, ca, 'days', f, tm['[[' + p + ']]']);\n // fv = resolveDateString(ca.days, f)[tm['[['+ p +']]']];\n } catch (e) {\n throw new Error('Could not find weekday data for locale ' + locale);\n }\n break;\n\n case 'timeZoneName':\n fv = ''; // ###TODO\n break;\n\n case 'era':\n try {\n fv = resolveDateString(localeData, ca, 'eras', f, tm['[[' + p + ']]']);\n } catch (e) {\n throw new Error('Could not find era data for locale ' + locale);\n }\n break;\n\n default:\n fv = tm['[[' + p + ']]'];\n }\n }\n // ix\n arrPush.call(result, {\n type: p,\n value: fv\n });\n // f.\n } else if (p === 'ampm') {\n // i.\n var _v = tm['[[hour]]'];\n // ii./iii.\n fv = resolveDateString(localeData, ca, 'dayPeriods', _v > 11 ? 'pm' : 'am', null);\n // iv.\n arrPush.call(result, {\n type: 'dayPeriod',\n value: fv\n });\n // g.\n } else {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substring(beginIndex, endIndex + 1)\n });\n }\n // h.\n index = endIndex + 1;\n // i.\n beginIndex = pattern.indexOf('{', index);\n }\n // 12.\n if (endIndex < pattern.length - 1) {\n arrPush.call(result, {\n type: 'literal',\n value: pattern.substr(endIndex + 1)\n });\n }\n // 13.\n return result;\n}\n\n/**\n * When the FormatDateTime abstract operation is called with arguments dateTimeFormat\n * (which must be an object initialized as a DateTimeFormat) and x (which must be a Number\n * value), it returns a String value representing x (interpreted as a time value as\n * specified in ES5, 15.9.1.1) according to the effective locale and the formatting\n * options of dateTimeFormat.\n */\nfunction FormatDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = '';\n\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result += part.value;\n }\n return result;\n}\n\nfunction FormatToPartsDateTime(dateTimeFormat, x) {\n var parts = CreateDateTimeParts(dateTimeFormat, x);\n var result = [];\n for (var i = 0; parts.length > i; i++) {\n var part = parts[i];\n result.push({\n type: part.type,\n value: part.value\n });\n }\n return result;\n}\n\n/**\n * When the ToLocalTime abstract operation is called with arguments date, calendar, and\n * timeZone, the following steps are taken:\n */\nfunction ToLocalTime(date, calendar, timeZone) {\n // 1. Apply calendrical calculations on date for the given calendar and time zone to\n // produce weekday, era, year, month, day, hour, minute, second, and inDST values.\n // The calculations should use best available information about the specified\n // calendar and time zone. If the calendar is \"gregory\", then the calculations must\n // match the algorithms specified in ES5, 15.9.1, except that calculations are not\n // bound by the restrictions on the use of best available information on time zones\n // for local time zone adjustment and daylight saving time adjustment imposed by\n // ES5, 15.9.1.7 and 15.9.1.8.\n // ###TODO###\n var d = new Date(date),\n m = 'get' + (timeZone || '');\n\n // 2. Return a Record with fields [[weekday]], [[era]], [[year]], [[month]], [[day]],\n // [[hour]], [[minute]], [[second]], and [[inDST]], each with the corresponding\n // calculated value.\n return new Record({\n '[[weekday]]': d[m + 'Day'](),\n '[[era]]': +(d[m + 'FullYear']() >= 0),\n '[[year]]': d[m + 'FullYear'](),\n '[[month]]': d[m + 'Month'](),\n '[[day]]': d[m + 'Date'](),\n '[[hour]]': d[m + 'Hours'](),\n '[[minute]]': d[m + 'Minutes'](),\n '[[second]]': d[m + 'Seconds'](),\n '[[inDST]]': false // ###TODO###\n });\n}\n\n/**\n * The function returns a new object whose properties and attributes are set as if\n * constructed by an object literal assigning to each of the following properties the\n * value of the corresponding internal property of this DateTimeFormat object (see 12.4):\n * locale, calendar, numberingSystem, timeZone, hour12, weekday, era, year, month, day,\n * hour, minute, second, and timeZoneName. Properties whose corresponding internal\n * properties are not present are not assigned.\n */\n/* 12.3.3 */defineProperty(Intl.DateTimeFormat.prototype, 'resolvedOptions', {\n writable: true,\n configurable: true,\n value: function value() {\n var prop = void 0,\n descs = new Record(),\n props = ['locale', 'calendar', 'numberingSystem', 'timeZone', 'hour12', 'weekday', 'era', 'year', 'month', 'day', 'hour', 'minute', 'second', 'timeZoneName'],\n internal = this !== null && babelHelpers$1[\"typeof\"](this) === 'object' && getInternalProperties(this);\n\n // Satisfy test 12.3_b\n if (!internal || !internal['[[initializedDateTimeFormat]]']) throw new TypeError('`this` value for resolvedOptions() is not an initialized Intl.DateTimeFormat object.');\n\n for (var i = 0, max = props.length; i < max; i++) {\n if (hop.call(internal, prop = '[[' + props[i] + ']]')) descs[props[i]] = { value: internal[prop], writable: true, configurable: true, enumerable: true };\n }\n\n return objCreate({}, descs);\n }\n});\n\nvar ls = Intl.__localeSensitiveProtos = {\n Number: {},\n Date: {}\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.2.1 */ls.Number.toLocaleString = function () {\n // Satisfy test 13.2.1_1\n if (Object.prototype.toString.call(this) !== '[object Number]') throw new TypeError('`this` value must be a number for Number.prototype.toLocaleString()');\n\n // 1. Let x be this Number value (as defined in ES5, 15.7.4).\n // 2. If locales is not provided, then let locales be undefined.\n // 3. If options is not provided, then let options be undefined.\n // 4. Let numberFormat be the result of creating a new object as if by the\n // expression new Intl.NumberFormat(locales, options) where\n // Intl.NumberFormat is the standard built-in constructor defined in 11.1.3.\n // 5. Return the result of calling the FormatNumber abstract operation\n // (defined in 11.3.2) with arguments numberFormat and x.\n return FormatNumber(new NumberFormatConstructor(arguments[0], arguments[1]), this);\n};\n\n/**\n * When the toLocaleString method is called with optional arguments locales and options,\n * the following steps are taken:\n */\n/* 13.3.1 */ls.Date.toLocaleString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"any\", and \"all\".\n options = ToDateTimeOptions(options, 'any', 'all');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleDateString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.2 */ls.Date.toLocaleDateString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleDateString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0],\n\n\n // 4. If options is not provided, then let options be undefined.\n options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"date\", and \"date\".\n options = ToDateTimeOptions(options, 'date', 'date');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\n/**\n * When the toLocaleTimeString method is called with optional arguments locales and\n * options, the following steps are taken:\n */\n/* 13.3.3 */ls.Date.toLocaleTimeString = function () {\n // Satisfy test 13.3.0_1\n if (Object.prototype.toString.call(this) !== '[object Date]') throw new TypeError('`this` value must be a Date instance for Date.prototype.toLocaleTimeString()');\n\n // 1. Let x be this time value (as defined in ES5, 15.9.5).\n var x = +this;\n\n // 2. If x is NaN, then return \"Invalid Date\".\n if (isNaN(x)) return 'Invalid Date';\n\n // 3. If locales is not provided, then let locales be undefined.\n var locales = arguments[0];\n\n // 4. If options is not provided, then let options be undefined.\n var options = arguments[1];\n\n // 5. Let options be the result of calling the ToDateTimeOptions abstract\n // operation (defined in 12.1.1) with arguments options, \"time\", and \"time\".\n options = ToDateTimeOptions(options, 'time', 'time');\n\n // 6. Let dateTimeFormat be the result of creating a new object as if by the\n // expression new Intl.DateTimeFormat(locales, options) where\n // Intl.DateTimeFormat is the standard built-in constructor defined in 12.1.3.\n var dateTimeFormat = new DateTimeFormatConstructor(locales, options);\n\n // 7. Return the result of calling the FormatDateTime abstract operation (defined\n // in 12.3.2) with arguments dateTimeFormat and x.\n return FormatDateTime(dateTimeFormat, x);\n};\n\ndefineProperty(Intl, '__applyLocaleSensitivePrototypes', {\n writable: true,\n configurable: true,\n value: function value() {\n defineProperty(Number.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Number.toLocaleString });\n // Need this here for IE 8, to avoid the _DontEnum_ bug\n defineProperty(Date.prototype, 'toLocaleString', { writable: true, configurable: true, value: ls.Date.toLocaleString });\n\n for (var k in ls.Date) {\n if (hop.call(ls.Date, k)) defineProperty(Date.prototype, k, { writable: true, configurable: true, value: ls.Date[k] });\n }\n }\n});\n\n/**\n * Can't really ship a single script with data for hundreds of locales, so we provide\n * this __addLocaleData method as a means for the developer to add the data on an\n * as-needed basis\n */\ndefineProperty(Intl, '__addLocaleData', {\n value: function value(data) {\n if (!IsStructurallyValidLanguageTag(data.locale)) throw new Error(\"Object passed doesn't identify itself with a valid language tag\");\n\n addLocaleData(data, data.locale);\n }\n});\n\nfunction addLocaleData(data, tag) {\n // Both NumberFormat and DateTimeFormat require number data, so throw if it isn't present\n if (!data.number) throw new Error(\"Object passed doesn't contain locale data for Intl.NumberFormat\");\n\n var locale = void 0,\n locales = [tag],\n parts = tag.split('-');\n\n // Create fallbacks for locale data with scripts, e.g. Latn, Hans, Vaii, etc\n if (parts.length > 2 && parts[1].length === 4) arrPush.call(locales, parts[0] + '-' + parts[2]);\n\n while (locale = arrShift.call(locales)) {\n // Add to NumberFormat internal properties as per 11.2.3\n arrPush.call(internals.NumberFormat['[[availableLocales]]'], locale);\n internals.NumberFormat['[[localeData]]'][locale] = data.number;\n\n // ...and DateTimeFormat internal properties as per 12.2.3\n if (data.date) {\n data.date.nu = data.number.nu;\n arrPush.call(internals.DateTimeFormat['[[availableLocales]]'], locale);\n internals.DateTimeFormat['[[localeData]]'][locale] = data.date;\n }\n }\n\n // If this is the first set of locale data added, make it the default\n if (defaultLocale === undefined) setDefaultLocale(tag);\n}\n\ndefineProperty(Intl, '__disableRegExpRestore', {\n value: function value() {\n internals.disableRegExpRestore = true;\n }\n});\n\nmodule.exports = Intl;\n\n\n// WEBPACK FOOTER //\n// ./node_modules/intl/lib/core.js","IntlPolyfill.__addLocaleData({locale:\"en\",date:{ca:[\"gregory\",\"buddhist\",\"chinese\",\"coptic\",\"dangi\",\"ethioaa\",\"ethiopic\",\"generic\",\"hebrew\",\"indian\",\"islamic\",\"islamicc\",\"japanese\",\"persian\",\"roc\"],hourNo0:true,hour12:true,formats:{short:\"{1}, {0}\",medium:\"{1}, {0}\",full:\"{1} 'at' {0}\",long:\"{1} 'at' {0}\",availableFormats:{\"d\":\"d\",\"E\":\"ccc\",Ed:\"d E\",Ehm:\"E h:mm a\",EHm:\"E HH:mm\",Ehms:\"E h:mm:ss a\",EHms:\"E HH:mm:ss\",Gy:\"y G\",GyMMM:\"MMM y G\",GyMMMd:\"MMM d, y G\",GyMMMEd:\"E, MMM d, y G\",\"h\":\"h a\",\"H\":\"HH\",hm:\"h:mm a\",Hm:\"HH:mm\",hms:\"h:mm:ss a\",Hms:\"HH:mm:ss\",hmsv:\"h:mm:ss a v\",Hmsv:\"HH:mm:ss v\",hmv:\"h:mm a v\",Hmv:\"HH:mm v\",\"M\":\"L\",Md:\"M/d\",MEd:\"E, M/d\",MMM:\"LLL\",MMMd:\"MMM d\",MMMEd:\"E, MMM d\",MMMMd:\"MMMM d\",ms:\"mm:ss\",\"y\":\"y\",yM:\"M/y\",yMd:\"M/d/y\",yMEd:\"E, M/d/y\",yMMM:\"MMM y\",yMMMd:\"MMM d, y\",yMMMEd:\"E, MMM d, y\",yMMMM:\"MMMM y\",yQQQ:\"QQQ y\",yQQQQ:\"QQQQ y\"},dateFormats:{yMMMMEEEEd:\"EEEE, MMMM d, y\",yMMMMd:\"MMMM d, y\",yMMMd:\"MMM d, y\",yMd:\"M/d/yy\"},timeFormats:{hmmsszzzz:\"h:mm:ss a zzzz\",hmsz:\"h:mm:ss a z\",hms:\"h:mm:ss a\",hm:\"h:mm a\"}},calendars:{buddhist:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"BE\"],short:[\"BE\"],long:[\"BE\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},chinese:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Mo1\",\"Mo2\",\"Mo3\",\"Mo4\",\"Mo5\",\"Mo6\",\"Mo7\",\"Mo8\",\"Mo9\",\"Mo10\",\"Mo11\",\"Mo12\"],long:[\"Month1\",\"Month2\",\"Month3\",\"Month4\",\"Month5\",\"Month6\",\"Month7\",\"Month8\",\"Month9\",\"Month10\",\"Month11\",\"Month12\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},coptic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\"],short:[\"Tout\",\"Baba\",\"Hator\",\"Kiahk\",\"Toba\",\"Amshir\",\"Baramhat\",\"Baramouda\",\"Bashans\",\"Paona\",\"Epep\",\"Mesra\",\"Nasie\"],long:[\"Tout\",\"Baba\",\"Hator\",\"Kiahk\",\"Toba\",\"Amshir\",\"Baramhat\",\"Baramouda\",\"Bashans\",\"Paona\",\"Epep\",\"Mesra\",\"Nasie\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\",\"ERA1\"],short:[\"ERA0\",\"ERA1\"],long:[\"ERA0\",\"ERA1\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},dangi:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Mo1\",\"Mo2\",\"Mo3\",\"Mo4\",\"Mo5\",\"Mo6\",\"Mo7\",\"Mo8\",\"Mo9\",\"Mo10\",\"Mo11\",\"Mo12\"],long:[\"Month1\",\"Month2\",\"Month3\",\"Month4\",\"Month5\",\"Month6\",\"Month7\",\"Month8\",\"Month9\",\"Month10\",\"Month11\",\"Month12\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},ethiopic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\"],short:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"],long:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\",\"ERA1\"],short:[\"ERA0\",\"ERA1\"],long:[\"ERA0\",\"ERA1\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},ethioaa:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\"],short:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"],long:[\"Meskerem\",\"Tekemt\",\"Hedar\",\"Tahsas\",\"Ter\",\"Yekatit\",\"Megabit\",\"Miazia\",\"Genbot\",\"Sene\",\"Hamle\",\"Nehasse\",\"Pagumen\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\"],short:[\"ERA0\"],long:[\"ERA0\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},generic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"M01\",\"M02\",\"M03\",\"M04\",\"M05\",\"M06\",\"M07\",\"M08\",\"M09\",\"M10\",\"M11\",\"M12\"],long:[\"M01\",\"M02\",\"M03\",\"M04\",\"M05\",\"M06\",\"M07\",\"M08\",\"M09\",\"M10\",\"M11\",\"M12\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"ERA0\",\"ERA1\"],short:[\"ERA0\",\"ERA1\"],long:[\"ERA0\",\"ERA1\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},gregory:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"B\",\"A\",\"BCE\",\"CE\"],short:[\"BC\",\"AD\",\"BCE\",\"CE\"],long:[\"Before Christ\",\"Anno Domini\",\"Before Common Era\",\"Common Era\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},hebrew:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\",\"13\",\"7\"],short:[\"Tishri\",\"Heshvan\",\"Kislev\",\"Tevet\",\"Shevat\",\"Adar I\",\"Adar\",\"Nisan\",\"Iyar\",\"Sivan\",\"Tamuz\",\"Av\",\"Elul\",\"Adar II\"],long:[\"Tishri\",\"Heshvan\",\"Kislev\",\"Tevet\",\"Shevat\",\"Adar I\",\"Adar\",\"Nisan\",\"Iyar\",\"Sivan\",\"Tamuz\",\"Av\",\"Elul\",\"Adar II\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AM\"],short:[\"AM\"],long:[\"AM\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},indian:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Chaitra\",\"Vaisakha\",\"Jyaistha\",\"Asadha\",\"Sravana\",\"Bhadra\",\"Asvina\",\"Kartika\",\"Agrahayana\",\"Pausa\",\"Magha\",\"Phalguna\"],long:[\"Chaitra\",\"Vaisakha\",\"Jyaistha\",\"Asadha\",\"Sravana\",\"Bhadra\",\"Asvina\",\"Kartika\",\"Agrahayana\",\"Pausa\",\"Magha\",\"Phalguna\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"Saka\"],short:[\"Saka\"],long:[\"Saka\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},islamic:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Muh.\",\"Saf.\",\"Rab. I\",\"Rab. II\",\"Jum. I\",\"Jum. II\",\"Raj.\",\"Sha.\",\"Ram.\",\"Shaw.\",\"Dhuʻl-Q.\",\"Dhuʻl-H.\"],long:[\"Muharram\",\"Safar\",\"Rabiʻ I\",\"Rabiʻ II\",\"Jumada I\",\"Jumada II\",\"Rajab\",\"Shaʻban\",\"Ramadan\",\"Shawwal\",\"Dhuʻl-Qiʻdah\",\"Dhuʻl-Hijjah\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AH\"],short:[\"AH\"],long:[\"AH\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},islamicc:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Muh.\",\"Saf.\",\"Rab. I\",\"Rab. II\",\"Jum. I\",\"Jum. II\",\"Raj.\",\"Sha.\",\"Ram.\",\"Shaw.\",\"Dhuʻl-Q.\",\"Dhuʻl-H.\"],long:[\"Muharram\",\"Safar\",\"Rabiʻ I\",\"Rabiʻ II\",\"Jumada I\",\"Jumada II\",\"Rajab\",\"Shaʻban\",\"Ramadan\",\"Shawwal\",\"Dhuʻl-Qiʻdah\",\"Dhuʻl-Hijjah\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AH\"],short:[\"AH\"],long:[\"AH\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},japanese:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"Taika (645–650)\",\"Hakuchi (650–671)\",\"Hakuhō (672–686)\",\"Shuchō (686–701)\",\"Taihō (701–704)\",\"Keiun (704–708)\",\"Wadō (708–715)\",\"Reiki (715–717)\",\"Yōrō (717–724)\",\"Jinki (724–729)\",\"Tenpyō (729–749)\",\"Tenpyō-kampō (749-749)\",\"Tenpyō-shōhō (749-757)\",\"Tenpyō-hōji (757-765)\",\"Tenpyō-jingo (765-767)\",\"Jingo-keiun (767-770)\",\"Hōki (770–780)\",\"Ten-ō (781-782)\",\"Enryaku (782–806)\",\"Daidō (806–810)\",\"Kōnin (810–824)\",\"Tenchō (824–834)\",\"Jōwa (834–848)\",\"Kajō (848–851)\",\"Ninju (851–854)\",\"Saikō (854–857)\",\"Ten-an (857-859)\",\"Jōgan (859–877)\",\"Gangyō (877–885)\",\"Ninna (885–889)\",\"Kanpyō (889–898)\",\"Shōtai (898–901)\",\"Engi (901–923)\",\"Enchō (923–931)\",\"Jōhei (931–938)\",\"Tengyō (938–947)\",\"Tenryaku (947–957)\",\"Tentoku (957–961)\",\"Ōwa (961–964)\",\"Kōhō (964–968)\",\"Anna (968–970)\",\"Tenroku (970–973)\",\"Ten’en (973–976)\",\"Jōgen (976–978)\",\"Tengen (978–983)\",\"Eikan (983–985)\",\"Kanna (985–987)\",\"Eien (987–989)\",\"Eiso (989–990)\",\"Shōryaku (990–995)\",\"Chōtoku (995–999)\",\"Chōhō (999–1004)\",\"Kankō (1004–1012)\",\"Chōwa (1012–1017)\",\"Kannin (1017–1021)\",\"Jian (1021–1024)\",\"Manju (1024–1028)\",\"Chōgen (1028–1037)\",\"Chōryaku (1037–1040)\",\"Chōkyū (1040–1044)\",\"Kantoku (1044–1046)\",\"Eishō (1046–1053)\",\"Tengi (1053–1058)\",\"Kōhei (1058–1065)\",\"Jiryaku (1065–1069)\",\"Enkyū (1069–1074)\",\"Shōho (1074–1077)\",\"Shōryaku (1077–1081)\",\"Eihō (1081–1084)\",\"Ōtoku (1084–1087)\",\"Kanji (1087–1094)\",\"Kahō (1094–1096)\",\"Eichō (1096–1097)\",\"Jōtoku (1097–1099)\",\"Kōwa (1099–1104)\",\"Chōji (1104–1106)\",\"Kashō (1106–1108)\",\"Tennin (1108–1110)\",\"Ten-ei (1110-1113)\",\"Eikyū (1113–1118)\",\"Gen’ei (1118–1120)\",\"Hōan (1120–1124)\",\"Tenji (1124–1126)\",\"Daiji (1126–1131)\",\"Tenshō (1131–1132)\",\"Chōshō (1132–1135)\",\"Hōen (1135–1141)\",\"Eiji (1141–1142)\",\"Kōji (1142–1144)\",\"Ten’yō (1144–1145)\",\"Kyūan (1145–1151)\",\"Ninpei (1151–1154)\",\"Kyūju (1154–1156)\",\"Hōgen (1156–1159)\",\"Heiji (1159–1160)\",\"Eiryaku (1160–1161)\",\"Ōho (1161–1163)\",\"Chōkan (1163–1165)\",\"Eiman (1165–1166)\",\"Nin’an (1166–1169)\",\"Kaō (1169–1171)\",\"Shōan (1171–1175)\",\"Angen (1175–1177)\",\"Jishō (1177–1181)\",\"Yōwa (1181–1182)\",\"Juei (1182–1184)\",\"Genryaku (1184–1185)\",\"Bunji (1185–1190)\",\"Kenkyū (1190–1199)\",\"Shōji (1199–1201)\",\"Kennin (1201–1204)\",\"Genkyū (1204–1206)\",\"Ken’ei (1206–1207)\",\"Jōgen (1207–1211)\",\"Kenryaku (1211–1213)\",\"Kenpō (1213–1219)\",\"Jōkyū (1219–1222)\",\"Jōō (1222–1224)\",\"Gennin (1224–1225)\",\"Karoku (1225–1227)\",\"Antei (1227–1229)\",\"Kanki (1229–1232)\",\"Jōei (1232–1233)\",\"Tenpuku (1233–1234)\",\"Bunryaku (1234–1235)\",\"Katei (1235–1238)\",\"Ryakunin (1238–1239)\",\"En’ō (1239–1240)\",\"Ninji (1240–1243)\",\"Kangen (1243–1247)\",\"Hōji (1247–1249)\",\"Kenchō (1249–1256)\",\"Kōgen (1256–1257)\",\"Shōka (1257–1259)\",\"Shōgen (1259–1260)\",\"Bun’ō (1260–1261)\",\"Kōchō (1261–1264)\",\"Bun’ei (1264–1275)\",\"Kenji (1275–1278)\",\"Kōan (1278–1288)\",\"Shōō (1288–1293)\",\"Einin (1293–1299)\",\"Shōan (1299–1302)\",\"Kengen (1302–1303)\",\"Kagen (1303–1306)\",\"Tokuji (1306–1308)\",\"Enkyō (1308–1311)\",\"Ōchō (1311–1312)\",\"Shōwa (1312–1317)\",\"Bunpō (1317–1319)\",\"Genō (1319–1321)\",\"Genkō (1321–1324)\",\"Shōchū (1324–1326)\",\"Karyaku (1326–1329)\",\"Gentoku (1329–1331)\",\"Genkō (1331–1334)\",\"Kenmu (1334–1336)\",\"Engen (1336–1340)\",\"Kōkoku (1340–1346)\",\"Shōhei (1346–1370)\",\"Kentoku (1370–1372)\",\"Bunchū (1372–1375)\",\"Tenju (1375–1379)\",\"Kōryaku (1379–1381)\",\"Kōwa (1381–1384)\",\"Genchū (1384–1392)\",\"Meitoku (1384–1387)\",\"Kakei (1387–1389)\",\"Kōō (1389–1390)\",\"Meitoku (1390–1394)\",\"Ōei (1394–1428)\",\"Shōchō (1428–1429)\",\"Eikyō (1429–1441)\",\"Kakitsu (1441–1444)\",\"Bun’an (1444–1449)\",\"Hōtoku (1449–1452)\",\"Kyōtoku (1452–1455)\",\"Kōshō (1455–1457)\",\"Chōroku (1457–1460)\",\"Kanshō (1460–1466)\",\"Bunshō (1466–1467)\",\"Ōnin (1467–1469)\",\"Bunmei (1469–1487)\",\"Chōkyō (1487–1489)\",\"Entoku (1489–1492)\",\"Meiō (1492–1501)\",\"Bunki (1501–1504)\",\"Eishō (1504–1521)\",\"Taiei (1521–1528)\",\"Kyōroku (1528–1532)\",\"Tenbun (1532–1555)\",\"Kōji (1555–1558)\",\"Eiroku (1558–1570)\",\"Genki (1570–1573)\",\"Tenshō (1573–1592)\",\"Bunroku (1592–1596)\",\"Keichō (1596–1615)\",\"Genna (1615–1624)\",\"Kan’ei (1624–1644)\",\"Shōho (1644–1648)\",\"Keian (1648–1652)\",\"Jōō (1652–1655)\",\"Meireki (1655–1658)\",\"Manji (1658–1661)\",\"Kanbun (1661–1673)\",\"Enpō (1673–1681)\",\"Tenna (1681–1684)\",\"Jōkyō (1684–1688)\",\"Genroku (1688–1704)\",\"Hōei (1704–1711)\",\"Shōtoku (1711–1716)\",\"Kyōhō (1716–1736)\",\"Genbun (1736–1741)\",\"Kanpō (1741–1744)\",\"Enkyō (1744–1748)\",\"Kan’en (1748–1751)\",\"Hōreki (1751–1764)\",\"Meiwa (1764–1772)\",\"An’ei (1772–1781)\",\"Tenmei (1781–1789)\",\"Kansei (1789–1801)\",\"Kyōwa (1801–1804)\",\"Bunka (1804–1818)\",\"Bunsei (1818–1830)\",\"Tenpō (1830–1844)\",\"Kōka (1844–1848)\",\"Kaei (1848–1854)\",\"Ansei (1854–1860)\",\"Man’en (1860–1861)\",\"Bunkyū (1861–1864)\",\"Genji (1864–1865)\",\"Keiō (1865–1868)\",\"M\",\"T\",\"S\",\"H\"],short:[\"Taika (645–650)\",\"Hakuchi (650–671)\",\"Hakuhō (672–686)\",\"Shuchō (686–701)\",\"Taihō (701–704)\",\"Keiun (704–708)\",\"Wadō (708–715)\",\"Reiki (715–717)\",\"Yōrō (717–724)\",\"Jinki (724–729)\",\"Tenpyō (729–749)\",\"Tenpyō-kampō (749-749)\",\"Tenpyō-shōhō (749-757)\",\"Tenpyō-hōji (757-765)\",\"Tenpyō-jingo (765-767)\",\"Jingo-keiun (767-770)\",\"Hōki (770–780)\",\"Ten-ō (781-782)\",\"Enryaku (782–806)\",\"Daidō (806–810)\",\"Kōnin (810–824)\",\"Tenchō (824–834)\",\"Jōwa (834–848)\",\"Kajō (848–851)\",\"Ninju (851–854)\",\"Saikō (854–857)\",\"Ten-an (857-859)\",\"Jōgan (859–877)\",\"Gangyō (877–885)\",\"Ninna (885–889)\",\"Kanpyō (889–898)\",\"Shōtai (898–901)\",\"Engi (901–923)\",\"Enchō (923–931)\",\"Jōhei (931–938)\",\"Tengyō (938–947)\",\"Tenryaku (947–957)\",\"Tentoku (957–961)\",\"Ōwa (961–964)\",\"Kōhō (964–968)\",\"Anna (968–970)\",\"Tenroku (970–973)\",\"Ten’en (973–976)\",\"Jōgen (976–978)\",\"Tengen (978–983)\",\"Eikan (983–985)\",\"Kanna (985–987)\",\"Eien (987–989)\",\"Eiso (989–990)\",\"Shōryaku (990–995)\",\"Chōtoku (995–999)\",\"Chōhō (999–1004)\",\"Kankō (1004–1012)\",\"Chōwa (1012–1017)\",\"Kannin (1017–1021)\",\"Jian (1021–1024)\",\"Manju (1024–1028)\",\"Chōgen (1028–1037)\",\"Chōryaku (1037–1040)\",\"Chōkyū (1040–1044)\",\"Kantoku (1044–1046)\",\"Eishō (1046–1053)\",\"Tengi (1053–1058)\",\"Kōhei (1058–1065)\",\"Jiryaku (1065–1069)\",\"Enkyū (1069–1074)\",\"Shōho (1074–1077)\",\"Shōryaku (1077–1081)\",\"Eihō (1081–1084)\",\"Ōtoku (1084–1087)\",\"Kanji (1087–1094)\",\"Kahō (1094–1096)\",\"Eichō (1096–1097)\",\"Jōtoku (1097–1099)\",\"Kōwa (1099–1104)\",\"Chōji (1104–1106)\",\"Kashō (1106–1108)\",\"Tennin (1108–1110)\",\"Ten-ei (1110-1113)\",\"Eikyū (1113–1118)\",\"Gen’ei (1118–1120)\",\"Hōan (1120–1124)\",\"Tenji (1124–1126)\",\"Daiji (1126–1131)\",\"Tenshō (1131–1132)\",\"Chōshō (1132–1135)\",\"Hōen (1135–1141)\",\"Eiji (1141–1142)\",\"Kōji (1142–1144)\",\"Ten’yō (1144–1145)\",\"Kyūan (1145–1151)\",\"Ninpei (1151–1154)\",\"Kyūju (1154–1156)\",\"Hōgen (1156–1159)\",\"Heiji (1159–1160)\",\"Eiryaku (1160–1161)\",\"Ōho (1161–1163)\",\"Chōkan (1163–1165)\",\"Eiman (1165–1166)\",\"Nin’an (1166–1169)\",\"Kaō (1169–1171)\",\"Shōan (1171–1175)\",\"Angen (1175–1177)\",\"Jishō (1177–1181)\",\"Yōwa (1181–1182)\",\"Juei (1182–1184)\",\"Genryaku (1184–1185)\",\"Bunji (1185–1190)\",\"Kenkyū (1190–1199)\",\"Shōji (1199–1201)\",\"Kennin (1201–1204)\",\"Genkyū (1204–1206)\",\"Ken’ei (1206–1207)\",\"Jōgen (1207–1211)\",\"Kenryaku (1211–1213)\",\"Kenpō (1213–1219)\",\"Jōkyū (1219–1222)\",\"Jōō (1222–1224)\",\"Gennin (1224–1225)\",\"Karoku (1225–1227)\",\"Antei (1227–1229)\",\"Kanki (1229–1232)\",\"Jōei (1232–1233)\",\"Tenpuku (1233–1234)\",\"Bunryaku (1234–1235)\",\"Katei (1235–1238)\",\"Ryakunin (1238–1239)\",\"En’ō (1239–1240)\",\"Ninji (1240–1243)\",\"Kangen (1243–1247)\",\"Hōji (1247–1249)\",\"Kenchō (1249–1256)\",\"Kōgen (1256–1257)\",\"Shōka (1257–1259)\",\"Shōgen (1259–1260)\",\"Bun’ō (1260–1261)\",\"Kōchō (1261–1264)\",\"Bun’ei (1264–1275)\",\"Kenji (1275–1278)\",\"Kōan (1278–1288)\",\"Shōō (1288–1293)\",\"Einin (1293–1299)\",\"Shōan (1299–1302)\",\"Kengen (1302–1303)\",\"Kagen (1303–1306)\",\"Tokuji (1306–1308)\",\"Enkyō (1308–1311)\",\"Ōchō (1311–1312)\",\"Shōwa (1312–1317)\",\"Bunpō (1317–1319)\",\"Genō (1319–1321)\",\"Genkō (1321–1324)\",\"Shōchū (1324–1326)\",\"Karyaku (1326–1329)\",\"Gentoku (1329–1331)\",\"Genkō (1331–1334)\",\"Kenmu (1334–1336)\",\"Engen (1336–1340)\",\"Kōkoku (1340–1346)\",\"Shōhei (1346–1370)\",\"Kentoku (1370–1372)\",\"Bunchū (1372–1375)\",\"Tenju (1375–1379)\",\"Kōryaku (1379–1381)\",\"Kōwa (1381–1384)\",\"Genchū (1384–1392)\",\"Meitoku (1384–1387)\",\"Kakei (1387–1389)\",\"Kōō (1389–1390)\",\"Meitoku (1390–1394)\",\"Ōei (1394–1428)\",\"Shōchō (1428–1429)\",\"Eikyō (1429–1441)\",\"Kakitsu (1441–1444)\",\"Bun’an (1444–1449)\",\"Hōtoku (1449–1452)\",\"Kyōtoku (1452–1455)\",\"Kōshō (1455–1457)\",\"Chōroku (1457–1460)\",\"Kanshō (1460–1466)\",\"Bunshō (1466–1467)\",\"Ōnin (1467–1469)\",\"Bunmei (1469–1487)\",\"Chōkyō (1487–1489)\",\"Entoku (1489–1492)\",\"Meiō (1492–1501)\",\"Bunki (1501–1504)\",\"Eishō (1504–1521)\",\"Taiei (1521–1528)\",\"Kyōroku (1528–1532)\",\"Tenbun (1532–1555)\",\"Kōji (1555–1558)\",\"Eiroku (1558–1570)\",\"Genki (1570–1573)\",\"Tenshō (1573–1592)\",\"Bunroku (1592–1596)\",\"Keichō (1596–1615)\",\"Genna (1615–1624)\",\"Kan’ei (1624–1644)\",\"Shōho (1644–1648)\",\"Keian (1648–1652)\",\"Jōō (1652–1655)\",\"Meireki (1655–1658)\",\"Manji (1658–1661)\",\"Kanbun (1661–1673)\",\"Enpō (1673–1681)\",\"Tenna (1681–1684)\",\"Jōkyō (1684–1688)\",\"Genroku (1688–1704)\",\"Hōei (1704–1711)\",\"Shōtoku (1711–1716)\",\"Kyōhō (1716–1736)\",\"Genbun (1736–1741)\",\"Kanpō (1741–1744)\",\"Enkyō (1744–1748)\",\"Kan’en (1748–1751)\",\"Hōreki (1751–1764)\",\"Meiwa (1764–1772)\",\"An’ei (1772–1781)\",\"Tenmei (1781–1789)\",\"Kansei (1789–1801)\",\"Kyōwa (1801–1804)\",\"Bunka (1804–1818)\",\"Bunsei (1818–1830)\",\"Tenpō (1830–1844)\",\"Kōka (1844–1848)\",\"Kaei (1848–1854)\",\"Ansei (1854–1860)\",\"Man’en (1860–1861)\",\"Bunkyū (1861–1864)\",\"Genji (1864–1865)\",\"Keiō (1865–1868)\",\"Meiji\",\"Taishō\",\"Shōwa\",\"Heisei\"],long:[\"Taika (645–650)\",\"Hakuchi (650–671)\",\"Hakuhō (672–686)\",\"Shuchō (686–701)\",\"Taihō (701–704)\",\"Keiun (704–708)\",\"Wadō (708–715)\",\"Reiki (715–717)\",\"Yōrō (717–724)\",\"Jinki (724–729)\",\"Tenpyō (729–749)\",\"Tenpyō-kampō (749-749)\",\"Tenpyō-shōhō (749-757)\",\"Tenpyō-hōji (757-765)\",\"Tenpyō-jingo (765-767)\",\"Jingo-keiun (767-770)\",\"Hōki (770–780)\",\"Ten-ō (781-782)\",\"Enryaku (782–806)\",\"Daidō (806–810)\",\"Kōnin (810–824)\",\"Tenchō (824–834)\",\"Jōwa (834–848)\",\"Kajō (848–851)\",\"Ninju (851–854)\",\"Saikō (854–857)\",\"Ten-an (857-859)\",\"Jōgan (859–877)\",\"Gangyō (877–885)\",\"Ninna (885–889)\",\"Kanpyō (889–898)\",\"Shōtai (898–901)\",\"Engi (901–923)\",\"Enchō (923–931)\",\"Jōhei (931–938)\",\"Tengyō (938–947)\",\"Tenryaku (947–957)\",\"Tentoku (957–961)\",\"Ōwa (961–964)\",\"Kōhō (964–968)\",\"Anna (968–970)\",\"Tenroku (970–973)\",\"Ten’en (973–976)\",\"Jōgen (976–978)\",\"Tengen (978–983)\",\"Eikan (983–985)\",\"Kanna (985–987)\",\"Eien (987–989)\",\"Eiso (989–990)\",\"Shōryaku (990–995)\",\"Chōtoku (995–999)\",\"Chōhō (999–1004)\",\"Kankō (1004–1012)\",\"Chōwa (1012–1017)\",\"Kannin (1017–1021)\",\"Jian (1021–1024)\",\"Manju (1024–1028)\",\"Chōgen (1028–1037)\",\"Chōryaku (1037–1040)\",\"Chōkyū (1040–1044)\",\"Kantoku (1044–1046)\",\"Eishō (1046–1053)\",\"Tengi (1053–1058)\",\"Kōhei (1058–1065)\",\"Jiryaku (1065–1069)\",\"Enkyū (1069–1074)\",\"Shōho (1074–1077)\",\"Shōryaku (1077–1081)\",\"Eihō (1081–1084)\",\"Ōtoku (1084–1087)\",\"Kanji (1087–1094)\",\"Kahō (1094–1096)\",\"Eichō (1096–1097)\",\"Jōtoku (1097–1099)\",\"Kōwa (1099–1104)\",\"Chōji (1104–1106)\",\"Kashō (1106–1108)\",\"Tennin (1108–1110)\",\"Ten-ei (1110-1113)\",\"Eikyū (1113–1118)\",\"Gen’ei (1118–1120)\",\"Hōan (1120–1124)\",\"Tenji (1124–1126)\",\"Daiji (1126–1131)\",\"Tenshō (1131–1132)\",\"Chōshō (1132–1135)\",\"Hōen (1135–1141)\",\"Eiji (1141–1142)\",\"Kōji (1142–1144)\",\"Ten’yō (1144–1145)\",\"Kyūan (1145–1151)\",\"Ninpei (1151–1154)\",\"Kyūju (1154–1156)\",\"Hōgen (1156–1159)\",\"Heiji (1159–1160)\",\"Eiryaku (1160–1161)\",\"Ōho (1161–1163)\",\"Chōkan (1163–1165)\",\"Eiman (1165–1166)\",\"Nin’an (1166–1169)\",\"Kaō (1169–1171)\",\"Shōan (1171–1175)\",\"Angen (1175–1177)\",\"Jishō (1177–1181)\",\"Yōwa (1181–1182)\",\"Juei (1182–1184)\",\"Genryaku (1184–1185)\",\"Bunji (1185–1190)\",\"Kenkyū (1190–1199)\",\"Shōji (1199–1201)\",\"Kennin (1201–1204)\",\"Genkyū (1204–1206)\",\"Ken’ei (1206–1207)\",\"Jōgen (1207–1211)\",\"Kenryaku (1211–1213)\",\"Kenpō (1213–1219)\",\"Jōkyū (1219–1222)\",\"Jōō (1222–1224)\",\"Gennin (1224–1225)\",\"Karoku (1225–1227)\",\"Antei (1227–1229)\",\"Kanki (1229–1232)\",\"Jōei (1232–1233)\",\"Tenpuku (1233–1234)\",\"Bunryaku (1234–1235)\",\"Katei (1235–1238)\",\"Ryakunin (1238–1239)\",\"En’ō (1239–1240)\",\"Ninji (1240–1243)\",\"Kangen (1243–1247)\",\"Hōji (1247–1249)\",\"Kenchō (1249–1256)\",\"Kōgen (1256–1257)\",\"Shōka (1257–1259)\",\"Shōgen (1259–1260)\",\"Bun’ō (1260–1261)\",\"Kōchō (1261–1264)\",\"Bun’ei (1264–1275)\",\"Kenji (1275–1278)\",\"Kōan (1278–1288)\",\"Shōō (1288–1293)\",\"Einin (1293–1299)\",\"Shōan (1299–1302)\",\"Kengen (1302–1303)\",\"Kagen (1303–1306)\",\"Tokuji (1306–1308)\",\"Enkyō (1308–1311)\",\"Ōchō (1311–1312)\",\"Shōwa (1312–1317)\",\"Bunpō (1317–1319)\",\"Genō (1319–1321)\",\"Genkō (1321–1324)\",\"Shōchū (1324–1326)\",\"Karyaku (1326–1329)\",\"Gentoku (1329–1331)\",\"Genkō (1331–1334)\",\"Kenmu (1334–1336)\",\"Engen (1336–1340)\",\"Kōkoku (1340–1346)\",\"Shōhei (1346–1370)\",\"Kentoku (1370–1372)\",\"Bunchū (1372–1375)\",\"Tenju (1375–1379)\",\"Kōryaku (1379–1381)\",\"Kōwa (1381–1384)\",\"Genchū (1384–1392)\",\"Meitoku (1384–1387)\",\"Kakei (1387–1389)\",\"Kōō (1389–1390)\",\"Meitoku (1390–1394)\",\"Ōei (1394–1428)\",\"Shōchō (1428–1429)\",\"Eikyō (1429–1441)\",\"Kakitsu (1441–1444)\",\"Bun’an (1444–1449)\",\"Hōtoku (1449–1452)\",\"Kyōtoku (1452–1455)\",\"Kōshō (1455–1457)\",\"Chōroku (1457–1460)\",\"Kanshō (1460–1466)\",\"Bunshō (1466–1467)\",\"Ōnin (1467–1469)\",\"Bunmei (1469–1487)\",\"Chōkyō (1487–1489)\",\"Entoku (1489–1492)\",\"Meiō (1492–1501)\",\"Bunki (1501–1504)\",\"Eishō (1504–1521)\",\"Taiei (1521–1528)\",\"Kyōroku (1528–1532)\",\"Tenbun (1532–1555)\",\"Kōji (1555–1558)\",\"Eiroku (1558–1570)\",\"Genki (1570–1573)\",\"Tenshō (1573–1592)\",\"Bunroku (1592–1596)\",\"Keichō (1596–1615)\",\"Genna (1615–1624)\",\"Kan’ei (1624–1644)\",\"Shōho (1644–1648)\",\"Keian (1648–1652)\",\"Jōō (1652–1655)\",\"Meireki (1655–1658)\",\"Manji (1658–1661)\",\"Kanbun (1661–1673)\",\"Enpō (1673–1681)\",\"Tenna (1681–1684)\",\"Jōkyō (1684–1688)\",\"Genroku (1688–1704)\",\"Hōei (1704–1711)\",\"Shōtoku (1711–1716)\",\"Kyōhō (1716–1736)\",\"Genbun (1736–1741)\",\"Kanpō (1741–1744)\",\"Enkyō (1744–1748)\",\"Kan’en (1748–1751)\",\"Hōreki (1751–1764)\",\"Meiwa (1764–1772)\",\"An’ei (1772–1781)\",\"Tenmei (1781–1789)\",\"Kansei (1789–1801)\",\"Kyōwa (1801–1804)\",\"Bunka (1804–1818)\",\"Bunsei (1818–1830)\",\"Tenpō (1830–1844)\",\"Kōka (1844–1848)\",\"Kaei (1848–1854)\",\"Ansei (1854–1860)\",\"Man’en (1860–1861)\",\"Bunkyū (1861–1864)\",\"Genji (1864–1865)\",\"Keiō (1865–1868)\",\"Meiji\",\"Taishō\",\"Shōwa\",\"Heisei\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},persian:{months:{narrow:[\"1\",\"2\",\"3\",\"4\",\"5\",\"6\",\"7\",\"8\",\"9\",\"10\",\"11\",\"12\"],short:[\"Farvardin\",\"Ordibehesht\",\"Khordad\",\"Tir\",\"Mordad\",\"Shahrivar\",\"Mehr\",\"Aban\",\"Azar\",\"Dey\",\"Bahman\",\"Esfand\"],long:[\"Farvardin\",\"Ordibehesht\",\"Khordad\",\"Tir\",\"Mordad\",\"Shahrivar\",\"Mehr\",\"Aban\",\"Azar\",\"Dey\",\"Bahman\",\"Esfand\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"AP\"],short:[\"AP\"],long:[\"AP\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}},roc:{months:{narrow:[\"J\",\"F\",\"M\",\"A\",\"M\",\"J\",\"J\",\"A\",\"S\",\"O\",\"N\",\"D\"],short:[\"Jan\",\"Feb\",\"Mar\",\"Apr\",\"May\",\"Jun\",\"Jul\",\"Aug\",\"Sep\",\"Oct\",\"Nov\",\"Dec\"],long:[\"January\",\"February\",\"March\",\"April\",\"May\",\"June\",\"July\",\"August\",\"September\",\"October\",\"November\",\"December\"]},days:{narrow:[\"S\",\"M\",\"T\",\"W\",\"T\",\"F\",\"S\"],short:[\"Sun\",\"Mon\",\"Tue\",\"Wed\",\"Thu\",\"Fri\",\"Sat\"],long:[\"Sunday\",\"Monday\",\"Tuesday\",\"Wednesday\",\"Thursday\",\"Friday\",\"Saturday\"]},eras:{narrow:[\"Before R.O.C.\",\"Minguo\"],short:[\"Before R.O.C.\",\"Minguo\"],long:[\"Before R.O.C.\",\"Minguo\"]},dayPeriods:{am:\"AM\",pm:\"PM\"}}}},number:{nu:[\"latn\"],patterns:{decimal:{positivePattern:\"{number}\",negativePattern:\"{minusSign}{number}\"},currency:{positivePattern:\"{currency}{number}\",negativePattern:\"{minusSign}{currency}{number}\"},percent:{positivePattern:\"{number}{percentSign}\",negativePattern:\"{minusSign}{number}{percentSign}\"}},symbols:{latn:{decimal:\".\",group:\",\",nan:\"NaN\",plusSign:\"+\",minusSign:\"-\",percentSign:\"%\",infinity:\"∞\"}},currencies:{AUD:\"A$\",BRL:\"R$\",CAD:\"CA$\",CNY:\"CN¥\",EUR:\"€\",GBP:\"£\",HKD:\"HK$\",ILS:\"₪\",INR:\"₹\",JPY:\"¥\",KRW:\"₩\",MXN:\"MX$\",NZD:\"NZ$\",TWD:\"NT$\",USD:\"$\",VND:\"₫\",XAF:\"FCFA\",XCD:\"EC$\",XOF:\"CFA\",XPF:\"CFPF\"}}});\n\n\n// WEBPACK FOOTER //\n// ./node_modules/intl/locale-data/jsonp/en.js","'use strict';\n\nif (!require('./is-implemented')()) {\n\tObject.defineProperty(require('es5-ext/global'), 'Symbol',\n\t\t{ value: require('./polyfill'), configurable: true, enumerable: false,\n\t\t\twritable: true });\n}\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/implement.js","'use strict';\n\nvar validTypes = { object: true, symbol: true };\n\nmodule.exports = function () {\n\tvar symbol;\n\tif (typeof Symbol !== 'function') return false;\n\tsymbol = Symbol('test symbol');\n\ttry { String(symbol); } catch (e) { return false; }\n\n\t// Return 'true' also for polyfills\n\tif (!validTypes[typeof Symbol.iterator]) return false;\n\tif (!validTypes[typeof Symbol.toPrimitive]) return false;\n\tif (!validTypes[typeof Symbol.toStringTag]) return false;\n\n\treturn true;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/is-implemented.js","/* eslint strict: \"off\" */\n\nmodule.exports = (function () {\n\treturn this;\n}());\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/global.js","// ES2015 Symbol polyfill for environments that do not (or partially) support it\n\n'use strict';\n\nvar d = require('d')\n , validateSymbol = require('./validate-symbol')\n\n , create = Object.create, defineProperties = Object.defineProperties\n , defineProperty = Object.defineProperty, objPrototype = Object.prototype\n , NativeSymbol, SymbolPolyfill, HiddenSymbol, globalSymbols = create(null)\n , isNativeSafe;\n\nif (typeof Symbol === 'function') {\n\tNativeSymbol = Symbol;\n\ttry {\n\t\tString(NativeSymbol());\n\t\tisNativeSafe = true;\n\t} catch (ignore) {}\n}\n\nvar generateName = (function () {\n\tvar created = create(null);\n\treturn function (desc) {\n\t\tvar postfix = 0, name, ie11BugWorkaround;\n\t\twhile (created[desc + (postfix || '')]) ++postfix;\n\t\tdesc += (postfix || '');\n\t\tcreated[desc] = true;\n\t\tname = '@@' + desc;\n\t\tdefineProperty(objPrototype, name, d.gs(null, function (value) {\n\t\t\t// For IE11 issue see:\n\t\t\t// https://connect.microsoft.com/IE/feedbackdetail/view/1928508/\n\t\t\t// ie11-broken-getters-on-dom-objects\n\t\t\t// https://github.com/medikoo/es6-symbol/issues/12\n\t\t\tif (ie11BugWorkaround) return;\n\t\t\tie11BugWorkaround = true;\n\t\t\tdefineProperty(this, name, d(value));\n\t\t\tie11BugWorkaround = false;\n\t\t}));\n\t\treturn name;\n\t};\n}());\n\n// Internal constructor (not one exposed) for creating Symbol instances.\n// This one is used to ensure that `someSymbol instanceof Symbol` always return false\nHiddenSymbol = function Symbol(description) {\n\tif (this instanceof HiddenSymbol) throw new TypeError('Symbol is not a constructor');\n\treturn SymbolPolyfill(description);\n};\n\n// Exposed `Symbol` constructor\n// (returns instances of HiddenSymbol)\nmodule.exports = SymbolPolyfill = function Symbol(description) {\n\tvar symbol;\n\tif (this instanceof Symbol) throw new TypeError('Symbol is not a constructor');\n\tif (isNativeSafe) return NativeSymbol(description);\n\tsymbol = create(HiddenSymbol.prototype);\n\tdescription = (description === undefined ? '' : String(description));\n\treturn defineProperties(symbol, {\n\t\t__description__: d('', description),\n\t\t__name__: d('', generateName(description))\n\t});\n};\ndefineProperties(SymbolPolyfill, {\n\tfor: d(function (key) {\n\t\tif (globalSymbols[key]) return globalSymbols[key];\n\t\treturn (globalSymbols[key] = SymbolPolyfill(String(key)));\n\t}),\n\tkeyFor: d(function (s) {\n\t\tvar key;\n\t\tvalidateSymbol(s);\n\t\tfor (key in globalSymbols) if (globalSymbols[key] === s) return key;\n\t}),\n\n\t// To ensure proper interoperability with other native functions (e.g. Array.from)\n\t// fallback to eventual native implementation of given symbol\n\thasInstance: d('', (NativeSymbol && NativeSymbol.hasInstance) || SymbolPolyfill('hasInstance')),\n\tisConcatSpreadable: d('', (NativeSymbol && NativeSymbol.isConcatSpreadable) ||\n\t\tSymbolPolyfill('isConcatSpreadable')),\n\titerator: d('', (NativeSymbol && NativeSymbol.iterator) || SymbolPolyfill('iterator')),\n\tmatch: d('', (NativeSymbol && NativeSymbol.match) || SymbolPolyfill('match')),\n\treplace: d('', (NativeSymbol && NativeSymbol.replace) || SymbolPolyfill('replace')),\n\tsearch: d('', (NativeSymbol && NativeSymbol.search) || SymbolPolyfill('search')),\n\tspecies: d('', (NativeSymbol && NativeSymbol.species) || SymbolPolyfill('species')),\n\tsplit: d('', (NativeSymbol && NativeSymbol.split) || SymbolPolyfill('split')),\n\ttoPrimitive: d('', (NativeSymbol && NativeSymbol.toPrimitive) || SymbolPolyfill('toPrimitive')),\n\ttoStringTag: d('', (NativeSymbol && NativeSymbol.toStringTag) || SymbolPolyfill('toStringTag')),\n\tunscopables: d('', (NativeSymbol && NativeSymbol.unscopables) || SymbolPolyfill('unscopables'))\n});\n\n// Internal tweaks for real symbol producer\ndefineProperties(HiddenSymbol.prototype, {\n\tconstructor: d(SymbolPolyfill),\n\ttoString: d('', function () { return this.__name__; })\n});\n\n// Proper implementation of methods exposed on Symbol.prototype\n// They won't be accessible on produced symbol instances as they derive from HiddenSymbol.prototype\ndefineProperties(SymbolPolyfill.prototype, {\n\ttoString: d(function () { return 'Symbol (' + validateSymbol(this).__description__ + ')'; }),\n\tvalueOf: d(function () { return validateSymbol(this); })\n});\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toPrimitive, d('', function () {\n\tvar symbol = validateSymbol(this);\n\tif (typeof symbol === 'symbol') return symbol;\n\treturn symbol.toString();\n}));\ndefineProperty(SymbolPolyfill.prototype, SymbolPolyfill.toStringTag, d('c', 'Symbol'));\n\n// Proper implementaton of toPrimitive and toStringTag for returned symbol instances\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toStringTag,\n\td('c', SymbolPolyfill.prototype[SymbolPolyfill.toStringTag]));\n\n// Note: It's important to define `toPrimitive` as last one, as some implementations\n// implement `toPrimitive` natively without implementing `toStringTag` (or other specified symbols)\n// And that may invoke error in definition flow:\n// See: https://github.com/medikoo/es6-symbol/issues/13#issuecomment-164146149\ndefineProperty(HiddenSymbol.prototype, SymbolPolyfill.toPrimitive,\n\td('c', SymbolPolyfill.prototype[SymbolPolyfill.toPrimitive]));\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/polyfill.js","'use strict';\n\nvar assign = require('es5-ext/object/assign')\n , normalizeOpts = require('es5-ext/object/normalize-options')\n , isCallable = require('es5-ext/object/is-callable')\n , contains = require('es5-ext/string/#/contains')\n\n , d;\n\nd = module.exports = function (dscr, value/*, options*/) {\n\tvar c, e, w, options, desc;\n\tif ((arguments.length < 2) || (typeof dscr !== 'string')) {\n\t\toptions = value;\n\t\tvalue = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[2];\n\t}\n\tif (dscr == null) {\n\t\tc = w = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t\tw = contains.call(dscr, 'w');\n\t}\n\n\tdesc = { value: value, configurable: c, enumerable: e, writable: w };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\nd.gs = function (dscr, get, set/*, options*/) {\n\tvar c, e, options, desc;\n\tif (typeof dscr !== 'string') {\n\t\toptions = set;\n\t\tset = get;\n\t\tget = dscr;\n\t\tdscr = null;\n\t} else {\n\t\toptions = arguments[3];\n\t}\n\tif (get == null) {\n\t\tget = undefined;\n\t} else if (!isCallable(get)) {\n\t\toptions = get;\n\t\tget = set = undefined;\n\t} else if (set == null) {\n\t\tset = undefined;\n\t} else if (!isCallable(set)) {\n\t\toptions = set;\n\t\tset = undefined;\n\t}\n\tif (dscr == null) {\n\t\tc = true;\n\t\te = false;\n\t} else {\n\t\tc = contains.call(dscr, 'c');\n\t\te = contains.call(dscr, 'e');\n\t}\n\n\tdesc = { get: get, set: set, configurable: c, enumerable: e };\n\treturn !options ? desc : assign(normalizeOpts(options), desc);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/d/index.js","\"use strict\";\n\nmodule.exports = require(\"./is-implemented\")()\n\t? Object.assign\n\t: require(\"./shim\");\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/assign/index.js","\"use strict\";\n\nmodule.exports = function () {\n\tvar assign = Object.assign, obj;\n\tif (typeof assign !== \"function\") return false;\n\tobj = { foo: \"raz\" };\n\tassign(obj, { bar: \"dwa\" }, { trzy: \"trzy\" });\n\treturn (obj.foo + obj.bar + obj.trzy) === \"razdwatrzy\";\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/assign/is-implemented.js","\"use strict\";\n\nvar keys = require(\"../keys\")\n , value = require(\"../valid-value\")\n , max = Math.max;\n\nmodule.exports = function (dest, src /*, …srcn*/) {\n\tvar error, i, length = max(arguments.length, 2), assign;\n\tdest = Object(value(dest));\n\tassign = function (key) {\n\t\ttry {\n\t\t\tdest[key] = src[key];\n\t\t} catch (e) {\n\t\t\tif (!error) error = e;\n\t\t}\n\t};\n\tfor (i = 1; i < length; ++i) {\n\t\tsrc = arguments[i];\n\t\tkeys(src).forEach(assign);\n\t}\n\tif (error !== undefined) throw error;\n\treturn dest;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/assign/shim.js","\"use strict\";\n\nmodule.exports = require(\"./is-implemented\")()\n\t? Object.keys\n\t: require(\"./shim\");\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/keys/index.js","\"use strict\";\n\nmodule.exports = function () {\n\ttry {\n\t\tObject.keys(\"primitive\");\n\t\treturn true;\n\t} catch (e) {\n return false;\n}\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/keys/is-implemented.js","\"use strict\";\n\nvar isValue = require(\"../is-value\");\n\nvar keys = Object.keys;\n\nmodule.exports = function (object) {\n\treturn keys(isValue(object) ? Object(object) : object);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/keys/shim.js","\"use strict\";\n\n// eslint-disable-next-line no-empty-function\nmodule.exports = function () {};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/function/noop.js","\"use strict\";\n\nvar isValue = require(\"./is-value\");\n\nmodule.exports = function (value) {\n\tif (!isValue(value)) throw new TypeError(\"Cannot use null or undefined\");\n\treturn value;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/valid-value.js","\"use strict\";\n\nvar isValue = require(\"./is-value\");\n\nvar forEach = Array.prototype.forEach, create = Object.create;\n\nvar process = function (src, obj) {\n\tvar key;\n\tfor (key in src) obj[key] = src[key];\n};\n\n// eslint-disable-next-line no-unused-vars\nmodule.exports = function (opts1 /*, …options*/) {\n\tvar result = create(null);\n\tforEach.call(arguments, function (options) {\n\t\tif (!isValue(options)) return;\n\t\tprocess(Object(options), result);\n\t});\n\treturn result;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/normalize-options.js","// Deprecated\n\n\"use strict\";\n\nmodule.exports = function (obj) {\n return typeof obj === \"function\";\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/object/is-callable.js","\"use strict\";\n\nmodule.exports = require(\"./is-implemented\")()\n\t? String.prototype.contains\n\t: require(\"./shim\");\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/string/#/contains/index.js","\"use strict\";\n\nvar str = \"razdwatrzy\";\n\nmodule.exports = function () {\n\tif (typeof str.contains !== \"function\") return false;\n\treturn (str.contains(\"dwa\") === true) && (str.contains(\"foo\") === false);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/string/#/contains/is-implemented.js","\"use strict\";\n\nvar indexOf = String.prototype.indexOf;\n\nmodule.exports = function (searchString/*, position*/) {\n\treturn indexOf.call(this, searchString, arguments[1]) > -1;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es5-ext/string/#/contains/shim.js","'use strict';\n\nvar isSymbol = require('./is-symbol');\n\nmodule.exports = function (value) {\n\tif (!isSymbol(value)) throw new TypeError(value + \" is not a symbol\");\n\treturn value;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/validate-symbol.js","'use strict';\n\nmodule.exports = function (x) {\n\tif (!x) return false;\n\tif (typeof x === 'symbol') return true;\n\tif (!x.constructor) return false;\n\tif (x.constructor.name !== 'Symbol') return false;\n\treturn (x[x.constructor.toStringTag] === 'Symbol');\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es6-symbol/is-symbol.js","'use strict';\n\nvar define = require('define-properties');\nvar ES = require('es-abstract/es6');\n\nvar implementation = require('./implementation');\nvar getPolyfill = require('./polyfill');\nvar polyfill = getPolyfill();\nvar shim = require('./shim');\n\nvar slice = Array.prototype.slice;\n\n/* eslint-disable no-unused-vars */\nvar boundIncludesShim = function includes(array, searchElement) {\n/* eslint-enable no-unused-vars */\n\tES.RequireObjectCoercible(array);\n\treturn polyfill.apply(array, slice.call(arguments, 1));\n};\ndefine(boundIncludesShim, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = boundIncludesShim;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/index.js","'use strict';\n\n// modified from https://github.com/es-shims/es5-shim\nvar has = Object.prototype.hasOwnProperty;\nvar toStr = Object.prototype.toString;\nvar slice = Array.prototype.slice;\nvar isArgs = require('./isArguments');\nvar isEnumerable = Object.prototype.propertyIsEnumerable;\nvar hasDontEnumBug = !isEnumerable.call({ toString: null }, 'toString');\nvar hasProtoEnumBug = isEnumerable.call(function () {}, 'prototype');\nvar dontEnums = [\n\t'toString',\n\t'toLocaleString',\n\t'valueOf',\n\t'hasOwnProperty',\n\t'isPrototypeOf',\n\t'propertyIsEnumerable',\n\t'constructor'\n];\nvar equalsConstructorPrototype = function (o) {\n\tvar ctor = o.constructor;\n\treturn ctor && ctor.prototype === o;\n};\nvar excludedKeys = {\n\t$console: true,\n\t$external: true,\n\t$frame: true,\n\t$frameElement: true,\n\t$frames: true,\n\t$innerHeight: true,\n\t$innerWidth: true,\n\t$outerHeight: true,\n\t$outerWidth: true,\n\t$pageXOffset: true,\n\t$pageYOffset: true,\n\t$parent: true,\n\t$scrollLeft: true,\n\t$scrollTop: true,\n\t$scrollX: true,\n\t$scrollY: true,\n\t$self: true,\n\t$webkitIndexedDB: true,\n\t$webkitStorageInfo: true,\n\t$window: true\n};\nvar hasAutomationEqualityBug = (function () {\n\t/* global window */\n\tif (typeof window === 'undefined') { return false; }\n\tfor (var k in window) {\n\t\ttry {\n\t\t\tif (!excludedKeys['$' + k] && has.call(window, k) && window[k] !== null && typeof window[k] === 'object') {\n\t\t\t\ttry {\n\t\t\t\t\tequalsConstructorPrototype(window[k]);\n\t\t\t\t} catch (e) {\n\t\t\t\t\treturn true;\n\t\t\t\t}\n\t\t\t}\n\t\t} catch (e) {\n\t\t\treturn true;\n\t\t}\n\t}\n\treturn false;\n}());\nvar equalsConstructorPrototypeIfNotBuggy = function (o) {\n\t/* global window */\n\tif (typeof window === 'undefined' || !hasAutomationEqualityBug) {\n\t\treturn equalsConstructorPrototype(o);\n\t}\n\ttry {\n\t\treturn equalsConstructorPrototype(o);\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar keysShim = function keys(object) {\n\tvar isObject = object !== null && typeof object === 'object';\n\tvar isFunction = toStr.call(object) === '[object Function]';\n\tvar isArguments = isArgs(object);\n\tvar isString = isObject && toStr.call(object) === '[object String]';\n\tvar theKeys = [];\n\n\tif (!isObject && !isFunction && !isArguments) {\n\t\tthrow new TypeError('Object.keys called on a non-object');\n\t}\n\n\tvar skipProto = hasProtoEnumBug && isFunction;\n\tif (isString && object.length > 0 && !has.call(object, 0)) {\n\t\tfor (var i = 0; i < object.length; ++i) {\n\t\t\ttheKeys.push(String(i));\n\t\t}\n\t}\n\n\tif (isArguments && object.length > 0) {\n\t\tfor (var j = 0; j < object.length; ++j) {\n\t\t\ttheKeys.push(String(j));\n\t\t}\n\t} else {\n\t\tfor (var name in object) {\n\t\t\tif (!(skipProto && name === 'prototype') && has.call(object, name)) {\n\t\t\t\ttheKeys.push(String(name));\n\t\t\t}\n\t\t}\n\t}\n\n\tif (hasDontEnumBug) {\n\t\tvar skipConstructor = equalsConstructorPrototypeIfNotBuggy(object);\n\n\t\tfor (var k = 0; k < dontEnums.length; ++k) {\n\t\t\tif (!(skipConstructor && dontEnums[k] === 'constructor') && has.call(object, dontEnums[k])) {\n\t\t\t\ttheKeys.push(dontEnums[k]);\n\t\t\t}\n\t\t}\n\t}\n\treturn theKeys;\n};\n\nkeysShim.shim = function shimObjectKeys() {\n\tif (Object.keys) {\n\t\tvar keysWorksWithArguments = (function () {\n\t\t\t// Safari 5.0 bug\n\t\t\treturn (Object.keys(arguments) || '').length === 2;\n\t\t}(1, 2));\n\t\tif (!keysWorksWithArguments) {\n\t\t\tvar originalKeys = Object.keys;\n\t\t\tObject.keys = function keys(object) {\n\t\t\t\tif (isArgs(object)) {\n\t\t\t\t\treturn originalKeys(slice.call(object));\n\t\t\t\t} else {\n\t\t\t\t\treturn originalKeys(object);\n\t\t\t\t}\n\t\t\t};\n\t\t}\n\t} else {\n\t\tObject.keys = keysShim;\n\t}\n\treturn Object.keys || keysShim;\n};\n\nmodule.exports = keysShim;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object-keys/index.js","'use strict';\n\nvar toStr = Object.prototype.toString;\n\nmodule.exports = function isArguments(value) {\n\tvar str = toStr.call(value);\n\tvar isArgs = str === '[object Arguments]';\n\tif (!isArgs) {\n\t\tisArgs = str !== '[object Array]' &&\n\t\t\tvalue !== null &&\n\t\t\ttypeof value === 'object' &&\n\t\t\ttypeof value.length === 'number' &&\n\t\t\tvalue.length >= 0 &&\n\t\t\ttoStr.call(value.callee) === '[object Function]';\n\t}\n\treturn isArgs;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object-keys/isArguments.js","\nvar hasOwn = Object.prototype.hasOwnProperty;\nvar toString = Object.prototype.toString;\n\nmodule.exports = function forEach (obj, fn, ctx) {\n if (toString.call(fn) !== '[object Function]') {\n throw new TypeError('iterator must be a function');\n }\n var l = obj.length;\n if (l === +l) {\n for (var i = 0; i < l; i++) {\n fn.call(ctx, obj[i], i, obj);\n }\n } else {\n for (var k in obj) {\n if (hasOwn.call(obj, k)) {\n fn.call(ctx, obj[k], k, obj);\n }\n }\n }\n};\n\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/foreach/index.js","'use strict';\n\n/* eslint no-invalid-this: 1 */\n\nvar ERROR_MESSAGE = 'Function.prototype.bind called on incompatible ';\nvar slice = Array.prototype.slice;\nvar toStr = Object.prototype.toString;\nvar funcType = '[object Function]';\n\nmodule.exports = function bind(that) {\n var target = this;\n if (typeof target !== 'function' || toStr.call(target) !== funcType) {\n throw new TypeError(ERROR_MESSAGE + target);\n }\n var args = slice.call(arguments, 1);\n\n var bound;\n var binder = function () {\n if (this instanceof bound) {\n var result = target.apply(\n this,\n args.concat(slice.call(arguments))\n );\n if (Object(result) === result) {\n return result;\n }\n return this;\n } else {\n return target.apply(\n that,\n args.concat(slice.call(arguments))\n );\n }\n };\n\n var boundLength = Math.max(0, target.length - args.length);\n var boundArgs = [];\n for (var i = 0; i < boundLength; i++) {\n boundArgs.push('$' + i);\n }\n\n bound = Function('binder', 'return function (' + boundArgs.join(',') + '){ return binder.apply(this,arguments); }')(binder);\n\n if (target.prototype) {\n var Empty = function Empty() {};\n Empty.prototype = target.prototype;\n bound.prototype = new Empty();\n Empty.prototype = null;\n }\n\n return bound;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/function-bind/implementation.js","'use strict';\n\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol.iterator === 'symbol';\n\nvar isPrimitive = require('./helpers/isPrimitive');\nvar isCallable = require('is-callable');\nvar isDate = require('is-date-object');\nvar isSymbol = require('is-symbol');\n\nvar ordinaryToPrimitive = function OrdinaryToPrimitive(O, hint) {\n\tif (typeof O === 'undefined' || O === null) {\n\t\tthrow new TypeError('Cannot call method on ' + O);\n\t}\n\tif (typeof hint !== 'string' || (hint !== 'number' && hint !== 'string')) {\n\t\tthrow new TypeError('hint must be \"string\" or \"number\"');\n\t}\n\tvar methodNames = hint === 'string' ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\tvar method, result, i;\n\tfor (i = 0; i < methodNames.length; ++i) {\n\t\tmethod = O[methodNames[i]];\n\t\tif (isCallable(method)) {\n\t\t\tresult = method.call(O);\n\t\t\tif (isPrimitive(result)) {\n\t\t\t\treturn result;\n\t\t\t}\n\t\t}\n\t}\n\tthrow new TypeError('No default value');\n};\n\nvar GetMethod = function GetMethod(O, P) {\n\tvar func = O[P];\n\tif (func !== null && typeof func !== 'undefined') {\n\t\tif (!isCallable(func)) {\n\t\t\tthrow new TypeError(func + ' returned for property ' + P + ' of object ' + O + ' is not a function');\n\t\t}\n\t\treturn func;\n\t}\n};\n\n// http://www.ecma-international.org/ecma-262/6.0/#sec-toprimitive\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\tvar hint = 'default';\n\tif (arguments.length > 1) {\n\t\tif (PreferredType === String) {\n\t\t\thint = 'string';\n\t\t} else if (PreferredType === Number) {\n\t\t\thint = 'number';\n\t\t}\n\t}\n\n\tvar exoticToPrim;\n\tif (hasSymbols) {\n\t\tif (Symbol.toPrimitive) {\n\t\t\texoticToPrim = GetMethod(input, Symbol.toPrimitive);\n\t\t} else if (isSymbol(input)) {\n\t\t\texoticToPrim = Symbol.prototype.valueOf;\n\t\t}\n\t}\n\tif (typeof exoticToPrim !== 'undefined') {\n\t\tvar result = exoticToPrim.call(input, hint);\n\t\tif (isPrimitive(result)) {\n\t\t\treturn result;\n\t\t}\n\t\tthrow new TypeError('unable to convert exotic object to primitive');\n\t}\n\tif (hint === 'default' && (isDate(input) || isSymbol(input))) {\n\t\thint = 'string';\n\t}\n\treturn ordinaryToPrimitive(input, hint === 'default' ? 'number' : hint);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-to-primitive/es6.js","'use strict';\n\nvar getDay = Date.prototype.getDay;\nvar tryDateObject = function tryDateObject(value) {\n\ttry {\n\t\tgetDay.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t}\n};\n\nvar toStr = Object.prototype.toString;\nvar dateClass = '[object Date]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isDateObject(value) {\n\tif (typeof value !== 'object' || value === null) { return false; }\n\treturn hasToStringTag ? tryDateObject(value) : toStr.call(value) === dateClass;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-date-object/index.js","'use strict';\n\nvar toStr = Object.prototype.toString;\nvar hasSymbols = typeof Symbol === 'function' && typeof Symbol() === 'symbol';\n\nif (hasSymbols) {\n\tvar symToStr = Symbol.prototype.toString;\n\tvar symStringRegex = /^Symbol\\(.*\\)$/;\n\tvar isSymbolObject = function isSymbolObject(value) {\n\t\tif (typeof value.valueOf() !== 'symbol') { return false; }\n\t\treturn symStringRegex.test(symToStr.call(value));\n\t};\n\tmodule.exports = function isSymbol(value) {\n\t\tif (typeof value === 'symbol') { return true; }\n\t\tif (toStr.call(value) !== '[object Symbol]') { return false; }\n\t\ttry {\n\t\t\treturn isSymbolObject(value);\n\t\t} catch (e) {\n\t\t\treturn false;\n\t\t}\n\t};\n} else {\n\tmodule.exports = function isSymbol(value) {\n\t\t// this environment does not support Symbols.\n\t\treturn false;\n\t};\n}\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-symbol/index.js","module.exports = function isPrimitive(value) {\n\treturn value === null || (typeof value !== 'function' && typeof value !== 'object');\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/helpers/isPrimitive.js","'use strict';\n\nvar $isNaN = require('./helpers/isNaN');\nvar $isFinite = require('./helpers/isFinite');\n\nvar sign = require('./helpers/sign');\nvar mod = require('./helpers/mod');\n\nvar IsCallable = require('is-callable');\nvar toPrimitive = require('es-to-primitive/es5');\n\nvar has = require('has');\n\n// https://es5.github.io/#x9\nvar ES5 = {\n\tToPrimitive: toPrimitive,\n\n\tToBoolean: function ToBoolean(value) {\n\t\treturn !!value;\n\t},\n\tToNumber: function ToNumber(value) {\n\t\treturn Number(value);\n\t},\n\tToInteger: function ToInteger(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number)) { return 0; }\n\t\tif (number === 0 || !$isFinite(number)) { return number; }\n\t\treturn sign(number) * Math.floor(Math.abs(number));\n\t},\n\tToInt32: function ToInt32(x) {\n\t\treturn this.ToNumber(x) >> 0;\n\t},\n\tToUint32: function ToUint32(x) {\n\t\treturn this.ToNumber(x) >>> 0;\n\t},\n\tToUint16: function ToUint16(value) {\n\t\tvar number = this.ToNumber(value);\n\t\tif ($isNaN(number) || number === 0 || !$isFinite(number)) { return 0; }\n\t\tvar posInt = sign(number) * Math.floor(Math.abs(number));\n\t\treturn mod(posInt, 0x10000);\n\t},\n\tToString: function ToString(value) {\n\t\treturn String(value);\n\t},\n\tToObject: function ToObject(value) {\n\t\tthis.CheckObjectCoercible(value);\n\t\treturn Object(value);\n\t},\n\tCheckObjectCoercible: function CheckObjectCoercible(value, optMessage) {\n\t\t/* jshint eqnull:true */\n\t\tif (value == null) {\n\t\t\tthrow new TypeError(optMessage || 'Cannot call method on ' + value);\n\t\t}\n\t\treturn value;\n\t},\n\tIsCallable: IsCallable,\n\tSameValue: function SameValue(x, y) {\n\t\tif (x === y) { // 0 === -0, but they are not identical.\n\t\t\tif (x === 0) { return 1 / x === 1 / y; }\n\t\t\treturn true;\n\t\t}\n\t\treturn $isNaN(x) && $isNaN(y);\n\t},\n\n\t// http://www.ecma-international.org/ecma-262/5.1/#sec-8\n\tType: function Type(x) {\n\t\tif (x === null) {\n\t\t\treturn 'Null';\n\t\t}\n\t\tif (typeof x === 'undefined') {\n\t\t\treturn 'Undefined';\n\t\t}\n\t\tif (typeof x === 'function' || typeof x === 'object') {\n\t\t\treturn 'Object';\n\t\t}\n\t\tif (typeof x === 'number') {\n\t\t\treturn 'Number';\n\t\t}\n\t\tif (typeof x === 'boolean') {\n\t\t\treturn 'Boolean';\n\t\t}\n\t\tif (typeof x === 'string') {\n\t\t\treturn 'String';\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/6.0/#sec-property-descriptor-specification-type\n\tIsPropertyDescriptor: function IsPropertyDescriptor(Desc) {\n\t\tif (this.Type(Desc) !== 'Object') {\n\t\t\treturn false;\n\t\t}\n\t\tvar allowed = {\n\t\t\t'[[Configurable]]': true,\n\t\t\t'[[Enumerable]]': true,\n\t\t\t'[[Get]]': true,\n\t\t\t'[[Set]]': true,\n\t\t\t'[[Value]]': true,\n\t\t\t'[[Writable]]': true\n\t\t};\n\t\t// jscs:disable\n\t\tfor (var key in Desc) { // eslint-disable-line\n\t\t\tif (has(Desc, key) && !allowed[key]) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t}\n\t\t// jscs:enable\n\t\tvar isData = has(Desc, '[[Value]]');\n\t\tvar IsAccessor = has(Desc, '[[Get]]') || has(Desc, '[[Set]]');\n\t\tif (isData && IsAccessor) {\n\t\t\tthrow new TypeError('Property Descriptors may not be both accessor and data descriptors');\n\t\t}\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.1\n\tIsAccessorDescriptor: function IsAccessorDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Get]]') && !has(Desc, '[[Set]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.2\n\tIsDataDescriptor: function IsDataDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!has(Desc, '[[Value]]') && !has(Desc, '[[Writable]]')) {\n\t\t\treturn false;\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.3\n\tIsGenericDescriptor: function IsGenericDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn false;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (!this.IsAccessorDescriptor(Desc) && !this.IsDataDescriptor(Desc)) {\n\t\t\treturn true;\n\t\t}\n\n\t\treturn false;\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.4\n\tFromPropertyDescriptor: function FromPropertyDescriptor(Desc) {\n\t\tif (typeof Desc === 'undefined') {\n\t\t\treturn Desc;\n\t\t}\n\n\t\tif (!this.IsPropertyDescriptor(Desc)) {\n\t\t\tthrow new TypeError('Desc must be a Property Descriptor');\n\t\t}\n\n\t\tif (this.IsDataDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tvalue: Desc['[[Value]]'],\n\t\t\t\twritable: !!Desc['[[Writable]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else if (this.IsAccessorDescriptor(Desc)) {\n\t\t\treturn {\n\t\t\t\tget: Desc['[[Get]]'],\n\t\t\t\tset: Desc['[[Set]]'],\n\t\t\t\tenumerable: !!Desc['[[Enumerable]]'],\n\t\t\t\tconfigurable: !!Desc['[[Configurable]]']\n\t\t\t};\n\t\t} else {\n\t\t\tthrow new TypeError('FromPropertyDescriptor must be called with a fully populated Property Descriptor');\n\t\t}\n\t},\n\n\t// http://ecma-international.org/ecma-262/5.1/#sec-8.10.5\n\tToPropertyDescriptor: function ToPropertyDescriptor(Obj) {\n\t\tif (this.Type(Obj) !== 'Object') {\n\t\t\tthrow new TypeError('ToPropertyDescriptor requires an object');\n\t\t}\n\n\t\tvar desc = {};\n\t\tif (has(Obj, 'enumerable')) {\n\t\t\tdesc['[[Enumerable]]'] = this.ToBoolean(Obj.enumerable);\n\t\t}\n\t\tif (has(Obj, 'configurable')) {\n\t\t\tdesc['[[Configurable]]'] = this.ToBoolean(Obj.configurable);\n\t\t}\n\t\tif (has(Obj, 'value')) {\n\t\t\tdesc['[[Value]]'] = Obj.value;\n\t\t}\n\t\tif (has(Obj, 'writable')) {\n\t\t\tdesc['[[Writable]]'] = this.ToBoolean(Obj.writable);\n\t\t}\n\t\tif (has(Obj, 'get')) {\n\t\t\tvar getter = Obj.get;\n\t\t\tif (typeof getter !== 'undefined' && !this.IsCallable(getter)) {\n\t\t\t\tthrow new TypeError('getter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Get]]'] = getter;\n\t\t}\n\t\tif (has(Obj, 'set')) {\n\t\t\tvar setter = Obj.set;\n\t\t\tif (typeof setter !== 'undefined' && !this.IsCallable(setter)) {\n\t\t\t\tthrow new TypeError('setter must be a function');\n\t\t\t}\n\t\t\tdesc['[[Set]]'] = setter;\n\t\t}\n\n\t\tif ((has(desc, '[[Get]]') || has(desc, '[[Set]]')) && (has(desc, '[[Value]]') || has(desc, '[[Writable]]'))) {\n\t\t\tthrow new TypeError('Invalid property descriptor. Cannot both specify accessors and a value or writable attribute');\n\t\t}\n\t\treturn desc;\n\t}\n};\n\nmodule.exports = ES5;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es5.js","'use strict';\n\nvar toStr = Object.prototype.toString;\n\nvar isPrimitive = require('./helpers/isPrimitive');\n\nvar isCallable = require('is-callable');\n\n// https://es5.github.io/#x8.12\nvar ES5internalSlots = {\n\t'[[DefaultValue]]': function (O, hint) {\n\t\tvar actualHint = hint || (toStr.call(O) === '[object Date]' ? String : Number);\n\n\t\tif (actualHint === String || actualHint === Number) {\n\t\t\tvar methods = actualHint === String ? ['toString', 'valueOf'] : ['valueOf', 'toString'];\n\t\t\tvar value, i;\n\t\t\tfor (i = 0; i < methods.length; ++i) {\n\t\t\t\tif (isCallable(O[methods[i]])) {\n\t\t\t\t\tvalue = O[methods[i]]();\n\t\t\t\t\tif (isPrimitive(value)) {\n\t\t\t\t\t\treturn value;\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t\tthrow new TypeError('No default value');\n\t\t}\n\t\tthrow new TypeError('invalid [[DefaultValue]] hint supplied');\n\t}\n};\n\n// https://es5.github.io/#x9\nmodule.exports = function ToPrimitive(input, PreferredType) {\n\tif (isPrimitive(input)) {\n\t\treturn input;\n\t}\n\treturn ES5internalSlots['[[DefaultValue]]'](input, PreferredType);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-to-primitive/es5.js","'use strict';\n\nvar has = require('has');\nvar regexExec = RegExp.prototype.exec;\nvar gOPD = Object.getOwnPropertyDescriptor;\n\nvar tryRegexExecCall = function tryRegexExec(value) {\n\ttry {\n\t\tvar lastIndex = value.lastIndex;\n\t\tvalue.lastIndex = 0;\n\n\t\tregexExec.call(value);\n\t\treturn true;\n\t} catch (e) {\n\t\treturn false;\n\t} finally {\n\t\tvalue.lastIndex = lastIndex;\n\t}\n};\nvar toStr = Object.prototype.toString;\nvar regexClass = '[object RegExp]';\nvar hasToStringTag = typeof Symbol === 'function' && typeof Symbol.toStringTag === 'symbol';\n\nmodule.exports = function isRegex(value) {\n\tif (!value || typeof value !== 'object') {\n\t\treturn false;\n\t}\n\tif (!hasToStringTag) {\n\t\treturn toStr.call(value) === regexClass;\n\t}\n\n\tvar descriptor = gOPD(value, 'lastIndex');\n\tvar hasLastIndexDataProperty = descriptor && has(descriptor, 'value');\n\tif (!hasLastIndexDataProperty) {\n\t\treturn false;\n\t}\n\n\treturn tryRegexExecCall(value);\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-regex/index.js","'use strict';\n\nvar define = require('define-properties');\nvar getPolyfill = require('./polyfill');\n\nmodule.exports = function shimArrayPrototypeIncludes() {\n\tvar polyfill = getPolyfill();\n\tdefine(\n\t\tArray.prototype,\n\t\t{ includes: polyfill },\n\t\t{ includes: function () { return Array.prototype.includes !== polyfill; } }\n\t);\n\treturn polyfill;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/array-includes/shim.js","'use strict';\n\nvar define = require('define-properties');\n\nvar implementation = require('./implementation');\nvar getPolyfill = require('./polyfill');\nvar shim = require('./shim');\n\nvar polyfill = getPolyfill();\n\ndefine(polyfill, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = polyfill;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/index.js","'use strict';\n\nmodule.exports = require('./es2016');\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es7.js","'use strict';\n\nvar ES2015 = require('./es2015');\nvar assign = require('./helpers/assign');\n\nvar ES2016 = assign(assign({}, ES2015), {\n\t// https://github.com/tc39/ecma262/pull/60\n\tSameValueNonNumber: function SameValueNonNumber(x, y) {\n\t\tif (typeof x === 'number' || typeof x !== typeof y) {\n\t\t\tthrow new TypeError('SameValueNonNumber requires two non-number values of the same type.');\n\t\t}\n\t\treturn this.SameValue(x, y);\n\t}\n});\n\nmodule.exports = ES2016;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/es-abstract/es2016.js","'use strict';\n\nvar getPolyfill = require('./polyfill');\nvar define = require('define-properties');\n\nmodule.exports = function shimValues() {\n\tvar polyfill = getPolyfill();\n\tdefine(Object, { values: polyfill }, {\n\t\tvalues: function testValues() {\n\t\t\treturn Object.values !== polyfill;\n\t\t}\n\t});\n\treturn polyfill;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/object.values/shim.js","'use strict';\n\nvar define = require('define-properties');\n\nvar implementation = require('./implementation');\nvar getPolyfill = require('./polyfill');\nvar shim = require('./shim');\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\ndefine(implementation, {\n\tgetPolyfill: getPolyfill,\n\timplementation: implementation,\n\tshim: shim\n});\n\nmodule.exports = implementation;\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/index.js","'use strict';\n\nvar define = require('define-properties');\nvar getPolyfill = require('./polyfill');\n\n/* http://www.ecma-international.org/ecma-262/6.0/#sec-number.isnan */\n\nmodule.exports = function shimNumberIsNaN() {\n\tvar polyfill = getPolyfill();\n\tdefine(Number, { isNaN: polyfill }, { isNaN: function () { return Number.isNaN !== polyfill; } });\n\treturn polyfill;\n};\n\n\n\n// WEBPACK FOOTER //\n// ./node_modules/is-nan/shim.js"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/packs/common.js b/priv/static/packs/common.js index 1012f39a5..211f290fe 100644 --- a/priv/static/packs/common.js +++ b/priv/static/packs/common.js @@ -1,2 +1,2 @@ -!function(e){function t(n){if(r[n])return r[n].exports;var o=r[n]={i:n,l:!1,exports:{}};return e[n].call(o.exports,o,o.exports,t),o.l=!0,o.exports}var n=window.webpackJsonp;window.webpackJsonp=function(r,a,i){for(var s,u,c,l=0,f=[];l1){for(var u=Array(i),c=0;c>>0;if(""+n!==t||4294967295===n)return NaN;t=n}return t<0?h(e)+t:t}function g(){return!0}function y(e,t,n){return(0===e||void 0!==n&&e<=-n)&&(void 0===t||void 0!==n&&t>=n)}function _(e,t){return v(e,t,0)}function b(e,t){return v(e,t,t)}function v(e,t,n){return void 0===e?n:e<0?Math.max(0,t+e):void 0===t?e:Math.min(t,e)}function w(e){this.next=e}function k(e,t,n,r){var o=0===e?t:1===e?n:[t,n];return r?r.value=o:r={value:o,done:!1},r}function x(){return{value:void 0,done:!0}}function E(e){return!!C(e)}function O(e){return e&&"function"==typeof e.next}function S(e){var t=C(e);return t&&t.call(e)}function C(e){var t=e&&(kn&&e[kn]||e[xn]);if("function"==typeof t)return t}function j(e){return e&&"number"==typeof e.length}function T(e){return null===e||void 0===e?L():a(e)?e.toSeq():q(e)}function M(e){return null===e||void 0===e?L().toKeyedSeq():a(e)?i(e)?e.toSeq():e.fromEntrySeq():U(e)}function I(e){return null===e||void 0===e?L():a(e)?i(e)?e.entrySeq():e.toIndexedSeq():z(e)}function P(e){return(null===e||void 0===e?L():a(e)?i(e)?e.entrySeq():e:z(e)).toSetSeq()}function F(e){this._array=e,this.size=e.length}function D(e){var t=Object.keys(e);this._object=e,this._keys=t,this.size=t.length}function N(e){this._iterable=e,this.size=e.length||e.size}function A(e){this._iterator=e,this._iteratorCache=[]}function R(e){return!(!e||!e[On])}function L(){return Sn||(Sn=new F([]))}function U(e){var t=Array.isArray(e)?new F(e).fromEntrySeq():O(e)?new A(e).fromEntrySeq():E(e)?new N(e).fromEntrySeq():"object"==typeof e?new D(e):void 0;if(!t)throw new TypeError("Expected Array or iterable object of [k, v] entries, or keyed object: "+e);return t}function z(e){var t=H(e);if(!t)throw new TypeError("Expected Array or iterable object of values: "+e);return t}function q(e){var t=H(e)||"object"==typeof e&&new D(e);if(!t)throw new TypeError("Expected Array or iterable object of values, or keyed object: "+e);return t}function H(e){return j(e)?new F(e):O(e)?new A(e):E(e)?new N(e):void 0}function B(e,t,n,r){var o=e._cache;if(o){for(var a=o.length-1,i=0;i<=a;i++){var s=o[n?a-i:i];if(!1===t(s[1],r?s[0]:i,e))return i+1}return i}return e.__iterateUncached(t,n)}function W(e,t,n,r){var o=e._cache;if(o){var a=o.length-1,i=0;return new w(function(){var e=o[n?a-i:i];return i++>a?x():k(t,r?e[0]:i-1,e[1])})}return e.__iteratorUncached(t,n)}function K(e,t){return t?V(t,e,"",{"":e}):Y(e)}function V(e,t,n,r){return Array.isArray(t)?e.call(r,n,I(t).map(function(n,r){return V(e,n,r,t)})):X(t)?e.call(r,n,M(t).map(function(n,r){return V(e,n,r,t)})):t}function Y(e){return Array.isArray(e)?I(e).map(Y).toList():X(e)?M(e).map(Y).toMap():e}function X(e){return e&&(e.constructor===Object||void 0===e.constructor)}function G(e,t){if(e===t||e!==e&&t!==t)return!0;if(!e||!t)return!1;if("function"==typeof e.valueOf&&"function"==typeof t.valueOf){if(e=e.valueOf(),t=t.valueOf(),e===t||e!==e&&t!==t)return!0;if(!e||!t)return!1}return!("function"!=typeof e.equals||"function"!=typeof t.equals||!e.equals(t))}function Q(e,t){if(e===t)return!0;if(!a(t)||void 0!==e.size&&void 0!==t.size&&e.size!==t.size||void 0!==e.__hash&&void 0!==t.__hash&&e.__hash!==t.__hash||i(e)!==i(t)||s(e)!==s(t)||c(e)!==c(t))return!1;if(0===e.size&&0===t.size)return!0;var n=!u(e);if(c(e)){var r=e.entries();return t.every(function(e,t){var o=r.next().value;return o&&G(o[1],e)&&(n||G(o[0],t))})&&r.next().done}var o=!1;if(void 0===e.size)if(void 0===t.size)"function"==typeof e.cacheResult&&e.cacheResult();else{o=!0;var l=e;e=t,t=l}var f=!0,d=t.__iterate(function(t,r){if(n?!e.has(t):o?!G(t,e.get(r,gn)):!G(e.get(r,gn),t))return f=!1,!1});return f&&e.size===d}function $(e,t){if(!(this instanceof $))return new $(e,t);if(this._value=e,this.size=void 0===t?1/0:Math.max(0,t),0===this.size){if(Cn)return Cn;Cn=this}}function J(e,t){if(!e)throw new Error(t)}function Z(e,t,n){if(!(this instanceof Z))return new Z(e,t,n);if(J(0!==n,"Cannot step a Range by 0"),e=e||0,void 0===t&&(t=1/0),n=void 0===n?1:Math.abs(n),t>>1&1073741824|3221225471&e}function ae(e){if(!1===e||null===e||void 0===e)return 0;if("function"==typeof e.valueOf&&(!1===(e=e.valueOf())||null===e||void 0===e))return 0;if(!0===e)return 1;var t=typeof e;if("number"===t){if(e!==e||e===1/0)return 0;var n=0|e;for(n!==e&&(n^=4294967295*e);e>4294967295;)e/=4294967295,n^=e;return oe(n)}if("string"===t)return e.length>An?ie(e):se(e);if("function"==typeof e.hashCode)return e.hashCode();if("object"===t)return ue(e);if("function"==typeof e.toString)return se(e.toString());throw new Error("Value type "+t+" cannot be hashed.")}function ie(e){var t=Un[e];return void 0===t&&(t=se(e),Ln===Rn&&(Ln=0,Un={}),Ln++,Un[e]=t),t}function se(e){for(var t=0,n=0;n0)switch(e.nodeType){case 1:return e.uniqueID;case 9:return e.documentElement&&e.documentElement.uniqueID}}function le(e){J(e!==1/0,"Cannot perform this action with an infinite size.")}function fe(e){return null===e||void 0===e?ke():de(e)&&!c(e)?e:ke().withMutations(function(t){var r=n(e);le(r.size),r.forEach(function(e,n){return t.set(n,e)})})}function de(e){return!(!e||!e[zn])}function pe(e,t){this.ownerID=e,this.entries=t}function he(e,t,n){this.ownerID=e,this.bitmap=t,this.nodes=n}function me(e,t,n){this.ownerID=e,this.count=t,this.nodes=n}function ge(e,t,n){this.ownerID=e,this.keyHash=t,this.entries=n}function ye(e,t,n){this.ownerID=e,this.keyHash=t,this.entry=n}function _e(e,t,n){this._type=t,this._reverse=n,this._stack=e._root&&ve(e._root)}function be(e,t){return k(e,t[0],t[1])}function ve(e,t){return{node:e,index:0,__prev:t}}function we(e,t,n,r){var o=Object.create(qn);return o.size=e,o._root=t,o.__ownerID=n,o.__hash=r,o.__altered=!1,o}function ke(){return Hn||(Hn=we(0))}function xe(e,t,n){var r,o;if(e._root){var a=l(yn),i=l(_n);if(r=Ee(e._root,e.__ownerID,0,void 0,t,n,a,i),!i.value)return e;o=e.size+(a.value?n===gn?-1:1:0)}else{if(n===gn)return e;o=1,r=new pe(e.__ownerID,[[t,n]])}return e.__ownerID?(e.size=o,e._root=r,e.__hash=void 0,e.__altered=!0,e):r?we(o,r):ke()}function Ee(e,t,n,r,o,a,i,s){return e?e.update(t,n,r,o,a,i,s):a===gn?e:(f(s),f(i),new ye(t,r,[o,a]))}function Oe(e){return e.constructor===ye||e.constructor===ge}function Se(e,t,n,r,o){if(e.keyHash===r)return new ge(t,r,[e.entry,o]);var a,i=(0===n?e.keyHash:e.keyHash>>>n)&mn,s=(0===n?r:r>>>n)&mn;return new he(t,1<>>=1)i[s]=1&n?t[a++]:void 0;return i[r]=o,new me(e,a+1,i)}function Me(e,t,r){for(var o=[],i=0;i>1&1431655765,e=(858993459&e)+(e>>2&858993459),e=e+(e>>4)&252645135,e+=e>>8,127&(e+=e>>16)}function Ae(e,t,n,r){var o=r?e:p(e);return o[t]=n,o}function Re(e,t,n,r){var o=e.length+1;if(r&&t+1===o)return e[t]=n,e;for(var a=new Array(o),i=0,s=0;s0&&oa?0:a-n,c=i-n;return c>hn&&(c=hn),function(){if(o===c)return Gn;var e=t?--c:o++;return r&&r[e]}}function o(e,r,o){var s,u=e&&e.array,c=o>a?0:a-o>>r,l=1+(i-o>>r);return l>hn&&(l=hn),function(){for(;;){if(s){var e=s();if(e!==Gn)return e;s=null}if(c===l)return Gn;var a=t?--l:c++;s=n(u&&u[a],r-pn,o+(a<=e.size||t<0)return e.withMutations(function(e){t<0?Ge(e,t).set(0,n):Ge(e,0,t+1).set(t,n)});t+=e._origin;var r=e._tail,o=e._root,a=l(_n);return t>=$e(e._capacity)?r=Ve(r,e.__ownerID,0,t,n,a):o=Ve(o,e.__ownerID,e._level,t,n,a),a.value?e.__ownerID?(e._root=o,e._tail=r,e.__hash=void 0,e.__altered=!0,e):Be(e._origin,e._capacity,e._level,o,r):e}function Ve(e,t,n,r,o,a){var i=r>>>n&mn,s=e&&i0){var c=e&&e.array[i],l=Ve(c,t,n-pn,r,o,a);return l===c?e:(u=Ye(e,t),u.array[i]=l,u)}return s&&e.array[i]===o?e:(f(a),u=Ye(e,t),void 0===o&&i===u.array.length-1?u.array.pop():u.array[i]=o,u)}function Ye(e,t){return t&&e&&t===e.ownerID?e:new qe(e?e.array.slice():[],t)}function Xe(e,t){if(t>=$e(e._capacity))return e._tail;if(t<1<0;)n=n.array[t>>>r&mn],r-=pn;return n}}function Ge(e,t,n){void 0!==t&&(t|=0),void 0!==n&&(n|=0);var r=e.__ownerID||new d,o=e._origin,a=e._capacity,i=o+t,s=void 0===n?a:n<0?a+n:o+n;if(i===o&&s===a)return e;if(i>=s)return e.clear();for(var u=e._level,c=e._root,l=0;i+l<0;)c=new qe(c&&c.array.length?[void 0,c]:[],r),u+=pn,l+=1<=1<f?new qe([],r):h;if(h&&p>f&&ipn;y-=pn){var _=f>>>y&mn;g=g.array[_]=Ye(g.array[_],r)}g.array[f>>>pn&mn]=h}if(s=p)i-=p,s-=p,u=pn,c=null,m=m&&m.removeBefore(r,0,i);else if(i>o||p>>u&mn;if(b!==p>>>u&mn)break;b&&(l+=(1<o&&(c=c.removeBefore(r,u,i-l)),c&&pi&&(i=c.size),a(u)||(c=c.map(function(e){return K(e)})),o.push(c)}return i>e.size&&(e=e.setSize(i)),Fe(e,t,o)}function $e(e){return e>>pn<=hn&&i.size>=2*a.size?(o=i.filter(function(e,t){return void 0!==e&&s!==t}),r=o.toKeyedSeq().map(function(e){return e[0]}).flip().toMap(),e.__ownerID&&(r.__ownerID=o.__ownerID=e.__ownerID)):(r=a.remove(t),o=s===i.size-1?i.pop():i.set(s,void 0))}else if(u){if(n===i.get(s)[1])return e;r=a,o=i.set(s,[t,n])}else r=a.set(t,i.size),o=i.set(i.size,[t,n]);return e.__ownerID?(e.size=r.size,e._map=r,e._list=o,e.__hash=void 0,e):et(r,o)}function rt(e,t){this._iter=e,this._useKeys=t,this.size=e.size}function ot(e){this._iter=e,this.size=e.size}function at(e){this._iter=e,this.size=e.size}function it(e){this._iter=e,this.size=e.size}function st(e){var t=jt(e);return t._iter=e,t.size=e.size,t.flip=function(){return e},t.reverse=function(){var t=e.reverse.apply(this);return t.flip=function(){return e.reverse()},t},t.has=function(t){return e.includes(t)},t.includes=function(t){return e.has(t)},t.cacheResult=Tt,t.__iterateUncached=function(t,n){var r=this;return e.__iterate(function(e,n){return!1!==t(n,e,r)},n)},t.__iteratorUncached=function(t,n){if(t===wn){var r=e.__iterator(t,n);return new w(function(){var e=r.next();if(!e.done){var t=e.value[0];e.value[0]=e.value[1],e.value[1]=t}return e})}return e.__iterator(t===vn?bn:vn,n)},t}function ut(e,t,n){var r=jt(e);return r.size=e.size,r.has=function(t){return e.has(t)},r.get=function(r,o){var a=e.get(r,gn);return a===gn?o:t.call(n,a,r,e)},r.__iterateUncached=function(r,o){var a=this;return e.__iterate(function(e,o,i){return!1!==r(t.call(n,e,o,i),o,a)},o)},r.__iteratorUncached=function(r,o){var a=e.__iterator(wn,o);return new w(function(){var o=a.next();if(o.done)return o;var i=o.value,s=i[0];return k(r,s,t.call(n,i[1],s,e),o)})},r}function ct(e,t){var n=jt(e);return n._iter=e,n.size=e.size,n.reverse=function(){return e},e.flip&&(n.flip=function(){var t=st(e);return t.reverse=function(){return e.flip()},t}),n.get=function(n,r){return e.get(t?n:-1-n,r)},n.has=function(n){return e.has(t?n:-1-n)},n.includes=function(t){return e.includes(t)},n.cacheResult=Tt,n.__iterate=function(t,n){var r=this;return e.__iterate(function(e,n){return t(e,n,r)},!n)},n.__iterator=function(t,n){return e.__iterator(t,!n)},n}function lt(e,t,n,r){var o=jt(e);return r&&(o.has=function(r){var o=e.get(r,gn);return o!==gn&&!!t.call(n,o,r,e)},o.get=function(r,o){var a=e.get(r,gn);return a!==gn&&t.call(n,a,r,e)?a:o}),o.__iterateUncached=function(o,a){var i=this,s=0;return e.__iterate(function(e,a,u){if(t.call(n,e,a,u))return s++,o(e,r?a:s-1,i)},a),s},o.__iteratorUncached=function(o,a){var i=e.__iterator(wn,a),s=0;return new w(function(){for(;;){var a=i.next();if(a.done)return a;var u=a.value,c=u[0],l=u[1];if(t.call(n,l,c,e))return k(o,r?c:s++,l,a)}})},o}function ft(e,t,n){var r=fe().asMutable();return e.__iterate(function(o,a){r.update(t.call(n,o,a,e),0,function(e){return e+1})}),r.asImmutable()}function dt(e,t,n){var r=i(e),o=(c(e)?Je():fe()).asMutable();e.__iterate(function(a,i){o.update(t.call(n,a,i,e),function(e){return e=e||[],e.push(r?[i,a]:a),e})});var a=Ct(e);return o.map(function(t){return Et(e,a(t))})}function pt(e,t,n,r){var o=e.size;if(void 0!==t&&(t|=0),void 0!==n&&(n===1/0?n=o:n|=0),y(t,n,o))return e;var a=_(t,o),i=b(n,o);if(a!==a||i!==i)return pt(e.toSeq().cacheResult(),t,n,r);var s,u=i-a;u===u&&(s=u<0?0:u);var c=jt(e);return c.size=0===s?s:e.size&&s||void 0,!r&&R(e)&&s>=0&&(c.get=function(t,n){return t=m(this,t),t>=0&&ts)return x();var e=o.next();return r||t===vn?e:t===bn?k(t,u-1,void 0,e):k(t,u-1,e.value[1],e)})},c}function ht(e,t,n){var r=jt(e);return r.__iterateUncached=function(r,o){var a=this;if(o)return this.cacheResult().__iterate(r,o);var i=0;return e.__iterate(function(e,o,s){return t.call(n,e,o,s)&&++i&&r(e,o,a)}),i},r.__iteratorUncached=function(r,o){var a=this;if(o)return this.cacheResult().__iterator(r,o);var i=e.__iterator(wn,o),s=!0;return new w(function(){if(!s)return x();var e=i.next();if(e.done)return e;var o=e.value,u=o[0],c=o[1];return t.call(n,c,u,a)?r===wn?e:k(r,u,c,e):(s=!1,x())})},r}function mt(e,t,n,r){var o=jt(e);return o.__iterateUncached=function(o,a){var i=this;if(a)return this.cacheResult().__iterate(o,a);var s=!0,u=0;return e.__iterate(function(e,a,c){if(!s||!(s=t.call(n,e,a,c)))return u++,o(e,r?a:u-1,i)}),u},o.__iteratorUncached=function(o,a){var i=this;if(a)return this.cacheResult().__iterator(o,a);var s=e.__iterator(wn,a),u=!0,c=0;return new w(function(){var e,a,l;do{if(e=s.next(),e.done)return r||o===vn?e:o===bn?k(o,c++,void 0,e):k(o,c++,e.value[1],e);var f=e.value;a=f[0],l=f[1],u&&(u=t.call(n,l,a,i))}while(u);return o===wn?e:k(o,a,l,e)})},o}function gt(e,t){var r=i(e),o=[e].concat(t).map(function(e){return a(e)?r&&(e=n(e)):e=r?U(e):z(Array.isArray(e)?e:[e]),e}).filter(function(e){return 0!==e.size});if(0===o.length)return e;if(1===o.length){var u=o[0];if(u===e||r&&i(u)||s(e)&&s(u))return u}var c=new F(o);return r?c=c.toKeyedSeq():s(e)||(c=c.toSetSeq()),c=c.flatten(!0),c.size=o.reduce(function(e,t){if(void 0!==e){var n=t.size;if(void 0!==n)return e+n}},0),c}function yt(e,t,n){var r=jt(e);return r.__iterateUncached=function(r,o){function i(e,c){var l=this;e.__iterate(function(e,o){return(!t||c0}function xt(e,n,r){var o=jt(e);return o.size=new F(r).map(function(e){return e.size}).min(),o.__iterate=function(e,t){for(var n,r=this.__iterator(vn,t),o=0;!(n=r.next()).done&&!1!==e(n.value,o++,this););return o},o.__iteratorUncached=function(e,o){var a=r.map(function(e){return e=t(e),S(o?e.reverse():e)}),i=0,s=!1;return new w(function(){var t;return s||(t=a.map(function(e){return e.next()}),s=t.some(function(e){return e.done})),s?x():k(e,i++,n.apply(null,t.map(function(e){return e.value})))})},o}function Et(e,t){return R(e)?t:e.constructor(t)}function Ot(e){if(e!==Object(e))throw new TypeError("Expected [K, V] tuple: "+e)}function St(e){return le(e.size),h(e)}function Ct(e){return i(e)?n:s(e)?r:o}function jt(e){return Object.create((i(e)?M:s(e)?I:P).prototype)}function Tt(){return this._iter.cacheResult?(this._iter.cacheResult(),this.size=this._iter.size,this):T.prototype.cacheResult.call(this)}function Mt(e,t){return e>t?1:et?-1:0}function on(e){if(e.size===1/0)return 0;var t=c(e),n=i(e),r=t?1:0;return an(e.__iterate(n?t?function(e,t){r=31*r+sn(ae(e),ae(t))|0}:function(e,t){r=r+sn(ae(e),ae(t))|0}:t?function(e){r=31*r+ae(e)|0}:function(e){r=r+ae(e)|0}),r)}function an(e,t){return t=Mn(t,3432918353),t=Mn(t<<15|t>>>-15,461845907),t=Mn(t<<13|t>>>-13,5),t=(t+3864292196|0)^e,t=Mn(t^t>>>16,2246822507),t=Mn(t^t>>>13,3266489909),t=oe(t^t>>>16)}function sn(e,t){return e^t+2654435769+(e<<6)+(e>>2)|0}var un=Array.prototype.slice;e(n,t),e(r,t),e(o,t),t.isIterable=a,t.isKeyed=i,t.isIndexed=s,t.isAssociative=u,t.isOrdered=c,t.Keyed=n,t.Indexed=r,t.Set=o;var cn="@@__IMMUTABLE_ITERABLE__@@",ln="@@__IMMUTABLE_KEYED__@@",fn="@@__IMMUTABLE_INDEXED__@@",dn="@@__IMMUTABLE_ORDERED__@@",pn=5,hn=1<r?x():k(e,o,n[t?r-o++:o++])})},e(D,M),D.prototype.get=function(e,t){return void 0===t||this.has(e)?this._object[e]:t},D.prototype.has=function(e){return this._object.hasOwnProperty(e)},D.prototype.__iterate=function(e,t){for(var n=this._object,r=this._keys,o=r.length-1,a=0;a<=o;a++){var i=r[t?o-a:a];if(!1===e(n[i],i,this))return a+1}return a},D.prototype.__iterator=function(e,t){var n=this._object,r=this._keys,o=r.length-1,a=0;return new w(function(){var i=r[t?o-a:a];return a++>o?x():k(e,i,n[i])})},D.prototype[dn]=!0,e(N,I),N.prototype.__iterateUncached=function(e,t){if(t)return this.cacheResult().__iterate(e,t);var n=this._iterable,r=S(n),o=0;if(O(r))for(var a;!(a=r.next()).done&&!1!==e(a.value,o++,this););return o},N.prototype.__iteratorUncached=function(e,t){if(t)return this.cacheResult().__iterator(e,t);var n=this._iterable,r=S(n);if(!O(r))return new w(x);var o=0;return new w(function(){var t=r.next();return t.done?t:k(e,o++,t.value)})},e(A,I),A.prototype.__iterateUncached=function(e,t){if(t)return this.cacheResult().__iterate(e,t);for(var n=this._iterator,r=this._iteratorCache,o=0;o=r.length){var t=n.next();if(t.done)return t;r[o]=t.value}return k(e,o,r[o++])})};var Sn;e($,I),$.prototype.toString=function(){return 0===this.size?"Repeat []":"Repeat [ "+this._value+" "+this.size+" times ]"},$.prototype.get=function(e,t){return this.has(e)?this._value:t},$.prototype.includes=function(e){return G(this._value,e)},$.prototype.slice=function(e,t){var n=this.size;return y(e,t,n)?this:new $(this._value,b(t,n)-_(e,n))},$.prototype.reverse=function(){return this},$.prototype.indexOf=function(e){return G(this._value,e)?0:-1},$.prototype.lastIndexOf=function(e){return G(this._value,e)?this.size:-1},$.prototype.__iterate=function(e,t){for(var n=0;n=0&&t=0&&nn?x():k(e,a++,i)})},Z.prototype.equals=function(e){return e instanceof Z?this._start===e._start&&this._end===e._end&&this._step===e._step:Q(this,e)};var jn;e(ee,t),e(te,ee),e(ne,ee),e(re,ee),ee.Keyed=te,ee.Indexed=ne,ee.Set=re;var Tn,Mn="function"==typeof Math.imul&&-2===Math.imul(4294967295,2)?Math.imul:function(e,t){e|=0,t|=0;var n=65535&e,r=65535&t;return n*r+((e>>>16)*r+n*(t>>>16)<<16>>>0)|0},In=Object.isExtensible,Pn=function(){try{return Object.defineProperty({},"@",{}),!0}catch(e){return!1}}(),Fn="function"==typeof WeakMap;Fn&&(Tn=new WeakMap);var Dn=0,Nn="__immutablehash__";"function"==typeof Symbol&&(Nn=Symbol(Nn));var An=16,Rn=255,Ln=0,Un={};e(fe,te),fe.of=function(){var e=un.call(arguments,0);return ke().withMutations(function(t){for(var n=0;n=e.length)throw new Error("Missing value for key: "+e[n]);t.set(e[n],e[n+1])}})},fe.prototype.toString=function(){return this.__toString("Map {","}")},fe.prototype.get=function(e,t){return this._root?this._root.get(0,void 0,e,t):t},fe.prototype.set=function(e,t){return xe(this,e,t)},fe.prototype.setIn=function(e,t){return this.updateIn(e,gn,function(){return t})},fe.prototype.remove=function(e){return xe(this,e,gn)},fe.prototype.deleteIn=function(e){return this.updateIn(e,function(){return gn})},fe.prototype.update=function(e,t,n){return 1===arguments.length?e(this):this.updateIn([e],t,n)},fe.prototype.updateIn=function(e,t,n){n||(n=t,t=void 0);var r=De(this,It(e),t,n);return r===gn?void 0:r},fe.prototype.clear=function(){return 0===this.size?this:this.__ownerID?(this.size=0,this._root=null,this.__hash=void 0,this.__altered=!0,this):ke()},fe.prototype.merge=function(){return Me(this,void 0,arguments)},fe.prototype.mergeWith=function(e){return Me(this,e,un.call(arguments,1))},fe.prototype.mergeIn=function(e){var t=un.call(arguments,1);return this.updateIn(e,ke(),function(e){return"function"==typeof e.merge?e.merge.apply(e,t):t[t.length-1]})},fe.prototype.mergeDeep=function(){return Me(this,Ie,arguments)},fe.prototype.mergeDeepWith=function(e){var t=un.call(arguments,1);return Me(this,Pe(e),t)},fe.prototype.mergeDeepIn=function(e){var t=un.call(arguments,1);return this.updateIn(e,ke(),function(e){return"function"==typeof e.mergeDeep?e.mergeDeep.apply(e,t):t[t.length-1]})},fe.prototype.sort=function(e){return Je(vt(this,e))},fe.prototype.sortBy=function(e,t){return Je(vt(this,t,e))},fe.prototype.withMutations=function(e){var t=this.asMutable();return e(t),t.wasAltered()?t.__ensureOwner(this.__ownerID):this},fe.prototype.asMutable=function(){return this.__ownerID?this:this.__ensureOwner(new d)},fe.prototype.asImmutable=function(){return this.__ensureOwner()},fe.prototype.wasAltered=function(){return this.__altered},fe.prototype.__iterator=function(e,t){return new _e(this,e,t)},fe.prototype.__iterate=function(e,t){var n=this,r=0;return this._root&&this._root.iterate(function(t){return r++,e(t[1],t[0],n)},t),r},fe.prototype.__ensureOwner=function(e){return e===this.__ownerID?this:e?we(this.size,this._root,e,this.__hash):(this.__ownerID=e,this.__altered=!1,this)},fe.isMap=de;var zn="@@__IMMUTABLE_MAP__@@",qn=fe.prototype;qn[zn]=!0,qn.delete=qn.remove,qn.removeIn=qn.deleteIn,pe.prototype.get=function(e,t,n,r){for(var o=this.entries,a=0,i=o.length;a=Bn)return Ce(e,u,r,o);var h=e&&e===this.ownerID,m=h?u:p(u);return d?s?c===l-1?m.pop():m[c]=m.pop():m[c]=[r,o]:m.push([r,o]),h?(this.entries=m,this):new pe(e,m)}},he.prototype.get=function(e,t,n,r){void 0===t&&(t=ae(n));var o=1<<((0===e?t:t>>>e)&mn),a=this.bitmap;return 0==(a&o)?r:this.nodes[Ne(a&o-1)].get(e+pn,t,n,r)},he.prototype.update=function(e,t,n,r,o,a,i){void 0===n&&(n=ae(r));var s=(0===t?n:n>>>t)&mn,u=1<=Wn)return Te(e,d,c,s,h);if(l&&!h&&2===d.length&&Oe(d[1^f]))return d[1^f];if(l&&h&&1===d.length&&Oe(h))return h;var m=e&&e===this.ownerID,g=l?h?c:c^u:c|u,y=l?h?Ae(d,f,h,m):Le(d,f,m):Re(d,f,h,m);return m?(this.bitmap=g,this.nodes=y,this):new he(e,g,y)},me.prototype.get=function(e,t,n,r){void 0===t&&(t=ae(n));var o=(0===e?t:t>>>e)&mn,a=this.nodes[o];return a?a.get(e+pn,t,n,r):r},me.prototype.update=function(e,t,n,r,o,a,i){void 0===n&&(n=ae(r));var s=(0===t?n:n>>>t)&mn,u=o===gn,c=this.nodes,l=c[s];if(u&&!l)return this;var f=Ee(l,e,t+pn,n,r,o,a,i);if(f===l)return this;var d=this.count;if(l){if(!f&&--d=0&&e>>t&mn;if(r>=this.array.length)return new qe([],e);var o,a=0===r;if(t>0){var i=this.array[r];if((o=i&&i.removeBefore(e,t-pn,n))===i&&a)return this}if(a&&!o)return this;var s=Ye(this,e);if(!a)for(var u=0;u>>t&mn;if(r>=this.array.length)return this;var o;if(t>0){var a=this.array[r];if((o=a&&a.removeAfter(e,t-pn,n))===a&&r===this.array.length-1)return this}var i=Ye(this,e);return i.array.splice(r+1),o&&(i.array[r]=o),i};var Xn,Gn={};e(Je,fe),Je.of=function(){return this(arguments)},Je.prototype.toString=function(){return this.__toString("OrderedMap {","}")},Je.prototype.get=function(e,t){var n=this._map.get(e);return void 0!==n?this._list.get(n)[1]:t},Je.prototype.clear=function(){return 0===this.size?this:this.__ownerID?(this.size=0,this._map.clear(),this._list.clear(),this):tt()},Je.prototype.set=function(e,t){return nt(this,e,t)},Je.prototype.remove=function(e){return nt(this,e,gn)},Je.prototype.wasAltered=function(){return this._map.wasAltered()||this._list.wasAltered()},Je.prototype.__iterate=function(e,t){var n=this;return this._list.__iterate(function(t){return t&&e(t[1],t[0],n)},t)},Je.prototype.__iterator=function(e,t){return this._list.fromEntrySeq().__iterator(e,t)},Je.prototype.__ensureOwner=function(e){if(e===this.__ownerID)return this;var t=this._map.__ensureOwner(e),n=this._list.__ensureOwner(e);return e?et(t,n,e,this.__hash):(this.__ownerID=e,this._map=t,this._list=n,this)},Je.isOrderedMap=Ze,Je.prototype[dn]=!0,Je.prototype.delete=Je.prototype.remove;var Qn;e(rt,M),rt.prototype.get=function(e,t){return this._iter.get(e,t)},rt.prototype.has=function(e){return this._iter.has(e)},rt.prototype.valueSeq=function(){return this._iter.valueSeq()},rt.prototype.reverse=function(){var e=this,t=ct(this,!0);return this._useKeys||(t.valueSeq=function(){return e._iter.toSeq().reverse()}),t},rt.prototype.map=function(e,t){var n=this,r=ut(this,e,t);return this._useKeys||(r.valueSeq=function(){return n._iter.toSeq().map(e,t)}),r},rt.prototype.__iterate=function(e,t){var n,r=this;return this._iter.__iterate(this._useKeys?function(t,n){return e(t,n,r)}:(n=t?St(this):0,function(o){return e(o,t?--n:n++,r)}),t)},rt.prototype.__iterator=function(e,t){if(this._useKeys)return this._iter.__iterator(e,t);var n=this._iter.__iterator(vn,t),r=t?St(this):0;return new w(function(){var o=n.next();return o.done?o:k(e,t?--r:r++,o.value,o)})},rt.prototype[dn]=!0,e(ot,I),ot.prototype.includes=function(e){return this._iter.includes(e)},ot.prototype.__iterate=function(e,t){var n=this,r=0;return this._iter.__iterate(function(t){return e(t,r++,n)},t)},ot.prototype.__iterator=function(e,t){var n=this._iter.__iterator(vn,t),r=0;return new w(function(){var t=n.next();return t.done?t:k(e,r++,t.value,t)})},e(at,P),at.prototype.has=function(e){return this._iter.includes(e)},at.prototype.__iterate=function(e,t){var n=this;return this._iter.__iterate(function(t){return e(t,t,n)},t)},at.prototype.__iterator=function(e,t){var n=this._iter.__iterator(vn,t);return new w(function(){var t=n.next();return t.done?t:k(e,t.value,t.value,t)})},e(it,M),it.prototype.entrySeq=function(){return this._iter.toSeq()},it.prototype.__iterate=function(e,t){var n=this;return this._iter.__iterate(function(t){if(t){Ot(t);var r=a(t);return e(r?t.get(1):t[1],r?t.get(0):t[0],n)}},t)},it.prototype.__iterator=function(e,t){var n=this._iter.__iterator(vn,t);return new w(function(){for(;;){var t=n.next();if(t.done)return t;var r=t.value;if(r){Ot(r);var o=a(r);return k(e,o?r.get(0):r[0],o?r.get(1):r[1],t)}}})},ot.prototype.cacheResult=rt.prototype.cacheResult=at.prototype.cacheResult=it.prototype.cacheResult=Tt,e(Pt,te),Pt.prototype.toString=function(){return this.__toString(Dt(this)+" {","}")},Pt.prototype.has=function(e){return this._defaultValues.hasOwnProperty(e)},Pt.prototype.get=function(e,t){if(!this.has(e))return t;var n=this._defaultValues[e];return this._map?this._map.get(e,n):n},Pt.prototype.clear=function(){if(this.__ownerID)return this._map&&this._map.clear(),this;var e=this.constructor;return e._empty||(e._empty=Ft(this,ke()))},Pt.prototype.set=function(e,t){if(!this.has(e))throw new Error('Cannot set unknown key "'+e+'" on '+Dt(this));if(this._map&&!this._map.has(e)){if(t===this._defaultValues[e])return this}var n=this._map&&this._map.set(e,t);return this.__ownerID||n===this._map?this:Ft(this,n)},Pt.prototype.remove=function(e){if(!this.has(e))return this;var t=this._map&&this._map.remove(e);return this.__ownerID||t===this._map?this:Ft(this,t)},Pt.prototype.wasAltered=function(){return this._map.wasAltered()},Pt.prototype.__iterator=function(e,t){var r=this;return n(this._defaultValues).map(function(e,t){return r.get(t)}).__iterator(e,t)},Pt.prototype.__iterate=function(e,t){var r=this;return n(this._defaultValues).map(function(e,t){return r.get(t)}).__iterate(e,t)},Pt.prototype.__ensureOwner=function(e){if(e===this.__ownerID)return this;var t=this._map&&this._map.__ensureOwner(e);return e?Ft(this,t,e):(this.__ownerID=e,this._map=t,this)};var $n=Pt.prototype;$n.delete=$n.remove,$n.deleteIn=$n.removeIn=qn.removeIn,$n.merge=qn.merge,$n.mergeWith=qn.mergeWith,$n.mergeIn=qn.mergeIn,$n.mergeDeep=qn.mergeDeep,$n.mergeDeepWith=qn.mergeDeepWith,$n.mergeDeepIn=qn.mergeDeepIn,$n.setIn=qn.setIn,$n.update=qn.update,$n.updateIn=qn.updateIn,$n.withMutations=qn.withMutations,$n.asMutable=qn.asMutable,$n.asImmutable=qn.asImmutable,e(Rt,re),Rt.of=function(){return this(arguments)},Rt.fromKeys=function(e){return this(n(e).keySeq())},Rt.prototype.toString=function(){return this.__toString("Set {","}")},Rt.prototype.has=function(e){return this._map.has(e)},Rt.prototype.add=function(e){return Ut(this,this._map.set(e,!0))},Rt.prototype.remove=function(e){return Ut(this,this._map.remove(e))},Rt.prototype.clear=function(){return Ut(this,this._map.clear())},Rt.prototype.union=function(){var e=un.call(arguments,0);return e=e.filter(function(e){return 0!==e.size}),0===e.length?this:0!==this.size||this.__ownerID||1!==e.length?this.withMutations(function(t){for(var n=0;n=0;n--)t={value:arguments[n],next:t};return this.__ownerID?(this.size=e,this._head=t,this.__hash=void 0,this.__altered=!0,this):Xt(e,t)},Vt.prototype.pushAll=function(e){if(e=r(e),0===e.size)return this;le(e.size);var t=this.size,n=this._head;return e.reverse().forEach(function(e){t++,n={value:e,next:n}}),this.__ownerID?(this.size=t,this._head=n,this.__hash=void 0,this.__altered=!0,this):Xt(t,n)},Vt.prototype.pop=function(){return this.slice(1)},Vt.prototype.unshift=function(){return this.push.apply(this,arguments)},Vt.prototype.unshiftAll=function(e){return this.pushAll(e)},Vt.prototype.shift=function(){return this.pop.apply(this,arguments)},Vt.prototype.clear=function(){return 0===this.size?this:this.__ownerID?(this.size=0,this._head=void 0,this.__hash=void 0,this.__altered=!0,this):Gt()},Vt.prototype.slice=function(e,t){if(y(e,t,this.size))return this;var n=_(e,this.size);if(b(t,this.size)!==this.size)return ne.prototype.slice.call(this,e,t);for(var r=this.size-n,o=this._head;n--;)o=o.next;return this.__ownerID?(this.size=r,this._head=o,this.__hash=void 0,this.__altered=!0,this):Xt(r,o)},Vt.prototype.__ensureOwner=function(e){return e===this.__ownerID?this:e?Xt(this.size,this._head,e,this.__hash):(this.__ownerID=e,this.__altered=!1,this)},Vt.prototype.__iterate=function(e,t){if(t)return this.reverse().__iterate(e);for(var n=0,r=this._head;r&&!1!==e(r.value,n++,this);)r=r.next;return n},Vt.prototype.__iterator=function(e,t){if(t)return this.reverse().__iterator(e);var n=0,r=this._head;return new w(function(){if(r){var t=r.value;return r=r.next,k(e,n++,t)}return x()})},Vt.isStack=Yt;var rr="@@__IMMUTABLE_STACK__@@",or=Vt.prototype;or[rr]=!0,or.withMutations=qn.withMutations,or.asMutable=qn.asMutable,or.asImmutable=qn.asImmutable,or.wasAltered=qn.wasAltered;var ar;t.Iterator=w,Qt(t,{toArray:function(){le(this.size);var e=new Array(this.size||0);return this.valueSeq().__iterate(function(t,n){e[n]=t}),e},toIndexedSeq:function(){return new ot(this)},toJS:function(){return this.toSeq().map(function(e){return e&&"function"==typeof e.toJS?e.toJS():e}).__toJS()},toJSON:function(){return this.toSeq().map(function(e){return e&&"function"==typeof e.toJSON?e.toJSON():e}).__toJS()},toKeyedSeq:function(){return new rt(this,!0)},toMap:function(){return fe(this.toKeyedSeq())},toObject:function(){le(this.size);var e={};return this.__iterate(function(t,n){e[n]=t}),e},toOrderedMap:function(){return Je(this.toKeyedSeq())},toOrderedSet:function(){return Ht(i(this)?this.valueSeq():this)},toSet:function(){return Rt(i(this)?this.valueSeq():this)},toSetSeq:function(){return new at(this)},toSeq:function(){return s(this)?this.toIndexedSeq():i(this)?this.toKeyedSeq():this.toSetSeq()},toStack:function(){return Vt(i(this)?this.valueSeq():this)},toList:function(){return Ue(i(this)?this.valueSeq():this)},toString:function(){return"[Iterable]"},__toString:function(e,t){return 0===this.size?e+t:e+" "+this.toSeq().map(this.__toStringMapper).join(", ")+" "+t},concat:function(){return Et(this,gt(this,un.call(arguments,0)))},includes:function(e){return this.some(function(t){return G(t,e)})},entries:function(){return this.__iterator(wn)},every:function(e,t){le(this.size);var n=!0;return this.__iterate(function(r,o,a){if(!e.call(t,r,o,a))return n=!1,!1}),n},filter:function(e,t){return Et(this,lt(this,e,t,!0))},find:function(e,t,n){var r=this.findEntry(e,t);return r?r[1]:n},forEach:function(e,t){return le(this.size),this.__iterate(t?e.bind(t):e)},join:function(e){le(this.size),e=void 0!==e?""+e:",";var t="",n=!0;return this.__iterate(function(r){n?n=!1:t+=e,t+=null!==r&&void 0!==r?r.toString():""}),t},keys:function(){return this.__iterator(bn)},map:function(e,t){return Et(this,ut(this,e,t))},reduce:function(e,t,n){le(this.size);var r,o;return arguments.length<2?o=!0:r=t,this.__iterate(function(t,a,i){o?(o=!1,r=t):r=e.call(n,r,t,a,i)}),r},reduceRight:function(e,t,n){var r=this.toKeyedSeq().reverse();return r.reduce.apply(r,arguments)},reverse:function(){return Et(this,ct(this,!0))},slice:function(e,t){return Et(this,pt(this,e,t,!0))},some:function(e,t){return!this.every(Zt(e),t)},sort:function(e){return Et(this,vt(this,e))},values:function(){return this.__iterator(vn)},butLast:function(){return this.slice(0,-1)},isEmpty:function(){return void 0!==this.size?0===this.size:!this.some(function(){return!0})},count:function(e,t){return h(e?this.toSeq().filter(e,t):this)},countBy:function(e,t){return ft(this,e,t)},equals:function(e){return Q(this,e)},entrySeq:function(){var e=this;if(e._cache)return new F(e._cache);var t=e.toSeq().map(Jt).toIndexedSeq();return t.fromEntrySeq=function(){return e.toSeq()},t},filterNot:function(e,t){return this.filter(Zt(e),t)},findEntry:function(e,t,n){var r=n;return this.__iterate(function(n,o,a){if(e.call(t,n,o,a))return r=[o,n],!1}),r},findKey:function(e,t){var n=this.findEntry(e,t);return n&&n[0]},findLast:function(e,t,n){return this.toKeyedSeq().reverse().find(e,t,n)},findLastEntry:function(e,t,n){return this.toKeyedSeq().reverse().findEntry(e,t,n)},findLastKey:function(e,t){return this.toKeyedSeq().reverse().findKey(e,t)},first:function(){return this.find(g)},flatMap:function(e,t){return Et(this,_t(this,e,t))},flatten:function(e){return Et(this,yt(this,e,!0))},fromEntrySeq:function(){return new it(this)},get:function(e,t){return this.find(function(t,n){return G(n,e)},void 0,t)},getIn:function(e,t){for(var n,r=this,o=It(e);!(n=o.next()).done;){var a=n.value;if((r=r&&r.get?r.get(a,gn):gn)===gn)return t}return r},groupBy:function(e,t){return dt(this,e,t)},has:function(e){return this.get(e,gn)!==gn},hasIn:function(e){return this.getIn(e,gn)!==gn},isSubset:function(e){return e="function"==typeof e.includes?e:t(e),this.every(function(t){return e.includes(t)})},isSuperset:function(e){return e="function"==typeof e.isSubset?e:t(e),e.isSubset(this)},keyOf:function(e){return this.findKey(function(t){return G(t,e)})},keySeq:function(){return this.toSeq().map($t).toIndexedSeq()},last:function(){return this.toSeq().reverse().first()},lastKeyOf:function(e){return this.toKeyedSeq().reverse().keyOf(e)},max:function(e){return wt(this,e)},maxBy:function(e,t){return wt(this,t,e)},min:function(e){return wt(this,e?en(e):rn)},minBy:function(e,t){return wt(this,t?en(t):rn,e)},rest:function(){return this.slice(1)},skip:function(e){return this.slice(Math.max(0,e))},skipLast:function(e){return Et(this,this.toSeq().reverse().skip(e).reverse())},skipWhile:function(e,t){return Et(this,mt(this,e,t,!0))},skipUntil:function(e,t){return this.skipWhile(Zt(e),t)},sortBy:function(e,t){return Et(this,vt(this,t,e))},take:function(e){return this.slice(0,Math.max(0,e))},takeLast:function(e){return Et(this,this.toSeq().reverse().take(e).reverse())},takeWhile:function(e,t){return Et(this,ht(this,e,t))},takeUntil:function(e,t){return this.takeWhile(Zt(e),t)},valueSeq:function(){return this.toIndexedSeq()},hashCode:function(){return this.__hash||(this.__hash=on(this))}});var ir=t.prototype;ir[cn]=!0,ir[En]=ir.values,ir.__toJS=ir.toArray,ir.__toStringMapper=tn,ir.inspect=ir.toSource=function(){return this.toString()},ir.chain=ir.flatMap,ir.contains=ir.includes,Qt(n,{flip:function(){return Et(this,st(this))},mapEntries:function(e,t){var n=this,r=0;return Et(this,this.toSeq().map(function(o,a){return e.call(t,[a,o],r++,n)}).fromEntrySeq())},mapKeys:function(e,t){var n=this;return Et(this,this.toSeq().flip().map(function(r,o){return e.call(t,r,o,n)}).flip())}});var sr=n.prototype;return sr[ln]=!0,sr[En]=ir.entries,sr.__toJS=ir.toObject,sr.__toStringMapper=function(e,t){return JSON.stringify(t)+": "+tn(e)},Qt(r,{toKeyedSeq:function(){return new rt(this,!1)},filter:function(e,t){return Et(this,lt(this,e,t,!1))},findIndex:function(e,t){var n=this.findEntry(e,t);return n?n[0]:-1},indexOf:function(e){var t=this.keyOf(e);return void 0===t?-1:t},lastIndexOf:function(e){var t=this.lastKeyOf(e);return void 0===t?-1:t},reverse:function(){return Et(this,ct(this,!1))},slice:function(e,t){return Et(this,pt(this,e,t,!1))},splice:function(e,t){var n=arguments.length;if(t=Math.max(0|t,0),0===n||2===n&&!t)return this;e=_(e,e<0?this.count():this.size);var r=this.slice(0,e);return Et(this,1===n?r:r.concat(p(arguments,2),this.slice(e+t)))},findLastIndex:function(e,t){var n=this.findLastEntry(e,t);return n?n[0]:-1},first:function(){return this.get(0)},flatten:function(e){return Et(this,yt(this,e,!1))},get:function(e,t){return e=m(this,e),e<0||this.size===1/0||void 0!==this.size&&e>this.size?t:this.find(function(t,n){return n===e},void 0,t)},has:function(e){return(e=m(this,e))>=0&&(void 0!==this.size?this.size===1/0||e1&&void 0!==arguments[1]?arguments[1]:{},o=this.state||{};return!(this.updateOnProps||Object.keys(i({},e,this.props))).every(function(r){return n.is(e[r],t.props[r])})||!(this.updateOnStates||Object.keys(i({},r,o))).every(function(e){return n.is(r[e],o[e])})}}]),t}(t.Component);e.ImmutablePureComponent=u,e.default=u,Object.defineProperty(e,"__esModule",{value:!0})})},function(e,t,n){"use strict";n.d(t,"h",function(){return i}),n.d(t,"a",function(){return s}),n.d(t,"f",function(){return u}),n.d(t,"j",function(){return c}),n.d(t,"b",function(){return l}),n.d(t,"e",function(){return f}),n.d(t,"g",function(){return d}),n.d(t,"i",function(){return p}),n.d(t,"c",function(){return h});var r=document.getElementById("initial-state"),o=r&&JSON.parse(r.textContent),a=function(e){return o&&o.meta&&o.meta[e]},i=a("reduce_motion"),s=a("auto_play_gif"),u=a("display_sensitive_media"),c=a("unfollow_modal"),l=a("boost_modal"),f=a("delete_modal"),d=a("me"),p=a("search_enabled"),h=a("char_limit")||5e3;t.d=o},function(e,t,n){"use strict";function r(e){var t=typeof e;return Array.isArray(e)?"array":e instanceof RegExp?"object":e instanceof v.Iterable?"Immutable."+e.toSource().split(" ")[0]:t}function o(e){function t(t,n,r,o,a,i){for(var s=arguments.length,u=Array(s>6?s-6:0),c=6;c5?c-5:0),f=5;f5?i-5:0),u=5;u key("+l[f]+")"].concat(s));if(p instanceof Error)return p}}return o(t)}function u(e){return i(e,"List",v.List.isList)}function c(e,t,n,r){function a(){for(var o=arguments.length,a=Array(o),u=0;u5?s-5:0),c=5;c5?c-5:0),f=5;f>",k={listOf:u,mapOf:l,orderedMapOf:f,setOf:d,orderedSetOf:p,stackOf:h,iterableOf:m,recordOf:g,shape:_,contains:_,mapContains:b,list:a("List",v.List.isList),map:a("Map",v.Map.isMap),orderedMap:a("OrderedMap",v.OrderedMap.isOrderedMap),set:a("Set",v.Set.isSet),orderedSet:a("OrderedSet",v.OrderedSet.isOrderedSet),stack:a("Stack",v.Stack.isStack),seq:a("Seq",v.Seq.isSeq),record:a("Record",function(e){return e instanceof v.Record}),iterable:a("Iterable",v.Iterable.isIterable)};e.exports=k},function(e,t,n){"use strict";n.d(t,"b",function(){return i});var r=n(187),o=n.n(r),a=n(431),i=function(e){var t=e.headers.link;return t?a.a.parse(t):{refs:[]}};t.a=function(e){return o.a.create({headers:e?{Authorization:"Bearer "+e().getIn(["meta","access_token"],"")}:{},transformResponse:[function(e){try{return JSON.parse(e)}catch(t){return e}}]})}},function(e,t,n){"use strict";function r(e,t){e.every(function(e){return e.id!==t.id})&&e.push(t)}function o(e){return{type:m,account:e}}function a(e){return{type:g,accounts:e}}function i(e){return{type:y,status:e}}function s(e){return{type:_,statuses:e}}function u(e){return c([e])}function c(e){function t(e){r(n,Object(h.a)(e)),e.moved&&t(e.moved)}var n=[];return e.forEach(t),Object(p.b)(n,!d.a),a(n)}function l(e){return f([e])}function f(e){return function(t,n){function o(e){r(i,Object(h.b)(e,n().getIn(["statuses",e.id]))),r(a,e.account),e.reblog&&e.reblog.id&&o(e.reblog)}var a=[],i=[];e.forEach(o),Object(p.c)(i),t(c(a)),t(s(i))}}n.d(t,"b",function(){return m}),n.d(t,"a",function(){return g}),n.d(t,"d",function(){return y}),n.d(t,"c",function(){return _}),t.e=o,t.j=i,t.f=u,t.g=c,t.h=l,t.i=f;var d=n(12),p=n(185),h=n(409),m="ACCOUNT_IMPORT",g="ACCOUNTS_IMPORT",y="STATUS_IMPORT",_="STATUSES_IMPORT"},function(e,t,n){"use strict";var r=function(e,t,n,r,o,a,i,s){if(!e){var u;if(void 0===t)u=new Error("Minified exception occurred; use the non-minified dev environment for the full error message and additional helpful warnings.");else{var c=[n,r,o,a,i,s],l=0;u=new Error(t.replace(/%s/g,function(){return c[l++]})),u.name="Invariant Violation"}throw u.framesToPop=1,u}};e.exports=r},function(e,t,n){"use strict";var r=function(){};e.exports=r},function(e,t,n){"use strict";function r(e){return{type:Z,text:e}}function o(e,t){return function(n,r){n({type:re,status:e}),r().getIn(["compose","mounted"])||t.push("/statuses/new")}}function a(){return{type:oe}}function i(){return{type:se}}function s(e,t){return function(n,r){n({type:ie,account:e}),r().getIn(["compose","mounted"])||t.push("/statuses/new")}}function u(e,t){return function(n,r){n({type:ae,account:e}),r().getIn(["compose","mounted"])||t.push("/statuses/new")}}function c(){return function(e,t){var n=t().getIn(["compose","text"],""),r=t().getIn(["compose","media_attachments"]);(n&&n.length||0!==r.size)&&(e(l()),Object(W.a)(t).post("/api/v1/statuses",{status:n,in_reply_to_id:t().getIn(["compose","in_reply_to"],null),media_ids:r.map(function(e){return e.get("id")}),sensitive:t().getIn(["compose","sensitive"]),spoiler_text:t().getIn(["compose","spoiler_text"],""),visibility:t().getIn(["compose","privacy"])},{headers:{"Idempotency-Key":t().getIn(["compose","idempotencyKey"])}}).then(function(n){e(I(n.data.tags)),e(f(Object.assign({},n.data)));var r=function(r){null!==t().getIn(["timelines",r,"items",0])&&e(Object(Q.s)(r,Object.assign({},n.data)))};r("home"),null===n.data.in_reply_to_id&&"public"===n.data.visibility&&(r("community"),r("public"))}).catch(function(t){e(d(t))}))}}function l(){return{type:ee}}function f(e){return{type:te,status:e}}function d(e){return{type:ne,error:e}}function p(e){return function(t,n){if(!(n().getIn(["compose","media_attachments"]).size>3)){t(_());var r=new FormData;r.append("file",e[0]),Object(W.a)(n).post("/api/v1/media",r,{onUploadProgress:function(e){t(b(e.loaded,e.total))}}).then(function(e){t(v(e.data))}).catch(function(e){t(w(e))})}}}function h(e,t){return function(n,r){n(m()),Object(W.a)(r).put("/api/v1/media/"+e,t).then(function(e){n(g(e.data))}).catch(function(t){n(y(e))})}}function m(){return{type:Se,skipLoading:!0}}function g(e){return{type:Ce,media:e,skipLoading:!0}}function y(e){return{type:je,error:e,skipLoading:!0}}function _(){return{type:ue,skipLoading:!0}}function b(e,t){return{type:fe,loaded:e,total:t}}function v(e){return{type:ce,media:e,skipLoading:!0}}function w(e){return{type:le,error:e,skipLoading:!0}}function k(e){return{type:de,media_id:e}}function x(){return J&&J(),{type:pe}}function E(e){return function(t,n){switch(e[0]){case":":Me(t,n,e);break;case"#":Ie(t,n,e);break;default:Te(t,n,e)}}}function O(e,t){return{type:he,token:e,emojis:t}}function S(e,t){return{type:he,token:e,accounts:t}}function C(e,t,n){return function(r,o){var a=void 0,i=void 0;"object"===(void 0===n?"undefined":q()(n))&&n.id?(a=n.native||n.colons,i=e-1,r(Object(X.b)(n))):"#"===n[0]?(a=n,i=e-1):(a=o().getIn(["accounts",n,"acct"]),i=e),r({type:me,position:i,token:t,completion:a})}}function j(e){return{type:ge,token:e}}function T(e){return{type:ye,tags:e}}function M(){return function(e,t){var n=t().getIn(["meta","me"]),r=Y.b.get(n);null!==r&&e(T(r))}}function I(e){return function(t,n){var r=n(),o=r.getIn(["compose","tagHistory"]),a=r.getIn(["meta","me"]),i=e.map(function(e){return e.name}),s=o.filter(function(e){return!i.includes(e)});i.push.apply(i,s.toJS());var u=i.slice(0,1e3);Y.b.set(a,u),t(T(u))}}function P(){return{type:_e}}function F(){return{type:be}}function D(){return{type:ve}}function N(){return{type:we}}function A(e){return{type:ke,text:e}}function R(e){return{type:xe,value:e}}function L(e,t){return{type:Oe,position:e,emoji:t}}function U(e){return{type:Ee,value:e}}n.d(t,"a",function(){return Z}),n.d(t,"n",function(){return ee}),n.d(t,"o",function(){return te}),n.d(t,"m",function(){return ne}),n.d(t,"g",function(){return re}),n.d(t,"h",function(){return oe}),n.d(t,"c",function(){return ae}),n.d(t,"e",function(){return ie}),n.d(t,"i",function(){return se}),n.d(t,"A",function(){return ue}),n.d(t,"B",function(){return ce}),n.d(t,"y",function(){return le}),n.d(t,"z",function(){return fe}),n.d(t,"C",function(){return de}),n.d(t,"p",function(){return pe}),n.d(t,"q",function(){return he}),n.d(t,"r",function(){return me}),n.d(t,"s",function(){return ge}),n.d(t,"t",function(){return ye}),n.d(t,"f",function(){return _e}),n.d(t,"u",function(){return be}),n.d(t,"j",function(){return ve}),n.d(t,"k",function(){return we}),n.d(t,"l",function(){return ke}),n.d(t,"D",function(){return xe}),n.d(t,"b",function(){return Ee}),n.d(t,"d",function(){return Oe}),n.d(t,"w",function(){return Se}),n.d(t,"x",function(){return Ce}),n.d(t,"v",function(){return je}),t.F=r,t.T=o,t.E=a,t.U=i,t.R=s,t.N=u,t.W=c,t.Z=p,t.L=h,t.X=k,t.M=x,t.O=E,t.V=C,t.P=M,t.S=P,t.Y=F,t.G=D,t.I=N,t.H=A,t.J=R,t.Q=L,t.K=U;var z=n(31),q=n.n(z),H=n(94),B=n.n(H),W=n(14),K=n(187),V=(n.n(K),n(195)),Y=n(197),X=n(100),G=n(15),Q=n(19),$=n(36),J=void 0,Z="COMPOSE_CHANGE",ee="COMPOSE_SUBMIT_REQUEST",te="COMPOSE_SUBMIT_SUCCESS",ne="COMPOSE_SUBMIT_FAIL",re="COMPOSE_REPLY",oe="COMPOSE_REPLY_CANCEL",ae="COMPOSE_DIRECT",ie="COMPOSE_MENTION",se="COMPOSE_RESET",ue="COMPOSE_UPLOAD_REQUEST",ce="COMPOSE_UPLOAD_SUCCESS",le="COMPOSE_UPLOAD_FAIL",fe="COMPOSE_UPLOAD_PROGRESS",de="COMPOSE_UPLOAD_UNDO",pe="COMPOSE_SUGGESTIONS_CLEAR",he="COMPOSE_SUGGESTIONS_READY",me="COMPOSE_SUGGESTION_SELECT",ge="COMPOSE_SUGGESTION_TAGS_UPDATE",ye="COMPOSE_TAG_HISTORY_UPDATE",_e="COMPOSE_MOUNT",be="COMPOSE_UNMOUNT",ve="COMPOSE_SENSITIVITY_CHANGE",we="COMPOSE_SPOILERNESS_CHANGE",ke="COMPOSE_SPOILER_TEXT_CHANGE",xe="COMPOSE_VISIBILITY_CHANGE",Ee="COMPOSE_COMPOSING_CHANGE",Oe="COMPOSE_EMOJI_INSERT",Se="COMPOSE_UPLOAD_UPDATE_REQUEST",Ce="COMPOSE_UPLOAD_UPDATE_SUCCESS",je="COMPOSE_UPLOAD_UPDATE_FAIL",Te=B()(function(e,t,n){J&&J(),Object(W.a)(t).get("/api/v1/accounts/search",{cancelToken:new K.CancelToken(function(e){J=e}),params:{q:n.slice(1),resolve:!1,limit:4}}).then(function(t){e(Object(G.g)(t.data)),e(S(n,t.data))}).catch(function(t){Object(K.isCancel)(t)||e(Object($.e)(t))})},200,{leading:!0,trailing:!0}),Me=function(e,t,n){e(O(n,Object(V.a)(n.replace(":",""),{maxResults:5})))},Ie=function(e,t,n){e(j(n))}},function(e,t,n){"use strict";function r(e,t){return function(n,r){var o=t.reblog?r().get("statuses").filter(function(e,n){return n===t.reblog.id||e.get("reblog")===t.reblog.id}).map(function(e,t){return t}):[],a=[];if(t.in_reply_to_id)for(var i=r().getIn(["statuses",t.in_reply_to_id]);i&&i.get("in_reply_to_id");)a.push(i.get("id")),i=r().getIn(["statuses",i.get("in_reply_to_id")]);n(Object(f.h)(t)),n({type:h,timeline:e,status:t,references:o}),a.length>0&&n({type:w,status:t,references:a})}}function o(e){return function(t,n){var r=n().getIn(["statuses",e,"account"]),o=n().get("statuses").filter(function(t){return t.get("reblog")===e}).map(function(e){return[e.get("id"),e.get("account")]}),a=n().getIn(["statuses",e,"reblog"],null);t({type:m,id:e,accountId:r,references:o,reblogOf:a})}}function a(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return function(r,o){o().getIn(["timelines",e],Object(p.Map)()).get("isLoading")||(r(i(e)),Object(d.a)(o).get(t,{params:n}).then(function(t){var n=Object(d.b)(t).refs.find(function(e){return"next"===e.rel});r(Object(f.i)(t.data)),r(s(e,t.data,n?n.uri:null,206===t.code))}).catch(function(t){r(u(e,t))}))}}function i(e){return{type:g,timeline:e}}function s(e,t,n,r){return{type:y,timeline:e,statuses:t,next:n,partial:r}}function u(e,t){return{type:_,timeline:e,error:t}}function c(e,t){return{type:b,timeline:e,top:t}}function l(e){return{type:v,timeline:e}}n.d(t,"h",function(){return h}),n.d(t,"b",function(){return m}),n.d(t,"e",function(){return g}),n.d(t,"f",function(){return y}),n.d(t,"d",function(){return _}),n.d(t,"g",function(){return b}),n.d(t,"c",function(){return v}),n.d(t,"a",function(){return w}),t.s=r,t.i=o,n.d(t,"o",function(){return k}),n.d(t,"q",function(){return x}),n.d(t,"m",function(){return E}),n.d(t,"l",function(){return O}),n.d(t,"k",function(){return S}),n.d(t,"n",function(){return C}),n.d(t,"p",function(){return j}),t.r=c,t.j=l;var f=n(15),d=n(14),p=n(8),h=(n.n(p),"TIMELINE_UPDATE"),m="TIMELINE_DELETE",g="TIMELINE_EXPAND_REQUEST",y="TIMELINE_EXPAND_SUCCESS",_="TIMELINE_EXPAND_FAIL",b="TIMELINE_SCROLL_TOP",v="TIMELINE_DISCONNECT",w="CONTEXT_UPDATE",k=function(){return a("home","/api/v1/timelines/home",{max_id:(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).maxId})},x=function(){return a("public","/api/v1/timelines/public",{max_id:(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).maxId})},E=function(){return a("community","/api/v1/timelines/public",{local:!0,max_id:(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).maxId})},O=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.maxId,r=t.withReplies;return a("account:"+e+(r?":with_replies":""),"/api/v1/accounts/"+e+"/statuses",{exclude_replies:!r,max_id:n})},S=function(e){return a("account:"+e+":media","/api/v1/accounts/"+e+"/statuses",{max_id:(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}).maxId,only_media:!0})},C=function(e){return a("hashtag:"+e,"/api/v1/timelines/tag/"+e,{max_id:(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}).maxId})},j=function(e){return a("list:"+e,"/api/v1/timelines/list/"+e,{max_id:(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{}).maxId})}},function(e,t,n){"use strict";function r(){if("undefined"!=typeof __REACT_DEVTOOLS_GLOBAL_HOOK__&&"function"==typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE)try{__REACT_DEVTOOLS_GLOBAL_HOOK__.checkDCE(r)}catch(e){console.error(e)}}r(),e.exports=n(504)},function(e,t,n){"use strict";function r(e){return"[object Array]"===E.call(e)}function o(e){return"[object ArrayBuffer]"===E.call(e)}function a(e){return"undefined"!=typeof FormData&&e instanceof FormData}function i(e){return"undefined"!=typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(e):e&&e.buffer&&e.buffer instanceof ArrayBuffer}function s(e){return"string"==typeof e}function u(e){return"number"==typeof e}function c(e){return void 0===e}function l(e){return null!==e&&"object"==typeof e}function f(e){return"[object Date]"===E.call(e)}function d(e){return"[object File]"===E.call(e)}function p(e){return"[object Blob]"===E.call(e)}function h(e){return"[object Function]"===E.call(e)}function m(e){return l(e)&&h(e.pipe)}function g(e){return"undefined"!=typeof URLSearchParams&&e instanceof URLSearchParams}function y(e){return e.replace(/^\s*/,"").replace(/\s*$/,"")}function _(){return("undefined"==typeof navigator||"ReactNative"!==navigator.product)&&("undefined"!=typeof window&&"undefined"!=typeof document)}function b(e,t){if(null!==e&&void 0!==e)if("object"==typeof e||r(e)||(e=[e]),r(e))for(var n=0,o=e.length;n1&&void 0!==arguments[1])||arguments[1];return function(n,r){var o=r().getIn(["relationships",e,"following"]);n(l(e)),Object(he.a)(r).post("/api/v1/accounts/"+e+"/follow",{reblogs:t}).then(function(e){n(f(e.data,o))}).catch(function(e){n(d(e))})}}function c(e){return function(t,n){t(p(e)),Object(he.a)(n).post("/api/v1/accounts/"+e+"/unfollow").then(function(e){t(h(e.data,n().get("statuses")))}).catch(function(e){t(m(e))})}}function l(e){return{type:ve,id:e}}function f(e,t){return{type:we,relationship:e,alreadyFollowing:t}}function d(e){return{type:ke,error:e}}function p(e){return{type:xe,id:e}}function h(e,t){return{type:Ee,relationship:e,statuses:t}}function m(e){return{type:Oe,error:e}}function g(e){return function(t,n){t(_(e)),Object(he.a)(n).post("/api/v1/accounts/"+e+"/block").then(function(e){t(b(e.data,n().get("statuses")))}).catch(function(n){t(v(e))})}}function y(e){return function(t,n){t(w(e)),Object(he.a)(n).post("/api/v1/accounts/"+e+"/unblock").then(function(e){t(k(e.data))}).catch(function(n){t(x(e))})}}function _(e){return{type:Se,id:e}}function b(e,t){return{type:Ce,relationship:e,statuses:t}}function v(e){return{type:je,error:e}}function w(e){return{type:Te,id:e}}function k(e){return{type:Me,relationship:e}}function x(e){return{type:Ie,error:e}}function E(e,t){return function(n,r){n(S(e)),Object(he.a)(r).post("/api/v1/accounts/"+e+"/mute",{notifications:t}).then(function(e){n(C(e.data,r().get("statuses")))}).catch(function(t){n(j(e))})}}function O(e){return function(t,n){t(T(e)),Object(he.a)(n).post("/api/v1/accounts/"+e+"/unmute").then(function(e){t(M(e.data))}).catch(function(n){t(I(e))})}}function S(e){return{type:Pe,id:e}}function C(e,t){return{type:Fe,relationship:e,statuses:t}}function j(e){return{type:De,error:e}}function T(e){return{type:Ne,id:e}}function M(e){return{type:Ae,relationship:e}}function I(e){return{type:Re,error:e}}function P(e){return function(t,n){t(F(e)),Object(he.a)(n).get("/api/v1/accounts/"+e+"/followers").then(function(n){var r=Object(he.b)(n).refs.find(function(e){return"next"===e.rel});t(Object(ge.g)(n.data)),t(D(e,n.data,r?r.uri:null)),t(X(n.data.map(function(e){return e.id})))}).catch(function(n){t(N(e,n))})}}function F(e){return{type:Le,id:e}}function D(e,t,n){return{type:Ue,id:e,accounts:t,next:n}}function N(e,t){return{type:ze,id:e,error:t}}function A(e){return function(t,n){var r=n().getIn(["user_lists","followers",e,"next"]);null!==r&&(t(R(e)),Object(he.a)(n).get(r).then(function(n){var r=Object(he.b)(n).refs.find(function(e){return"next"===e.rel});t(Object(ge.g)(n.data)),t(L(e,n.data,r?r.uri:null)),t(X(n.data.map(function(e){return e.id})))}).catch(function(n){t(U(e,n))}))}}function R(e){return{type:qe,id:e}}function L(e,t,n){return{type:He,id:e,accounts:t,next:n}}function U(e,t){return{type:Be,id:e,error:t}}function z(e){return function(t,n){t(q(e)),Object(he.a)(n).get("/api/v1/accounts/"+e+"/following").then(function(n){var r=Object(he.b)(n).refs.find(function(e){return"next"===e.rel});t(Object(ge.g)(n.data)),t(H(e,n.data,r?r.uri:null)),t(X(n.data.map(function(e){return e.id})))}).catch(function(n){t(B(e,n))})}}function q(e){return{type:We,id:e}}function H(e,t,n){return{type:Ke,id:e,accounts:t,next:n}}function B(e,t){return{type:Ve,id:e,error:t}}function W(e){return function(t,n){var r=n().getIn(["user_lists","following",e,"next"]);null!==r&&(t(K(e)),Object(he.a)(n).get(r).then(function(n){var r=Object(he.b)(n).refs.find(function(e){return"next"===e.rel});t(Object(ge.g)(n.data)),t(V(e,n.data,r?r.uri:null)),t(X(n.data.map(function(e){return e.id})))}).catch(function(n){t(Y(e,n))}))}}function K(e){return{type:Ye,id:e}}function V(e,t,n){return{type:Xe,id:e,accounts:t,next:n}}function Y(e,t){return{type:Ge,id:e,error:t}}function X(e){return function(t,n){var r=n().get("relationships"),o=e.filter(function(e){return null===r.get(e,null)});0!==o.length&&(t(G(o)),Object(he.a)(n).get("/api/v1/accounts/relationships?"+o.map(function(e){return"id[]="+e}).join("&")).then(function(e){t(Q(e.data))}).catch(function(e){t($(e))}))}}function G(e){return{type:Qe,ids:e,skipLoading:!0}}function Q(e){return{type:$e,relationships:e,skipLoading:!0}}function $(e){return{type:Je,error:e,skipLoading:!0}}function J(){return function(e,t){e(Z()),Object(he.a)(t).get("/api/v1/follow_requests").then(function(t){var n=Object(he.b)(t).refs.find(function(e){return"next"===e.rel});e(Object(ge.g)(t.data)),e(ee(t.data,n?n.uri:null))}).catch(function(t){return e(te(t))})}}function Z(){return{type:Ze}}function ee(e,t){return{type:et,accounts:e,next:t}}function te(e){return{type:tt,error:e}}function ne(){return function(e,t){var n=t().getIn(["user_lists","follow_requests","next"]);null!==n&&(e(re()),Object(he.a)(t).get(n).then(function(t){var n=Object(he.b)(t).refs.find(function(e){return"next"===e.rel});e(Object(ge.g)(t.data)),e(oe(t.data,n?n.uri:null))}).catch(function(t){return e(ae(t))}))}}function re(){return{type:nt}}function oe(e,t){return{type:rt,accounts:e,next:t}}function ae(e){return{type:ot,error:e}}function ie(e){return function(t,n){t(se(e)),Object(he.a)(n).post("/api/v1/follow_requests/"+e+"/authorize").then(function(){return t(ue(e))}).catch(function(n){return t(ce(e,n))})}}function se(e){return{type:at,id:e}}function ue(e){return{type:it,id:e}}function ce(e,t){return{type:st,id:e,error:t}}function le(e){return function(t,n){t(fe(e)),Object(he.a)(n).post("/api/v1/follow_requests/"+e+"/reject").then(function(){return t(de(e))}).catch(function(n){return t(pe(e,n))})}}function fe(e){return{type:ut,id:e}}function de(e){return{type:ct,id:e}}function pe(e,t){return{type:lt,id:e,error:t}}n.d(t,"b",function(){return we}),n.d(t,"e",function(){return Ee}),n.d(t,"a",function(){return Ce}),n.d(t,"d",function(){return Me}),n.d(t,"c",function(){return Fe}),n.d(t,"f",function(){return Ae}),n.d(t,"h",function(){return Ue}),n.d(t,"g",function(){return He}),n.d(t,"j",function(){return Ke}),n.d(t,"i",function(){return Xe}),n.d(t,"o",function(){return $e}),n.d(t,"l",function(){return et}),n.d(t,"k",function(){return rt}),n.d(t,"m",function(){return it}),n.d(t,"n",function(){return ct}),t.u=o,t.z=u,t.D=c,t.q=g,t.C=y,t.A=E,t.E=O,t.w=P,t.s=A,t.x=z,t.t=W,t.y=X,t.v=J,t.r=ne,t.p=ie,t.B=le;var he=n(14),me=n(123),ge=n(15),ye="ACCOUNT_FETCH_REQUEST",_e="ACCOUNT_FETCH_SUCCESS",be="ACCOUNT_FETCH_FAIL",ve="ACCOUNT_FOLLOW_REQUEST",we="ACCOUNT_FOLLOW_SUCCESS",ke="ACCOUNT_FOLLOW_FAIL",xe="ACCOUNT_UNFOLLOW_REQUEST",Ee="ACCOUNT_UNFOLLOW_SUCCESS",Oe="ACCOUNT_UNFOLLOW_FAIL",Se="ACCOUNT_BLOCK_REQUEST",Ce="ACCOUNT_BLOCK_SUCCESS",je="ACCOUNT_BLOCK_FAIL",Te="ACCOUNT_UNBLOCK_REQUEST",Me="ACCOUNT_UNBLOCK_SUCCESS",Ie="ACCOUNT_UNBLOCK_FAIL",Pe="ACCOUNT_MUTE_REQUEST",Fe="ACCOUNT_MUTE_SUCCESS",De="ACCOUNT_MUTE_FAIL",Ne="ACCOUNT_UNMUTE_REQUEST",Ae="ACCOUNT_UNMUTE_SUCCESS",Re="ACCOUNT_UNMUTE_FAIL",Le="FOLLOWERS_FETCH_REQUEST",Ue="FOLLOWERS_FETCH_SUCCESS",ze="FOLLOWERS_FETCH_FAIL",qe="FOLLOWERS_EXPAND_REQUEST",He="FOLLOWERS_EXPAND_SUCCESS",Be="FOLLOWERS_EXPAND_FAIL",We="FOLLOWING_FETCH_REQUEST",Ke="FOLLOWING_FETCH_SUCCESS",Ve="FOLLOWING_FETCH_FAIL",Ye="FOLLOWING_EXPAND_REQUEST",Xe="FOLLOWING_EXPAND_SUCCESS",Ge="FOLLOWING_EXPAND_FAIL",Qe="RELATIONSHIPS_FETCH_REQUEST",$e="RELATIONSHIPS_FETCH_SUCCESS",Je="RELATIONSHIPS_FETCH_FAIL",Ze="FOLLOW_REQUESTS_FETCH_REQUEST",et="FOLLOW_REQUESTS_FETCH_SUCCESS",tt="FOLLOW_REQUESTS_FETCH_FAIL",nt="FOLLOW_REQUESTS_EXPAND_REQUEST",rt="FOLLOW_REQUESTS_EXPAND_SUCCESS",ot="FOLLOW_REQUESTS_EXPAND_FAIL",at="FOLLOW_REQUEST_AUTHORIZE_REQUEST",it="FOLLOW_REQUEST_AUTHORIZE_SUCCESS",st="FOLLOW_REQUEST_AUTHORIZE_FAIL",ut="FOLLOW_REQUEST_REJECT_REQUEST",ct="FOLLOW_REQUEST_REJECT_SUCCESS",lt="FOLLOW_REQUEST_REJECT_FAIL"},function(e,t,n){"use strict";n.d(t,"a",function(){return v});var r,o,a=n(2),i=n.n(a),s=n(1),u=n.n(s),c=n(3),l=n.n(c),f=n(4),d=n.n(f),p=n(0),h=n.n(p),m=n(28),g=n(27),y=n.n(g),_=n(10),b=n.n(_),v=(o=r=function(e){function t(){var n,r,o;u()(this,t);for(var a=arguments.length,i=Array(a),s=0;s=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}},function(e,t,n){"use strict";function r(e){return e&&e.__esModule?e:{default:e}}t.__esModule=!0;var o=n(358),a=r(o),i=n(169),s=r(i),u="function"==typeof s.default&&"symbol"==typeof a.default?function(e){return typeof e}:function(e){return e&&"function"==typeof s.default&&e.constructor===s.default&&e!==s.default.prototype?"symbol":typeof e};t.default="function"==typeof s.default&&"symbol"===u(a.default)?function(e){return void 0===e?"undefined":u(e)}:function(e){return e&&"function"==typeof s.default&&e.constructor===s.default&&e!==s.default.prototype?"symbol":void 0===e?"undefined":u(e)}},function(e,t){var n=e.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},function(e,t,n){"use strict";function r(e){return function(t){var n=u(e);t({type:s,state:n}),t(Object(a.P)()),t(Object(i.g)(Object.values(e.accounts)))}}n.d(t,"a",function(){return s}),t.b=r;var o=n(8),a=(n.n(o),n(18)),i=n(15),s="STORE_HYDRATE",u=function(e){return Object(o.fromJS)(e,function(e,t){return o.Iterable.isIndexed(t)?t.toList():t.toMap()})}},function(e,t,n){function r(e,t,n){function r(t){var n=_,r=b;return _=b=void 0,E=t,w=e.apply(r,n)}function l(e){return E=e,k=setTimeout(p,t),O?r(e):w}function f(e){var n=e-x,r=e-E,o=t-n;return S?c(o,v-r):o}function d(e){var n=e-x,r=e-E;return void 0===x||n>=t||n<0||S&&r>=v}function p(){var e=a();if(d(e))return h(e);k=setTimeout(p,f(e))}function h(e){return k=void 0,C&&_?r(e):(_=b=void 0,w)}function m(){void 0!==k&&clearTimeout(k),E=0,_=x=b=k=void 0}function g(){return void 0===k?w:h(a())}function y(){var e=a(),n=d(e);if(_=arguments,b=this,x=e,n){if(void 0===k)return l(x);if(S)return k=setTimeout(p,t),r(x)}return void 0===k&&(k=setTimeout(p,t)),w}var _,b,v,w,k,x,E=0,O=!1,S=!1,C=!0;if("function"!=typeof e)throw new TypeError(s);return t=i(t)||0,o(n)&&(O=!!n.leading,S="maxWait"in n,v=S?u(i(n.maxWait)||0,t):v,C="trailing"in n?!!n.trailing:C),y.cancel=m,y.flush=g,y}var o=n(42),a=n(437),i=n(438),s="Expected a function",u=Math.max,c=Math.min;e.exports=r},function(e,t,n){"use strict";function r(e){return e<=c}function o(){f=!0,window.removeEventListener("touchstart",o,d)}function a(){return f}function i(){return l}t.b=r,t.c=a,t.a=i;var s=n(47),u=n.n(s),c=630,l=/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream,f=!1,d=!!u.a.hasSupport&&{passive:!0};window.addEventListener("touchstart",o,d)},function(e,t,n){"use strict";function r(e){return{type:c,alert:e}}function o(e,t){return{type:u,title:e,message:t}}function a(e){if(e.response){var t=e.response,n=t.data,r=t.status,a=t.statusText,i=a,u=""+r;return n.error&&(i=n.error),o(u,i)}return console.error(e),o(s.unexpectedTitle,s.unexpectedMessage)}n.d(t,"c",function(){return u}),n.d(t,"b",function(){return c}),n.d(t,"a",function(){return l}),t.d=r,t.e=a;var i=n(6),s=Object(i.f)({unexpectedTitle:{id:"alert.unexpected.title",defaultMessage:"Oops!"},unexpectedMessage:{id:"alert.unexpected.message",defaultMessage:"An unexpected error occurred."}}),u="ALERT_SHOW",c="ALERT_DISMISS",l="ALERT_CLEAR"},function(e,t){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function o(e){if(l===setTimeout)return setTimeout(e,0);if((l===n||!l)&&setTimeout)return l=setTimeout,setTimeout(e,0);try{return l(e,0)}catch(t){try{return l.call(null,e,0)}catch(t){return l.call(this,e,0)}}}function a(e){if(f===clearTimeout)return clearTimeout(e);if((f===r||!f)&&clearTimeout)return f=clearTimeout,clearTimeout(e);try{return f(e)}catch(t){try{return f.call(null,e)}catch(t){return f.call(this,e)}}}function i(){m&&p&&(m=!1,p.length?h=p.concat(h):g=-1,h.length&&s())}function s(){if(!m){var e=o(i);m=!0;for(var t=h.length;t;){for(p=h,h=[];++g1)for(var n=1;n=3&&(r.depth=arguments[2]),arguments.length>=4&&(r.colors=arguments[3]),m(n)?r.showHidden=n:n&&t._extend(r,n),w(r.showHidden)&&(r.showHidden=!1),w(r.depth)&&(r.depth=2),w(r.colors)&&(r.colors=!1),w(r.customInspect)&&(r.customInspect=!0),r.colors&&(r.stylize=a),u(r,e,r.depth)}function a(e,t){var n=o.styles[t];return n?"["+o.colors[n][0]+"m"+e+"["+o.colors[n][1]+"m":e}function i(e,t){return e}function s(e){var t={};return e.forEach(function(e,n){t[e]=!0}),t}function u(e,n,r){if(e.customInspect&&n&&S(n.inspect)&&n.inspect!==t.inspect&&(!n.constructor||n.constructor.prototype!==n)){var o=n.inspect(r,e);return b(o)||(o=u(e,o,r)),o}var a=c(e,n);if(a)return a;var i=Object.keys(n),m=s(i);if(e.showHidden&&(i=Object.getOwnPropertyNames(n)),O(n)&&(i.indexOf("message")>=0||i.indexOf("description")>=0))return l(n);if(0===i.length){if(S(n)){var g=n.name?": "+n.name:"";return e.stylize("[Function"+g+"]","special")}if(k(n))return e.stylize(RegExp.prototype.toString.call(n),"regexp");if(E(n))return e.stylize(Date.prototype.toString.call(n),"date");if(O(n))return l(n)}var y="",_=!1,v=["{","}"];if(h(n)&&(_=!0,v=["[","]"]),S(n)){y=" [Function"+(n.name?": "+n.name:"")+"]"}if(k(n)&&(y=" "+RegExp.prototype.toString.call(n)),E(n)&&(y=" "+Date.prototype.toUTCString.call(n)),O(n)&&(y=" "+l(n)),0===i.length&&(!_||0==n.length))return v[0]+y+v[1];if(r<0)return k(n)?e.stylize(RegExp.prototype.toString.call(n),"regexp"):e.stylize("[Object]","special");e.seen.push(n);var w;return w=_?f(e,n,r,m,i):i.map(function(t){return d(e,n,r,m,t,_)}),e.seen.pop(),p(w,y,v)}function c(e,t){if(w(t))return e.stylize("undefined","undefined");if(b(t)){var n="'"+JSON.stringify(t).replace(/^"|"$/g,"").replace(/'/g,"\\'").replace(/\\"/g,'"')+"'";return e.stylize(n,"string")}return _(t)?e.stylize(""+t,"number"):m(t)?e.stylize(""+t,"boolean"):g(t)?e.stylize("null","null"):void 0}function l(e){return"["+Error.prototype.toString.call(e)+"]"}function f(e,t,n,r,o){for(var a=[],i=0,s=t.length;i-1&&(s=a?s.split("\n").map(function(e){return" "+e}).join("\n").substr(2):"\n"+s.split("\n").map(function(e){return" "+e}).join("\n"))):s=e.stylize("[Circular]","special")),w(i)){if(a&&o.match(/^\d+$/))return s;i=JSON.stringify(""+o),i.match(/^"([a-zA-Z_][a-zA-Z_0-9]*)"$/)?(i=i.substr(1,i.length-2),i=e.stylize(i,"name")):(i=i.replace(/'/g,"\\'").replace(/\\"/g,'"').replace(/(^"|"$)/g,"'"),i=e.stylize(i,"string"))}return i+": "+s}function p(e,t,n){var r=0;return e.reduce(function(e,t){return r++,t.indexOf("\n")>=0&&r++,e+t.replace(/\u001b\[\d\d?m/g,"").length+1},0)>60?n[0]+(""===t?"":t+"\n ")+" "+e.join(",\n ")+" "+n[1]:n[0]+t+" "+e.join(", ")+" "+n[1]}function h(e){return Array.isArray(e)}function m(e){return"boolean"==typeof e}function g(e){return null===e}function y(e){return null==e}function _(e){return"number"==typeof e}function b(e){return"string"==typeof e}function v(e){return"symbol"==typeof e}function w(e){return void 0===e}function k(e){return x(e)&&"[object RegExp]"===j(e)}function x(e){return"object"==typeof e&&null!==e}function E(e){return x(e)&&"[object Date]"===j(e)}function O(e){return x(e)&&("[object Error]"===j(e)||e instanceof Error)}function S(e){return"function"==typeof e}function C(e){return null===e||"boolean"==typeof e||"number"==typeof e||"string"==typeof e||"symbol"==typeof e||void 0===e}function j(e){return Object.prototype.toString.call(e)}function T(e){return e<10?"0"+e.toString(10):e.toString(10)}function M(){var e=new Date,t=[T(e.getHours()),T(e.getMinutes()),T(e.getSeconds())].join(":");return[e.getDate(),N[e.getMonth()],t].join(" ")}function I(e,t){return Object.prototype.hasOwnProperty.call(e,t)}var P=/%[sdj%]/g;t.format=function(e){if(!b(e)){for(var t=[],n=0;n=a)return e;switch(e){case"%s":return String(r[n++]);case"%d":return Number(r[n++]);case"%j":try{return JSON.stringify(r[n++])}catch(e){return"[Circular]"}default:return e}}),s=r[n];n2&&void 0!==arguments[2]?arguments[2]:null;return Object(a.a)(t,n,function(t,n){var r=n().getIn(["meta","locale"]);return{onDisconnect:function(){t(Object(i.j)(e))},onReceive:function(n){switch(n.event){case"update":t(Object(i.s)(e,JSON.parse(n.payload)));break;case"delete":t(Object(i.i)(n.payload));break;case"notification":t(Object(s.j)(JSON.parse(n.payload),l,r))}}}})}function o(e){e(Object(i.o)()),e(Object(s.h)())}n.d(t,"e",function(){return f}),n.d(t,"a",function(){return d}),n.d(t,"d",function(){return p}),n.d(t,"b",function(){return h}),n.d(t,"c",function(){return m});var a=n(635),i=n(19),s=n(101),u=n(7),c=Object(u.getLocale)(),l=c.messages,f=function(){return r("home","user",o)},d=function(){return r("community","public:local")},p=function(){return r("public","public")},h=function(e){return r("hashtag:"+e,"hashtag&tag="+e)},m=function(e){return r("list:"+e,"list&list="+e)}},function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e){n.d(t,"buildCustomEmojis",function(){return f});var r=n(12),o=n(155),a=n.n(o),i=n(412),s=n.n(i),u=new s.a(Object.keys(a.a)),c=e.env.CDN_HOST||"",l=function(e){for(var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=Object.keys(t).length?"<&:":"<&",o="",i=n,s=0;;){if("break"===function(){for(var l=void 0,f=0,d=void 0;f=p))return!1;var o=e.slice(f,p);if(o in t){var a=r.a?t[o].url:t[o].static_url;return h=''+o+'',!0}return!1})()||(p=++f);else if(d>=0){if(!(p=e.indexOf(">;"[d],f+1)+1))return"break";0===d&&(s?"/"===e[f+1]?--s||(i=n):"/"!==e[p-2]&&s++:e.startsWith('

-

fontello font demo

- -
-
-
-
icon-cancel0xe800
-
icon-upload0xe801
-
icon-star0xe802
-
icon-star-empty0xe803
-
-
-
icon-retweet0xe804
-
icon-eye-off0xe805
-
icon-plus-squared0xe806
-
icon-cog0xe807
-
-
-
icon-logout0xe808
-
icon-down-open0xe809
-
icon-attach0xe80a
-
icon-picture0xe80b
-
-
-
icon-video0xe80c
-
icon-right-open0xe80d
-
icon-left-open0xe80e
-
icon-up-open0xe80f
-
-
-
icon-bell0xe810
-
icon-spin30xe832
-
icon-spin40xe834
-
icon-link-ext0xf08e
-
-
-
icon-menu0xf0c9
-
icon-comment-empty0xf0e5
-
icon-reply0xf112
-
icon-binoculars0xf1e5
-
-
-
icon-user-plus0xf234
-
-
- - - \ No newline at end of file diff --git a/priv/static/static/fontold/font/fontello.eot b/priv/static/static/fontold/font/fontello.eot deleted file mode 100644 index d15e83911..000000000 Binary files a/priv/static/static/fontold/font/fontello.eot and /dev/null differ diff --git a/priv/static/static/fontold/font/fontello.svg b/priv/static/static/fontold/font/fontello.svg deleted file mode 100644 index be07ddae3..000000000 --- a/priv/static/static/fontold/font/fontello.svg +++ /dev/null @@ -1,60 +0,0 @@ - - - -Copyright (C) 2018 by original authors @ fontello.com - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/priv/static/static/fontold/font/fontello.ttf b/priv/static/static/fontold/font/fontello.ttf deleted file mode 100644 index 3b08e96b8..000000000 Binary files a/priv/static/static/fontold/font/fontello.ttf and /dev/null differ diff --git a/priv/static/static/fontold/font/fontello.woff b/priv/static/static/fontold/font/fontello.woff deleted file mode 100644 index 167d132db..000000000 Binary files a/priv/static/static/fontold/font/fontello.woff and /dev/null differ diff --git a/priv/static/static/fontold/font/fontello.woff2 b/priv/static/static/fontold/font/fontello.woff2 deleted file mode 100644 index 224e9b97b..000000000 Binary files a/priv/static/static/fontold/font/fontello.woff2 and /dev/null differ diff --git a/priv/static/static/js/app.d3eba781c5f30aabbb47.js b/priv/static/static/js/app.d3eba781c5f30aabbb47.js new file mode 100644 index 000000000..3ba323080 --- /dev/null +++ b/priv/static/static/js/app.d3eba781c5f30aabbb47.js @@ -0,0 +1,9 @@ +webpackJsonp([2,0],[function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}var i=s(111),n=a(i),o=s(68),r=a(o),l=s(544),u=a(l),c=s(547),d=a(c),p=s(480),f=a(p),m=s(497),h=a(m),v=s(496),_=a(v),g=s(487),w=a(g),b=s(502),y=a(b),k=s(483),C=a(k),x=s(492),S=a(x),L=s(505),$=a(L),P=s(500),j=a(P),A=s(498),R=a(A),I=s(506),N=a(I),F=s(486),O=a(F),T=s(104),E=a(T),U=s(178),M=a(U),z=s(175),B=a(z),V=s(177),D=a(V),H=s(176),W=a(H),q=s(546),G=a(q),K=s(479),J=a(K),Z=s(174),Y=a(Z),X=s(103),Q=a(X),ee=s(478),te=a(ee),se=(window.navigator.language||"en").split("-")[0];r.default.use(d.default),r.default.use(u.default),r.default.use(G.default,{locale:"ja"===se?"ja":"en",locales:{en:s(307),ja:s(308)}}),r.default.use(J.default),r.default.use(te.default);var ae={paths:["config.collapseMessageWithSubject","config.hideAttachments","config.hideAttachmentsInConv","config.hideNsfw","config.replyVisibility","config.autoLoad","config.hoverPreview","config.streaming","config.muteWords","config.customTheme","config.highlight","config.loopVideo","config.loopVideoSilentOnly","config.pauseOnUnfocused","config.stopGifs","config.interfaceLanguage","users.lastLoginName","statuses.notifications.maxSavedId"]},ie=new d.default.Store({modules:{statuses:E.default,users:M.default,api:B.default,config:D.default,chat:W.default},plugins:[(0,Y.default)(ae)],strict:!1}),ne=new J.default({locale:se,fallbackLocale:"en",messages:Q.default});window.fetch("/api/statusnet/config.json").then(function(e){return e.json()}).then(function(e){var t=e.site,s=t.name,a=t.closed,i=t.textlimit,n=t.server;ie.dispatch("setOption",{name:"name",value:s}),ie.dispatch("setOption",{name:"registrationOpen",value:"0"===a}),ie.dispatch("setOption",{name:"textlimit",value:parseInt(i)}),ie.dispatch("setOption",{name:"server",value:n});var o=e.site.pleromafe;window.fetch("/static/config.json").then(function(e){return e.json()}).then(function(e){var t=e,s=o.theme||t.theme,a=o.background||t.background,i=o.logo||t.logo,n=o.redirectRootNoLogin||t.redirectRootNoLogin,l=o.redirectRootLogin||t.redirectRootLogin,c=o.chatDisabled||t.chatDisabled,d=o.showWhoToFollowPanel||t.showWhoToFollowPanel,p=o.whoToFollowProvider||t.whoToFollowProvider,m=o.whoToFollowLink||t.whoToFollowLink,v=o.showInstanceSpecificPanel||t.showInstanceSpecificPanel,g=o.scopeOptionsEnabled||t.scopeOptionsEnabled,b=o.collapseMessageWithSubject||t.collapseMessageWithSubject;ie.dispatch("setOption",{name:"theme",value:s}),ie.dispatch("setOption",{name:"background",value:a}),ie.dispatch("setOption",{name:"logo",value:i}),ie.dispatch("setOption",{name:"showWhoToFollowPanel",value:d}),ie.dispatch("setOption",{name:"whoToFollowProvider",value:p}),ie.dispatch("setOption",{name:"whoToFollowLink",value:m}),ie.dispatch("setOption",{name:"showInstanceSpecificPanel",value:v}),ie.dispatch("setOption",{name:"scopeOptionsEnabled",value:g}),ie.dispatch("setOption",{name:"collapseMessageWithSubject",value:b}),c&&ie.dispatch("disableChat");var k=[{name:"root",path:"/",redirect:function(e){return(ie.state.users.currentUser?l:n)||"/main/all"}},{path:"/main/all",component:_.default},{path:"/main/public",component:h.default},{path:"/main/friends",component:w.default},{path:"/tag/:tag",component:y.default},{name:"conversation",path:"/notice/:id",component:C.default,meta:{dontScroll:!0}},{name:"user-profile",path:"/users/:id",component:$.default},{name:"mentions",path:"/:username/mentions",component:S.default},{name:"settings",path:"/settings",component:j.default},{name:"registration",path:"/registration",component:R.default},{name:"registration",path:"/registration/:token",component:R.default},{name:"friend-requests",path:"/friend-requests",component:O.default},{name:"user-settings",path:"/user-settings",component:N.default}],x=new u.default({mode:"history",routes:k,scrollBehavior:function(e,t,s){return!e.matched.some(function(e){return e.meta.dontScroll})&&(s||{x:0,y:0})}});new r.default({router:x,store:ie,i18n:ne,el:"#app",render:function(e){return e(f.default)}})})}),window.fetch("/static/terms-of-service.html").then(function(e){return e.text()}).then(function(e){ie.dispatch("setOption",{name:"tos",value:e})}),window.fetch("/api/pleroma/emoji.json").then(function(e){return e.json().then(function(e){var t=(0,n.default)(e).map(function(t){return{shortcode:t,image_url:e[t]}});ie.dispatch("setOption",{name:"customEmoji",value:t}),ie.dispatch("setOption",{name:"pleromaBackend",value:!0})},function(e){ie.dispatch("setOption",{name:"pleromaBackend",value:!1})})},function(e){return console.log(e)}),window.fetch("/static/emoji.json").then(function(e){return e.json()}).then(function(e){var t=(0,n.default)(e).map(function(t){return{shortcode:t,image_url:!1,utf:e[t]}});ie.dispatch("setOption",{name:"emoji",value:t})}),window.fetch("/instance/panel.html").then(function(e){return e.text()}).then(function(e){ie.dispatch("setOption",{name:"instanceSpecificPanelContent",value:e})}),window.fetch("/nodeinfo/2.0.json").then(function(e){return e.json()}).then(function(e){var t=e.metadata.suggestions;ie.dispatch("setOption",{name:"suggestionsEnabled",value:t.enabled}),ie.dispatch("setOption",{name:"suggestionsWeb",value:t.web})})},,,,,,,,,,,,,,,,,,,,,,,function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(28),n=a(i),o=s(63),r=a(o);s(548);var l="/api/account/verify_credentials.json",u="/api/statuses/friends_timeline.json",c="/api/qvitter/allfollowing",d="/api/statuses/public_timeline.json",p="/api/statuses/public_and_external_timeline.json",f="/api/statusnet/tags/timeline",m="/api/favorites/create",h="/api/favorites/destroy",v="/api/statuses/retweet",_="/api/statuses/unretweet",g="/api/statuses/update.json",w="/api/statuses/destroy",b="/api/statuses/show",y="/api/statusnet/media/upload",k="/api/statusnet/conversation",C="/api/statuses/mentions.json",x="/api/statuses/followers.json",S="/api/statuses/friends.json",L="/api/friendships/create.json",$="/api/friendships/destroy.json",P="/api/qvitter/set_profile_pref.json",j="/api/account/register.json",A="/api/qvitter/update_avatar.json",R="/api/qvitter/update_background_image.json",I="/api/account/update_profile_banner.json",N="/api/account/update_profile.json",F="/api/externalprofile/show.json",O="/api/qvitter/statuses/user_timeline.json",T="/api/qvitter/statuses/notifications.json",E="/api/blocks/create.json",U="/api/blocks/destroy.json",M="/api/users/show.json",z="/api/pleroma/follow_import",B="/api/pleroma/delete_account",V="/api/pleroma/change_password",D="/api/pleroma/friend_requests",H="/api/pleroma/friendships/approve",W="/api/pleroma/friendships/deny",q="/api/v1/suggestions",G=window.fetch,K=function(e,t){t=t||{};var s="",a=s+e;return t.credentials="same-origin",G(a,t)},J=function(e){return btoa(encodeURIComponent(e).replace(/%([0-9A-F]{2})/g,function(e,t){return String.fromCharCode("0x"+t)}))},Z=function(e){var t=e.credentials,s=e.params,a=A,i=new FormData;return(0,r.default)(s,function(e,t){e&&i.append(t,e)}),K(a,{headers:te(t),method:"POST",body:i}).then(function(e){return e.json()})},Y=function(e){var t=e.credentials,s=e.params,a=R,i=new FormData;return(0,r.default)(s,function(e,t){e&&i.append(t,e)}),K(a,{headers:te(t),method:"POST",body:i}).then(function(e){return e.json()})},X=function(e){var t=e.credentials,s=e.params,a=I,i=new FormData;return(0,r.default)(s,function(e,t){e&&i.append(t,e)}),K(a,{headers:te(t),method:"POST",body:i}).then(function(e){return e.json()})},Q=function(e){var t=e.credentials,s=e.params,a=N;console.log(s);var i=new FormData;return(0,r.default)(s,function(e,t){("description"===t||"locked"===t||e)&&i.append(t,e)}),K(a,{headers:te(t),method:"POST",body:i}).then(function(e){return e.json()})},ee=function(e){var t=new FormData;return(0,r.default)(e,function(e,s){e&&t.append(s,e)}),K(j,{method:"POST",body:t})},te=function(e){return e&&e.username&&e.password?{Authorization:"Basic "+J(e.username+":"+e.password)}:{}},se=function(e){var t=e.profileUrl,s=e.credentials,a=F+"?profileurl="+t;return K(a,{headers:te(s),method:"GET"}).then(function(e){return e.json()})},ae=function(e){var t=e.id,s=e.credentials,a=L+"?user_id="+t;return K(a,{headers:te(s),method:"POST"}).then(function(e){return e.json()})},ie=function(e){var t=e.id,s=e.credentials,a=$+"?user_id="+t;return K(a,{headers:te(s),method:"POST"}).then(function(e){return e.json()})},ne=function(e){var t=e.id,s=e.credentials,a=E+"?user_id="+t;return K(a,{headers:te(s),method:"POST"}).then(function(e){return e.json()})},oe=function(e){var t=e.id,s=e.credentials,a=U+"?user_id="+t;return K(a,{headers:te(s),method:"POST"}).then(function(e){return e.json()})},re=function(e){var t=e.id,s=e.credentials,a=H+"?user_id="+t;return K(a,{headers:te(s),method:"POST"}).then(function(e){return e.json()})},le=function(e){var t=e.id,s=e.credentials,a=W+"?user_id="+t;return K(a,{headers:te(s),method:"POST"}).then(function(e){return e.json()})},ue=function(e){var t=e.id,s=e.credentials,a=M+"?user_id="+t;return K(a,{headers:te(s)}).then(function(e){return e.json()})},ce=function(e){var t=e.id,s=e.credentials,a=S+"?user_id="+t;return K(a,{headers:te(s)}).then(function(e){return e.json()})},de=function(e){var t=e.id,s=e.credentials,a=x+"?user_id="+t;return K(a,{headers:te(s)}).then(function(e){return e.json()})},pe=function(e){var t=e.username,s=e.credentials,a=c+"/"+t+".json";return K(a,{headers:te(s)}).then(function(e){return e.json()})},fe=function(e){var t=e.credentials,s=D;return K(s,{headers:te(t)}).then(function(e){return e.json()})},me=function(e){var t=e.id,s=e.credentials,a=k+"/"+t+".json?count=100";return K(a,{headers:te(s)}).then(function(e){return e.json()})},he=function(e){var t=e.id,s=e.credentials,a=b+"/"+t+".json";return K(a,{headers:te(s)}).then(function(e){return e.json()})},ve=function(e){var t=e.id,s=e.credentials,a=e.muted,i=void 0===a||a,n=new FormData,o=i?1:0;return n.append("namespace","qvitter"),n.append("data",o),n.append("topic","mute:"+t),K(P,{method:"POST",headers:te(s),body:n})},_e=function(e){var t=e.timeline,s=e.credentials,a=e.since,i=void 0!==a&&a,o=e.until,r=void 0!==o&&o,l=e.userId,c=void 0!==l&&l,m=e.tag,h=void 0!==m&&m,v={public:d,friends:u,mentions:C,notifications:T,publicAndExternal:p,user:O,own:O,tag:f},_=v[t],g=[];i&&g.push(["since_id",i]),r&&g.push(["max_id",r]),c&&g.push(["user_id",c]),h&&(_+="/"+h+".json"),g.push(["count",20]);var w=(0,n.default)(g,function(e){return e[0]+"="+e[1]}).join("&");return _+="?"+w,K(_,{headers:te(s)}).then(function(e){return e.json()})},ge=function(e){return K(l,{method:"POST",headers:te(e)})},we=function(e){var t=e.id,s=e.credentials;return K(m+"/"+t+".json",{headers:te(s),method:"POST"})},be=function(e){var t=e.id,s=e.credentials;return K(h+"/"+t+".json",{headers:te(s),method:"POST"})},ye=function(e){var t=e.id,s=e.credentials;return K(v+"/"+t+".json",{headers:te(s),method:"POST"})},ke=function(e){var t=e.id,s=e.credentials;return K(_+"/"+t+".json",{headers:te(s),method:"POST"})},Ce=function(e){var t=e.credentials,s=e.status,a=e.spoilerText,i=e.visibility,n=e.sensitive,o=e.mediaIds,r=e.inReplyToStatusId,l=o.join(","),u=new FormData;return u.append("status",s),u.append("source","Pleroma FE"),a&&u.append("spoiler_text",a),i&&u.append("visibility",i),n&&u.append("sensitive",n),u.append("media_ids",l),r&&u.append("in_reply_to_status_id",r),K(g,{body:u,method:"POST",headers:te(t)})},xe=function(e){var t=e.id,s=e.credentials;return K(w+"/"+t+".json",{headers:te(s),method:"POST"})},Se=function(e){var t=e.formData,s=e.credentials;return K(y,{body:t,method:"POST",headers:te(s)}).then(function(e){return e.text()}).then(function(e){return(new DOMParser).parseFromString(e,"application/xml")})},Le=function(e){var t=e.params,s=e.credentials;return K(z,{body:t,method:"POST",headers:te(s)}).then(function(e){return e.ok})},$e=function(e){var t=e.credentials,s=e.password,a=new FormData;return a.append("password",s),K(B,{body:a,method:"POST",headers:te(t)}).then(function(e){return e.json()})},Pe=function(e){var t=e.credentials,s=e.password,a=e.newPassword,i=e.newPasswordConfirmation,n=new FormData;return n.append("password",s),n.append("new_password",a),n.append("new_password_confirmation",i),K(V,{body:n,method:"POST",headers:te(t)}).then(function(e){return e.json()})},je=function(e){var t=e.credentials,s="/api/qvitter/mutes.json";return K(s,{headers:te(t)}).then(function(e){return e.json()})},Ae=function(e){var t=e.credentials;return K(q,{headers:te(t)}).then(function(e){return e.json()})},Re={verifyCredentials:ge,fetchTimeline:_e,fetchConversation:me,fetchStatus:he,fetchFriends:ce,fetchFollowers:de,followUser:ae,unfollowUser:ie,blockUser:ne,unblockUser:oe,fetchUser:ue,favorite:we,unfavorite:be,retweet:ye,unretweet:ke,postStatus:Ce,deleteStatus:xe,uploadMedia:Se,fetchAllFollowing:pe,setUserMute:ve,fetchMutes:je,register:ee,updateAvatar:Z,updateBg:Y,updateProfile:Q,updateBanner:X,externalProfile:se,followImport:Le,deleteAccount:$e,changePassword:Pe,fetchFollowRequests:fe,approveUser:re,denyUser:le,suggestions:Ae};t.default=Re},,,,,,,function(e,t,s){s(298);var a=s(1)(s(210),s(535),null,null);e.exports=a.exports},,,,,,,,,,,,,,,,function(e,t,s){s(283);var a=s(1)(s(212),s(511),null,null);e.exports=a.exports},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.rgbstr2hex=t.hex2rgb=t.rgb2hex=void 0;var i=s(112),n=a(i),o=s(28),r=a(o),l=function(e,t,s){var a=(0,r.default)([e,t,s],function(e){return e=Math.ceil(e),e=e<0?0:e,e=e>255?255:e}),i=(0,n.default)(a,3);return e=i[0],t=i[1],s=i[2],"#"+((1<<24)+(e<<16)+(t<<8)+s).toString(16).slice(1)},u=function(e){var t=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(e);return t?{r:parseInt(t[1],16),g:parseInt(t[2],16),b:parseInt(t[3],16)}:null},c=function(e){return"#"===e[0]?e:(e=e.match(/\d+/g),"#"+((Number(e[0])<<16)+(Number(e[1])<<8)+Number(e[2])).toString(16))};t.rgb2hex=l,t.hex2rgb=u,t.rgbstr2hex=c},,,,,,,,,,,,,,,,,,,function(e,t,s){s(288);var a=s(1)(s(205),s(520),null,null);e.exports=a.exports},function(e,t,s){s(302);var a=s(1)(s(207),s(540),null,null);e.exports=a.exports},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={chat:{title:"Chat"},nav:{chat:"Lokaler Chat",timeline:"Zeitleiste",mentions:"Erwähnungen",public_tl:"Lokale Zeitleiste",twkn:"Das gesamte Netzwerk"},user_card:{follows_you:"Folgt dir!",following:"Folgst du!",follow:"Folgen",blocked:"Blockiert!",block:"Blockieren",statuses:"Beiträge",mute:"Stummschalten",muted:"Stummgeschaltet",followers:"Folgende",followees:"Folgt",per_day:"pro Tag",remote_follow:"Remote Follow"},timeline:{show_new:"Zeige Neuere",error_fetching:"Fehler beim Laden",up_to_date:"Aktuell",load_older:"Lade ältere Beiträge",conversation:"Unterhaltung",collapse:"Einklappen",repeated:"wiederholte"},settings:{user_settings:"Benutzereinstellungen",name_bio:"Name & Bio",name:"Name",bio:"Bio",avatar:"Avatar",current_avatar:"Dein derzeitiger Avatar",set_new_avatar:"Setze neuen Avatar",profile_banner:"Profil Banner",current_profile_banner:"Dein derzeitiger Profil Banner",set_new_profile_banner:"Setze neuen Profil Banner",profile_background:"Profil Hintergrund",set_new_profile_background:"Setze neuen Profil Hintergrund",settings:"Einstellungen",theme:"Farbschema",presets:"Voreinstellungen",export_theme:"Aktuelles Theme exportieren",import_theme:"Gespeichertes Theme laden",invalid_theme_imported:"Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.",theme_help:"Benutze HTML Farbcodes (#rrggbb) um dein Farbschema anzupassen",radii_help:"Kantenrundung (in Pixel) der Oberfläche anpassen",background:"Hintergrund",foreground:"Vordergrund",text:"Text",links:"Links",cBlue:"Blau (Antworten, Folgt dir)",cRed:"Rot (Abbrechen)",cOrange:"Orange (Favorisieren)",cGreen:"Grün (Retweet)",btnRadius:"Buttons",inputRadius:"Eingabefelder",panelRadius:"Panel",avatarRadius:"Avatare",avatarAltRadius:"Avatare (Benachrichtigungen)",tooltipRadius:"Tooltips/Warnungen",attachmentRadius:"Anhänge",filtering:"Filter",filtering_explanation:"Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.",attachments:"Anhänge",hide_attachments_in_tl:"Anhänge in der Zeitleiste ausblenden",hide_attachments_in_convo:"Anhänge in Unterhaltungen ausblenden",nsfw_clickthrough:"Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind",stop_gifs:"Play-on-hover GIFs",autoload:"Aktiviere automatisches Laden von älteren Beiträgen beim scrollen",streaming:"Aktiviere automatisches Laden (Streaming) von neuen Beiträgen",reply_link_preview:"Aktiviere reply-link Vorschau bei Maus-Hover",follow_import:"Folgeliste importieren",import_followers_from_a_csv_file:"Importiere Kontakte, denen du folgen möchtest, aus einer CSV-Datei",follows_imported:"Folgeliste importiert! Die Bearbeitung kann eine Zeit lang dauern.",follow_import_error:"Fehler beim importieren der Folgeliste",delete_account:"Account löschen",delete_account_description:"Lösche deinen Account und alle deine Nachrichten dauerhaft.",delete_account_instructions:"Tippe dein Passwort unten in das Feld ein um die Löschung deines Accounts zu bestätigen.",delete_account_error:"Es ist ein Fehler beim löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.",follow_export:"Folgeliste exportieren",follow_export_processing:"In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.",follow_export_button:"Liste (.csv) erstellen",change_password:"Passwort ändern",current_password:"Aktuelles Passwort",new_password:"Neues Passwort",confirm_new_password:"Neues Passwort bestätigen",changed_password:"Passwort erfolgreich geändert!",change_password_error:"Es gab ein Problem bei der Änderung des Passworts."},notifications:{notifications:"Benachrichtigungen",read:"Gelesen!",followed_you:"folgt dir",favorited_you:"favorisierte deine Nachricht",repeated_you:"wiederholte deine Nachricht"},login:{login:"Anmelden",username:"Benutzername",placeholder:"z.B. lain",password:"Passwort",register:"Registrieren",logout:"Abmelden"},registration:{registration:"Registrierung",fullname:"Angezeigter Name",email:"Email",bio:"Bio",password_confirm:"Passwort bestätigen"},post_status:{posting:"Veröffentlichen",default:"Sitze gerade im Hofbräuhaus.",account_not_locked_warning:"Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.",account_not_locked_warning_link:"gesperrt",direct_warning:"Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.",scope:{public:"Öffentlich - Beitrag an öffentliche Zeitleisten",unlisted:"Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen",private:"Nur Folgende - Beitrag nur an Folgende",direct:"Direkt - Beitrag nur an erwähnte Profile"}},finder:{find_user:"Finde Benutzer",error_fetching_user:"Fehler beim Suchen des Benutzers"},general:{submit:"Absenden",apply:"Anwenden"},user_profile:{timeline_title:"Beiträge"}},a={nav:{timeline:"Aikajana",mentions:"Maininnat",public_tl:"Julkinen Aikajana",twkn:"Koko Tunnettu Verkosto"},user_card:{follows_you:"Seuraa sinua!",following:"Seuraat!",follow:"Seuraa",statuses:"Viestit",mute:"Hiljennä",muted:"Hiljennetty",followers:"Seuraajat",followees:"Seuraa",per_day:"päivässä"},timeline:{show_new:"Näytä uudet",error_fetching:"Virhe ladatessa viestejä",up_to_date:"Ajantasalla",load_older:"Lataa vanhempia viestejä",conversation:"Keskustelu",collapse:"Sulje",repeated:"toisti"},settings:{user_settings:"Käyttäjän asetukset",name_bio:"Nimi ja kuvaus",name:"Nimi",bio:"Kuvaus",avatar:"Profiilikuva",current_avatar:"Nykyinen profiilikuvasi",set_new_avatar:"Aseta uusi profiilikuva",profile_banner:"Juliste",current_profile_banner:"Nykyinen julisteesi",set_new_profile_banner:"Aseta uusi juliste",profile_background:"Taustakuva",set_new_profile_background:"Aseta uusi taustakuva",settings:"Asetukset",theme:"Teema",presets:"Valmiit teemat",theme_help:"Käytä heksadesimaalivärejä muokataksesi väriteemaasi.",background:"Tausta",foreground:"Korostus",text:"Teksti",links:"Linkit",filtering:"Suodatus",filtering_explanation:"Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.",attachments:"Liitteet",hide_attachments_in_tl:"Piilota liitteet aikajanalla",hide_attachments_in_convo:"Piilota liitteet keskusteluissa",nsfw_clickthrough:"Piilota NSFW liitteet klikkauksen taakse.",autoload:"Lataa vanhempia viestejä automaattisesti ruudun pohjalla",streaming:"Näytä uudet viestit automaattisesti ollessasi ruudun huipulla",reply_link_preview:"Keskusteluiden vastauslinkkien esikatselu"},notifications:{notifications:"Ilmoitukset",read:"Lue!",followed_you:"seuraa sinua",favorited_you:"tykkäsi viestistäsi",repeated_you:"toisti viestisi"},login:{login:"Kirjaudu sisään",username:"Käyttäjänimi",placeholder:"esim. lain",password:"Salasana",register:"Rekisteröidy",logout:"Kirjaudu ulos"},registration:{registration:"Rekisteröityminen",fullname:"Koko nimi",email:"Sähköposti",bio:"Kuvaus",password_confirm:"Salasanan vahvistaminen"},post_status:{posting:"Lähetetään",default:"Tulin juuri saunasta."},finder:{find_user:"Hae käyttäjä",error_fetching_user:"Virhe hakiessa käyttäjää"},general:{submit:"Lähetä",apply:"Aseta"}},i={chat:{title:"Chat"},nav:{chat:"Local Chat",timeline:"Timeline",mentions:"Mentions",public_tl:"Public Timeline",twkn:"The Whole Known Network",friend_requests:"Follow Requests"},user_card:{follows_you:"Follows you!",following:"Following!",follow:"Follow",blocked:"Blocked!",block:"Block",statuses:"Statuses",mute:"Mute",muted:"Muted",followers:"Followers",followees:"Following",per_day:"per day",remote_follow:"Remote follow",approve:"Approve",deny:"Deny"},timeline:{show_new:"Show new",error_fetching:"Error fetching updates",up_to_date:"Up-to-date",load_older:"Load older statuses",conversation:"Conversation",collapse:"Collapse",repeated:"repeated"},settings:{user_settings:"User Settings",name_bio:"Name & Bio",name:"Name",bio:"Bio",avatar:"Avatar",current_avatar:"Your current avatar",set_new_avatar:"Set new avatar",profile_banner:"Profile Banner",current_profile_banner:"Your current profile banner",set_new_profile_banner:"Set new profile banner",profile_background:"Profile Background",set_new_profile_background:"Set new profile background",settings:"Settings",theme:"Theme",presets:"Presets",export_theme:"Export current theme",import_theme:"Load saved theme",theme_help:"Use hex color codes (#rrggbb) to customize your color theme.",invalid_theme_imported:"The selected file is not a supported Pleroma theme. No changes to your theme were made.",radii_help:"Set up interface edge rounding (in pixels)",background:"Background",foreground:"Foreground",text:"Text",links:"Links",cBlue:"Blue (Reply, follow)",cRed:"Red (Cancel)",cOrange:"Orange (Favorite)",cGreen:"Green (Retweet)",btnRadius:"Buttons",inputRadius:"Input fields",panelRadius:"Panels",avatarRadius:"Avatars",avatarAltRadius:"Avatars (Notifications)",tooltipRadius:"Tooltips/alerts",attachmentRadius:"Attachments",filtering:"Filtering",filtering_explanation:"All statuses containing these words will be muted, one per line",attachments:"Attachments",hide_attachments_in_tl:"Hide attachments in timeline",hide_attachments_in_convo:"Hide attachments in conversations",nsfw_clickthrough:"Enable clickthrough NSFW attachment hiding",collapse_subject:"Collapse posts with subjects",stop_gifs:"Play-on-hover GIFs",autoload:"Enable automatic loading when scrolled to the bottom",streaming:"Enable automatic streaming of new posts when scrolled to the top",pause_on_unfocused:"Pause streaming when tab is not focused",loop_video:"Loop videos",loop_video_silent_only:'Loop only videos without sound (i.e. Mastodon\'s "gifs")',reply_link_preview:"Enable reply-link preview on mouse hover",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",follow_import:"Follow import",import_followers_from_a_csv_file:"Import follows from a csv file",follows_imported:"Follows imported! Processing them will take a while.",follow_import_error:"Error importing followers",delete_account:"Delete Account",delete_account_description:"Permanently delete your account and all your messages.",delete_account_instructions:"Type your password in the input below to confirm account deletion.",delete_account_error:"There was an issue deleting your account. If this persists please contact your instance administrator.",follow_export:"Follow export",follow_export_processing:"Processing, you'll soon be asked to download your file",follow_export_button:"Export your follows to a csv file",change_password:"Change Password",current_password:"Current password",new_password:"New password",confirm_new_password:"Confirm new password",changed_password:"Password changed successfully!",change_password_error:"There was an issue changing your password.",lock_account_description:"Restrict your account to approved followers only",limited_availability:"Unavailable in your browser",default_vis:"Default visibility scope",profile_tab:"Profile",security_tab:"Security",data_import_export_tab:"Data Import / Export",interfaceLanguage:"Interface language"},notifications:{notifications:"Notifications",read:"Read!",followed_you:"followed you",favorited_you:"favorited your status",repeated_you:"repeated your status",broken_favorite:"Unknown status, searching for it...",load_older:"Load older notifications"},login:{login:"Log in",username:"Username",placeholder:"e.g. lain",password:"Password",register:"Register",logout:"Log out"},registration:{registration:"Registration",fullname:"Display name",email:"Email",bio:"Bio",password_confirm:"Password confirmation",token:"Invite token"},post_status:{posting:"Posting",content_warning:"Subject (optional)",default:"Just landed in L.A.",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",direct_warning:"This post will only be visible to all the mentioned users.",attachments_sensitive:"Attachments marked sensitive",attachments_not_sensitive:"Attachments not marked sensitive",scope:{public:"Public - Post to public timelines",unlisted:"Unlisted - Do not post to public timelines",private:"Followers-only - Post to followers only",direct:"Direct - Post to mentioned users only"}},finder:{find_user:"Find user",error_fetching_user:"Error fetching user"},general:{submit:"Submit",apply:"Apply"},user_profile:{timeline_title:"User Timeline"},who_to_follow:{who_to_follow:"Who to follow",more:"More"}},n={chat:{title:"Babilo"},nav:{chat:"Loka babilo",timeline:"Tempovido",mentions:"Mencioj",public_tl:"Publika tempovido",twkn:"Tuta konata reto"},user_card:{follows_you:"Abonas vin!",following:"Abonanta!",follow:"Aboni",blocked:"Barita!",block:"Bari",statuses:"Statoj",mute:"Silentigi",muted:"Silentigita",followers:"Abonantoj",followees:"Abonatoj",per_day:"tage",remote_follow:"Fora abono"},timeline:{show_new:"Montri novajn",error_fetching:"Eraro ĝisdatigante",up_to_date:"Ĝisdata",load_older:"Enlegi pli malnovajn statojn",conversation:"Interparolo",collapse:"Maletendi",repeated:"ripetata"},settings:{user_settings:"Uzulaj agordoj",name_bio:"Nomo kaj prio",name:"Nomo",bio:"Prio",avatar:"Profilbildo",current_avatar:"Via nuna profilbildo",set_new_avatar:"Agordi novan profilbildon",profile_banner:"Profila rubando",current_profile_banner:"Via nuna profila rubando",set_new_profile_banner:"Agordi novan profilan rubandon",profile_background:"Profila fono",set_new_profile_background:"Agordi novan profilan fonon",settings:"Agordoj",theme:"Haŭto",presets:"Antaŭmetaĵoj",theme_help:"Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran haŭton.",radii_help:"Agordi fasadan rondigon de randoj (rastrumere)",background:"Fono",foreground:"Malfono",text:"Teksto",links:"Ligiloj",cBlue:"Blua (Respondo, abono)",cRed:"Ruĝa (Nuligo)",cOrange:"Orange (Ŝato)",cGreen:"Verda (Kunhavigo)",btnRadius:"Butonoj",panelRadius:"Paneloj",avatarRadius:"Profilbildoj",avatarAltRadius:"Profilbildoj (Sciigoj)",tooltipRadius:"Ŝpruchelpiloj/avertoj",attachmentRadius:"Kunsendaĵoj",filtering:"Filtrado",filtering_explanation:"Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie",attachments:"Kunsendaĵoj",hide_attachments_in_tl:"Kaŝi kunsendaĵojn en tempovido",hide_attachments_in_convo:"Kaŝi kunsendaĵojn en interparoloj",nsfw_clickthrough:"Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj",stop_gifs:"Movi GIF-bildojn dum ŝvebo",autoload:"Ŝalti memfaran enlegadon ĉe subo de paĝo",streaming:"Ŝalti memfaran fluigon de novaj afiŝoj ĉe supro de paĝo",reply_link_preview:"Ŝalti respond-ligilan antaŭvidon dum ŝvebo",follow_import:"Abona enporto",import_followers_from_a_csv_file:"Enporti abonojn de CSV-dosiero",follows_imported:"Abonoj enportiĝis! Traktado daŭros iom.",follow_import_error:"Eraro enportante abonojn"},notifications:{notifications:"Sciigoj",read:"Legita!",followed_you:"ekabonis vin",favorited_you:"ŝatis vian staton",repeated_you:"ripetis vian staton"},login:{login:"Saluti",username:"Salutnomo",placeholder:"ekz. lain",password:"Pasvorto",register:"Registriĝi",logout:"Adiaŭi"},registration:{registration:"Registriĝo",fullname:"Vidiga nomo",email:"Retpoŝtadreso",bio:"Prio",password_confirm:"Konfirmo de pasvorto"},post_status:{posting:"Afiŝanta",default:"Ĵus alvenis la universalan kongreson!"},finder:{find_user:"Trovi uzulon",error_fetching_user:"Eraro alportante uzulon"},general:{submit:"Sendi",apply:"Apliki"},user_profile:{timeline_title:"Uzula tempovido"}},o={nav:{timeline:"Ajajoon",mentions:"Mainimised",public_tl:"Avalik Ajajoon",twkn:"Kogu Teadaolev Võrgustik"},user_card:{follows_you:"Jälgib sind!",following:"Jälgin!",follow:"Jälgi",blocked:"Blokeeritud!",block:"Blokeeri",statuses:"Staatuseid",mute:"Vaigista",muted:"Vaigistatud",followers:"Jälgijaid",followees:"Jälgitavaid",per_day:"päevas"},timeline:{show_new:"Näita uusi",error_fetching:"Viga uuenduste laadimisel",up_to_date:"Uuendatud",load_older:"Kuva vanemaid staatuseid",conversation:"Vestlus"},settings:{user_settings:"Kasutaja sätted",name_bio:"Nimi ja Bio",name:"Nimi",bio:"Bio",avatar:"Profiilipilt",current_avatar:"Sinu praegune profiilipilt",set_new_avatar:"Vali uus profiilipilt",profile_banner:"Profiilibänner",current_profile_banner:"Praegune profiilibänner",set_new_profile_banner:"Vali uus profiilibänner",profile_background:"Profiilitaust",set_new_profile_background:"Vali uus profiilitaust",settings:"Sätted",theme:"Teema",filtering:"Sisu filtreerimine",filtering_explanation:"Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.",attachments:"Manused",hide_attachments_in_tl:"Peida manused ajajoonel",hide_attachments_in_convo:"Peida manused vastlustes",nsfw_clickthrough:"Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha",autoload:"Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud",reply_link_preview:"Luba algpostituse kuvamine vastustes"},notifications:{notifications:"Teavitused",read:"Loe!",followed_you:"alustas sinu jälgimist"},login:{login:"Logi sisse",username:"Kasutajanimi",placeholder:"nt lain",password:"Parool",register:"Registreeru",logout:"Logi välja"},registration:{registration:"Registreerimine",fullname:"Kuvatav nimi",email:"E-post",bio:"Bio",password_confirm:"Parooli kinnitamine"},post_status:{posting:"Postitan",default:"Just sõitsin elektrirongiga Tallinnast Pääskülla."},finder:{find_user:"Otsi kasutajaid",error_fetching_user:"Viga kasutaja leidmisel"},general:{submit:"Postita"}},r={nav:{timeline:"Idővonal",mentions:"Említéseim",public_tl:"Publikus Idővonal",twkn:"Az Egész Ismert Hálózat"},user_card:{follows_you:"Követ téged!",following:"Követve!",follow:"Követ",blocked:"Letiltva!",block:"Letilt",statuses:"Állapotok",mute:"Némít",muted:"Némított",followers:"Követők",followees:"Követettek", +per_day:"naponta"},timeline:{show_new:"Újak mutatása",error_fetching:"Hiba a frissítések beszerzésénél",up_to_date:"Naprakész",load_older:"Régebbi állapotok betöltése",conversation:"Társalgás"},settings:{user_settings:"Felhasználói beállítások",name_bio:"Név és Bio",name:"Név",bio:"Bio",avatar:"Avatár",current_avatar:"Jelenlegi avatár",set_new_avatar:"Új avatár",profile_banner:"Profil Banner",current_profile_banner:"Jelenlegi profil banner",set_new_profile_banner:"Új profil banner",profile_background:"Profil háttérkép",set_new_profile_background:"Új profil háttér beállítása",settings:"Beállítások",theme:"Téma",filtering:"Szűrés",filtering_explanation:"Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy",attachments:"Csatolmányok",hide_attachments_in_tl:"Csatolmányok elrejtése az idővonalon",hide_attachments_in_convo:"Csatolmányok elrejtése a társalgásokban",nsfw_clickthrough:"NSFW átkattintási tartalom elrejtésének engedélyezése",autoload:"Autoatikus betöltés engedélyezése lap aljára görgetéskor",reply_link_preview:"Válasz-link előzetes mutatása egér rátételkor"},notifications:{notifications:"Értesítések",read:"Olvasva!",followed_you:"követ téged"},login:{login:"Bejelentkezés",username:"Felhasználó név",placeholder:"e.g. lain",password:"Jelszó",register:"Feliratkozás",logout:"Kijelentkezés"},registration:{registration:"Feliratkozás",fullname:"Teljes név",email:"Email",bio:"Bio",password_confirm:"Jelszó megerősítése"},post_status:{posting:"Küldés folyamatban",default:"Most érkeztem L.A.-be"},finder:{find_user:"Felhasználó keresése",error_fetching_user:"Hiba felhasználó beszerzésével"},general:{submit:"Elküld"}},l={nav:{timeline:"Cronologie",mentions:"Menționări",public_tl:"Cronologie Publică",twkn:"Toată Reșeaua Cunoscută"},user_card:{follows_you:"Te urmărește!",following:"Urmărit!",follow:"Urmărește",blocked:"Blocat!",block:"Blochează",statuses:"Stări",mute:"Pune pe mut",muted:"Pus pe mut",followers:"Următori",followees:"Urmărește",per_day:"pe zi"},timeline:{show_new:"Arată cele noi",error_fetching:"Erare la preluarea actualizărilor",up_to_date:"La zi",load_older:"Încarcă stări mai vechi",conversation:"Conversație"},settings:{user_settings:"Setările utilizatorului",name_bio:"Nume și Bio",name:"Nume",bio:"Bio",avatar:"Avatar",current_avatar:"Avatarul curent",set_new_avatar:"Setează avatar nou",profile_banner:"Banner de profil",current_profile_banner:"Bannerul curent al profilului",set_new_profile_banner:"Setează banner nou la profil",profile_background:"Fundalul de profil",set_new_profile_background:"Setează fundal nou",settings:"Setări",theme:"Temă",filtering:"Filtru",filtering_explanation:"Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie",attachments:"Atașamente",hide_attachments_in_tl:"Ascunde atașamentele în cronologie",hide_attachments_in_convo:"Ascunde atașamentele în conversații",nsfw_clickthrough:"Permite ascunderea al atașamentelor NSFW",autoload:"Permite încărcarea automată când scrolat la capăt",reply_link_preview:"Permite previzualizarea linkului de răspuns la planarea de mouse"},notifications:{notifications:"Notificări",read:"Citit!",followed_you:"te-a urmărit"},login:{login:"Loghează",username:"Nume utilizator",placeholder:"d.e. lain",password:"Parolă",register:"Înregistrare",logout:"Deloghează"},registration:{registration:"Îregistrare",fullname:"Numele întreg",email:"Email",bio:"Bio",password_confirm:"Cofirmă parola"},post_status:{posting:"Postează",default:"Nu de mult am aterizat în L.A."},finder:{find_user:"Găsește utilizator",error_fetching_user:"Eroare la preluarea utilizatorului"},general:{submit:"trimite"}},u={chat:{title:"チャット"},nav:{chat:"ローカルチャット",timeline:"タイムライン",mentions:"メンション",public_tl:"パブリックタイムライン",twkn:"つながっているすべてのネットワーク",friend_requests:"Follow Requests"},user_card:{follows_you:"フォローされました!",following:"フォローしています!",follow:"フォロー",blocked:"ブロックしています!",block:"ブロック",statuses:"ステータス",mute:"ミュート",muted:"ミュートしています!",followers:"フォロワー",followees:"フォロー",per_day:"/日",remote_follow:"リモートフォロー",approve:"Approve",deny:"Deny"},timeline:{show_new:"よみこみ",error_fetching:"よみこみがエラーになりました。",up_to_date:"さいしん",load_older:"ふるいステータス",conversation:"スレッド",collapse:"たたむ",repeated:"リピート"},settings:{user_settings:"ユーザーせってい",name_bio:"なまえとプロフィール",name:"なまえ",bio:"プロフィール",avatar:"アバター",current_avatar:"いまのアバター",set_new_avatar:"あたらしいアバターをせっていする",profile_banner:"プロフィールバナー",current_profile_banner:"いまのプロフィールバナー",set_new_profile_banner:"あたらしいプロフィールバナーを設定する",profile_background:"プロフィールのバックグラウンド",set_new_profile_background:"あたらしいプロフィールのバックグラウンドをせっていする",settings:"せってい",theme:"テーマ",presets:"プリセット",theme_help:"カラーテーマをカスタマイズできます。",radii_help:"インターフェースのまるさをせっていする。",background:"バックグラウンド",foreground:"フォアグラウンド",text:"もじ",links:"リンク",cBlue:"あお (リプライ, フォロー)",cRed:"あか (キャンセル)",cOrange:"オレンジ (おきにいり)",cGreen:"みどり (リピート)",btnRadius:"ボタン",inputRadius:"Input fields",panelRadius:"パネル",avatarRadius:"アバター",avatarAltRadius:"アバター (つうち)",tooltipRadius:"ツールチップ/アラート",attachmentRadius:"ファイル",filtering:"フィルタリング",filtering_explanation:"これらのことばをふくむすべてのものがミュートされます。1行に1つのことばをかいてください。",attachments:"ファイル",hide_attachments_in_tl:"タイムラインのファイルをかくす。",hide_attachments_in_convo:"スレッドのファイルをかくす。",nsfw_clickthrough:"NSFWなファイルをかくす。",stop_gifs:"カーソルをかさねたとき、GIFをうごかす。",autoload:"したにスクロールしたとき、じどうてきによみこむ。",streaming:"うえまでスクロールしたとき、じどうてきにストリーミングする。",reply_link_preview:"カーソルをかさねたとき、リプライのプレビューをみる。",follow_import:"フォローインポート",import_followers_from_a_csv_file:"CSVファイルからフォローをインポートする。",follows_imported:"フォローがインポートされました! すこしじかんがかかるかもしれません。",follow_import_error:"フォローのインポートがエラーになりました。",delete_account:"アカウントをけす",delete_account_description:"あなたのアカウントとメッセージが、きえます。",delete_account_instructions:"ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。",delete_account_error:"アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。",follow_export:"フォローのエクスポート",follow_export_processing:"おまちください。まもなくファイルをダウンロードできます。",follow_export_button:"エクスポート",change_password:"パスワードをかえる",current_password:"いまのパスワード",new_password:"あたらしいパスワード",confirm_new_password:"あたらしいパスワードのかくにん",changed_password:"パスワードが、かわりました!",change_password_error:"パスワードをかえることが、できなかったかもしれません。",lock_account_description:"あなたがみとめたひとだけ、あなたのアカウントをフォローできます。"},notifications:{notifications:"つうち",read:"よんだ!",followed_you:"フォローされました",favorited_you:"あなたのステータスがおきにいりされました",repeated_you:"あなたのステータスがリピートされました"},login:{login:"ログイン",username:"ユーザーめい",placeholder:"れい: lain",password:"パスワード",register:"はじめる",logout:"ログアウト"},registration:{registration:"はじめる",fullname:"スクリーンネーム",email:"Eメール",bio:"プロフィール",password_confirm:"パスワードのかくにん"},post_status:{posting:"とうこう",content_warning:"せつめい (かかなくてもよい)",default:"はねだくうこうに、つきました。",account_not_locked_warning:"あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。",account_not_locked_warning_link:"ロックされたアカウント",direct_warning:"このステータスは、メンションされたユーザーだけが、よむことができます。",scope:{public:"パブリック - パブリックタイムラインにとどきます。",unlisted:"アンリステッド - パブリックタイムラインにとどきません。",private:"フォロワーげんてい - フォロワーのみにとどきます。",direct:"ダイレクト - メンションされたユーザーのみにとどきます。"}},finder:{find_user:"ユーザーをさがす",error_fetching_user:"ユーザーけんさくがエラーになりました。"},general:{submit:"そうしん",apply:"てきよう"},user_profile:{timeline_title:"ユーザータイムライン"},who_to_follow:{who_to_follow:"おすすめユーザー",more:"くわしく"}},c={nav:{chat:"Chat local",timeline:"Journal",mentions:"Notifications",public_tl:"Statuts locaux",twkn:"Le réseau connu"},user_card:{follows_you:"Vous suit !",following:"Suivi !",follow:"Suivre",blocked:"Bloqué",block:"Bloquer",statuses:"Statuts",mute:"Masquer",muted:"Masqué",followers:"Vous suivent",followees:"Suivis",per_day:"par jour",remote_follow:"Suivre d'une autre instance"},timeline:{show_new:"Afficher plus",error_fetching:"Erreur en cherchant les mises à jour",up_to_date:"À jour",load_older:"Afficher plus",conversation:"Conversation",collapse:"Fermer",repeated:"a partagé"},settings:{user_settings:"Paramètres utilisateur",name_bio:"Nom & Bio",name:"Nom",bio:"Biographie",avatar:"Avatar",current_avatar:"Avatar actuel",set_new_avatar:"Changer d'avatar",profile_banner:"Bannière de profil",current_profile_banner:"Bannière de profil actuelle",set_new_profile_banner:"Changer de bannière",profile_background:"Image de fond",set_new_profile_background:"Changer d'image de fond",settings:"Paramètres",theme:"Thème",filtering:"Filtre",filtering_explanation:"Tous les statuts contenant ces mots seront masqués. Un mot par ligne.",attachments:"Pièces jointes",hide_attachments_in_tl:"Masquer les pièces jointes dans le journal",hide_attachments_in_convo:"Masquer les pièces jointes dans les conversations",nsfw_clickthrough:"Masquer les images marquées comme contenu adulte ou sensible",autoload:"Charger la suite automatiquement une fois le bas de la page atteint",reply_link_preview:"Afficher un aperçu lors du survol de liens vers une réponse",presets:"Thèmes prédéfinis",theme_help:"Spécifiez des codes couleur hexadécimaux (#aabbcc) pour personnaliser les couleurs du thème",background:"Arrière-plan",foreground:"Premier plan",text:"Texte",links:"Liens",streaming:"Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page",follow_import:"Importer des abonnements",import_followers_from_a_csv_file:"Importer des abonnements depuis un fichier csv",follows_imported:"Abonnements importés ! Le traitement peut prendre un moment.",follow_import_error:"Erreur lors de l'importation des abonnements.",follow_export:"Exporter les abonnements",follow_export_button:"Exporter les abonnements en csv",follow_export_processing:"Exportation en cours…",cBlue:"Bleu (Répondre, suivre)",cRed:"Rouge (Annuler)",cOrange:"Orange (Aimer)",cGreen:"Vert (Partager)",btnRadius:"Boutons",panelRadius:"Fenêtres",inputRadius:"Champs de texte",avatarRadius:"Avatars",avatarAltRadius:"Avatars (Notifications)",tooltipRadius:"Info-bulles/alertes ",attachmentRadius:"Pièces jointes",radii_help:"Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)",stop_gifs:"N'animer les GIFS que lors du survol du curseur de la souris",change_password:"Modifier son mot de passe",current_password:"Mot de passe actuel",new_password:"Nouveau mot de passe",confirm_new_password:"Confirmation du nouveau mot de passe",delete_account:"Supprimer le compte",delete_account_description:"Supprimer définitivement votre compte et tous vos statuts.",delete_account_instructions:"Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.",delete_account_error:"Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l'administrateur de cette instance."},notifications:{notifications:"Notifications",read:"Lu !",followed_you:"a commencé à vous suivre",favorited_you:"a aimé votre statut",repeated_you:"a partagé votre statut"},login:{login:"Connexion",username:"Identifiant",placeholder:"p.e. lain",password:"Mot de passe",register:"S'inscrire",logout:"Déconnexion"},registration:{registration:"Inscription",fullname:"Pseudonyme",email:"Adresse email",bio:"Biographie",password_confirm:"Confirmation du mot de passe"},post_status:{posting:"Envoi en cours",default:"Écrivez ici votre prochain statut.",account_not_locked_warning:"Votre compte n’est pas {0}. N’importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.",account_not_locked_warning_link:"verrouillé",direct_warning:"Ce message sera visible à toutes les personnes mentionnées.",scope:{public:"Publique - Afficher dans les fils publics",unlisted:"Non-Listé - Ne pas afficher dans les fils publics",private:"Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets",direct:"Direct - N’envoyer qu’aux personnes mentionnées"}},finder:{find_user:"Chercher un utilisateur",error_fetching_user:"Erreur lors de la recherche de l'utilisateur"},general:{submit:"Envoyer",apply:"Appliquer"},user_profile:{timeline_title:"Journal de l'utilisateur"}},d={nav:{timeline:"Sequenza temporale",mentions:"Menzioni",public_tl:"Sequenza temporale pubblica",twkn:"L'intiera rete conosciuta"},user_card:{follows_you:"Ti segue!",following:"Lo stai seguendo!",follow:"Segui",statuses:"Messaggi",mute:"Ammutolisci",muted:"Ammutoliti",followers:"Chi ti segue",followees:"Chi stai seguendo",per_day:"al giorno"},timeline:{show_new:"Mostra nuovi",error_fetching:"Errori nel prelievo aggiornamenti",up_to_date:"Aggiornato",load_older:"Carica messaggi più vecchi"},settings:{user_settings:"Configurazione dell'utente",name_bio:"Nome & Introduzione",name:"Nome",bio:"Introduzione",avatar:"Avatar",current_avatar:"Il tuo attuale avatar",set_new_avatar:"Scegli un nuovo avatar",profile_banner:"Sfondo del tuo profilo",current_profile_banner:"Sfondo attuale",set_new_profile_banner:"Scegli un nuovo sfondo per il tuo profilo",profile_background:"Sfondo della tua pagina",set_new_profile_background:"Scegli un nuovo sfondo per la tua pagina",settings:"Settaggi",theme:"Tema",filtering:"Filtri",filtering_explanation:"Filtra via le notifiche che contengono le seguenti parole (inserisci rigo per rigo le parole di innesco)",attachments:"Allegati",hide_attachments_in_tl:"Nascondi gli allegati presenti nella sequenza temporale",hide_attachments_in_convo:"Nascondi gli allegati presenti nelle conversazioni",nsfw_clickthrough:"Abilita la trasparenza degli allegati NSFW",autoload:"Abilita caricamento automatico quando si raggiunge il fondo schermo",reply_link_preview:"Ability il reply-link preview al passaggio del mouse"},notifications:{notifications:"Notifiche",read:"Leggi!",followed_you:"ti ha seguito"},general:{submit:"Invia"}},p={chat:{title:"Messatjariá"},nav:{chat:"Chat local",timeline:"Flux d’actualitat",mentions:"Notificacions",public_tl:"Estatuts locals",twkn:"Lo malhum conegut"},user_card:{follows_you:"Vos sèc !",following:"Seguit !",follow:"Seguir",blocked:"Blocat",block:"Blocar",statuses:"Estatuts",mute:"Amagar",muted:"Amagat",followers:"Seguidors",followees:"Abonaments",per_day:"per jorn",remote_follow:"Seguir a distància"},timeline:{show_new:"Ne veire mai",error_fetching:"Error en cercant de mesas a jorn",up_to_date:"A jorn",load_older:"Ne veire mai",conversation:"Conversacion",collapse:"Tampar",repeated:"repetit"},settings:{user_settings:"Paramètres utilizaire",name_bio:"Nom & Bio",name:"Nom",bio:"Biografia",avatar:"Avatar",current_avatar:"Vòstre avatar actual",set_new_avatar:"Cambiar l’avatar",profile_banner:"Bandièra del perfil",current_profile_banner:"Bandièra actuala del perfil",set_new_profile_banner:"Cambiar de bandièra",profile_background:"Imatge de fons",set_new_profile_background:"Cambiar l’imatge de fons",settings:"Paramètres",theme:"Tèma",presets:"Pre-enregistrats",theme_help:"Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.",radii_help:"Configurar los caires arredondits de l’interfàcia (en pixèls)",background:"Rèire plan",foreground:"Endavant",text:"Tèxte",links:"Ligams",cBlue:"Blau (Respondre, seguir)",cRed:"Roge (Anullar)",cOrange:"Irange (Metre en favorit)",cGreen:"Verd (Repartajar)",inputRadius:"Camps tèxte",btnRadius:"Botons",panelRadius:"Panèls",avatarRadius:"Avatars",avatarAltRadius:"Avatars (Notificacions)",tooltipRadius:"Astúcias/Alèrta",attachmentRadius:"Pèças juntas",filtering:"Filtre",filtering_explanation:"Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha.",attachments:"Pèças juntas",hide_attachments_in_tl:"Rescondre las pèças juntas",hide_attachments_in_convo:"Rescondre las pèças juntas dins las conversacions",nsfw_clickthrough:"Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles",stop_gifs:"Lançar los GIFs al subrevòl",autoload:"Activar lo cargament automatic un còp arribat al cap de la pagina",streaming:"Activar lo cargament automatic dels novèls estatus en anar amont",reply_link_preview:"Activar l’apercebut en passar la mirga",follow_import:"Importar los abonaments",import_followers_from_a_csv_file:"Importar los seguidors d’un fichièr csv",follows_imported:"Seguidors importats. Lo tractament pòt trigar una estona.",follow_import_error:"Error en important los seguidors"},notifications:{notifications:"Notficacions",read:"Legit !",followed_you:"vos sèc",favorited_you:"a aimat vòstre estatut",repeated_you:"a repetit your vòstre estatut"},login:{login:"Connexion",username:"Nom d’utilizaire",placeholder:"e.g. lain",password:"Senhal",register:"Se marcar",logout:"Desconnexion"},registration:{registration:"Inscripcion",fullname:"Nom complèt",email:"Adreça de corrièl",bio:"Biografia",password_confirm:"Confirmar lo senhal"},post_status:{posting:"Mandadís",default:"Escrivètz aquí vòstre estatut."},finder:{find_user:"Cercar un utilizaire",error_fetching_user:"Error pendent la recèrca d’un utilizaire"},general:{submit:"Mandar",apply:"Aplicar"},user_profile:{timeline_title:"Flux utilizaire"}},f={chat:{title:"Czat"},nav:{chat:"Lokalny czat",timeline:"Oś czasu",mentions:"Wzmianki",public_tl:"Publiczna oś czasu",twkn:"Cała znana sieć"},user_card:{follows_you:"Obserwuje cię!",following:"Obserwowany!",follow:"Obserwuj",blocked:"Zablokowany!",block:"Zablokuj",statuses:"Statusy",mute:"Wycisz",muted:"Wyciszony",followers:"Obserwujący",followees:"Obserwowani",per_day:"dziennie",remote_follow:"Zdalna obserwacja"},timeline:{show_new:"Pokaż nowe",error_fetching:"Błąd pobierania",up_to_date:"Na bieżąco",load_older:"Załaduj starsze statusy",conversation:"Rozmowa",collapse:"Zwiń",repeated:"powtórzono"},settings:{user_settings:"Ustawienia użytkownika",name_bio:"Imię i bio",name:"Imię",bio:"Bio",avatar:"Awatar",current_avatar:"Twój obecny awatar",set_new_avatar:"Ustaw nowy awatar",profile_banner:"Banner profilu",current_profile_banner:"Twój obecny banner profilu",set_new_profile_banner:"Ustaw nowy banner profilu",profile_background:"Tło profilu",set_new_profile_background:"Ustaw nowe tło profilu",settings:"Ustawienia",theme:"Motyw",presets:"Gotowe motywy",theme_help:"Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.",radii_help:"Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)",background:"Tło",foreground:"Pierwszy plan",text:"Tekst",links:"Łącza",cBlue:"Niebieski (odpowiedz, obserwuj)",cRed:"Czerwony (anuluj)",cOrange:"Pomarańczowy (ulubione)",cGreen:"Zielony (powtórzenia)",btnRadius:"Przyciski",inputRadius:"Pola tekstowe",panelRadius:"Panele",avatarRadius:"Awatary",avatarAltRadius:"Awatary (powiadomienia)",tooltipRadius:"Etykiety/alerty",attachmentRadius:"Załączniki",filtering:"Filtrowanie",filtering_explanation:"Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.",attachments:"Załączniki",hide_attachments_in_tl:"Ukryj załączniki w osi czasu",hide_attachments_in_convo:"Ukryj załączniki w rozmowach",nsfw_clickthrough:"Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)",stop_gifs:"Odtwarzaj GIFy po najechaniu kursorem",autoload:"Włącz automatyczne ładowanie po przewinięciu do końca strony",streaming:"Włącz automatycznie strumieniowanie nowych postów gdy na początku strony",reply_link_preview:"Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi",follow_import:"Import obserwowanych",import_followers_from_a_csv_file:"Importuj obserwowanych z pliku CSV",follows_imported:"Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.",follow_import_error:"Błąd przy importowaniu obserwowanych",delete_account:"Usuń konto",delete_account_description:"Trwale usuń konto i wszystkie posty.",delete_account_instructions:"Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.",delete_account_error:"Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.",follow_export:"Eksport obserwowanych",follow_export_processing:"Przetwarzanie, wkrótce twój plik zacznie się ściągać.",follow_export_button:"Eksportuj swoją listę obserwowanych do pliku CSV",change_password:"Zmień hasło",current_password:"Obecne hasło",new_password:"Nowe hasło",confirm_new_password:"Potwierdź nowe hasło",changed_password:"Hasło zmienione poprawnie!",change_password_error:"Podczas zmiany hasła wystąpił problem."},notifications:{notifications:"Powiadomienia",read:"Przeczytane!",followed_you:"obserwuje cię",favorited_you:"dodał twój status do ulubionych",repeated_you:"powtórzył twój status"},login:{login:"Zaloguj",username:"Użytkownik",placeholder:"n.p. lain",password:"Hasło",register:"Zarejestruj",logout:"Wyloguj"},registration:{registration:"Rejestracja",fullname:"Wyświetlana nazwa profilu",email:"Email",bio:"Bio",password_confirm:"Potwierdzenie hasła"},post_status:{posting:"Wysyłanie",default:"Właśnie wróciłem z kościoła"},finder:{find_user:"Znajdź użytkownika",error_fetching_user:"Błąd przy pobieraniu profilu"},general:{submit:"Wyślij",apply:"Zastosuj"},user_profile:{timeline_title:"Oś czasu użytkownika"}},m={chat:{title:"Chat"},nav:{chat:"Chat Local",timeline:"Línea Temporal",mentions:"Menciones",public_tl:"Línea Temporal Pública",twkn:"Toda La Red Conocida"},user_card:{follows_you:"¡Te sigue!",following:"¡Siguiendo!",follow:"Seguir",blocked:"¡Bloqueado!",block:"Bloquear",statuses:"Estados",mute:"Silenciar",muted:"Silenciado",followers:"Seguidores",followees:"Siguiendo",per_day:"por día",remote_follow:"Seguir"},timeline:{show_new:"Mostrar lo nuevo",error_fetching:"Error al cargar las actualizaciones",up_to_date:"Actualizado",load_older:"Cargar actualizaciones anteriores",conversation:"Conversación"},settings:{user_settings:"Ajustes de Usuario",name_bio:"Nombre y Biografía",name:"Nombre",bio:"Biografía",avatar:"Avatar",current_avatar:"Tu avatar actual",set_new_avatar:"Cambiar avatar",profile_banner:"Cabecera del perfil",current_profile_banner:"Cabecera actual",set_new_profile_banner:"Cambiar cabecera",profile_background:"Fondo del Perfil",set_new_profile_background:"Cambiar fondo del perfil",settings:"Ajustes",theme:"Tema",presets:"Por defecto",theme_help:"Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.",background:"Segundo plano",foreground:"Primer plano",text:"Texto",links:"Links",filtering:"Filtros",filtering_explanation:"Todos los estados que contengan estas palabras serán silenciados, una por línea",attachments:"Adjuntos",hide_attachments_in_tl:"Ocultar adjuntos en la línea temporal",hide_attachments_in_convo:"Ocultar adjuntos en las conversaciones",nsfw_clickthrough:"Activar el clic para ocultar los adjuntos NSFW",autoload:"Activar carga automática al llegar al final de la página",streaming:"Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior",reply_link_preview:"Activar la previsualización del enlace de responder al pasar el ratón por encima",follow_import:"Importar personas que tú sigues",import_followers_from_a_csv_file:"Importar personas que tú sigues apartir de un archivo csv",follows_imported:"¡Importado! Procesarlos llevará tiempo.",follow_import_error:"Error al importal el archivo"},notifications:{notifications:"Notificaciones",read:"¡Leído!",followed_you:"empezó a seguirte"},login:{login:"Identificación",username:"Usuario",placeholder:"p.ej. lain",password:"Contraseña",register:"Registrar",logout:"Salir"},registration:{registration:"Registro",fullname:"Nombre a mostrar",email:"Correo electrónico",bio:"Biografía",password_confirm:"Confirmación de contraseña"},post_status:{posting:"Publicando",default:"Acabo de aterrizar en L.A."},finder:{find_user:"Encontrar usuario",error_fetching_user:"Error al buscar usuario"},general:{submit:"Enviar",apply:"Aplicar"}},h={chat:{title:"Chat"},nav:{chat:"Chat Local",timeline:"Linha do tempo",mentions:"Menções",public_tl:"Linha do tempo pública",twkn:"Toda a rede conhecida"},user_card:{follows_you:"Segue você!",following:"Seguindo!",follow:"Seguir",blocked:"Bloqueado!",block:"Bloquear",statuses:"Postagens",mute:"Silenciar",muted:"Silenciado",followers:"Seguidores",followees:"Seguindo",per_day:"por dia",remote_follow:"Seguidor Remoto"},timeline:{show_new:"Mostrar novas",error_fetching:"Erro buscando atualizações",up_to_date:"Atualizado",load_older:"Carregar postagens antigas",conversation:"Conversa"},settings:{user_settings:"Configurações de Usuário",name_bio:"Nome & Biografia",name:"Nome",bio:"Biografia",avatar:"Avatar",current_avatar:"Seu avatar atual",set_new_avatar:"Alterar avatar",profile_banner:"Capa de perfil",current_profile_banner:"Sua capa de perfil atual",set_new_profile_banner:"Alterar capa de perfil",profile_background:"Plano de fundo de perfil",set_new_profile_background:"Alterar o plano de fundo de perfil",settings:"Configurações",theme:"Tema",presets:"Predefinições",theme_help:"Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.",background:"Plano de Fundo",foreground:"Primeiro Plano",text:"Texto",links:"Links",filtering:"Filtragem",filtering_explanation:"Todas as postagens contendo estas palavras serão silenciadas, uma por linha.",attachments:"Anexos",hide_attachments_in_tl:"Ocultar anexos na linha do tempo.",hide_attachments_in_convo:"Ocultar anexos em conversas",nsfw_clickthrough:"Habilitar clique para ocultar anexos NSFW",autoload:"Habilitar carregamento automático quando a rolagem chegar ao fim.",streaming:"Habilitar o fluxo automático de postagens quando ao topo da página",reply_link_preview:"Habilitar a pré-visualização de link de respostas ao passar o mouse.",follow_import:"Importar seguidas",import_followers_from_a_csv_file:"Importe seguidores a partir de um arquivo CSV",follows_imported:"Seguidores importados! O processamento pode demorar um pouco.",follow_import_error:"Erro ao importar seguidores"},notifications:{notifications:"Notificações",read:"Ler!",followed_you:"seguiu você"},login:{login:"Entrar",username:"Usuário",placeholder:"p.e. lain",password:"Senha",register:"Registrar",logout:"Sair"},registration:{registration:"Registro",fullname:"Nome para exibição",email:"Correio eletrônico",bio:"Biografia",password_confirm:"Confirmação de senha"},post_status:{posting:"Publicando",default:"Acabo de aterrizar em L.A."},finder:{find_user:"Buscar usuário",error_fetching_user:"Erro procurando usuário"},general:{submit:"Enviar",apply:"Aplicar"}},v={chat:{title:"Чат"},nav:{chat:"Локальный чат",timeline:"Лента",mentions:"Упоминания",public_tl:"Публичная лента",twkn:"Федеративная лента"},user_card:{follows_you:"Читает вас",following:"Читаю",follow:"Читать",blocked:"Заблокирован",block:"Заблокировать",statuses:"Статусы",mute:"Игнорировать",muted:"Игнорирую",followers:"Читатели",followees:"Читаемые",per_day:"в день",remote_follow:"Читать удалённо"},timeline:{show_new:"Показать новые",error_fetching:"Ошибка при обновлении",up_to_date:"Обновлено",load_older:"Загрузить старые статусы",conversation:"Разговор",collapse:"Свернуть",repeated:"повторил(а)"},settings:{user_settings:"Настройки пользователя",name_bio:"Имя и описание",name:"Имя",bio:"Описание",avatar:"Аватар",current_avatar:"Текущий аватар",set_new_avatar:"Загрузить новый аватар",profile_banner:"Баннер профиля",current_profile_banner:"Текущий баннер профиля",set_new_profile_banner:"Загрузить новый баннер профиля",profile_background:"Фон профиля",set_new_profile_background:"Загрузить новый фон профиля",settings:"Настройки",theme:"Тема",export_theme:"Экспортировать текущую тему",import_theme:"Загрузить сохранённую тему",presets:"Пресеты",theme_help:"Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.",radii_help:"Округление краёв элементов интерфейса (в пикселях)",background:"Фон",foreground:"Передний план",text:"Текст",links:"Ссылки",cBlue:"Ответить, читать",cRed:"Отменить",cOrange:"Нравится",cGreen:"Повторить",btnRadius:"Кнопки",inputRadius:"Поля ввода",panelRadius:"Панели",avatarRadius:"Аватары",avatarAltRadius:"Аватары в уведомлениях",tooltipRadius:"Всплывающие подсказки/уведомления",attachmentRadius:"Прикреплённые файлы",filtering:"Фильтрация",filtering_explanation:"Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке",attachments:"Вложения",hide_attachments_in_tl:"Прятать вложения в ленте",hide_attachments_in_convo:"Прятать вложения в разговорах",stop_gifs:"Проигрывать GIF анимации только при наведении",nsfw_clickthrough:"Включить скрытие NSFW вложений",autoload:"Включить автоматическую загрузку при прокрутке вниз",streaming:"Включить автоматическую загрузку новых сообщений при прокрутке вверх",pause_on_unfocused:"Приостановить загрузку когда вкладка не в фокусе",loop_video:"Зациливать видео",loop_video_silent_only:'Зацикливать только беззвучные видео (т.е. "гифки" с Mastodon)',reply_link_preview:"Включить предварительный просмотр ответа при наведении мыши",follow_import:"Импортировать читаемых",import_followers_from_a_csv_file:"Импортировать читаемых из файла .csv",follows_imported:"Список читаемых импортирован. Обработка займёт некоторое время..",follow_import_error:"Ошибка при импортировании читаемых.",delete_account:"Удалить аккаунт",delete_account_description:"Удалить ваш аккаунт и все ваши сообщения.",delete_account_instructions:"Введите ваш пароль в поле ниже для подтверждения удаления.",delete_account_error:"Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.",follow_export:"Экспортировать читаемых",follow_export_processing:"Ведётся обработка, скоро вам будет предложено загрузить файл",follow_export_button:"Экспортировать читаемых в файл .csv",change_password:"Сменить пароль",current_password:"Текущий пароль",new_password:"Новый пароль",confirm_new_password:"Подтверждение нового пароля",changed_password:"Пароль изменён успешно.",change_password_error:"Произошла ошибка при попытке изменить пароль.",lock_account_description:"Аккаунт доступен только подтверждённым подписчикам",limited_availability:"Не доступно в вашем браузере",profile_tab:"Профиль",security_tab:"Безопасность",data_import_export_tab:"Импорт / Экспорт данных",collapse_subject:"Сворачивать посты с темой",interfaceLanguage:"Язык интерфейса"},notifications:{notifications:"Уведомления",read:"Прочесть",followed_you:"начал(а) читать вас",favorited_you:"нравится ваш статус",repeated_you:"повторил(а) ваш статус",broken_favorite:"Неизвестный статус, ищем...",load_older:"Загрузить старые уведомления"},login:{login:"Войти",username:"Имя пользователя",placeholder:"e.c. lain",password:"Пароль",register:"Зарегистрироваться",logout:"Выйти"},registration:{registration:"Регистрация",fullname:"Отображаемое имя",email:"Email",bio:"Описание",password_confirm:"Подтверждение пароля",token:"Код приглашения"},post_status:{posting:"Отправляется",default:"Что нового?"},finder:{find_user:"Найти пользователя",error_fetching_user:"Пользователь не найден"},general:{submit:"Отправить",apply:"Применить"},user_profile:{timeline_title:"Лента пользователя"}},_={chat:{title:"Chat"},nav:{chat:"Lokal Chat",timeline:"Tidslinje",mentions:"Nevnt",public_tl:"Offentlig Tidslinje",twkn:"Det hele kjente nettverket"},user_card:{follows_you:"Følger deg!",following:"Følger!",follow:"Følg",blocked:"Blokkert!",block:"Blokker",statuses:"Statuser",mute:"Demp",muted:"Dempet",followers:"Følgere",followees:"Følger",per_day:"per dag",remote_follow:"Følg eksternt"},timeline:{show_new:"Vis nye",error_fetching:"Feil ved henting av oppdateringer",up_to_date:"Oppdatert",load_older:"Last eldre statuser",conversation:"Samtale",collapse:"Sammenfold",repeated:"gjentok"},settings:{user_settings:"Brukerinstillinger",name_bio:"Navn & Biografi",name:"Navn",bio:"Biografi",avatar:"Profilbilde",current_avatar:"Ditt nåværende profilbilde",set_new_avatar:"Rediger profilbilde",profile_banner:"Profil-banner",current_profile_banner:"Din nåværende profil-banner",set_new_profile_banner:"Sett ny profil-banner",profile_background:"Profil-bakgrunn",set_new_profile_background:"Rediger profil-bakgrunn",settings:"Innstillinger",theme:"Tema",presets:"Forhåndsdefinerte fargekoder",theme_help:"Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.",radii_help:"Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)",background:"Bakgrunn",foreground:"Framgrunn",text:"Tekst",links:"Linker",cBlue:"Blå (Svar, følg)",cRed:"Rød (Avbryt)",cOrange:"Oransje (Lik)", +cGreen:"Grønn (Gjenta)",btnRadius:"Knapper",panelRadius:"Panel",avatarRadius:"Profilbilde",avatarAltRadius:"Profilbilde (Varslinger)",tooltipRadius:"Verktøytips/advarsler",attachmentRadius:"Vedlegg",filtering:"Filtrering",filtering_explanation:"Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje",attachments:"Vedlegg",hide_attachments_in_tl:"Gjem vedlegg på tidslinje",hide_attachments_in_convo:"Gjem vedlegg i samtaler",nsfw_clickthrough:"Krev trykk for å vise statuser som kan være upassende",stop_gifs:"Spill av GIFs når du holder over dem",autoload:"Automatisk lasting når du blar ned til bunnen",streaming:"Automatisk strømming av nye statuser når du har bladd til toppen",reply_link_preview:"Vis en forhåndsvisning når du holder musen over svar til en status",follow_import:"Importer følginger",import_followers_from_a_csv_file:"Importer følginger fra en csv fil",follows_imported:"Følginger imported! Det vil ta litt tid å behandle de.",follow_import_error:"Feil ved importering av følginger."},notifications:{notifications:"Varslinger",read:"Les!",followed_you:"fulgte deg",favorited_you:"likte din status",repeated_you:"Gjentok din status"},login:{login:"Logg inn",username:"Brukernavn",placeholder:"f. eks lain",password:"Passord",register:"Registrer",logout:"Logg ut"},registration:{registration:"Registrering",fullname:"Visningsnavn",email:"Epost-adresse",bio:"Biografi",password_confirm:"Bekreft passord"},post_status:{posting:"Publiserer",default:"Landet akkurat i L.A."},finder:{find_user:"Finn bruker",error_fetching_user:"Feil ved henting av bruker"},general:{submit:"Legg ut",apply:"Bruk"},user_profile:{timeline_title:"Bruker-tidslinje"}},g={chat:{title:"צ'אט"},nav:{chat:"צ'אט מקומי",timeline:"ציר הזמן",mentions:"אזכורים",public_tl:"ציר הזמן הציבורי",twkn:"כל הרשת הידועה"},user_card:{follows_you:"עוקב אחריך!",following:"עוקב!",follow:"עקוב",blocked:"חסום!",block:"חסימה",statuses:"סטטוסים",mute:"השתק",muted:"מושתק",followers:"עוקבים",followees:"נעקבים",per_day:"ליום",remote_follow:"עקיבה מרחוק"},timeline:{show_new:"הראה חדש",error_fetching:"שגיאה בהבאת הודעות",up_to_date:"עדכני",load_older:"טען סטטוסים חדשים",conversation:"שיחה",collapse:"מוטט",repeated:"חזר"},settings:{user_settings:"הגדרות משתמש",name_bio:"שם ואודות",name:"שם",bio:"אודות",avatar:"תמונת פרופיל",current_avatar:"תמונת הפרופיל הנוכחית שלך",set_new_avatar:"קבע תמונת פרופיל חדשה",profile_banner:"כרזת הפרופיל",current_profile_banner:"כרזת הפרופיל הנוכחית שלך",set_new_profile_banner:"קבע כרזת פרופיל חדשה",profile_background:"רקע הפרופיל",set_new_profile_background:"קבע רקע פרופיל חדש",settings:"הגדרות",theme:"תמה",presets:"ערכים קבועים מראש",theme_help:"השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.",radii_help:"קבע מראש עיגול פינות לממשק (בפיקסלים)",background:"רקע",foreground:"חזית",text:"טקסט",links:"לינקים",cBlue:"כחול (תגובה, עקיבה)",cRed:"אדום (ביטול)",cOrange:"כתום (לייק)",cGreen:"ירוק (חזרה)",btnRadius:"כפתורים",inputRadius:"שדות קלט",panelRadius:"פאנלים",avatarRadius:"תמונות פרופיל",avatarAltRadius:"תמונות פרופיל (התראות)",tooltipRadius:"טולטיפ \\ התראות",attachmentRadius:"צירופים",filtering:"סינון",filtering_explanation:"כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה",attachments:"צירופים",hide_attachments_in_tl:"החבא צירופים בציר הזמן",hide_attachments_in_convo:"החבא צירופים בשיחות",nsfw_clickthrough:"החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר",stop_gifs:"נגן-בעת-ריחוף GIFs",autoload:"החל טעינה אוטומטית בגלילה לתחתית הדף",streaming:"החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף",reply_link_preview:"החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר",follow_import:"יבוא עקיבות",import_followers_from_a_csv_file:"ייבא את הנעקבים שלך מקובץ csv",follows_imported:"נעקבים יובאו! ייקח זמן מה לעבד אותם.",follow_import_error:"שגיאה בייבוא נעקבים.",delete_account:"מחק משתמש",delete_account_description:"מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.",delete_account_instructions:"הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.",delete_account_error:"הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.",follow_export:"יצוא עקיבות",follow_export_processing:"טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך",follow_export_button:"ייצא את הנעקבים שלך לקובץ csv",change_password:"שנה סיסמה",current_password:"סיסמה נוכחית",new_password:"סיסמה חדשה",confirm_new_password:"אשר סיסמה",changed_password:"סיסמה שונתה בהצלחה!",change_password_error:"הייתה בעיה בשינוי סיסמתך."},notifications:{notifications:"התראות",read:"קרא!",followed_you:"עקב אחריך!",favorited_you:"אהב את הסטטוס שלך",repeated_you:"חזר על הסטטוס שלך"},login:{login:"התחבר",username:"שם המשתמש",placeholder:"למשל lain",password:"סיסמה",register:"הירשם",logout:"התנתק"},registration:{registration:"הרשמה",fullname:"שם תצוגה",email:"אימייל",bio:"אודות",password_confirm:"אישור סיסמה"},post_status:{posting:"מפרסם",default:"הרגע נחת ב-ל.א."},finder:{find_user:"מציאת משתמש",error_fetching_user:"שגיאה במציאת משתמש"},general:{submit:"שלח",apply:"החל"},user_profile:{timeline_title:"ציר זמן המשתמש"}},w={de:s,fi:a,en:i,eo:n,et:o,hu:r,ro:l,ja:u,fr:c,it:d,oc:p,pl:f,es:m,pt:h,ru:v,nb:_,he:g};t.default=w},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.mutations=t.findMaxId=t.statusType=t.prepareStatus=t.defaultState=void 0;var i=s(224),n=a(i),o=s(3),r=a(o),l=s(166),u=a(l),c=s(167),d=a(c),p=s(452),f=a(p),m=s(450),h=a(m),v=s(442),_=a(v),g=s(64),w=a(g),b=s(63),y=a(b),k=s(22),C=a(k),x=s(101),S=a(x),L=s(459),$=a(L),P=s(458),j=a(P),A=s(446),R=a(A),I=s(68),N=s(23),F=a(N),O=function(){return{statuses:[],statusesObject:{},faves:[],visibleStatuses:[],visibleStatusesObject:{},newStatusCount:0,maxId:0,minVisibleId:0,loading:!1,followers:[],friends:[],viewing:"statuses",flushMarker:0}},T=t.defaultState={allStatuses:[],allStatusesObject:{},maxId:0,notifications:{desktopNotificationSilence:!0,maxId:0,maxSavedId:0,minId:Number.POSITIVE_INFINITY,data:[],error:!1,brokenFavorites:{}},favorites:new n.default,error:!1,timelines:{mentions:O(),public:O(),user:O(),own:O(),publicAndExternal:O(),friends:O(),tag:O()}},E=function(e){var t=/#nsfw/i;return(0,R.default)(e.tags,"nsfw")||!!e.text.match(t)},U=t.prepareStatus=function(e){return void 0===e.nsfw&&(e.nsfw=E(e),e.retweeted_status&&(e.nsfw=e.retweeted_status.nsfw)),e.deleted=!1,e.attachments=e.attachments||[],e},M=t.statusType=function(e){return e.is_post_verb?"status":e.retweeted_status?"retweet":"string"==typeof e.uri&&e.uri.match(/(fave|objectType=Favourite)/)||"string"==typeof e.text&&e.text.match(/favorited/)?"favorite":e.text.match(/deleted notice {{tag/)||e.qvitter_delete_notice?"deletion":e.text.match(/started following/)?"follow":"unknown"},z=(t.findMaxId=function(){for(var e=arguments.length,t=Array(e),s=0;s0?(0,h.default)(s,"id").id:0,_=n&&v0&&!_&&(m.maxId=v);var g=function(t,s){var a=!(arguments.length>2&&void 0!==arguments[2])||arguments[2],i=z(d,p,t);t=i.item;var o=e.notifications.brokenFavorites[t.id]||[];if(o.forEach(function(e){e.status=t}),delete e.notifications.brokenFavorites[t.id],i.new&&"status"===M(t)&&(0,w.default)(t.attentions,{id:l.id})){var r=e.timelines.mentions;m!==r&&(z(r.statuses,r.statusesObject,t),r.newStatusCount+=1,B(r))}var u=void 0;return n&&a&&(u=z(m.statuses,m.statusesObject,t)),n&&s?z(m.visibleStatuses,m.visibleStatusesObject,t):n&&a&&u.new&&(m.newStatusCount+=1),t},b=function(e,t){var s=(0,w.default)(d,{id:(0,C.default)(e.in_reply_to_status_id)});return s&&(s.fave_num+=1,e.user.id===l.id&&(s.favorited=!0)),s},k={status:function(e){g(e,i)},retweet:function e(t){var s=g(t.retweeted_status,!1,!1),e=void 0;e=n&&(0,w.default)(m.statuses,function(e){return e.retweeted_status?e.id===s.id||e.retweeted_status.id===s.id:e.id===s.id})?g(t,!1,!1):g(t,i),e.retweeted_status=s},favorite:function(t){e.favorites.has(t.id)||(e.favorites.add(t.id),b(t))},deletion:function(t){var s=t.uri,a=(0,w.default)(d,{uri:s});a&&((0,j.default)(e.notifications.data,function(e){var t=e.action.id;return t===a.id}),(0,j.default)(d,{uri:s}),n&&((0,j.default)(m.statuses,{uri:s}),(0,j.default)(m.visibleStatuses,{uri:s})))},default:function(e){console.log("unknown status type"),console.log(e)}};(0,y.default)(s,function(e){var t=M(e),s=k[t]||k.default;s(e)}),n&&(B(m),(_||m.minVisibleId<=0)&&s.length>0&&(m.minVisibleId=(0,f.default)(s,"id").id))},D=function(e,t){var s=t.dispatch,a=t.notifications,i=t.older,n=e.allStatuses,o=e.allStatusesObject;(0,y.default)(a,function(t){var a=z(n,o,t.notice),r=a.item;if(!(0,w.default)(e.notifications.data,function(e){return e.action.id===r.id})){e.notifications.maxId=Math.max(t.id,e.notifications.maxId),e.notifications.minId=Math.min(t.id,e.notifications.minId);var l=!i&&!t.is_seen&&t.id>e.notifications.maxSavedId,u="like"===t.ntype?(0,w.default)(n,{id:r.in_reply_to_status_id}):r,c={type:t.ntype,status:u,action:r,seen:!l};if("like"===t.ntype&&!u){var d=e.notifications.brokenFavorites[r.in_reply_to_status_id];d?d.push(c):(s("fetchOldPost",{postId:r.in_reply_to_status_id}),d=[c],e.notifications.brokenFavorites[r.in_reply_to_status_id]=d)}if(e.notifications.data.push(c),"Notification"in window&&"granted"===window.Notification.permission){var p=r.user.name,f={};if(f.icon=r.user.profile_image_url,f.body=r.text,r.attachments&&r.attachments.length>0&&!r.nsfw&&r.attachments[0].mimetype.startsWith("image/")&&(f.image=r.attachments[0].url),l&&!e.notifications.desktopNotificationSilence){var m=new window.Notification(p,f);setTimeout(m.close.bind(m),5e3)}}}})},H=t.mutations={addNewStatuses:V,addNewNotifications:D,showNewStatuses:function(e,t){var s=t.timeline,a=e.timelines[s];a.newStatusCount=0,a.visibleStatuses=(0,$.default)(a.statuses,0,50),a.minVisibleId=(0,u.default)(a.visibleStatuses).id,a.visibleStatusesObject={},(0,y.default)(a.visibleStatuses,function(e){a.visibleStatusesObject[e.id]=e})},clearTimeline:function(e,t){var s=t.timeline;e.timelines[s]=O()},setFavorited:function(e,t){var s=t.status,a=t.value,i=e.allStatusesObject[s.id];i.favorited=a},setRetweeted:function(e,t){var s=t.status,a=t.value,i=e.allStatusesObject[s.id];i.repeated=a},setDeleted:function(e,t){var s=t.status,a=e.allStatusesObject[s.id];a.deleted=!0},setLoading:function(e,t){var s=t.timeline,a=t.value;e.timelines[s].loading=a},setNsfw:function(e,t){var s=t.id,a=t.nsfw,i=e.allStatusesObject[s];i.nsfw=a},setError:function(e,t){var s=t.value;e.error=s},setNotificationsError:function(e,t){var s=t.value;e.notifications.error=s},setNotificationsSilence:function(e,t){var s=t.value;e.notifications.desktopNotificationSilence=s},setProfileView:function(e,t){var s=t.v;e.timelines.user.viewing=s},addFriends:function(e,t){var s=t.friends;e.timelines.user.friends=s},addFollowers:function(e,t){var s=t.followers;e.timelines.user.followers=s},markNotificationsAsSeen:function(e,t){(0,I.set)(e.notifications,"maxSavedId",e.notifications.maxId),(0,y.default)(t,function(e){e.seen=!0})},queueFlush:function(e,t){var s=t.timeline,a=t.id;e.timelines[s].flushMarker=a}},W={state:T,actions:{addNewStatuses:function(e,t){var s=e.rootState,a=e.commit,i=t.statuses,n=t.showImmediately,o=void 0!==n&&n,r=t.timeline,l=void 0!==r&&r,u=t.noIdUpdate,c=void 0!==u&&u;a("addNewStatuses",{statuses:i,showImmediately:o,timeline:l,noIdUpdate:c,user:s.users.currentUser})},addNewNotifications:function(e,t){var s=(e.rootState,e.commit),a=e.dispatch,i=t.notifications,n=t.older;s("addNewNotifications",{dispatch:a,notifications:i,older:n})},setError:function(e,t){var s=(e.rootState,e.commit),a=t.value;s("setError",{value:a})},setNotificationsError:function(e,t){var s=(e.rootState,e.commit),a=t.value;s("setNotificationsError",{value:a})},setNotificationsSilence:function(e,t){var s=(e.rootState,e.commit),a=t.value;s("setNotificationsSilence",{value:a})},addFriends:function(e,t){var s=(e.rootState,e.commit),a=t.friends;s("addFriends",{friends:a})},addFollowers:function(e,t){var s=(e.rootState,e.commit),a=t.followers;s("addFollowers",{followers:a})},deleteStatus:function(e,t){var s=e.rootState,a=e.commit;a("setDeleted",{status:t}),F.default.deleteStatus({id:t.id,credentials:s.users.currentUser.credentials})},favorite:function(e,t){var s=e.rootState,a=e.commit;a("setFavorited",{status:t,value:!0}),F.default.favorite({id:t.id,credentials:s.users.currentUser.credentials})},unfavorite:function(e,t){var s=e.rootState,a=e.commit;a("setFavorited",{status:t,value:!1}),F.default.unfavorite({id:t.id,credentials:s.users.currentUser.credentials})},retweet:function(e,t){var s=e.rootState,a=e.commit;a("setRetweeted",{status:t,value:!0}),F.default.retweet({id:t.id,credentials:s.users.currentUser.credentials})},unretweet:function(e,t){var s=e.rootState,a=e.commit;a("setRetweeted",{status:t,value:!1}),F.default.unretweet({id:t.id,credentials:s.users.currentUser.credentials})},queueFlush:function(e,t){var s=(e.rootState,e.commit),a=t.timeline,i=t.id;s("queueFlush",{timeline:a,id:i})}},mutations:H};t.default=W},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(23),n=a(i),o=s(108),r=a(o),l=function(e){var t=function(t){var s=t.id;return n.default.fetchStatus({id:s,credentials:e})},s=function(t){var s=t.id;return n.default.fetchConversation({id:s,credentials:e})},a=function(t){var s=t.id;return n.default.fetchFriends({id:s,credentials:e})},i=function(t){var s=t.id;return n.default.fetchFollowers({id:s,credentials:e})},o=function(t){var s=t.username;return n.default.fetchAllFollowing({username:s,credentials:e})},l=function(t){var s=t.id;return n.default.fetchUser({id:s,credentials:e})},u=function(t){return n.default.followUser({credentials:e,id:t})},c=function(t){return n.default.unfollowUser({credentials:e,id:t})},d=function(t){return n.default.blockUser({credentials:e,id:t})},p=function(t){return n.default.unblockUser({credentials:e,id:t})},f=function(t){return n.default.approveUser({credentials:e,id:t})},m=function(t){return n.default.denyUser({credentials:e,id:t})},h=function(t){var s=t.timeline,a=t.store,i=t.userId,n=void 0!==i&&i;return r.default.startFetching({timeline:s,store:a,credentials:e,userId:n})},v=function(t){var s=t.store,a=t.postId;return r.default.fetchAndUpdate({store:s,credentials:e,timeline:"own",older:!0,until:a+1})},_=function(t){var s=t.id,a=t.muted,i=void 0===a||a;return n.default.setUserMute({id:s,muted:i,credentials:e})},g=function(){return n.default.fetchMutes({credentials:e})},w=function(){return n.default.fetchFollowRequests({credentials:e})},b=function(e){return n.default.register(e)},y=function(t){var s=t.params;return n.default.updateAvatar({credentials:e,params:s})},k=function(t){var s=t.params;return n.default.updateBg({credentials:e,params:s})},C=function(t){var s=t.params;return n.default.updateBanner({credentials:e,params:s})},x=function(t){var s=t.params;return n.default.updateProfile({credentials:e,params:s})},S=function(t){return n.default.externalProfile({profileUrl:t,credentials:e})},L=function(t){var s=t.params;return n.default.followImport({params:s,credentials:e})},$=function(t){var s=t.password;return n.default.deleteAccount({credentials:e,password:s})},P=function(t){var s=t.password,a=t.newPassword,i=t.newPasswordConfirmation;return n.default.changePassword({credentials:e,password:s,newPassword:a,newPasswordConfirmation:i})},j={fetchStatus:t,fetchConversation:s,fetchFriends:a,fetchFollowers:i,followUser:u,unfollowUser:c,blockUser:d,unblockUser:p,fetchUser:l,fetchAllFollowing:o,verifyCredentials:n.default.verifyCredentials,startFetching:h,fetchOldPost:v,setUserMute:_,fetchMutes:g,register:b,updateAvatar:y,updateBg:k,updateBanner:C,updateProfile:x,externalProfile:S,followImport:L,deleteAccount:$,changePassword:P,fetchFollowRequests:w,approveUser:f,denyUser:m};return j};t.default=l},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s=function(e){var t="unknown";return e.match(/text\/html/)&&(t="html"),e.match(/image/)&&(t="image"),e.match(/video\/(webm|mp4)/)&&(t="video"),e.match(/audio|ogg/)&&(t="audio"),t},a={fileType:s};t.default=a},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(28),n=a(i),o=s(23),r=a(o),l=function(e){var t=e.store,s=e.status,a=e.spoilerText,i=e.visibility,o=e.sensitive,l=e.media,u=void 0===l?[]:l,c=e.inReplyToStatusId,d=void 0===c?void 0:c,p=(0,n.default)(u,"id");return r.default.postStatus({credentials:t.state.users.currentUser.credentials,status:s,spoilerText:a,visibility:i,sensitive:o,mediaIds:p,inReplyToStatusId:d}).then(function(e){return e.json()}).then(function(e){return e.error||t.dispatch("addNewStatuses",{statuses:[e],timeline:"friends",showImmediately:!0,noIdUpdate:!0}),e}).catch(function(e){return{error:e.message}})},u=function(e){var t=e.store,s=e.formData,a=t.state.users.currentUser.credentials;return r.default.uploadMedia({credentials:a,formData:s}).then(function(e){var t=e.getElementsByTagName("link");0===t.length&&(t=e.getElementsByTagName("atom:link")),t=t[0];var s={id:e.getElementsByTagName("media_id")[0].textContent,url:e.getElementsByTagName("media_url")[0].textContent,image:t.getAttribute("href"),mimetype:t.getAttribute("type")};return s})},c={postStatus:l,uploadMedia:u};t.default=c},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(435),n=a(i),o=s(23),r=a(o),l=function(e){var t=e.store,s=e.statuses,a=e.timeline,i=e.showImmediately,o=(0,n.default)(a);t.dispatch("setError",{value:!1}),t.dispatch("addNewStatuses",{timeline:o,statuses:s,showImmediately:i})},u=function(e){var t=e.store,s=e.credentials,a=e.timeline,i=void 0===a?"friends":a,o=e.older,u=void 0!==o&&o,c=e.showImmediately,d=void 0!==c&&c,p=e.userId,f=void 0!==p&&p,m=e.tag,h=void 0!==m&&m,v=e.until,_={timeline:i,credentials:s},g=t.rootState||t.state,w=g.statuses.timelines[(0,n.default)(i)];return u?_.until=v||w.minVisibleId:_.since=w.maxId,_.userId=f,_.tag=h,r.default.fetchTimeline(_).then(function(e){!u&&e.length>=20&&!w.loading&&t.dispatch("queueFlush",{timeline:i,id:w.maxId}),l({store:t,statuses:e,timeline:i,showImmediately:d})},function(){return t.dispatch("setError",{value:!0})})},c=function(e){var t=e.timeline,s=void 0===t?"friends":t,a=e.credentials,i=e.store,o=e.userId,r=void 0!==o&&o,l=e.tag,c=void 0!==l&&l,d=i.rootState||i.state,p=d.statuses.timelines[(0,n.default)(s)],f=0===p.visibleStatuses.length;u({timeline:s,credentials:a,store:i,showImmediately:f,userId:r,tag:c});var m=function(){return u({timeline:s,credentials:a,store:i,userId:r,tag:c})};return setInterval(m,1e4)},d={fetchAndUpdate:u,startFetching:c};t.default=d},function(e,t,s){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.highlightStyle=t.highlightClass=void 0;var a=s(47),i=function(e){if(void 0!==e){var t=e.color,s=e.type;if("string"==typeof t){var i=(0,a.hex2rgb)(t);if(null!=i){var n="rgb("+Math.floor(i.r)+", "+Math.floor(i.g)+", "+Math.floor(i.b)+")",o="rgba("+Math.floor(i.r)+", "+Math.floor(i.g)+", "+Math.floor(i.b)+", .1)",r="rgba("+Math.floor(i.r)+", "+Math.floor(i.g)+", "+Math.floor(i.b)+", .2)";return"striped"===s?{backgroundImage:["repeating-linear-gradient(-45deg,",o+" ,",o+" 20px,",r+" 20px,",r+" 40px"].join(" "),backgroundPosition:"0 0"}:"solid"===s?{backgroundColor:r}:"side"===s?{backgroundImage:["linear-gradient(to right,",n+" ,",n+" 2px,","transparent 6px"].join(" "),backgroundPosition:"0 0"}:void 0}}}},n=function(e){return"USER____"+e.screen_name.replace(/\./g,"_").replace(/@/g,"_AT_")};t.highlightClass=n,t.highlightStyle=i},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,s){var a=s(1)(s(187),s(529),null,null);e.exports=a.exports},function(e,t,s){s(299);var a=s(1)(s(199),s(536),null,null);e.exports=a.exports},function(e,t,s){s(305);var a=s(1)(s(208),s(543),null,null);e.exports=a.exports},function(e,t,s){s(303);var a=s(1)(s(211),s(541),null,null);e.exports=a.exports},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}function i(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.key,s=void 0===t?"vuex-lz":t,a=e.paths,i=void 0===a?[]:a,n=e.getState,r=void 0===n?function(e,t){var s=t.getItem(e);return s}:n,u=e.setState,d=void 0===u?(0,c.default)(b,6e4):u,f=e.reducer,m=void 0===f?g:f,h=e.storage,v=void 0===h?w:h,y=e.subscriber,k=void 0===y?function(e){return function(t){return e.subscribe(t)}}:y;return function(e){r(s,v).then(function(t){try{if("object"===("undefined"==typeof t?"undefined":(0,o.default)(t))){var s=t.users||{};s.usersObject={};var a=s.users||[];(0,l.default)(a,function(e){s.usersObject[e.id]=e}),t.users=s,e.replaceState((0,p.default)({},e.state,t))}e.state.config.customTheme&&(window.themeLoaded=!0,e.dispatch("setOption",{name:"customTheme",value:e.state.config.customTheme})),e.state.users.lastLoginName&&e.dispatch("loginUser",{username:e.state.users.lastLoginName,password:"xxx"}),_=!0}catch(e){console.log("Couldn't load state"),_=!0}}),k(e)(function(e,t){try{d(s,m(t,i),v)}catch(e){console.log("Couldn't persist state:"),console.log(e)}})}}Object.defineProperty(t,"__esModule",{value:!0});var n=s(228),o=a(n),r=s(63),l=a(r),u=s(463),c=a(u);t.default=i;var d=s(320),p=a(d),f=s(472),m=a(f),h=s(309),v=a(h),_=!1,g=function(e,t){return 0===t.length?e:t.reduce(function(t,s){return m.default.set(t,s,m.default.get(e,s)),t},{})},w=function(){return v.default}(),b=function(e,t,s){return _?s.setItem(e,t):void console.log("waiting for old state to be loaded...")}},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(3),n=a(i),o=s(105),r=a(o),l=s(473),u={state:{backendInteractor:(0,r.default)(),fetchers:{},socket:null,chatDisabled:!1,followRequests:[]},mutations:{setBackendInteractor:function(e,t){e.backendInteractor=t},addFetcher:function(e,t){var s=t.timeline,a=t.fetcher;e.fetchers[s]=a},removeFetcher:function(e,t){var s=t.timeline;delete e.fetchers[s]},setSocket:function(e,t){e.socket=t},setChatDisabled:function(e,t){e.chatDisabled=t},setFollowRequests:function(e,t){e.followRequests=t}},actions:{startFetching:function(e,t){var s=!1;if((0,n.default)(t)&&(s=t[1],t=t[0]),!e.state.fetchers[t]){var a=e.state.backendInteractor.startFetching({timeline:t,store:e,userId:s});e.commit("addFetcher",{timeline:t,fetcher:a})}},fetchOldPost:function(e,t){var s=t.postId;e.state.backendInteractor.fetchOldPost({store:e,postId:s})},stopFetching:function(e,t){var s=e.state.fetchers[t];window.clearInterval(s),e.commit("removeFetcher",{timeline:t})},initializeSocket:function(e,t){if(!e.state.chatDisabled){var s=new l.Socket("/socket",{params:{token:t}});s.connect(),e.dispatch("initializeChat",s)}},disableChat:function(e){e.commit("setChatDisabled",!0)},removeFollowRequest:function(e,t){var s=e.state.followRequests.filter(function(e){return e!==t});e.commit("setFollowRequests",s)}}};t.default=u},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={state:{messages:[],channel:{state:""}},mutations:{setChannel:function(e,t){e.channel=t},addMessage:function(e,t){e.messages.push(t),e.messages=e.messages.slice(-19,20)},setMessages:function(e,t){e.messages=t.slice(-19,20)}},actions:{initializeChat:function(e,t){var s=t.channel("chat:public");s.on("new_msg",function(t){e.commit("addMessage",t)}),s.on("messages",function(t){var s=t.messages;e.commit("setMessages",s)}),s.join(),e.commit("setChannel",s)}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(68),n=s(181),o=a(n),r=(window.navigator.language||"en").split("-")[0],l={name:"Pleroma FE",colors:{},collapseMessageWithSubject:!1,hideAttachments:!1,hideAttachmentsInConv:!1,hideNsfw:!0,loopVideo:!0,loopVideoSilentOnly:!0,autoLoad:!0,streaming:!1,hoverPreview:!0,pauseOnUnfocused:!0,stopGifs:!1,replyVisibility:"all",muteWords:[],highlight:{},interfaceLanguage:r},u={state:l,mutations:{setOption:function(e,t){var s=t.name,a=t.value;(0,i.set)(e,s,a)},setHighlight:function(e,t){var s=t.user,a=t.color,n=t.type,o=this.state.config.highlight[s];a||n?(0,i.set)(e.highlight,s,{color:a||o.color,type:n||o.type}):(0,i.delete)(e.highlight,s)}},actions:{setPageTitle:function(e){var t=e.state,s=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";document.title=s+" "+t.name},setHighlight:function(e,t){var s=e.commit,a=(e.dispatch,t.user),i=t.color,n=t.type;s("setHighlight",{user:a,color:i,type:n})},setOption:function(e,t){var s=e.commit,a=e.dispatch,i=t.name,n=t.value;switch(s("setOption",{name:i,value:n}),i){case"name":a("setPageTitle");break;case"theme":o.default.setPreset(n,s);break;case"customTheme":o.default.setColors(n,s)}}}};t.default=u},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.defaultState=t.mutations=t.mergeOrAdd=void 0;var i=s(223),n=a(i),o=s(167),r=a(o),l=s(63),u=a(l),c=s(28),d=a(c),p=s(437),f=a(p),m=s(105),h=a(m),v=s(68),_=t.mergeOrAdd=function(e,t,s){if(!s)return!1;var a=t[s.id];return a?((0,r.default)(a,s),{item:a,new:!1}):(e.push(s),t[s.id]=s,{item:s,new:!0})},g=t.mutations={setMuted:function(e,t){var s=t.user.id,a=t.muted,i=e.usersObject[s];(0,v.set)(i,"muted",a)},setCurrentUser:function(e,t){e.lastLoginName=t.screen_name,e.currentUser=(0,r.default)(e.currentUser||{},t)},clearCurrentUser:function(e){e.currentUser=!1,e.lastLoginName=!1},beginLogin:function(e){e.loggingIn=!0},endLogin:function(e){e.loggingIn=!1},addNewUsers:function(e,t){(0,u.default)(t,function(t){return _(e.users,e.usersObject,t)})},setUserForStatus:function(e,t){t.user=e.usersObject[t.user.id]},setColor:function(e,t){var s=t.user.id,a=t.highlighted,i=e.usersObject[s];(0,v.set)(i,"highlight",a)}},w=t.defaultState={lastLoginName:!1,currentUser:!1,loggingIn:!1,users:[],usersObject:{}},b={state:w,mutations:g,actions:{fetchUser:function(e,t){e.rootState.api.backendInteractor.fetchUser({id:t}).then(function(t){return e.commit("addNewUsers",t)})},addNewStatuses:function(e,t){var s=t.statuses,a=(0,d.default)(s,"user"),i=(0,f.default)((0,d.default)(s,"retweeted_status.user"));e.commit("addNewUsers",a),e.commit("addNewUsers",i),(0,u.default)(s,function(t){e.commit("setUserForStatus",t)}),(0,u.default)((0,f.default)((0,d.default)(s,"retweeted_status")),function(t){e.commit("setUserForStatus",t)})},logout:function(e){e.commit("clearCurrentUser"),e.dispatch("stopFetching","friends"),e.commit("setBackendInteractor",(0,h.default)())},loginUser:function(e,t){return new n.default(function(s,a){var i=e.commit;i("beginLogin"),e.rootState.api.backendInteractor.verifyCredentials(t).then(function(n){n.ok?n.json().then(function(s){s.credentials=t,i("setCurrentUser",s),i("addNewUsers",[s]),i("setBackendInteractor",(0,h.default)(t)),s.token&&e.dispatch("initializeSocket",s.token),e.dispatch("startFetching","friends"),e.dispatch("startFetching",["own",s.id]),e.rootState.api.backendInteractor.fetchMutes().then(function(t){(0,u.default)(t,function(e){e.muted=!0}),e.commit("addNewUsers",t)}),"Notification"in window&&"default"===window.Notification.permission&&window.Notification.requestPermission(),e.rootState.api.backendInteractor.fetchFriends().then(function(e){return i("addNewUsers",e)})}):(i("endLogin"),a(401===n.status?"Wrong username or password":"An error occurred, please try again")),i("endLogin"),s()}).catch(function(e){console.log(e),i("endLogin"),a("Failed to connect to server, try again")})})}}};t.default=b},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.splitIntoWords=t.addPositionToWords=t.wordAtPosition=t.replaceWord=void 0;var i=s(64),n=a(i),o=s(168),r=a(o),l=t.replaceWord=function(e,t,s){return e.slice(0,t.start)+s+e.slice(t.end)},u=t.wordAtPosition=function(e,t){var s=d(e),a=c(s);return(0,n.default)(a,function(e){var s=e.start,a=e.end;return s<=t&&a>t})},c=t.addPositionToWords=function(e){return(0,r.default)(e,function(e,t){var s={word:t,start:0,end:t.length};if(e.length>0){var a=e.pop();s.start+=a.end,s.end+=a.end,e.push(a)}return e.push(s),e},[])},d=t.splitIntoWords=function(e){var t=/\b/,s=/[@#:]+$/,a=e.split(t),i=(0,r.default)(a,function(e,t){if(e.length>0){var a=e.pop(),i=a.match(s);i&&(a=a.replace(s,""),t=i[0]+t),e.push(a)}return e.push(t),e},[]);return i},p={wordAtPosition:u,addPositionToWords:c,splitIntoWords:d,replaceWord:l};t.default=p},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(23),n=a(i),o=function(e){var t=e.store,s=e.notifications,a=e.older;t.dispatch("setNotificationsError",{value:!1}),t.dispatch("addNewNotifications",{notifications:s,older:a})},r=function(e){var t=e.store,s=e.credentials,a=e.older,i=void 0!==a&&a,r={credentials:s},l=t.rootState||t.state,u=l.statuses.notifications;return i?u.minId!==Number.POSITIVE_INFINITY&&(r.until=u.minId):r.since=u.maxId,r.timeline="notifications",n.default.fetchTimeline(r).then(function(e){o({store:t,notifications:e,older:i})},function(){return t.dispatch("setNotificationsError",{value:!0})}).catch(function(){return t.dispatch("setNotificationsError",{value:!0})})},l=function(e){var t=e.credentials,s=e.store;r({credentials:t,store:s});var a=function(){return r({credentials:t,store:s})};return setTimeout(function(){return s.dispatch("setNotificationsSilence",!1)},1e4),setInterval(a,1e4)},u={fetchAndUpdate:r,startFetching:l};t.default=u},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(112),n=a(i),o=s(221),r=a(o),l=s(464),u=a(l),c=s(47),d=function(e,t){var s=document.head,a=document.body;a.style.display="none";var i=document.createElement("link");i.setAttribute("rel","stylesheet"),i.setAttribute("href",e),s.appendChild(i);var n=function(){var e=document.createElement("div");a.appendChild(e);var i={};(0,u.default)(16,function(t){var s="base0"+t.toString(16).toUpperCase();e.setAttribute("class",s);var a=window.getComputedStyle(e).getPropertyValue("color");i[s]=a}),t("setOption",{name:"colors",value:i}),a.removeChild(e);var n=document.createElement("style");s.appendChild(n),a.style.display="initial"};i.addEventListener("load",n)},p=function(e,t){var s=document.head,a=document.body;a.style.display="none";var i=document.createElement("style");s.appendChild(i);var o=i.sheet,l=e.text.r+e.text.g+e.text.b>e.bg.r+e.bg.g+e.bg.b,u={},d={},p=l?-10:10;u.bg=(0,c.rgb2hex)(e.bg.r,e.bg.g,e.bg.b),u.lightBg=(0,c.rgb2hex)((e.bg.r+e.fg.r)/2,(e.bg.g+e.fg.g)/2,(e.bg.b+e.fg.b)/2),u.btn=(0,c.rgb2hex)(e.fg.r,e.fg.g,e.fg.b),u.input="rgba("+e.fg.r+", "+e.fg.g+", "+e.fg.b+", .5)",u.border=(0,c.rgb2hex)(e.fg.r-p,e.fg.g-p,e.fg.b-p),u.faint="rgba("+e.text.r+", "+e.text.g+", "+e.text.b+", .5)",u.fg=(0,c.rgb2hex)(e.text.r,e.text.g,e.text.b),u.lightFg=(0,c.rgb2hex)(e.text.r-5*p,e.text.g-5*p,e.text.b-5*p),u.base07=(0,c.rgb2hex)(e.text.r-2*p,e.text.g-2*p,e.text.b-2*p),u.link=(0,c.rgb2hex)(e.link.r,e.link.g,e.link.b),u.icon=(0,c.rgb2hex)((e.bg.r+e.text.r)/2,(e.bg.g+e.text.g)/2,(e.bg.b+e.text.b)/2), +u.cBlue=e.cBlue&&(0,c.rgb2hex)(e.cBlue.r,e.cBlue.g,e.cBlue.b),u.cRed=e.cRed&&(0,c.rgb2hex)(e.cRed.r,e.cRed.g,e.cRed.b),u.cGreen=e.cGreen&&(0,c.rgb2hex)(e.cGreen.r,e.cGreen.g,e.cGreen.b),u.cOrange=e.cOrange&&(0,c.rgb2hex)(e.cOrange.r,e.cOrange.g,e.cOrange.b),u.cAlertRed=e.cRed&&"rgba("+e.cRed.r+", "+e.cRed.g+", "+e.cRed.b+", .5)",d.btnRadius=e.btnRadius,d.inputRadius=e.inputRadius,d.panelRadius=e.panelRadius,d.avatarRadius=e.avatarRadius,d.avatarAltRadius=e.avatarAltRadius,d.tooltipRadius=e.tooltipRadius,d.attachmentRadius=e.attachmentRadius,o.toString(),o.insertRule("body { "+(0,r.default)(u).filter(function(e){var t=(0,n.default)(e,2),s=(t[0],t[1]);return s}).map(function(e){var t=(0,n.default)(e,2),s=t[0],a=t[1];return"--"+s+": "+a}).join(";")+" }","index-max"),o.insertRule("body { "+(0,r.default)(d).filter(function(e){var t=(0,n.default)(e,2),s=(t[0],t[1]);return s}).map(function(e){var t=(0,n.default)(e,2),s=t[0],a=t[1];return"--"+s+": "+a+"px"}).join(";")+" }","index-max"),a.style.display="initial",t("setOption",{name:"colors",value:u}),t("setOption",{name:"radii",value:d}),t("setOption",{name:"customTheme",value:e})},f=function(e,t){window.fetch("/static/styles.json").then(function(e){return e.json()}).then(function(s){var a=s[e]?s[e]:s["pleroma-dark"],i=(0,c.hex2rgb)(a[1]),n=(0,c.hex2rgb)(a[2]),o=(0,c.hex2rgb)(a[3]),r=(0,c.hex2rgb)(a[4]),l=(0,c.hex2rgb)(a[5]||"#FF0000"),u=(0,c.hex2rgb)(a[6]||"#00FF00"),d=(0,c.hex2rgb)(a[7]||"#0000FF"),f=(0,c.hex2rgb)(a[8]||"#E3FF00"),m={bg:i,fg:n,text:o,link:r,cRed:l,cBlue:d,cGreen:u,cOrange:f};window.themeLoaded||p(m,t)})},m={setStyle:d,setPreset:f,setColors:p};t.default=m},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(111),n=a(i),o=s(28),r=a(o),l=s(103),u=a(l),c=s(306),d=a(c);t.default={computed:{languageCodes:function(){return(0,n.default)(u.default)},languageNames:function(){return(0,r.default)(this.languageCodes,d.default.getName)},language:{get:function(){return this.$store.state.config.interfaceLanguage},set:function(e){this.$store.dispatch("setOption",{name:"interfaceLanguage",value:e}),this.$i18n.locale=e}}}}},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(504),n=a(i),o=s(493),r=a(o),l=s(495),u=a(l),c=s(503),d=a(c),p=s(507),f=a(p),m=s(488),h=a(m),v=s(482),_=a(v);t.default={name:"app",components:{UserPanel:n.default,NavPanel:r.default,Notifications:u.default,UserFinder:d.default,WhoToFollowPanel:f.default,InstanceSpecificPanel:h.default,ChatPanel:_.default},data:function(){return{mobileActivePanel:"timeline"}},created:function(){this.$i18n.locale=this.$store.state.config.interfaceLanguage},computed:{currentUser:function(){return this.$store.state.users.currentUser},background:function(){return this.currentUser.background_image||this.$store.state.config.background},logoStyle:function(){return{"background-image":"url("+this.$store.state.config.logo+")"}},style:function(){return{"background-image":"url("+this.background+")"}},sitename:function(){return this.$store.state.config.name},chat:function(){return"joined"===this.$store.state.chat.channel.state},suggestionsEnabled:function(){return this.$store.state.config.suggestionsEnabled},showInstanceSpecificPanel:function(){return this.$store.state.config.showInstanceSpecificPanel}},methods:{activatePanel:function(e){this.mobileActivePanel=e},scrollToTop:function(){window.scrollTo(0,0)},logout:function(){this.$store.dispatch("logout")}}}},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(67),n=a(i),o=s(477),r=a(o),l=s(106),u=a(l),c={props:["attachment","nsfw","statusId","size"],data:function(){return{nsfwImage:r.default,hideNsfwLocal:this.$store.state.config.hideNsfw,loopVideo:this.$store.state.config.loopVideo,showHidden:!1,loading:!1,img:"image"===this.type&&document.createElement("img")}},components:{StillImage:n.default},computed:{type:function(){return u.default.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"html"===u.default.fileType(this.attachment.mimetype)}},methods:{linkClicked:function(e){var t=e.target;"A"===t.tagName&&window.open(t.href,"_blank")},toggleHidden:function(){var e=this;this.img?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},onVideoDataLoad:function(e){"undefined"!=typeof e.srcElement.webkitAudioDecodedByteCount?e.srcElement.webkitAudioDecodedByteCount>0&&(this.loopVideo=this.loopVideo&&!this.$store.state.config.loopVideoSilentOnly):"undefined"!=typeof e.srcElement.mozHasAudio?e.srcElement.mozHasAudio&&(this.loopVideo=this.loopVideo&&!this.$store.state.config.loopVideoSilentOnly):"undefined"!=typeof e.srcElement.audioTracks&&e.srcElement.audioTracks.length>0&&(this.loopVideo=this.loopVideo&&!this.$store.state.config.loopVideoSilentOnly)}}};t.default=c},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={data:function(){return{currentMessage:"",channel:null,collapsed:!0}},computed:{messages:function(){return this.$store.state.chat.messages}},methods:{submit:function(e){this.$store.state.chat.channel.push("new_msg",{text:e},1e4),this.currentMessage=""},togglePanel:function(){this.collapsed=!this.collapsed}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(22),n=a(i),o=s(64),r=a(o),l=s(170),u=a(l),c={components:{Conversation:u.default},computed:{statusoid:function(){var e=(0,n.default)(this.$route.params.id),t=this.$store.state.statuses.allStatuses,s=(0,r.default)(t,{id:e});return s}}};t.default=c},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(101),n=a(i),o=s(43),r=a(o),l=s(168),u=a(l),c=s(104),d=s(66),p=a(d),f=function(e){return e=(0,r.default)(e,function(e){return"retweet"!==(0,c.statusType)(e)}),(0,n.default)(e,"id")},m={data:function(){return{highlight:null}},props:["statusoid","collapsable"],computed:{status:function(){return this.statusoid},conversation:function e(){if(!this.status)return!1;var t=this.status.statusnet_conversation_id,s=this.$store.state.statuses.allStatuses,e=(0,r.default)(s,{statusnet_conversation_id:t});return f(e)},replies:function(){var e=1;return(0,u.default)(this.conversation,function(t,s){var a=s.id,i=s.in_reply_to_status_id,n=Number(i);return n&&(t[n]=t[n]||[],t[n].push({name:"#"+e,id:a})),e++,t},{})}},components:{Status:p.default},created:function(){this.fetchConversation()},watch:{$route:"fetchConversation"},methods:{fetchConversation:function(){var e=this;if(this.status){var t=this.status.statusnet_conversation_id;this.$store.state.api.backendInteractor.fetchConversation({id:t}).then(function(t){return e.$store.dispatch("addNewStatuses",{statuses:t})}).then(function(){return e.setHighlight(e.statusoid.id)})}else{var s=this.$route.params.id;this.$store.state.api.backendInteractor.fetchStatus({id:s}).then(function(t){return e.$store.dispatch("addNewStatuses",{statuses:[t]})}).then(function(){return e.fetchConversation()})}},getReplies:function(e){return e=Number(e),this.replies[e]||[]},focused:function(e){return this.statusoid.retweeted_status?e===this.statusoid.retweeted_status.id:e===this.statusoid.id},setHighlight:function(e){this.highlight=Number(e)}}};t.default=m},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={props:["status"],methods:{deleteStatus:function(){var e=window.confirm("Do you really want to delete this status?");e&&this.$store.dispatch("deleteStatus",{id:this.status.id})}},computed:{currentUser:function(){return this.$store.state.users.currentUser},canDelete:function(){return this.currentUser&&this.currentUser.rights.delete_others_notice||this.status.user.id===this.currentUser.id}}};t.default=s},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={props:["status","loggedIn"],data:function(){return{animated:!1}},methods:{favorite:function(){var e=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(){e.animated=!1},500)}},computed:{classes:function(){return{"icon-star-empty":!this.status.favorited,"icon-star":this.status.favorited,"animate-spin":this.animated}}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(173),n=a(i),o={components:{UserCard:n.default},created:function(){this.updateRequests()},computed:{requests:function(){return this.$store.state.api.followRequests}},methods:{updateRequests:function(){var e=this;this.$store.state.api.backendInteractor.fetchFollowRequests().then(function(t){e.$store.commit("setFollowRequests",t)})}}};t.default=o},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(30),n=a(i),o={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.friends}}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={computed:{instanceSpecificPanelContent:function(){return this.$store.state.config.instanceSpecificPanelContent}}};t.default=s},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={data:function(){return{user:{},authError:!1}},computed:{loggingIn:function(){return this.$store.state.users.loggingIn},registrationOpen:function(){return this.$store.state.config.registrationOpen}},methods:{submit:function(){var e=this;this.$store.dispatch("loginUser",this.user).then(function(){},function(t){e.authError=t,e.user.username="",e.user.password=""})}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(107),n=a(i),o={mounted:function(){var e=this,t=this.$el.querySelector("input");t.addEventListener("change",function(t){var s=t.target,a=s.files[0];e.uploadFile(a)})},data:function(){return{uploading:!1}},methods:{uploadFile:function(e){var t=this,s=this.$store,a=new FormData;a.append("media",e),t.$emit("uploading"),t.uploading=!0,n.default.uploadMedia({store:s,formData:a}).then(function(e){t.$emit("uploaded",e),t.uploading=!1},function(e){t.$emit("upload-failed"),t.uploading=!1})},fileDrop:function(e){e.dataTransfer.files.length>0&&(e.preventDefault(),this.uploadFile(e.dataTransfer.files[0]))},fileDrag:function(e){var t=e.dataTransfer.types;t.contains("Files")?e.dataTransfer.dropEffect="copy":e.dataTransfer.dropEffect="none"}},props:["dropFiles"],watch:{dropFiles:function(e){this.uploading||this.uploadFile(e[0])}}};t.default=o},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(30),n=a(i),o={computed:{timeline:function(){return this.$store.state.statuses.timelines.mentions}},components:{Timeline:n.default}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={computed:{currentUser:function(){return this.$store.state.users.currentUser},chat:function(){return this.$store.state.chat.channel}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(66),n=a(i),o=s(67),r=a(o),l=s(46),u=a(l),c=s(109),d={data:function(){return{userExpanded:!1}},props:["notification"],components:{Status:n.default,StillImage:r.default,UserCardContent:u.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded}},computed:{userClass:function(){return(0,c.highlightClass)(this.notification.action.user)},userStyle:function(){var e=this.$store.state.config.highlight,t=this.notification.action.user;return(0,c.highlightStyle)(e[t.screen_name])}}};t.default=d},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(43),n=a(i),o=s(101),r=a(o),l=s(494),u=a(l),c=s(180),d=a(c),p={created:function(){var e=this.$store,t=e.state.users.currentUser.credentials;d.default.startFetching({store:e,credentials:t})},computed:{notifications:function(){return this.$store.state.statuses.notifications.data},error:function(){return this.$store.state.statuses.notifications.error},unseenNotifications:function(){return(0,n.default)(this.notifications,function(e){var t=e.seen;return!t})},visibleNotifications:function(){var e=(0,r.default)(this.notifications,function(e){var t=e.action;return-t.id});return e=(0,r.default)(e,"seen")},unseenCount:function(){return this.unseenNotifications.length}},components:{Notification:u.default},watch:{unseenCount:function(e){e>0?this.$store.dispatch("setPageTitle","("+e+")"):this.$store.dispatch("setPageTitle","")}},methods:{markAsSeen:function(){this.$store.commit("markNotificationsAsSeen",this.visibleNotifications)},fetchOlderNotifications:function(){var e=this.$store,t=e.state.users.currentUser.credentials;d.default.fetchAndUpdate({store:e,credentials:t,older:!0})}}};t.default=p},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(227),n=a(i),o=s(468),r=a(o),l=s(28),u=a(l),c=s(457),d=a(c),p=s(43),f=a(p),m=s(462),h=a(m),v=s(107),_=a(v),g=s(491),w=a(g),b=s(106),y=a(b),k=s(179),C=a(k),x=function(e,t){var s=e.user,a=e.attentions,i=[].concat((0,n.default)(a));i.unshift(s),i=(0,r.default)(i,"id"),i=(0,d.default)(i,{id:t.id});var o=(0,u.default)(i,function(e){return"@"+e.screen_name});return o.join(" ")+" "},S={props:["replyTo","repliedUser","attentions","messageScope","subject"],components:{MediaUpload:w.default},mounted:function(){this.resize(this.$refs.textarea),this.replyTo&&this.$refs.textarea.focus()},data:function(){var e=this.$route.query.message,t=e||"";if(this.replyTo){var s=this.$store.state.users.currentUser;t=x({user:this.repliedUser,attentions:this.attentions},s)}return{dropFiles:[],submitDisabled:!1,error:null,posting:!1,highlighted:0,newStatus:{spoilerText:this.subject,status:t,nsfw:!1,files:[],visibility:this.messageScope||this.$store.state.users.currentUser.default_scope},caret:0}},computed:{vis:function(){return{public:{selected:"public"===this.newStatus.visibility},unlisted:{selected:"unlisted"===this.newStatus.visibility},private:{selected:"private"===this.newStatus.visibility},direct:{selected:"direct"===this.newStatus.visibility}}},candidates:function(){var e=this,t=this.textAtCaret.charAt(0);if("@"===t){var s=(0,f.default)(this.users,function(t){return String(t.name+t.screen_name).toUpperCase().match(e.textAtCaret.slice(1).toUpperCase())});return!(s.length<=0)&&(0,u.default)((0,h.default)(s,5),function(t,s){var a=t.screen_name,i=t.name,n=t.profile_image_url_original;return{screen_name:"@"+a,name:i,img:n,highlighted:s===e.highlighted}})}if(":"===t){if(":"===this.textAtCaret)return;var a=(0,f.default)(this.emoji.concat(this.customEmoji),function(t){return t.shortcode.match(e.textAtCaret.slice(1))});return!(a.length<=0)&&(0,u.default)((0,h.default)(a,5),function(t,s){var a=t.shortcode,i=t.image_url,n=t.utf;return{screen_name:":"+a+":",name:"",utf:n||"",img:n?"":e.$store.state.config.server+i,highlighted:s===e.highlighted}})}return!1},textAtCaret:function(){return(this.wordAtCaret||{}).word||""},wordAtCaret:function(){var e=C.default.wordAtPosition(this.newStatus.status,this.caret-1)||{};return e},users:function(){return this.$store.state.users.users},emoji:function(){return this.$store.state.config.emoji||[]},customEmoji:function(){return this.$store.state.config.customEmoji||[]},statusLength:function(){return this.newStatus.status.length},statusLengthLimit:function(){return this.$store.state.config.textlimit},hasStatusLengthLimit:function(){return this.statusLengthLimit>0},charactersLeft:function(){return this.statusLengthLimit-this.statusLength},isOverLengthLimit:function(){return this.hasStatusLengthLimit&&this.statusLength>this.statusLengthLimit},scopeOptionsEnabled:function(){return this.$store.state.config.scopeOptionsEnabled}},methods:{replace:function(e){this.newStatus.status=C.default.replaceWord(this.newStatus.status,this.wordAtCaret,e);var t=this.$el.querySelector("textarea");t.focus(),this.caret=0},replaceCandidate:function(e){var t=this.candidates.length||0;if(":"!==this.textAtCaret&&!e.ctrlKey&&t>0){e.preventDefault();var s=this.candidates[this.highlighted],a=s.utf||s.screen_name+" ";this.newStatus.status=C.default.replaceWord(this.newStatus.status,this.wordAtCaret,a);var i=this.$el.querySelector("textarea");i.focus(),this.caret=0,this.highlighted=0}},cycleBackward:function(e){var t=this.candidates.length||0;t>0?(e.preventDefault(),this.highlighted-=1,this.highlighted<0&&(this.highlighted=this.candidates.length-1)):this.highlighted=0},cycleForward:function(e){var t=this.candidates.length||0;if(t>0){if(e.shiftKey)return;e.preventDefault(),this.highlighted+=1,this.highlighted>=t&&(this.highlighted=0)}else this.highlighted=0},setCaret:function(e){var t=e.target.selectionStart;this.caret=t},postStatus:function(e){var t=this;if(!this.posting&&!this.submitDisabled){if(""===this.newStatus.status){if(!(this.newStatus.files.length>0))return void(this.error="Cannot post an empty status with no files");this.newStatus.status="​"}this.posting=!0,_.default.postStatus({status:e.status,spoilerText:e.spoilerText||null,visibility:e.visibility,sensitive:e.nsfw,media:e.files,store:this.$store,inReplyToStatusId:this.replyTo}).then(function(s){if(s.error)t.error=s.error;else{t.newStatus={status:"",files:[],visibility:e.visibility},t.$emit("posted");var a=t.$el.querySelector("textarea");a.style.height="16px",t.error=null}t.posting=!1})}},addMediaFile:function(e){this.newStatus.files.push(e),this.enableSubmit()},removeMediaFile:function(e){var t=this.newStatus.files.indexOf(e);this.newStatus.files.splice(t,1)},disableSubmit:function(){this.submitDisabled=!0},enableSubmit:function(){this.submitDisabled=!1},type:function(e){return y.default.fileType(e.mimetype)},paste:function(e){e.clipboardData.files.length>0&&(this.dropFiles=[e.clipboardData.files[0]])},fileDrop:function(e){e.dataTransfer.files.length>0&&(e.preventDefault(),this.dropFiles=e.dataTransfer.files)},fileDrag:function(e){e.dataTransfer.dropEffect="copy"},resize:function(e){if(e.target){var t=Number(window.getComputedStyle(e.target)["padding-top"].substr(0,1))+Number(window.getComputedStyle(e.target)["padding-bottom"].substr(0,1));e.target.style.height="auto",e.target.style.height=e.target.scrollHeight-t+"px",""===e.target.value&&(e.target.style.height="16px")}},clearError:function(){this.error=null},changeVis:function(e){this.newStatus.visibility=e}}};t.default=S},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(30),n=a(i),o={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.publicAndExternal}},created:function(){this.$store.dispatch("startFetching","publicAndExternal")},destroyed:function(){this.$store.dispatch("stopFetching","publicAndExternal")}};t.default=o},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(30),n=a(i),o={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.public}},created:function(){this.$store.dispatch("startFetching","public")},destroyed:function(){this.$store.dispatch("stopFetching","public")}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={data:function(){return{user:{},error:!1,registering:!1}},created:function(){(!this.$store.state.config.registrationOpen&&!this.token||this.$store.state.users.currentUser)&&this.$router.push("/main/all"),this.$store.state.config.registrationOpen&&this.token&&this.$router.push("/registration")},computed:{termsofservice:function(){return this.$store.state.config.tos},token:function(){return this.$route.params.token}},methods:{submit:function(){var e=this;this.registering=!0,this.user.nickname=this.user.username,this.user.token=this.token,this.$store.state.api.backendInteractor.register(this.user).then(function(t){t.ok?(e.$store.dispatch("loginUser",e.user),e.$router.push("/main/all"),e.registering=!1):(e.registering=!1,t.json().then(function(t){e.error=t.error}))})}}};t.default=s},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={props:["status","loggedIn","visibility"],data:function(){return{animated:!1}},methods:{retweet:function(){var e=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(){e.animated=!1},500)}},computed:{classes:function(){return{retweeted:this.status.repeated,"retweeted-empty":!this.status.repeated,"animate-spin":this.animated}}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(222),n=a(i),o=s(467),r=a(o),l=s(43),u=a(l),c=s(172),d=a(c),p=s(489),f=a(p),m={data:function(){return{hideAttachmentsLocal:this.$store.state.config.hideAttachments,hideAttachmentsInConvLocal:this.$store.state.config.hideAttachmentsInConv,hideNsfwLocal:this.$store.state.config.hideNsfw,replyVisibilityLocal:this.$store.state.config.replyVisibility,loopVideoLocal:this.$store.state.config.loopVideo,loopVideoSilentOnlyLocal:this.$store.state.config.loopVideoSilentOnly,muteWordsString:this.$store.state.config.muteWords.join("\n"),autoLoadLocal:this.$store.state.config.autoLoad,streamingLocal:this.$store.state.config.streaming,pauseOnUnfocusedLocal:this.$store.state.config.pauseOnUnfocused,hoverPreviewLocal:this.$store.state.config.hoverPreview,collapseMessageWithSubjectLocal:this.$store.state.config.collapseMessageWithSubject,stopGifs:this.$store.state.config.stopGifs,loopSilentAvailable:(0,n.default)(HTMLVideoElement.prototype,"mozHasAudio")||(0,n.default)(HTMLMediaElement.prototype,"webkitAudioDecodedByteCount")||(0,n.default)(HTMLMediaElement.prototype,"audioTracks")}},components:{StyleSwitcher:d.default,InterfaceLanguageSwitcher:f.default},computed:{user:function(){return this.$store.state.users.currentUser}},watch:{hideAttachmentsLocal:function(e){this.$store.dispatch("setOption",{name:"hideAttachments",value:e})},hideAttachmentsInConvLocal:function(e){this.$store.dispatch("setOption",{name:"hideAttachmentsInConv",value:e})},hideNsfwLocal:function(e){this.$store.dispatch("setOption",{name:"hideNsfw",value:e})},replyVisibilityLocal:function(e){this.$store.dispatch("setOption",{name:"replyVisibility",value:e})},loopVideoLocal:function(e){this.$store.dispatch("setOption",{name:"loopVideo",value:e})},loopVideoSilentOnlyLocal:function(e){this.$store.dispatch("setOption",{name:"loopVideoSilentOnly",value:e})},autoLoadLocal:function(e){this.$store.dispatch("setOption",{name:"autoLoad",value:e})},streamingLocal:function(e){this.$store.dispatch("setOption",{name:"streaming",value:e})},pauseOnUnfocusedLocal:function(e){this.$store.dispatch("setOption",{name:"pauseOnUnfocused",value:e})},hoverPreviewLocal:function(e){this.$store.dispatch("setOption",{name:"hoverPreview",value:e})},muteWordsString:function(e){e=(0,u.default)(e.split("\n"),function(e){return(0,r.default)(e).length>0}),this.$store.dispatch("setOption",{name:"muteWords",value:e})},collapseMessageWithSubjectLocal:function(e){this.$store.dispatch("setOption",{name:"collapseMessageWithSubject",value:e})},stopGifs:function(e){this.$store.dispatch("setOption",{name:"stopGifs",value:e})}}};t.default=m},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(64),n=a(i),o=s(43),r=a(o),l=s(481),u=a(l),c=s(485),d=a(c),p=s(499),f=a(p),m=s(484),h=a(m),v=s(171),_=a(v),g=s(46),w=a(g),b=s(67),y=a(b),k=s(109),C={name:"Status",props:["statusoid","expandable","inConversation","focused","highlight","compact","replies","noReplyLinks","noHeading","inlineExpanded"],data:function(){return{replying:!1,expanded:!1,unmuted:!1,userExpanded:!1,preview:null,showPreview:!1,showingTall:!1,expandingSubject:!this.$store.state.config.collapseMessageWithSubject}},computed:{muteWords:function(){return this.$store.state.config.muteWords},repeaterClass:function(){var e=this.statusoid.user;return(0,k.highlightClass)(e)},userClass:function(){var e=this.retweet?this.statusoid.retweeted_status.user:this.statusoid.user;return(0,k.highlightClass)(e)},repeaterStyle:function(){var e=this.statusoid.user,t=this.$store.state.config.highlight;return(0,k.highlightStyle)(t[e.screen_name])},userStyle:function(){if(!this.noHeading){var e=this.retweet?this.statusoid.retweeted_status.user:this.statusoid.user,t=this.$store.state.config.highlight;return(0,k.highlightStyle)(t[e.screen_name])}},hideAttachments:function(){return this.$store.state.config.hideAttachments&&!this.inConversation||this.$store.state.config.hideAttachmentsInConv&&this.inConversation},retweet:function(){return!!this.statusoid.retweeted_status},retweeter:function(){return this.statusoid.user.name},retweeterHtml:function(){return this.statusoid.user.name_html},status:function(){return this.retweet?this.statusoid.retweeted_status:this.statusoid},loggedIn:function(){return!!this.$store.state.users.currentUser},muteWordHits:function(){var e=this.status.text.toLowerCase(),t=(0,r.default)(this.muteWords,function(t){return e.includes(t.toLowerCase())});return t},muted:function(){return!this.unmuted&&(this.status.user.muted||this.muteWordHits.length>0)},isFocused:function(){return!!this.focused||!!this.inConversation&&this.status.id===this.highlight},tallStatus:function(){var e=this.status.statusnet_html.split(/20},isReply:function(){if(this.status.in_reply_to_status_id)return!0;if("private"===this.status.visibility){var e=this.status.text;return null!==this.status.summary&&(e=e.substring(this.status.summary.length,e.length)),e.startsWith("@")}return!1},hideReply:function(){if("all"===this.$store.state.config.replyVisibility)return!1;if(this.inlineExpanded||this.expanded||this.inConversation||!this.isReply)return!1;if(this.status.user.id===this.$store.state.users.currentUser.id)return!1;if("repeat"===this.status.activity_type)return!1;for(var e="following"===this.$store.state.config.replyVisibility,t=0;t0},hideSubjectStatus:function(){return!(this.tallStatus&&!this.$store.state.config.collapseMessageWithSubject)&&(!this.expandingSubject&&this.status.summary)},hideTallStatus:function(){return(!this.status.summary||!this.$store.state.config.collapseMessageWithSubject)&&(!this.showingTall&&this.tallStatus)},showingMore:function(){return this.showingTall||this.status.summary&&this.expandingSubject},nsfwClickthrough:function(){return!!this.status.nsfw&&(!this.status.summary||!this.$store.state.config.collapseMessageWithSubject)},replySubject:function(){return this.status.summary&&!this.status.summary.match(/^re[: ]/i)?"re: ".concat(this.status.summary):this.status.summary},attachmentSize:function(){return this.$store.state.config.hideAttachments&&!this.inConversation||this.$store.state.config.hideAttachmentsInConv&&this.inConversation?"hide":this.compact?"small":"normal"}},components:{Attachment:u.default,FavoriteButton:d.default,RetweetButton:f.default,DeleteButton:h.default,PostStatusForm:_.default,UserCardContent:w.default,StillImage:y.default},methods:{visibilityIcon:function(e){switch(e){case"private":return"icon-lock";case"unlisted":return"icon-lock-open-alt";case"direct":return"icon-mail-alt";default:return"icon-globe"}},linkClicked:function(e){var t=e.target;"SPAN"===t.tagName&&(t=t.parentNode),"A"===t.tagName&&window.open(t.href,"_blank")},toggleReplying:function(){this.replying=!this.replying},gotoOriginal:function(e){this.inConversation&&this.$emit("goto",e)},toggleExpanded:function(){this.$emit("toggleExpanded")},toggleMute:function(){this.unmuted=!this.unmuted},toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},toggleShowMore:function(){this.showingTall?this.showingTall=!1:this.expandingSubject?this.expandingSubject=!1:this.hideTallStatus?this.showingTall=!0:this.hideSubjectStatus&&(this.expandingSubject=!0)},replyEnter:function(e,t){var s=this;this.showPreview=!0;var a=Number(e),i=this.$store.state.statuses.allStatuses;this.preview?this.preview.id!==a&&(this.preview=(0,n.default)(i,{id:a})):(this.preview=(0,n.default)(i,{id:a}),this.preview||this.$store.state.api.backendInteractor.fetchStatus({id:e}).then(function(e){s.preview=e}))},replyLeave:function(){this.showPreview=!1}},watch:{highlight:function(e){if(e=Number(e),this.status.id===e){var t=this.$el.getBoundingClientRect();t.top<100?window.scrollBy(0,t.top-200):t.bottom>window.innerHeight-50&&window.scrollBy(0,t.bottom-window.innerHeight+50)}}}};t.default=C},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(66),n=a(i),o=s(170),r=a(o),l={props:["statusoid"],data:function(){return{expanded:!1}},components:{Status:n.default,Conversation:r.default},methods:{toggleExpanded:function(){this.expanded=!this.expanded}}};t.default=l},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={props:["src","referrerpolicy","mimetype"],data:function(){return{stopGifs:this.$store.state.config.stopGifs}},computed:{animated:function(){return this.stopGifs&&("image/gif"===this.mimetype||this.src.endsWith(".gif"))}},methods:{onLoad:function(){var e=this.$refs.canvas;e&&e.getContext("2d").drawImage(this.$refs.src,1,1,e.width,e.height)}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(110),n=a(i),o=s(47);t.default={data:function(){return{availableStyles:[],selected:this.$store.state.config.theme,invalidThemeImported:!1,bgColorLocal:"",btnColorLocal:"",textColorLocal:"",linkColorLocal:"",redColorLocal:"",blueColorLocal:"",greenColorLocal:"",orangeColorLocal:"",btnRadiusLocal:"",inputRadiusLocal:"",panelRadiusLocal:"",avatarRadiusLocal:"",avatarAltRadiusLocal:"",attachmentRadiusLocal:"",tooltipRadiusLocal:""}},created:function(){var e=this;window.fetch("/static/styles.json").then(function(e){return e.json()}).then(function(t){e.availableStyles=t})},mounted:function(){this.normalizeLocalState(this.$store.state.config.colors,this.$store.state.config.radii)},methods:{exportCurrentTheme:function(){var e=(0,n.default)({_pleroma_theme_version:1,colors:this.$store.state.config.colors,radii:this.$store.state.config.radii},null,2),t=document.createElement("a");t.setAttribute("download","pleroma_theme.json"),t.setAttribute("href","data:application/json;base64,"+window.btoa(e)),t.style.display="none",document.body.appendChild(t),t.click(),document.body.removeChild(t)},importTheme:function(){var e=this;this.invalidThemeImported=!1;var t=document.createElement("input");t.setAttribute("type","file"),t.setAttribute("accept",".json"), +t.addEventListener("change",function(t){if(t.target.files[0]){var s=new FileReader;s.onload=function(t){var s=t.target;try{var a=JSON.parse(s.result);1===a._pleroma_theme_version?e.normalizeLocalState(a.colors,a.radii):e.invalidThemeImported=!0}catch(t){e.invalidThemeImported=!0}},s.readAsText(t.target.files[0])}}),document.body.appendChild(t),t.click(),document.body.removeChild(t)},setCustomTheme:function(){!this.bgColorLocal&&!this.btnColorLocal&&!this.linkColorLocal;var e=function(e){var t=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(e);return t?{r:parseInt(t[1],16),g:parseInt(t[2],16),b:parseInt(t[3],16)}:null},t=e(this.bgColorLocal),s=e(this.btnColorLocal),a=e(this.textColorLocal),i=e(this.linkColorLocal),n=e(this.redColorLocal),o=e(this.blueColorLocal),r=e(this.greenColorLocal),l=e(this.orangeColorLocal);t&&s&&i&&this.$store.dispatch("setOption",{name:"customTheme",value:{fg:s,bg:t,text:a,link:i,cRed:n,cBlue:o,cGreen:r,cOrange:l,btnRadius:this.btnRadiusLocal,inputRadius:this.inputRadiusLocal,panelRadius:this.panelRadiusLocal,avatarRadius:this.avatarRadiusLocal,avatarAltRadius:this.avatarAltRadiusLocal,tooltipRadius:this.tooltipRadiusLocal,attachmentRadius:this.attachmentRadiusLocal}})},normalizeLocalState:function(e,t){this.bgColorLocal=(0,o.rgbstr2hex)(e.bg),this.btnColorLocal=(0,o.rgbstr2hex)(e.btn),this.textColorLocal=(0,o.rgbstr2hex)(e.fg),this.linkColorLocal=(0,o.rgbstr2hex)(e.link),this.redColorLocal=(0,o.rgbstr2hex)(e.cRed),this.blueColorLocal=(0,o.rgbstr2hex)(e.cBlue),this.greenColorLocal=(0,o.rgbstr2hex)(e.cGreen),this.orangeColorLocal=(0,o.rgbstr2hex)(e.cOrange),this.btnRadiusLocal=t.btnRadius||4,this.inputRadiusLocal=t.inputRadius||4,this.panelRadiusLocal=t.panelRadius||10,this.avatarRadiusLocal=t.avatarRadius||5,this.avatarAltRadiusLocal=t.avatarAltRadius||50,this.tooltipRadiusLocal=t.tooltipRadius||2,this.attachmentRadiusLocal=t.attachmentRadius||5}},watch:{selected:function(){this.bgColorLocal=this.selected[1],this.btnColorLocal=this.selected[2],this.textColorLocal=this.selected[3],this.linkColorLocal=this.selected[4],this.redColorLocal=this.selected[5],this.greenColorLocal=this.selected[6],this.blueColorLocal=this.selected[7],this.orangeColorLocal=this.selected[8]}}}},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(30),n=a(i),o={created:function(){this.$store.commit("clearTimeline",{timeline:"tag"}),this.$store.dispatch("startFetching",{tag:this.tag})},components:{Timeline:n.default},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("startFetching",{tag:this.tag})}},destroyed:function(){this.$store.dispatch("stopFetching","tag")}};t.default=o},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(66),n=a(i),o=s(108),r=a(o),l=s(501),u=a(l),c=s(173),d=a(c),p={props:["timeline","timelineName","title","userId","tag"],data:function(){return{paused:!1,unfocused:!1}},computed:{timelineError:function(){return this.$store.state.statuses.error},followers:function(){return this.timeline.followers},friends:function(){return this.timeline.friends},viewing:function(){return this.timeline.viewing},newStatusCount:function(){return this.timeline.newStatusCount},newStatusCountStr:function(){return 0!==this.timeline.flushMarker?"":" ("+this.newStatusCount+")"}},components:{Status:n.default,StatusOrConversation:u.default,UserCard:d.default},created:function(){var e=this.$store,t=e.state.users.currentUser.credentials,s=0===this.timeline.visibleStatuses.length;window.addEventListener("scroll",this.scrollLoad),r.default.fetchAndUpdate({store:e,credentials:t,timeline:this.timelineName,showImmediately:s,userId:this.userId,tag:this.tag}),"user"===this.timelineName&&(this.fetchFriends(),this.fetchFollowers())},mounted:function(){"undefined"!=typeof document.hidden&&(document.addEventListener("visibilitychange",this.handleVisibilityChange,!1),this.unfocused=document.hidden)},destroyed:function(){window.removeEventListener("scroll",this.scrollLoad),"undefined"!=typeof document.hidden&&document.removeEventListener("visibilitychange",this.handleVisibilityChange,!1),this.$store.commit("setLoading",{timeline:this.timelineName,value:!1})},methods:{showNewStatuses:function(){0!==this.timeline.flushMarker?(this.$store.commit("clearTimeline",{timeline:this.timelineName}),this.$store.commit("queueFlush",{timeline:this.timelineName,id:0}),this.fetchOlderStatuses()):(this.$store.commit("showNewStatuses",{timeline:this.timelineName}),this.paused=!1)},fetchOlderStatuses:function(){var e=this,t=this.$store,s=t.state.users.currentUser.credentials;t.commit("setLoading",{timeline:this.timelineName,value:!0}),r.default.fetchAndUpdate({store:t,credentials:s,timeline:this.timelineName,older:!0,showImmediately:!0,userId:this.userId,tag:this.tag}).then(function(){return t.commit("setLoading",{timeline:e.timelineName,value:!1})})},fetchFollowers:function(){var e=this,t=this.userId;this.$store.state.api.backendInteractor.fetchFollowers({id:t}).then(function(t){return e.$store.dispatch("addFollowers",{followers:t})})},fetchFriends:function(){var e=this,t=this.userId;this.$store.state.api.backendInteractor.fetchFriends({id:t}).then(function(t){return e.$store.dispatch("addFriends",{friends:t})})},scrollLoad:function(e){var t=document.body.getBoundingClientRect(),s=Math.max(t.height,-t.y);this.timeline.loading===!1&&this.$store.state.config.autoLoad&&this.$el.offsetHeight>0&&window.innerHeight+window.pageYOffset>=s-750&&this.fetchOlderStatuses()},handleVisibilityChange:function(){this.unfocused=document.hidden}},watch:{newStatusCount:function(e){this.$store.state.config.streaming&&e>0&&(!(window.pageYOffset<15)||this.paused||this.unfocused&&this.$store.state.config.pauseOnUnfocused?this.paused=!0:this.showNewStatuses())}}};t.default=p},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(46),n=a(i),o={props:["user","showFollows","showApproval"],data:function(){return{userExpanded:!1}},components:{UserCardContent:n.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},approveUser:function(){this.$store.state.api.backendInteractor.approveUser(this.user.id),this.$store.dispatch("removeFollowRequest",this.user)},denyUser:function(){this.$store.state.api.backendInteractor.denyUser(this.user.id),this.$store.dispatch("removeFollowRequest",this.user)}}};t.default=o},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(67),n=a(i),o=s(47);t.default={props:["user","switcher","selected","hideBio"],computed:{headingStyle:function(){var e=this.$store.state.config.colors.bg;if(e){var t=(0,o.hex2rgb)(e),s="rgba("+Math.floor(t.r)+", "+Math.floor(t.g)+", "+Math.floor(t.b)+", .5)";return{backgroundColor:"rgb("+Math.floor(.53*t.r)+", "+Math.floor(.56*t.g)+", "+Math.floor(.59*t.b)+")",backgroundImage:["linear-gradient(to bottom, "+s+", "+s+")","url("+this.user.cover_photo+")"].join(", ")}}},isOtherUser:function(){return this.user.id!==this.$store.state.users.currentUser.id},subscribeUrl:function(){var e=new URL(this.user.statusnet_profile_url);return e.protocol+"//"+e.host+"/main/ostatus"},loggedIn:function(){return this.$store.state.users.currentUser},dailyAvg:function(){var e=Math.ceil((new Date-new Date(this.user.created_at))/864e5);return Math.round(this.user.statuses_count/e)},userHighlightType:{get:function(){var e=this.$store.state.config.highlight[this.user.screen_name];return e&&e.type||"disabled"},set:function(e){var t=this.$store.state.config.highlight[this.user.screen_name];"disabled"!==e?this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:t&&t.color||"#FFFFFF",type:e}):this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:void 0})}},userHighlightColor:{get:function(){var e=this.$store.state.config.highlight[this.user.screen_name];return e&&e.color},set:function(e){this.$store.dispatch("setHighlight",{user:this.user.screen_name,color:e})}}},components:{StillImage:n.default},methods:{followUser:function(){var e=this.$store;e.state.api.backendInteractor.followUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},unfollowUser:function(){var e=this.$store;e.state.api.backendInteractor.unfollowUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},blockUser:function(){var e=this.$store;e.state.api.backendInteractor.blockUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},unblockUser:function(){var e=this.$store;e.state.api.backendInteractor.unblockUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},toggleMute:function(){var e=this.$store;e.commit("setMuted",{user:this.user,muted:!this.user.muted}),e.state.api.backendInteractor.setUserMute(this.user)},setProfileView:function(e){if(this.switcher){var t=this.$store;t.commit("setProfileView",{v:e})}}}}},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s={data:function(){return{username:void 0,hidden:!0,error:!1,loading:!1}},methods:{findUser:function(e){var t=this;e="@"===e[0]?e.slice(1):e,this.loading=!0,this.$store.state.api.backendInteractor.externalProfile(e).then(function(e){t.loading=!1,t.hidden=!0,e.error?t.error=!0:(t.$store.commit("addNewUsers",[e]),t.$router.push({name:"user-profile",params:{id:e.id}}))})},toggleHidden:function(){this.hidden=!this.hidden},dismissError:function(){this.error=!1}}};t.default=s},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(490),n=a(i),o=s(171),r=a(o),l=s(46),u=a(l),c={computed:{user:function(){return this.$store.state.users.currentUser}},components:{LoginForm:n.default,PostStatusForm:r.default,UserCardContent:u.default}};t.default=c},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(46),n=a(i),o=s(30),r=a(o),l={created:function(){this.$store.commit("clearTimeline",{timeline:"user"}),this.$store.dispatch("startFetching",["user",this.userId]),this.$store.state.users.usersObject[this.userId]||this.$store.dispatch("fetchUser",this.userId)},destroyed:function(){this.$store.dispatch("stopFetching","user")},computed:{timeline:function(){return this.$store.state.statuses.timelines.user},userId:function(){return this.$route.params.id},user:function(){return this.timeline.statuses[0]?this.timeline.statuses[0].user:this.$store.state.users.usersObject[this.userId]||!1}},watch:{userId:function(){this.$store.commit("clearTimeline",{timeline:"user"}),this.$store.dispatch("startFetching",["user",this.userId])}},components:{UserCardContent:n.default,Timeline:r.default}};t.default=l},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=s(110),n=a(i),o=s(172),r=a(o),l={data:function(){return{newname:this.$store.state.users.currentUser.name,newbio:this.$store.state.users.currentUser.description,newlocked:this.$store.state.users.currentUser.locked,newdefaultScope:this.$store.state.users.currentUser.default_scope,followList:null,followImportError:!1,followsImported:!1,enableFollowsExport:!0,uploading:[!1,!1,!1,!1],previews:[null,null,null],deletingAccount:!1,deleteAccountConfirmPasswordInput:"",deleteAccountError:!1,changePasswordInputs:["","",""],changedPassword:!1,changePasswordError:!1,activeTab:"profile"}},components:{StyleSwitcher:r.default},computed:{user:function(){return this.$store.state.users.currentUser},pleromaBackend:function(){return this.$store.state.config.pleromaBackend},scopeOptionsEnabled:function(){return this.$store.state.config.scopeOptionsEnabled},vis:function(){return{public:{selected:"public"===this.newdefaultScope},unlisted:{selected:"unlisted"===this.newdefaultScope},private:{selected:"private"===this.newdefaultScope},direct:{selected:"direct"===this.newdefaultScope}}}},methods:{updateProfile:function(){var e=this,t=this.newname,s=this.newbio,a=this.newlocked,i=this.newdefaultScope;this.$store.state.api.backendInteractor.updateProfile({params:{name:t,description:s,locked:a,default_scope:i}}).then(function(t){t.error||(e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t))})},changeVis:function(e){this.newdefaultScope=e},uploadFile:function(e,t){var s=this,a=t.target.files[0];if(a){var i=new FileReader;i.onload=function(t){var a=t.target,i=a.result;s.previews[e]=i,s.$forceUpdate()},i.readAsDataURL(a)}},submitAvatar:function(){var e=this;if(this.previews[0]){var t=this.previews[0],s=new Image,a=void 0,i=void 0,n=void 0,o=void 0;s.src=t,s.height>s.width?(a=0,n=s.width,i=Math.floor((s.height-s.width)/2),o=s.width):(i=0,o=s.height,a=Math.floor((s.width-s.height)/2),n=s.height),this.uploading[0]=!0,this.$store.state.api.backendInteractor.updateAvatar({params:{img:t,cropX:a,cropY:i,cropW:n,cropH:o}}).then(function(t){t.error||(e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t),e.previews[0]=null),e.uploading[0]=!1})}},submitBanner:function(){var e=this;if(this.previews[1]){var t=this.previews[1],s=new Image,a=void 0,i=void 0,o=void 0,r=void 0;s.src=t,o=s.width,r=s.height,a=0,i=0,this.uploading[1]=!0,this.$store.state.api.backendInteractor.updateBanner({params:{banner:t,offset_top:a,offset_left:i,width:o,height:r}}).then(function(t){if(!t.error){var s=JSON.parse((0,n.default)(e.$store.state.users.currentUser));s.cover_photo=t.url,e.$store.commit("addNewUsers",[s]),e.$store.commit("setCurrentUser",s),e.previews[1]=null}e.uploading[1]=!1})}},submitBg:function(){var e=this;if(this.previews[2]){var t=this.previews[2],s=new Image,a=void 0,i=void 0,o=void 0,r=void 0;s.src=t,a=0,i=0,o=s.width,r=s.width,this.uploading[2]=!0,this.$store.state.api.backendInteractor.updateBg({params:{img:t,cropX:a,cropY:i,cropW:o,cropH:r}}).then(function(t){if(!t.error){var s=JSON.parse((0,n.default)(e.$store.state.users.currentUser));s.background_image=t.url,e.$store.commit("addNewUsers",[s]),e.$store.commit("setCurrentUser",s),e.previews[2]=null}e.uploading[2]=!1})}},importFollows:function(){var e=this;this.uploading[3]=!0;var t=this.followList;this.$store.state.api.backendInteractor.followImport({params:t}).then(function(t){t?e.followsImported=!0:e.followImportError=!0,e.uploading[3]=!1})},exportPeople:function(e,t){var s=e.map(function(e){return e&&e.is_local&&(e.screen_name+="@"+location.hostname),e.screen_name}).join("\n"),a=document.createElement("a");a.setAttribute("href","data:text/plain;charset=utf-8,"+encodeURIComponent(s)),a.setAttribute("download",t),a.style.display="none",document.body.appendChild(a),a.click(),document.body.removeChild(a)},exportFollows:function(){var e=this;this.enableFollowsExport=!1,this.$store.state.api.backendInteractor.fetchFriends({id:this.$store.state.users.currentUser.id}).then(function(t){e.exportPeople(t,"friends.csv")})},followListChange:function(){var e=new FormData;e.append("list",this.$refs.followlist.files[0]),this.followList=e},dismissImported:function(){this.followsImported=!1,this.followImportError=!1},confirmDelete:function(){this.deletingAccount=!0},deleteAccount:function(){var e=this;this.$store.state.api.backendInteractor.deleteAccount({password:this.deleteAccountConfirmPasswordInput}).then(function(t){"success"===t.status?(e.$store.dispatch("logout"),e.$router.push("/main/all")):e.deleteAccountError=t.error})},changePassword:function(){var e=this,t={password:this.changePasswordInputs[0],newPassword:this.changePasswordInputs[1],newPasswordConfirmation:this.changePasswordInputs[2]};this.$store.state.api.backendInteractor.changePassword(t).then(function(t){"success"===t.status?(e.changedPassword=!0,e.changePasswordError=!1):(e.changedPassword=!1,e.changePasswordError=t.error)})},activateTab:function(e){this.activeTab=e}}};t.default=l},function(e,t,s){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}function i(e,t){var s,a=t,i=0,n=Math.floor(10*Math.random());for(s=n;s2)break}}function n(e){var t=e.$store.state.users.currentUser.credentials;t&&(e.name1="Loading...",e.name2="Loading...",e.name3="Loading...",r.default.suggestions({credentials:t}).then(function(t){i(e,t)}))}Object.defineProperty(t,"__esModule",{value:!0});var o=s(23),r=a(o),l={data:function(){return{img1:"/images/avi.png",name1:"",id1:0,img2:"/images/avi.png",name2:"",id2:0,img3:"/images/avi.png",name3:"",id3:0}},computed:{user:function(){return this.$store.state.users.currentUser.screen_name},moreUrl:function(){var e,t=window.location.hostname,s=this.user,a=this.$store.state.config.suggestionsWeb;return e=a.replace(/{{host}}/g,encodeURIComponent(t)),e=e.replace(/{{user}}/g,encodeURIComponent(s))},suggestionsEnabled:function(){return this.$store.state.config.suggestionsEnabled}},watch:{user:function(e,t){this.suggestionsEnabled&&n(this)}},mounted:function(){this.suggestionsEnabled&&n(this)}};t.default=l},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},,function(e,t){e.exports=["now",["%ss","%ss"],["%smin","%smin"],["%sh","%sh"],["%sd","%sd"],["%sw","%sw"],["%smo","%smo"],["%sy","%sy"]]},function(e,t){e.exports=["たった今","%s 秒前","%s 分前","%s 時間前","%s 日前","%s 週間前","%s ヶ月前","%s 年前"]},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,s){e.exports=s.p+"static/img/nsfw.50fd83c.png"},,,function(e,t,s){s(290);var a=s(1)(s(183),s(523),null,null);e.exports=a.exports},function(e,t,s){s(284);var a=s(1)(s(184),s(513),null,null);e.exports=a.exports},function(e,t,s){s(281);var a=s(1)(s(185),s(509),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(186),s(538),null,null);e.exports=a.exports},function(e,t,s){s(304);var a=s(1)(s(188),s(542),null,null);e.exports=a.exports},function(e,t,s){s(294);var a=s(1)(s(189),s(530),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(190),s(525),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(191),s(521),null,null);e.exports=a.exports},function(e,t,s){s(289);var a=s(1)(s(192),s(522),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(182),s(532),null,null);e.exports=a.exports},function(e,t,s){s(293);var a=s(1)(s(193),s(528),null,null);e.exports=a.exports},function(e,t,s){s(291);var a=s(1)(s(194),s(524),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(195),s(518),null,null);e.exports=a.exports},function(e,t,s){s(300);var a=s(1)(s(196),s(537),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(197),s(516),null,null);e.exports=a.exports},function(e,t,s){s(285);var a=s(1)(s(198),s(515),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(200),s(514),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(201),s(512),null,null);e.exports=a.exports},function(e,t,s){s(297);var a=s(1)(s(202),s(534),null,null);e.exports=a.exports},function(e,t,s){s(292);var a=s(1)(s(203),s(526),null,null);e.exports=a.exports},function(e,t,s){s(287);var a=s(1)(s(204),s(519),null,null);e.exports=a.exports},function(e,t,s){s(286);var a=s(1)(s(206),s(517),null,null);e.exports=a.exports},function(e,t,s){var a=s(1)(s(209),s(527),null,null);e.exports=a.exports},function(e,t,s){s(280);var a=s(1)(s(213),s(508),null,null);e.exports=a.exports},function(e,t,s){s(295);var a=s(1)(s(214),s(531),null,null);e.exports=a.exports},function(e,t,s){s(296);var a=s(1)(s(215),s(533),null,null);e.exports=a.exports},function(e,t,s){s(301);var a=s(1)(s(216),s(539),null,null);e.exports=a.exports},function(e,t,s){s(282);var a=s(1)(s(217),s(510),null,null);e.exports=a.exports},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("span",{staticClass:"user-finder-container"},[e.error?s("span",{staticClass:"alert error"},[s("i",{staticClass:"icon-cancel user-finder-icon",on:{click:e.dismissError}}),e._v("\n "+e._s(e.$t("finder.error_fetching_user"))+"\n ")]):e._e(),e._v(" "),e.loading?s("i",{staticClass:"icon-spin4 user-finder-icon animate-spin-slow"}):e._e(),e._v(" "),e.hidden?s("a",{attrs:{href:"#"}},[s("i",{staticClass:"icon-user-plus user-finder-icon",on:{click:function(t){return t.preventDefault(),t.stopPropagation(),e.toggleHidden(t)}}})]):s("span",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.username,expression:"username"}],staticClass:"user-finder-input",attrs:{placeholder:e.$t("finder.find_user"),id:"user-finder-input",type:"text"},domProps:{value:e.username},on:{keyup:function(t){return"button"in t||!e._k(t.keyCode,"enter",13,t.key,"Enter")?void e.findUser(e.username):null},input:function(t){t.target.composing||(e.username=t.target.value)}}}),e._v(" "),s("i",{staticClass:"icon-cancel user-finder-icon",on:{click:function(t){return t.preventDefault(),t.stopPropagation(),e.toggleHidden(t)}}})])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return this.collapsed?s("div",{staticClass:"chat-panel"},[s("div",{staticClass:"panel panel-default"},[s("div",{staticClass:"panel-heading stub timeline-heading chat-heading",on:{click:function(t){return t.stopPropagation(),t.preventDefault(),e.togglePanel(t)}}},[s("div",{staticClass:"title"},[s("i",{staticClass:"icon-comment-empty"}),e._v("\n "+e._s(e.$t("chat.title"))+"\n ")])])])]):s("div",{staticClass:"chat-panel"},[s("div",{staticClass:"panel panel-default"},[s("div",{staticClass:"panel-heading timeline-heading chat-heading",on:{click:function(t){return t.stopPropagation(),t.preventDefault(),e.togglePanel(t)}}},[s("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("chat.title"))+"\n "),s("i",{staticClass:"icon-cancel",staticStyle:{float:"right"}})])]),e._v(" "),s("div",{directives:[{name:"chat-scroll",rawName:"v-chat-scroll"}],staticClass:"chat-window"},e._l(e.messages,function(t){return s("div",{key:t.id,staticClass:"chat-message"},[s("span",{staticClass:"chat-avatar"},[s("img",{attrs:{src:t.author.avatar}})]),e._v(" "),s("div",{staticClass:"chat-content"},[s("router-link",{staticClass:"chat-name",attrs:{to:{name:"user-profile",params:{id:t.author.id}}}},[e._v("\n "+e._s(t.author.username)+"\n ")]),e._v(" "),s("br"),e._v(" "),s("span",{staticClass:"chat-text"},[e._v("\n "+e._s(t.text)+"\n ")])],1)])})),e._v(" "),s("div",{staticClass:"chat-input"},[s("textarea",{directives:[{name:"model",rawName:"v-model",value:e.currentMessage,expression:"currentMessage"}],staticClass:"chat-input-textarea",attrs:{rows:"1"},domProps:{value:e.currentMessage},on:{keyup:function(t){return"button"in t||!e._k(t.keyCode,"enter",13,t.key,"Enter")?void e.submit(e.currentMessage):null},input:function(t){t.target.composing||(e.currentMessage=t.target.value)}}})])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"who-to-follow-panel"},[s("div",{staticClass:"panel panel-default base01-background"},[s("div",{staticClass:"panel-heading timeline-heading base02-background base04"},[s("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("who_to_follow.who_to_follow"))+"\n ")])]),e._v(" "),s("div",{staticClass:"panel-body who-to-follow"},[s("p",[s("img",{attrs:{src:e.img1}}),e._v(" "),s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.id1}}}},[e._v(e._s(e.name1))]),s("br"),e._v(" "),s("img",{attrs:{src:e.img2}}),e._v(" "),s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.id2}}}},[e._v(e._s(e.name2))]),s("br"),e._v(" "),s("img",{attrs:{src:e.img3}}),e._v(" "),s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.id3}}}},[e._v(e._s(e.name3))]),s("br"),e._v(" "),s("img",{attrs:{src:e.$store.state.config.logo}}),e._v(" "),s("a",{attrs:{href:e.moreUrl,target:"_blank"}},[e._v(e._s(e.$t("who_to_follow.more")))])],1)])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"profile-panel-background",style:e.headingStyle,attrs:{id:"heading"}},[s("div",{staticClass:"panel-heading text-center"},[s("div",{staticClass:"user-info"},[e.isOtherUser?e._e():s("router-link",{staticStyle:{float:"right","margin-top":"16px"},attrs:{to:"/user-settings"}},[s("i",{staticClass:"icon-cog usersettings"})]),e._v(" "),e.isOtherUser?s("a",{staticClass:"floater",attrs:{href:e.user.statusnet_profile_url,target:"_blank"}},[s("i",{staticClass:"icon-link-ext usersettings"})]):e._e(),e._v(" "),s("div",{staticClass:"container"},[s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.user.id}}}},[s("StillImage",{staticClass:"avatar",attrs:{src:e.user.profile_image_url_original}})],1),e._v(" "),s("div",{staticClass:"name-and-screen-name"},[e.user.name_html?s("div",{staticClass:"user-name",attrs:{title:e.user.name},domProps:{innerHTML:e._s(e.user.name_html)}}):s("div",{staticClass:"user-name",attrs:{title:e.user.name}},[e._v(e._s(e.user.name))]),e._v(" "),s("router-link",{staticClass:"user-screen-name",attrs:{to:{name:"user-profile",params:{id:e.user.id}}}},[s("span",[e._v("@"+e._s(e.user.screen_name))]),e.user.locked?s("span",[s("i",{staticClass:"icon icon-lock"})]):e._e(),e._v(" "),s("span",{staticClass:"dailyAvg"},[e._v(e._s(e.dailyAvg)+" "+e._s(e.$t("user_card.per_day")))])])],1)],1),e._v(" "),s("div",{staticClass:"user-meta"},[e.user.follows_you&&e.loggedIn&&e.isOtherUser?s("div",{staticClass:"following"},[e._v("\n "+e._s(e.$t("user_card.follows_you"))+"\n ")]):e._e(),e._v(" "),e.switcher||e.isOtherUser?s("div",{staticClass:"floater"},["disabled"!==e.userHighlightType?s("input",{directives:[{name:"model",rawName:"v-model",value:e.userHighlightColor,expression:"userHighlightColor"}],staticClass:"userHighlightText",attrs:{type:"text",id:"userHighlightColorTx"+e.user.id},domProps:{value:e.userHighlightColor},on:{input:function(t){t.target.composing||(e.userHighlightColor=t.target.value)}}}):e._e(),e._v(" "),"disabled"!==e.userHighlightType?s("input",{directives:[{name:"model",rawName:"v-model",value:e.userHighlightColor,expression:"userHighlightColor"}],staticClass:"userHighlightCl",attrs:{type:"color",id:"userHighlightColor"+e.user.id},domProps:{value:e.userHighlightColor},on:{input:function(t){t.target.composing||(e.userHighlightColor=t.target.value)}}}):e._e(),e._v(" "),s("label",{staticClass:"userHighlightSel select",attrs:{for:"style-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:e.userHighlightType,expression:"userHighlightType"}],staticClass:"userHighlightSel",attrs:{id:"userHighlightSel"+e.user.id},on:{change:function(t){var s=Array.prototype.filter.call(t.target.options,function(e){return e.selected}).map(function(e){var t="_value"in e?e._value:e.value;return t});e.userHighlightType=t.target.multiple?s:s[0]}}},[s("option",{attrs:{value:"disabled"}},[e._v("No highlight")]),e._v(" "),s("option",{attrs:{value:"solid"}},[e._v("Solid bg")]),e._v(" "),s("option",{attrs:{value:"striped"}},[e._v("Striped bg")]),e._v(" "),s("option",{attrs:{value:"side"}},[e._v("Side stripe")])]),e._v(" "),s("i",{staticClass:"icon-down-open"})])]):e._e()]),e._v(" "),e.isOtherUser?s("div",{staticClass:"user-interactions"},[e.loggedIn?s("div",{staticClass:"follow"},[e.user.following?s("span",[s("button",{staticClass:"pressed",on:{click:e.unfollowUser}},[e._v("\n "+e._s(e.$t("user_card.following"))+"\n ")])]):e._e(),e._v(" "),e.user.following?e._e():s("span",[s("button",{on:{click:e.followUser}},[e._v("\n "+e._s(e.$t("user_card.follow"))+"\n ")])])]):e._e(),e._v(" "),e.isOtherUser?s("div",{staticClass:"mute"},[e.user.muted?s("span",[s("button",{staticClass:"pressed",on:{click:e.toggleMute}},[e._v("\n "+e._s(e.$t("user_card.muted"))+"\n ")])]):e._e(),e._v(" "),e.user.muted?e._e():s("span",[s("button",{on:{click:e.toggleMute}},[e._v("\n "+e._s(e.$t("user_card.mute"))+"\n ")])])]):e._e(),e._v(" "),!e.loggedIn&&e.user.is_local?s("div",{staticClass:"remote-follow"},[s("form",{attrs:{method:"POST",action:e.subscribeUrl}},[s("input",{attrs:{type:"hidden",name:"nickname"},domProps:{value:e.user.screen_name}}),e._v(" "),s("input",{attrs:{type:"hidden",name:"profile",value:""}}),e._v(" "),s("button",{staticClass:"remote-button",attrs:{click:"submit"}},[e._v("\n "+e._s(e.$t("user_card.remote_follow"))+"\n ")])])]):e._e(),e._v(" "),e.isOtherUser&&e.loggedIn?s("div",{staticClass:"block"},[e.user.statusnet_blocking?s("span",[s("button",{staticClass:"pressed",on:{click:e.unblockUser}},[e._v("\n "+e._s(e.$t("user_card.blocked"))+"\n ")])]):e._e(),e._v(" "),e.user.statusnet_blocking?e._e():s("span",[s("button",{on:{click:e.blockUser}},[e._v("\n "+e._s(e.$t("user_card.block"))+"\n ")])])]):e._e()]):e._e()],1)]),e._v(" "),s("div",{staticClass:"panel-body profile-panel-body"},[s("div",{staticClass:"user-counts",class:{clickable:e.switcher}},[s("div",{staticClass:"user-count",class:{selected:"statuses"===e.selected},on:{click:function(t){t.preventDefault(),e.setProfileView("statuses")}}},[s("h5",[e._v(e._s(e.$t("user_card.statuses")))]),e._v(" "),s("span",[e._v(e._s(e.user.statuses_count)+" "),s("br")])]),e._v(" "),s("div",{staticClass:"user-count",class:{selected:"friends"===e.selected},on:{click:function(t){t.preventDefault(),e.setProfileView("friends")}}},[s("h5",[e._v(e._s(e.$t("user_card.followees")))]),e._v(" "),s("span",[e._v(e._s(e.user.friends_count))])]),e._v(" "),s("div",{staticClass:"user-count",class:{selected:"followers"===e.selected},on:{click:function(t){t.preventDefault(),e.setProfileView("followers")}}},[s("h5",[e._v(e._s(e.$t("user_card.followers")))]),e._v(" "),s("span",[e._v(e._s(e.user.followers_count))])])]),e._v(" "),!e.hideBio&&e.user.description_html?s("p",{staticClass:"profile-bio",domProps:{innerHTML:e._s(e.user.description_html)}}):e.hideBio?e._e():s("p",{staticClass:"profile-bio"},[e._v(e._s(e.user.description))])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("Timeline",{attrs:{title:e.$t("nav.public_tl"),timeline:e.timeline,"timeline-name":"public"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return"hide"===e.size?s("div",["html"!==e.type?s("a",{staticClass:"placeholder",attrs:{target:"_blank",href:e.attachment.url}},[e._v("["+e._s(e.nsfw?"NSFW/":"")+e._s(e.type.toUpperCase())+"]")]):e._e()]):s("div",{directives:[{name:"show",rawName:"v-show",value:!e.isEmpty,expression:"!isEmpty" +}],staticClass:"attachment",class:(a={loading:e.loading,"small-attachment":e.isSmall,fullwidth:e.fullwidth,"nsfw-placeholder":e.hidden},a[e.type]=!0,a)},[e.hidden?s("a",{staticClass:"image-attachment",on:{click:function(t){t.preventDefault(),e.toggleHidden()}}},[s("img",{key:e.nsfwImage,attrs:{src:e.nsfwImage}})]):e._e(),e._v(" "),e.nsfw&&e.hideNsfwLocal&&!e.hidden?s("div",{staticClass:"hider"},[s("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleHidden()}}},[e._v("Hide")])]):e._e(),e._v(" "),"image"!==e.type||e.hidden?e._e():s("a",{staticClass:"image-attachment",attrs:{href:e.attachment.url,target:"_blank",title:e.attachment.description}},[s("StillImage",{class:{small:e.isSmall},attrs:{referrerpolicy:"no-referrer",mimetype:e.attachment.mimetype,src:e.attachment.large_thumb_url||e.attachment.url}})],1),e._v(" "),"video"!==e.type||e.hidden?e._e():s("video",{class:{small:e.isSmall},attrs:{src:e.attachment.url,controls:"",loop:e.loopVideo},on:{loadeddata:e.onVideoDataLoad}}),e._v(" "),"audio"===e.type?s("audio",{attrs:{src:e.attachment.url,controls:""}}):e._e(),e._v(" "),"html"===e.type&&e.attachment.oembed?s("div",{staticClass:"oembed",on:{click:function(t){return t.preventDefault(),e.linkClicked(t)}}},[e.attachment.thumb_url?s("div",{staticClass:"image"},[s("img",{attrs:{src:e.attachment.thumb_url}})]):e._e(),e._v(" "),s("div",{staticClass:"text"},[s("h1",[s("a",{attrs:{href:e.attachment.url}},[e._v(e._s(e.attachment.oembed.title))])]),e._v(" "),s("div",{domProps:{innerHTML:e._s(e.attachment.oembed.oembedHTML)}})])]):e._e()]);var a},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("Timeline",{attrs:{title:e.$t("nav.twkn"),timeline:e.timeline,"timeline-name":"publicAndExternal"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"notifications"},[s("div",{staticClass:"panel panel-default"},[s("div",{staticClass:"panel-heading"},[e.unseenCount?s("span",{staticClass:"unseen-count"},[e._v(e._s(e.unseenCount))]):e._e(),e._v(" "),s("div",{staticClass:"title"},[e._v(" "+e._s(e.$t("notifications.notifications")))]),e._v(" "),e.error?s("div",{staticClass:"loadmore-error alert error",on:{click:function(e){e.preventDefault()}}},[e._v("\n "+e._s(e.$t("timeline.error_fetching"))+"\n ")]):e._e(),e._v(" "),e.unseenCount?s("button",{staticClass:"read-button",on:{click:function(t){return t.preventDefault(),e.markAsSeen(t)}}},[e._v(e._s(e.$t("notifications.read")))]):e._e()]),e._v(" "),s("div",{staticClass:"panel-body"},e._l(e.visibleNotifications,function(e){return s("div",{key:e.action.id,staticClass:"notification",class:{unseen:!e.seen}},[s("notification",{attrs:{notification:e}})],1)})),e._v(" "),s("div",{staticClass:"panel-footer"},[e.notifications.loading?s("div",{staticClass:"new-status-notification text-center panel-footer"},[e._v("...")]):s("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.fetchOlderNotifications()}}},[s("div",{staticClass:"new-status-notification text-center panel-footer"},[e._v(e._s(e.$t("notifications.load_older")))])])])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return"mention"===e.notification.type?s("status",{attrs:{compact:!0,statusoid:e.notification.status}}):s("div",{staticClass:"non-mention",class:[e.userClass,{highlighted:e.userStyle}],style:[e.userStyle]},[s("a",{staticClass:"avatar-container",attrs:{href:e.notification.action.user.statusnet_profile_url},on:{"!click":function(t){return t.stopPropagation(),t.preventDefault(),e.toggleUserExpanded(t)}}},[s("StillImage",{staticClass:"avatar-compact",attrs:{src:e.notification.action.user.profile_image_url_original}})],1),e._v(" "),s("div",{staticClass:"notification-right"},[e.userExpanded?s("div",{staticClass:"usercard notification-usercard"},[s("user-card-content",{attrs:{user:e.notification.action.user,switcher:!1}})],1):e._e(),e._v(" "),s("span",{staticClass:"notification-details"},[s("div",{staticClass:"name-and-action"},[e.notification.action.user.name_html?s("span",{staticClass:"username",attrs:{title:"@"+e.notification.action.user.screen_name},domProps:{innerHTML:e._s(e.notification.action.user.name_html)}}):s("span",{staticClass:"username",attrs:{title:"@"+e.notification.action.user.screen_name}},[e._v(e._s(e.notification.action.user.name))]),e._v(" "),"like"===e.notification.type?s("span",[s("i",{staticClass:"fa icon-star lit"}),e._v(" "),s("small",[e._v(e._s(e.$t("notifications.favorited_you")))])]):e._e(),e._v(" "),"repeat"===e.notification.type?s("span",[s("i",{staticClass:"fa icon-retweet lit"}),e._v(" "),s("small",[e._v(e._s(e.$t("notifications.repeated_you")))])]):e._e(),e._v(" "),"follow"===e.notification.type?s("span",[s("i",{staticClass:"fa icon-user-plus lit"}),e._v(" "),s("small",[e._v(e._s(e.$t("notifications.followed_you")))])]):e._e()]),e._v(" "),s("small",{staticClass:"timeago"},[e.notification.status?s("router-link",{attrs:{to:{name:"conversation",params:{id:e.notification.status.id}}}},[s("timeago",{attrs:{since:e.notification.action.created_at,"auto-update":240}})],1):e._e()],1)]),e._v(" "),"follow"===e.notification.type?s("div",{staticClass:"follow-text"},[s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.notification.action.user.id}}}},[e._v("@"+e._s(e.notification.action.user.screen_name))])],1):[e.notification.status?s("status",{staticClass:"faint",attrs:{compact:!0,statusoid:e.notification.status,noHeading:!0}}):s("div",{staticClass:"broken-favorite"},[e._v("\n "+e._s(e.$t("notifications.broken_favorite"))+"\n ")])]],2)])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",[e.expanded?s("conversation",{attrs:{collapsable:!0,statusoid:e.statusoid},on:{toggleExpanded:e.toggleExpanded}}):e._e(),e._v(" "),e.expanded?e._e():s("status",{attrs:{expandable:!0,inConversation:!1,focused:!1,statusoid:e.statusoid},on:{toggleExpanded:e.toggleExpanded}})],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("Timeline",{attrs:{title:e.$t("nav.mentions"),timeline:e.timeline,"timeline-name":"mentions"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"settings panel panel-default"},[s("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("settings.settings"))+"\n ")]),e._v(" "),s("div",{staticClass:"panel-body"},[s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.theme")))]),e._v(" "),s("style-switcher")],1),e._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.filtering")))]),e._v(" "),s("p",[e._v(e._s(e.$t("settings.filtering_explanation")))]),e._v(" "),s("textarea",{directives:[{name:"model",rawName:"v-model",value:e.muteWordsString,expression:"muteWordsString"}],attrs:{id:"muteWords"},domProps:{value:e.muteWordsString},on:{input:function(t){t.target.composing||(e.muteWordsString=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("nav.timeline")))]),e._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.collapseMessageWithSubjectLocal,expression:"collapseMessageWithSubjectLocal"}],attrs:{type:"checkbox",id:"collapseMessageWithSubject"},domProps:{checked:Array.isArray(e.collapseMessageWithSubjectLocal)?e._i(e.collapseMessageWithSubjectLocal,null)>-1:e.collapseMessageWithSubjectLocal},on:{change:function(t){var s=e.collapseMessageWithSubjectLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.collapseMessageWithSubjectLocal=s.concat([n])):o>-1&&(e.collapseMessageWithSubjectLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.collapseMessageWithSubjectLocal=i}}}),e._v(" "),s("label",{attrs:{for:"collapseMessageWithSubject"}},[e._v(e._s(e.$t("settings.collapse_subject")))])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.streamingLocal,expression:"streamingLocal"}],attrs:{type:"checkbox",id:"streaming"},domProps:{checked:Array.isArray(e.streamingLocal)?e._i(e.streamingLocal,null)>-1:e.streamingLocal},on:{change:function(t){var s=e.streamingLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.streamingLocal=s.concat([n])):o>-1&&(e.streamingLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.streamingLocal=i}}}),e._v(" "),s("label",{attrs:{for:"streaming"}},[e._v(e._s(e.$t("settings.streaming")))]),e._v(" "),s("ul",{staticClass:"setting-list suboptions",class:[{disabled:!e.streamingLocal}]},[s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.pauseOnUnfocusedLocal,expression:"pauseOnUnfocusedLocal"}],attrs:{disabled:!e.streamingLocal,type:"checkbox",id:"pauseOnUnfocused"},domProps:{checked:Array.isArray(e.pauseOnUnfocusedLocal)?e._i(e.pauseOnUnfocusedLocal,null)>-1:e.pauseOnUnfocusedLocal},on:{change:function(t){var s=e.pauseOnUnfocusedLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.pauseOnUnfocusedLocal=s.concat([n])):o>-1&&(e.pauseOnUnfocusedLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.pauseOnUnfocusedLocal=i}}}),e._v(" "),s("label",{attrs:{for:"pauseOnUnfocused"}},[e._v(e._s(e.$t("settings.pause_on_unfocused")))])])])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.autoLoadLocal,expression:"autoLoadLocal"}],attrs:{type:"checkbox",id:"autoload"},domProps:{checked:Array.isArray(e.autoLoadLocal)?e._i(e.autoLoadLocal,null)>-1:e.autoLoadLocal},on:{change:function(t){var s=e.autoLoadLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.autoLoadLocal=s.concat([n])):o>-1&&(e.autoLoadLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.autoLoadLocal=i}}}),e._v(" "),s("label",{attrs:{for:"autoload"}},[e._v(e._s(e.$t("settings.autoload")))])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.hoverPreviewLocal,expression:"hoverPreviewLocal"}],attrs:{type:"checkbox",id:"hoverPreview"},domProps:{checked:Array.isArray(e.hoverPreviewLocal)?e._i(e.hoverPreviewLocal,null)>-1:e.hoverPreviewLocal},on:{change:function(t){var s=e.hoverPreviewLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.hoverPreviewLocal=s.concat([n])):o>-1&&(e.hoverPreviewLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.hoverPreviewLocal=i}}}),e._v(" "),s("label",{attrs:{for:"hoverPreview"}},[e._v(e._s(e.$t("settings.reply_link_preview")))])]),e._v(" "),s("li",[s("label",{staticClass:"select",attrs:{for:"replyVisibility"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:e.replyVisibilityLocal,expression:"replyVisibilityLocal"}],attrs:{id:"replyVisibility"},on:{change:function(t){var s=Array.prototype.filter.call(t.target.options,function(e){return e.selected}).map(function(e){var t="_value"in e?e._value:e.value;return t});e.replyVisibilityLocal=t.target.multiple?s:s[0]}}},[s("option",{attrs:{value:"all",selected:""}},[e._v(e._s(e.$t("settings.reply_visibility_all")))]),e._v(" "),s("option",{attrs:{value:"following"}},[e._v(e._s(e.$t("settings.reply_visibility_following")))]),e._v(" "),s("option",{attrs:{value:"self"}},[e._v(e._s(e.$t("settings.reply_visibility_self")))])]),e._v(" "),s("i",{staticClass:"icon-down-open"})])])])]),e._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.attachments")))]),e._v(" "),s("ul",{staticClass:"setting-list"},[s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.hideAttachmentsLocal,expression:"hideAttachmentsLocal"}],attrs:{type:"checkbox",id:"hideAttachments"},domProps:{checked:Array.isArray(e.hideAttachmentsLocal)?e._i(e.hideAttachmentsLocal,null)>-1:e.hideAttachmentsLocal},on:{change:function(t){var s=e.hideAttachmentsLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.hideAttachmentsLocal=s.concat([n])):o>-1&&(e.hideAttachmentsLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.hideAttachmentsLocal=i}}}),e._v(" "),s("label",{attrs:{for:"hideAttachments"}},[e._v(e._s(e.$t("settings.hide_attachments_in_tl")))])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.hideAttachmentsInConvLocal,expression:"hideAttachmentsInConvLocal"}],attrs:{type:"checkbox",id:"hideAttachmentsInConv"},domProps:{checked:Array.isArray(e.hideAttachmentsInConvLocal)?e._i(e.hideAttachmentsInConvLocal,null)>-1:e.hideAttachmentsInConvLocal},on:{change:function(t){var s=e.hideAttachmentsInConvLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.hideAttachmentsInConvLocal=s.concat([n])):o>-1&&(e.hideAttachmentsInConvLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.hideAttachmentsInConvLocal=i}}}),e._v(" "),s("label",{attrs:{for:"hideAttachmentsInConv"}},[e._v(e._s(e.$t("settings.hide_attachments_in_convo")))])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.hideNsfwLocal,expression:"hideNsfwLocal"}],attrs:{type:"checkbox",id:"hideNsfw"},domProps:{checked:Array.isArray(e.hideNsfwLocal)?e._i(e.hideNsfwLocal,null)>-1:e.hideNsfwLocal},on:{change:function(t){var s=e.hideNsfwLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.hideNsfwLocal=s.concat([n])):o>-1&&(e.hideNsfwLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.hideNsfwLocal=i}}}),e._v(" "),s("label",{attrs:{for:"hideNsfw"}},[e._v(e._s(e.$t("settings.nsfw_clickthrough")))])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.stopGifs,expression:"stopGifs"}],attrs:{type:"checkbox",id:"stopGifs"},domProps:{checked:Array.isArray(e.stopGifs)?e._i(e.stopGifs,null)>-1:e.stopGifs},on:{change:function(t){var s=e.stopGifs,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.stopGifs=s.concat([n])):o>-1&&(e.stopGifs=s.slice(0,o).concat(s.slice(o+1)))}else e.stopGifs=i}}}),e._v(" "),s("label",{attrs:{for:"stopGifs"}},[e._v(e._s(e.$t("settings.stop_gifs")))])]),e._v(" "),s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.loopVideoLocal,expression:"loopVideoLocal"}],attrs:{type:"checkbox",id:"loopVideo"},domProps:{checked:Array.isArray(e.loopVideoLocal)?e._i(e.loopVideoLocal,null)>-1:e.loopVideoLocal},on:{change:function(t){var s=e.loopVideoLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.loopVideoLocal=s.concat([n])):o>-1&&(e.loopVideoLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.loopVideoLocal=i}}}),e._v(" "),s("label",{attrs:{for:"loopVideo"}},[e._v(e._s(e.$t("settings.loop_video")))]),e._v(" "),s("ul",{staticClass:"setting-list suboptions",class:[{disabled:!e.streamingLocal}]},[s("li",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.loopVideoSilentOnlyLocal,expression:"loopVideoSilentOnlyLocal"}],attrs:{disabled:!e.loopVideoLocal||!e.loopSilentAvailable,type:"checkbox",id:"loopVideoSilentOnly"},domProps:{checked:Array.isArray(e.loopVideoSilentOnlyLocal)?e._i(e.loopVideoSilentOnlyLocal,null)>-1:e.loopVideoSilentOnlyLocal},on:{change:function(t){var s=e.loopVideoSilentOnlyLocal,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.loopVideoSilentOnlyLocal=s.concat([n])):o>-1&&(e.loopVideoSilentOnlyLocal=s.slice(0,o).concat(s.slice(o+1)))}else e.loopVideoSilentOnlyLocal=i}}}),e._v(" "),s("label",{attrs:{for:"loopVideoSilentOnly"}},[e._v(e._s(e.$t("settings.loop_video_silent_only")))]),e._v(" "),e.loopSilentAvailable?e._e():s("div",{staticClass:"unavailable"},[s("i",{staticClass:"icon-globe"}),e._v("! "+e._s(e.$t("settings.limited_availability"))+"\n ")])])])])])]),e._v(" "),s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.interfaceLanguage")))]),e._v(" "),s("interface-language-switcher")],1)])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return e.hideReply?e._e():s("div",{staticClass:"status-el",class:[{"status-el_focused":e.isFocused},{"status-conversation":e.inlineExpanded}]},[e.muted&&!e.noReplyLinks?[s("div",{staticClass:"media status container muted"},[s("small",[s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.status.user.id}}}},[e._v(e._s(e.status.user.screen_name))])],1),e._v(" "),s("small",{staticClass:"muteWords"},[e._v(e._s(e.muteWordHits.join(", ")))]),e._v(" "),s("a",{staticClass:"unmute",attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleMute(t)}}},[s("i",{staticClass:"icon-eye-off"})])])]:[e.retweet&&!e.noHeading?s("div",{staticClass:"media container retweet-info",class:[e.repeaterClass,{highlighted:e.repeaterStyle}],style:[e.repeaterStyle]},[e.retweet?s("StillImage",{staticClass:"avatar",attrs:{src:e.statusoid.user.profile_image_url_original}}):e._e(),e._v(" "),s("div",{staticClass:"media-body faint"},[e.retweeterHtml?s("a",{staticClass:"user-name",attrs:{href:e.statusoid.user.statusnet_profile_url,title:"@"+e.statusoid.user.screen_name},domProps:{innerHTML:e._s(e.retweeterHtml)}}):s("a",{staticClass:"user-name",attrs:{href:e.statusoid.user.statusnet_profile_url,title:"@"+e.statusoid.user.screen_name}},[e._v(e._s(e.retweeter))]),e._v(" "),s("i",{staticClass:"fa icon-retweet retweeted"}),e._v("\n "+e._s(e.$t("timeline.repeated"))+"\n ")])],1):e._e(),e._v(" "),s("div",{staticClass:"media status",class:[e.userClass,{highlighted:e.userStyle,"is-retweet":e.retweet}],style:[e.userStyle]},[e.noHeading?e._e():s("div",{staticClass:"media-left"},[s("a",{attrs:{href:e.status.user.statusnet_profile_url},on:{"!click":function(t){return t.stopPropagation(),t.preventDefault(),e.toggleUserExpanded(t)}}},[s("StillImage",{staticClass:"avatar",class:{"avatar-compact":e.compact},attrs:{src:e.status.user.profile_image_url_original}})],1)]),e._v(" "),s("div",{staticClass:"status-body"},[e.userExpanded?s("div",{staticClass:"usercard media-body"},[s("user-card-content",{attrs:{user:e.status.user,switcher:!1}})],1):e._e(),e._v(" "),e.noHeading?e._e():s("div",{staticClass:"media-body container media-heading"},[s("div",{staticClass:"media-heading-left"},[s("div",{staticClass:"name-and-links"},[e.status.user.name_html?s("h4",{staticClass:"user-name",domProps:{innerHTML:e._s(e.status.user.name_html)}}):s("h4",{staticClass:"user-name"},[e._v(e._s(e.status.user.name))]),e._v(" "),s("span",{staticClass:"links"},[s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.status.user.id}}}},[e._v(e._s(e.status.user.screen_name))]),e._v(" "),e.status.in_reply_to_screen_name?s("span",{staticClass:"faint reply-info"},[s("i",{staticClass:"icon-right-open"}),e._v(" "),s("router-link",{attrs:{to:{name:"user-profile",params:{id:e.status.in_reply_to_user_id}}}},[e._v("\n "+e._s(e.status.in_reply_to_screen_name)+"\n ")])],1):e._e(),e._v(" "),e.isReply&&!e.noReplyLinks?s("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.gotoOriginal(e.status.in_reply_to_status_id)}}},[s("i",{staticClass:"icon-reply",on:{mouseenter:function(t){e.replyEnter(e.status.in_reply_to_status_id,t)},mouseout:function(t){e.replyLeave()}}})]):e._e()],1)]),e._v(" "),e.inConversation&&!e.noReplyLinks?s("h4",{staticClass:"replies"},[e.replies.length?s("small",[e._v("Replies:")]):e._e(),e._v(" "),e._l(e.replies,function(t){return s("small",{staticClass:"reply-link"},[s("a",{attrs:{href:"#"},on:{click:function(s){s.preventDefault(),e.gotoOriginal(t.id)},mouseenter:function(s){e.replyEnter(t.id,s)},mouseout:function(t){e.replyLeave()}}},[e._v(e._s(t.name)+" ")])])})],2):e._e()]),e._v(" "),s("div",{staticClass:"media-heading-right"},[s("router-link",{staticClass:"timeago",attrs:{to:{name:"conversation",params:{id:e.status.id}}}},[s("timeago",{attrs:{since:e.status.created_at,"auto-update":60}})],1),e._v(" "),e.status.visibility?s("div",{staticClass:"visibility-icon"},[s("i",{class:e.visibilityIcon(e.status.visibility)})]):e._e(),e._v(" "),e.status.is_local?e._e():s("a",{staticClass:"source_url",attrs:{href:e.status.external_url,target:"_blank"}},[s("i",{staticClass:"icon-link-ext-alt"})]),e._v(" "),e.expandable?[s("a",{attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleExpanded(t)}}},[s("i",{staticClass:"icon-plus-squared"})])]:e._e(),e._v(" "),e.unmuted?s("a",{attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleMute(t)}}},[s("i",{staticClass:"icon-eye-off"})]):e._e()],2)]),e._v(" "),e.showPreview?s("div",{staticClass:"status-preview-container"},[e.preview?s("status",{staticClass:"status-preview",attrs:{noReplyLinks:!0,statusoid:e.preview,compact:!0}}):s("div",{staticClass:"status-preview status-preview-loading"},[s("i",{staticClass:"icon-spin4 animate-spin"})])],1):e._e(),e._v(" "),s("div",{staticClass:"status-content-wrapper",class:{"tall-status":e.hideTallStatus}},[e.hideTallStatus?s("a",{staticClass:"tall-status-hider",class:{"tall-status-hider_focused":e.isFocused},attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleShowMore(t)}}},[e._v("Show more")]):e._e(),e._v(" "),e.hideSubjectStatus?s("div",{staticClass:"status-content media-body",domProps:{innerHTML:e._s(e.status.summary)},on:{click:function(t){return t.preventDefault(),e.linkClicked(t)}}}):s("div",{staticClass:"status-content media-body",domProps:{innerHTML:e._s(e.status.statusnet_html)},on:{click:function(t){return t.preventDefault(),e.linkClicked(t)}}}),e._v(" "),e.hideSubjectStatus?s("a",{staticClass:"cw-status-hider",attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleShowMore(t)}}},[e._v("Show more")]):e._e(),e._v(" "),e.showingMore?s("a",{staticClass:"status-unhider",attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleShowMore(t)}}},[e._v("Show less")]):e._e()]),e._v(" "),e.status.attachments&&!e.hideSubjectStatus?s("div",{staticClass:"attachments media-body"},e._l(e.status.attachments,function(t){return s("attachment",{key:t.id,attrs:{size:e.attachmentSize,"status-id":e.status.id,nsfw:e.nsfwClickthrough,attachment:t}})})):e._e(),e._v(" "),e.noHeading||e.noReplyLinks?e._e():s("div",{staticClass:"status-actions media-body"},[e.loggedIn?s("div",[s("a",{attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.toggleReplying(t)}}},[s("i",{staticClass:"icon-reply",class:{"icon-reply-active":e.replying}})])]):e._e(),e._v(" "),s("retweet-button",{attrs:{visibility:e.status.visibility,loggedIn:e.loggedIn,status:e.status}}),e._v(" "),s("favorite-button",{attrs:{loggedIn:e.loggedIn,status:e.status}}),e._v(" "),s("delete-button",{attrs:{status:e.status}})],1)])]),e._v(" "),e.replying?s("div",{staticClass:"container"},[s("div",{staticClass:"reply-left"}),e._v(" "),s("post-status-form",{staticClass:"reply-body",attrs:{"reply-to":e.status.id,attentions:e.status.attentions,repliedUser:e.status.user,"message-scope":e.status.visibility,subject:e.replySubject},on:{posted:e.toggleReplying}})],1):e._e()]],2)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("Timeline",{attrs:{title:e.$t("nav.timeline"),timeline:e.timeline,"timeline-name":"friends"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"instance-specific-panel"},[s("div",{staticClass:"panel panel-default"},[s("div",{staticClass:"panel-body"},[s("div",{domProps:{innerHTML:e._s(e.instanceSpecificPanelContent)}})])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{style:e.style,attrs:{id:"app"}},[s("nav",{staticClass:"container",attrs:{id:"nav"},on:{click:function(t){e.scrollToTop()}}},[s("div",{staticClass:"inner-nav",style:e.logoStyle},[s("div",{staticClass:"item"},[s("router-link",{attrs:{to:{name:"root"}}},[e._v(e._s(e.sitename))])],1),e._v(" "),s("div",{staticClass:"item right"},[s("user-finder",{staticClass:"nav-icon"}),e._v(" "),s("router-link",{attrs:{to:{name:"settings"}}},[s("i",{staticClass:"icon-cog nav-icon"})]),e._v(" "),e.currentUser?s("a",{attrs:{href:"#"},on:{click:function(t){return t.preventDefault(),e.logout(t)}}},[s("i",{staticClass:"icon-logout nav-icon",attrs:{title:e.$t("login.logout")}})]):e._e()],1)])]),e._v(" "),s("div",{staticClass:"container",attrs:{id:"content"}},[s("div",{staticClass:"panel-switcher"},[s("button",{on:{click:function(t){e.activatePanel("sidebar")}}},[e._v("Sidebar")]),e._v(" "),s("button",{on:{click:function(t){e.activatePanel("timeline")}}},[e._v("Timeline")])]),e._v(" "),s("div",{staticClass:"sidebar-flexer",class:{"mobile-hidden":"sidebar"!=e.mobileActivePanel}},[s("div",{staticClass:"sidebar-bounds"},[s("div",{staticClass:"sidebar-scroller"},[s("div",{staticClass:"sidebar"},[s("user-panel"),e._v(" "),s("nav-panel"),e._v(" "),e.showInstanceSpecificPanel?s("instance-specific-panel"):e._e(),e._v(" "),e.currentUser&&e.suggestionsEnabled?s("who-to-follow-panel"):e._e(),e._v(" "),e.currentUser?s("notifications"):e._e()],1)])])]),e._v(" "),s("div",{staticClass:"main",class:{"mobile-hidden":"timeline"!=e.mobileActivePanel}},[s("transition",{attrs:{name:"fade"}},[s("router-view")],1)],1)]),e._v(" "),e.currentUser&&e.chat?s("chat-panel",{staticClass:"floating-chat mobile-hidden"}):e._e()],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"media-upload",on:{drop:[function(e){e.preventDefault()},e.fileDrop],dragover:function(t){return t.preventDefault(),e.fileDrag(t)}}},[s("label",{staticClass:"btn btn-default"},[e.uploading?s("i",{staticClass:"icon-spin4 animate-spin"}):e._e(),e._v(" "),e.uploading?e._e():s("i",{staticClass:"icon-upload"}),e._v(" "),s("input",{staticStyle:{position:"fixed",top:"-100em"},attrs:{type:"file"}})])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"settings panel panel-default"},[s("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("nav.friend_requests"))+"\n ")]),e._v(" "),s("div",{staticClass:"panel-body"},e._l(e.requests,function(e){return s("user-card",{key:e.id,attrs:{user:e,showFollows:!1,showApproval:!0}})}))])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return e.loggedIn&&"private"!==e.visibility&&"direct"!==e.visibility?s("div",[s("i",{staticClass:"icon-retweet rt-active",class:e.classes,on:{click:function(t){t.preventDefault(),e.retweet()}}}),e._v(" "),e.status.repeat_num>0?s("span",[e._v(e._s(e.status.repeat_num))]):e._e()]):e.loggedIn?e._e():s("div",[s("i",{staticClass:"icon-retweet",class:e.classes}),e._v(" "),e.status.repeat_num>0?s("span",[e._v(e._s(e.status.repeat_num))]):e._e()])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("Timeline",{attrs:{title:e.tag,timeline:e.timeline,"timeline-name":"tag",tag:e.tag}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"login panel panel-default"},[s("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("login.login"))+"\n ")]),e._v(" "),s("div",{staticClass:"panel-body"},[s("form",{staticClass:"login-form",on:{submit:function(t){t.preventDefault(),e.submit(e.user)}}},[s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"username"}},[e._v(e._s(e.$t("login.username")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.username,expression:"user.username"}],staticClass:"form-control",attrs:{disabled:e.loggingIn,id:"username",placeholder:e.$t("login.placeholder")},domProps:{value:e.user.username},on:{input:function(t){t.target.composing||e.$set(e.user,"username",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"password"}},[e._v(e._s(e.$t("login.password")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.password,expression:"user.password"}],staticClass:"form-control",attrs:{disabled:e.loggingIn,id:"password",type:"password"},domProps:{value:e.user.password},on:{input:function(t){t.target.composing||e.$set(e.user,"password",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("div",{staticClass:"login-bottom"},[s("div",[e.registrationOpen?s("router-link",{staticClass:"register",attrs:{to:{name:"registration"}}},[e._v(e._s(e.$t("login.register")))]):e._e()],1),e._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:e.loggingIn,type:"submit"}},[e._v(e._s(e.$t("login.login")))])])]),e._v(" "),e.authError?s("div",{staticClass:"form-group"},[s("div",{staticClass:"alert error"},[e._v(e._s(e.authError))])]):e._e()])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"timeline panel panel-default"},[s("div",{staticClass:"panel-heading conversation-heading"},[e._v("\n "+e._s(e.$t("timeline.conversation"))+"\n "),e.collapsable?s("span",{staticStyle:{float:"right"}},[s("small",[s("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.$emit("toggleExpanded")}}},[e._v(e._s(e.$t("timeline.collapse")))])])]):e._e()]),e._v(" "),s("div",{staticClass:"panel-body"},[s("div",{staticClass:"timeline"},e._l(e.conversation,function(t){return s("status",{key:t.id,staticClass:"status-fadein",attrs:{inlineExpanded:e.collapsable,statusoid:t,expandable:!1,focused:e.focused(t.id),inConversation:!0,highlight:e.highlight,replies:e.getReplies(t.id)},on:{goto:e.setHighlight}})}))])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return e.loggedIn?s("div",[s("i",{staticClass:"favorite-button fav-active",class:e.classes,on:{click:function(t){t.preventDefault(),e.favorite()}}}),e._v(" "),e.status.fave_num>0?s("span",[e._v(e._s(e.status.fave_num))]):e._e()]):s("div",[s("i",{staticClass:"favorite-button",class:e.classes}),e._v(" "),e.status.fave_num>0?s("span",[e._v(e._s(e.status.fave_num))]):e._e()])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"user-panel"},[e.user?s("div",{staticClass:"panel panel-default",staticStyle:{overflow:"visible"}},[s("user-card-content",{attrs:{user:e.user,switcher:!1,hideBio:!0}}),e._v(" "),s("div",{staticClass:"panel-footer"},[e.user?s("post-status-form"):e._e()],1)],1):e._e(),e._v(" "),e.user?e._e():s("login-form")],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",[s("label",{staticClass:"select",attrs:{for:"interface-language-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:e.language,expression:"language"}],attrs:{id:"interface-language-switcher"},on:{change:function(t){var s=Array.prototype.filter.call(t.target.options,function(e){return e.selected}).map(function(e){var t="_value"in e?e._value:e.value;return t});e.language=t.target.multiple?s:s[0]}}},e._l(e.languageCodes,function(t,a){return s("option",{domProps:{value:t}},[e._v("\n "+e._s(e.languageNames[a])+"\n ")])})),e._v(" "),s("i",{staticClass:"icon-down-open"})])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",[e.user?s("div",{staticClass:"user-profile panel panel-default"},[s("user-card-content",{attrs:{user:e.user,switcher:!0,selected:e.timeline.viewing}})],1):e._e(),e._v(" "),s("Timeline",{attrs:{title:e.$t("user_profile.timeline_title"), +timeline:e.timeline,"timeline-name":"user","user-id":e.userId}})],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"settings panel panel-default"},[s("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("registration.registration"))+"\n ")]),e._v(" "),s("div",{staticClass:"panel-body"},[s("form",{staticClass:"registration-form",on:{submit:function(t){t.preventDefault(),e.submit(e.user)}}},[s("div",{staticClass:"container"},[s("div",{staticClass:"text-fields"},[s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"username"}},[e._v(e._s(e.$t("login.username")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.username,expression:"user.username"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"username",placeholder:"e.g. lain"},domProps:{value:e.user.username},on:{input:function(t){t.target.composing||e.$set(e.user,"username",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"fullname"}},[e._v(e._s(e.$t("registration.fullname")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.fullname,expression:"user.fullname"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"fullname",placeholder:"e.g. Lain Iwakura"},domProps:{value:e.user.fullname},on:{input:function(t){t.target.composing||e.$set(e.user,"fullname",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"email"}},[e._v(e._s(e.$t("registration.email")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.email,expression:"user.email"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"email",type:"email"},domProps:{value:e.user.email},on:{input:function(t){t.target.composing||e.$set(e.user,"email",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"bio"}},[e._v(e._s(e.$t("registration.bio")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.bio,expression:"user.bio"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"bio"},domProps:{value:e.user.bio},on:{input:function(t){t.target.composing||e.$set(e.user,"bio",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"password"}},[e._v(e._s(e.$t("login.password")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.password,expression:"user.password"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"password",type:"password"},domProps:{value:e.user.password},on:{input:function(t){t.target.composing||e.$set(e.user,"password",t.target.value)}}})]),e._v(" "),s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"password_confirmation"}},[e._v(e._s(e.$t("registration.password_confirm")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.user.confirm,expression:"user.confirm"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"password_confirmation",type:"password"},domProps:{value:e.user.confirm},on:{input:function(t){t.target.composing||e.$set(e.user,"confirm",t.target.value)}}})]),e._v(" "),e.token?s("div",{staticClass:"form-group"},[s("label",{attrs:{for:"token"}},[e._v(e._s(e.$t("registration.token")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.token,expression:"token"}],staticClass:"form-control",attrs:{disabled:"true",id:"token",type:"text"},domProps:{value:e.token},on:{input:function(t){t.target.composing||(e.token=t.target.value)}}})]):e._e(),e._v(" "),s("div",{staticClass:"form-group"},[s("button",{staticClass:"btn btn-default",attrs:{disabled:e.registering,type:"submit"}},[e._v(e._s(e.$t("general.submit")))])])]),e._v(" "),s("div",{staticClass:"terms-of-service",domProps:{innerHTML:e._s(e.termsofservice)}})]),e._v(" "),e.error?s("div",{staticClass:"form-group"},[s("div",{staticClass:"alert error"},[e._v(e._s(e.error))])]):e._e()])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return"statuses"==e.viewing?s("div",{staticClass:"timeline panel panel-default"},[s("div",{staticClass:"panel-heading timeline-heading"},[s("div",{staticClass:"title"},[e._v("\n "+e._s(e.title)+"\n ")]),e._v(" "),e.timeline.newStatusCount>0&&!e.timelineError?s("button",{staticClass:"loadmore-button",on:{click:function(t){return t.preventDefault(),e.showNewStatuses(t)}}},[e._v("\n "+e._s(e.$t("timeline.show_new"))+e._s(e.newStatusCountStr)+"\n ")]):e._e(),e._v(" "),e.timelineError?s("div",{staticClass:"loadmore-error alert error",on:{click:function(e){e.preventDefault()}}},[e._v("\n "+e._s(e.$t("timeline.error_fetching"))+"\n ")]):e._e(),e._v(" "),!e.timeline.newStatusCount>0&&!e.timelineError?s("div",{staticClass:"loadmore-text",on:{click:function(e){e.preventDefault()}}},[e._v("\n "+e._s(e.$t("timeline.up_to_date"))+"\n ")]):e._e()]),e._v(" "),s("div",{staticClass:"panel-body"},[s("div",{staticClass:"timeline"},e._l(e.timeline.visibleStatuses,function(e){return s("status-or-conversation",{key:e.id,staticClass:"status-fadein",attrs:{statusoid:e}})}))]),e._v(" "),s("div",{staticClass:"panel-footer"},[e.timeline.loading?s("div",{staticClass:"new-status-notification text-center panel-footer"},[e._v("...")]):s("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.fetchOlderStatuses()}}},[s("div",{staticClass:"new-status-notification text-center panel-footer"},[e._v(e._s(e.$t("timeline.load_older")))])])])]):"followers"==e.viewing?s("div",{staticClass:"timeline panel panel-default"},[s("div",{staticClass:"panel-heading timeline-heading"},[s("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("user_card.followers"))+"\n ")])]),e._v(" "),s("div",{staticClass:"panel-body"},[s("div",{staticClass:"timeline"},e._l(e.followers,function(e){return s("user-card",{key:e.id,attrs:{user:e,showFollows:!1}})}))])]):"friends"==e.viewing?s("div",{staticClass:"timeline panel panel-default"},[s("div",{staticClass:"panel-heading timeline-heading"},[s("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("user_card.followees"))+"\n ")])]),e._v(" "),s("div",{staticClass:"panel-body"},[s("div",{staticClass:"timeline"},e._l(e.friends,function(e){return s("user-card",{key:e.id,attrs:{user:e,showFollows:!0}})}))])]):e._e()},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"post-status-form"},[s("form",{on:{submit:function(t){t.preventDefault(),e.postStatus(e.newStatus)}}},[s("div",{staticClass:"form-group"},[this.$store.state.users.currentUser.locked||"private"!=this.newStatus.visibility?e._e():s("i18n",{staticClass:"visibility-notice",attrs:{path:"post_status.account_not_locked_warning",tag:"p"}},[s("router-link",{attrs:{to:"/user-settings"}},[e._v(e._s(e.$t("post_status.account_not_locked_warning_link")))])],1),e._v(" "),"direct"==this.newStatus.visibility?s("p",{staticClass:"visibility-notice"},[e._v(e._s(e.$t("post_status.direct_warning")))]):e._e(),e._v(" "),e.scopeOptionsEnabled?s("input",{directives:[{name:"model",rawName:"v-model",value:e.newStatus.spoilerText,expression:"newStatus.spoilerText"}],staticClass:"form-cw",attrs:{type:"text",placeholder:e.$t("post_status.content_warning")},domProps:{value:e.newStatus.spoilerText},on:{input:function(t){t.target.composing||e.$set(e.newStatus,"spoilerText",t.target.value)}}}):e._e(),e._v(" "),s("textarea",{directives:[{name:"model",rawName:"v-model",value:e.newStatus.status,expression:"newStatus.status"}],ref:"textarea",staticClass:"form-control",attrs:{placeholder:e.$t("post_status.default"),rows:"1"},domProps:{value:e.newStatus.status},on:{click:e.setCaret,keyup:[e.setCaret,function(t){return("button"in t||!e._k(t.keyCode,"enter",13,t.key,"Enter"))&&t.ctrlKey?void e.postStatus(e.newStatus):null}],keydown:[function(t){return"button"in t||!e._k(t.keyCode,"down",40,t.key,["Down","ArrowDown"])?e.cycleForward(t):null},function(t){return"button"in t||!e._k(t.keyCode,"up",38,t.key,["Up","ArrowUp"])?e.cycleBackward(t):null},function(t){return("button"in t||!e._k(t.keyCode,"tab",9,t.key,"Tab"))&&t.shiftKey?e.cycleBackward(t):null},function(t){return"button"in t||!e._k(t.keyCode,"tab",9,t.key,"Tab")?e.cycleForward(t):null},function(t){return"button"in t||!e._k(t.keyCode,"enter",13,t.key,"Enter")?e.replaceCandidate(t):null},function(t){return("button"in t||!e._k(t.keyCode,"enter",13,t.key,"Enter"))&&t.metaKey?void e.postStatus(e.newStatus):null}],drop:e.fileDrop,dragover:function(t){return t.preventDefault(),e.fileDrag(t)},input:[function(t){t.target.composing||e.$set(e.newStatus,"status",t.target.value)},e.resize],paste:e.paste}}),e._v(" "),e.scopeOptionsEnabled?s("div",{staticClass:"visibility-tray"},[s("i",{staticClass:"icon-mail-alt",class:e.vis.direct,attrs:{title:e.$t("post_status.scope.direct")},on:{click:function(t){e.changeVis("direct")}}}),e._v(" "),s("i",{staticClass:"icon-lock",class:e.vis.private,attrs:{title:e.$t("post_status.scope.private")},on:{click:function(t){e.changeVis("private")}}}),e._v(" "),s("i",{staticClass:"icon-lock-open-alt",class:e.vis.unlisted,attrs:{title:e.$t("post_status.scope.unlisted")},on:{click:function(t){e.changeVis("unlisted")}}}),e._v(" "),s("i",{staticClass:"icon-globe",class:e.vis.public,attrs:{title:e.$t("post_status.scope.public")},on:{click:function(t){e.changeVis("public")}}})]):e._e()],1),e._v(" "),e.candidates?s("div",{staticStyle:{position:"relative"}},[s("div",{staticClass:"autocomplete-panel"},e._l(e.candidates,function(t){return s("div",{on:{click:function(s){e.replace(t.utf||t.screen_name+" ")}}},[s("div",{staticClass:"autocomplete",class:{highlighted:t.highlighted}},[t.img?s("span",[s("img",{attrs:{src:t.img}})]):s("span",[e._v(e._s(t.utf))]),e._v(" "),s("span",[e._v(e._s(t.screen_name)),s("small",[e._v(e._s(t.name))])])])])}))]):e._e(),e._v(" "),s("div",{staticClass:"form-bottom"},[s("media-upload",{attrs:{"drop-files":e.dropFiles},on:{uploading:e.disableSubmit,uploaded:e.addMediaFile,"upload-failed":e.enableSubmit}}),e._v(" "),e.isOverLengthLimit?s("p",{staticClass:"error"},[e._v(e._s(e.charactersLeft))]):e.hasStatusLengthLimit?s("p",{staticClass:"faint"},[e._v(e._s(e.charactersLeft))]):e._e(),e._v(" "),e.posting?s("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[e._v(e._s(e.$t("post_status.posting")))]):e.isOverLengthLimit?s("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[e._v(e._s(e.$t("general.submit")))]):s("button",{staticClass:"btn btn-default",attrs:{disabled:e.submitDisabled,type:"submit"}},[e._v(e._s(e.$t("general.submit")))])],1),e._v(" "),e.error?s("div",{staticClass:"alert error"},[e._v("\n Error: "+e._s(e.error)+"\n "),s("i",{staticClass:"icon-cancel",on:{click:e.clearError}})]):e._e(),e._v(" "),s("div",{staticClass:"attachments"},e._l(e.newStatus.files,function(t){return s("div",{staticClass:"media-upload-wrapper"},[s("i",{staticClass:"fa icon-cancel",on:{click:function(s){e.removeMediaFile(t)}}}),e._v(" "),s("div",{staticClass:"media-upload-container attachment"},["image"===e.type(t)?s("img",{staticClass:"thumbnail media-upload",attrs:{src:t.image}}):e._e(),e._v(" "),"video"===e.type(t)?s("video",{attrs:{src:t.image,controls:""}}):e._e(),e._v(" "),"audio"===e.type(t)?s("audio",{attrs:{src:t.image,controls:""}}):e._e(),e._v(" "),"unknown"===e.type(t)?s("a",{attrs:{href:t.image}},[e._v(e._s(t.url))]):e._e()])])})),e._v(" "),e.newStatus.files.length>0?s("div",{staticClass:"upload_settings"},[s("input",{directives:[{name:"model",rawName:"v-model",value:e.newStatus.nsfw,expression:"newStatus.nsfw"}],attrs:{type:"checkbox",id:"filesSensitive"},domProps:{checked:Array.isArray(e.newStatus.nsfw)?e._i(e.newStatus.nsfw,null)>-1:e.newStatus.nsfw},on:{change:function(t){var s=e.newStatus.nsfw,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&e.$set(e.newStatus,"nsfw",s.concat([n])):o>-1&&e.$set(e.newStatus,"nsfw",s.slice(0,o).concat(s.slice(o+1)))}else e.$set(e.newStatus,"nsfw",i)}}}),e._v(" "),e.newStatus.nsfw?s("label",{attrs:{for:"filesSensitive"}},[e._v(e._s(e.$t("post_status.attachments_sensitive")))]):s("label",{attrs:{for:"filesSensitive"},domProps:{innerHTML:e._s(e.$t("post_status.attachments_not_sensitive"))}})]):e._e()])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"nav-panel"},[s("div",{staticClass:"panel panel-default"},[s("ul",[e.currentUser?s("li",[s("router-link",{attrs:{to:"/main/friends"}},[e._v("\n "+e._s(e.$t("nav.timeline"))+"\n ")])],1):e._e(),e._v(" "),e.currentUser?s("li",[s("router-link",{attrs:{to:{name:"mentions",params:{username:e.currentUser.screen_name}}}},[e._v("\n "+e._s(e.$t("nav.mentions"))+"\n ")])],1):e._e(),e._v(" "),e.currentUser&&e.currentUser.locked?s("li",[s("router-link",{attrs:{to:"/friend-requests"}},[e._v("\n "+e._s(e.$t("nav.friend_requests"))+"\n ")])],1):e._e(),e._v(" "),s("li",[s("router-link",{attrs:{to:"/main/public"}},[e._v("\n "+e._s(e.$t("nav.public_tl"))+"\n ")])],1),e._v(" "),s("li",[s("router-link",{attrs:{to:"/main/all"}},[e._v("\n "+e._s(e.$t("nav.twkn"))+"\n ")])],1)])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("conversation",{attrs:{collapsable:!1,statusoid:e.statusoid}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"settings panel panel-default"},[s("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("settings.user_settings"))+"\n ")]),e._v(" "),s("div",{staticClass:"panel-body profile-edit"},[s("div",{staticClass:"tab-switcher"},[s("button",{staticClass:"btn btn-default",on:{click:function(t){e.activateTab("profile")}}},[e._v(e._s(e.$t("settings.profile_tab")))]),e._v(" "),s("button",{staticClass:"btn btn-default",on:{click:function(t){e.activateTab("security")}}},[e._v(e._s(e.$t("settings.security_tab")))]),e._v(" "),e.pleromaBackend?s("button",{staticClass:"btn btn-default",on:{click:function(t){e.activateTab("data_import_export")}}},[e._v(e._s(e.$t("settings.data_import_export_tab")))]):e._e()]),e._v(" "),"profile"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.name_bio")))]),e._v(" "),s("p",[e._v(e._s(e.$t("settings.name")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.newname,expression:"newname"}],staticClass:"name-changer",attrs:{id:"username"},domProps:{value:e.newname},on:{input:function(t){t.target.composing||(e.newname=t.target.value)}}}),e._v(" "),s("p",[e._v(e._s(e.$t("settings.bio")))]),e._v(" "),s("textarea",{directives:[{name:"model",rawName:"v-model",value:e.newbio,expression:"newbio"}],staticClass:"bio",domProps:{value:e.newbio},on:{input:function(t){t.target.composing||(e.newbio=t.target.value)}}}),e._v(" "),s("p",[s("input",{directives:[{name:"model",rawName:"v-model",value:e.newlocked,expression:"newlocked"}],attrs:{type:"checkbox",id:"account-locked"},domProps:{checked:Array.isArray(e.newlocked)?e._i(e.newlocked,null)>-1:e.newlocked},on:{change:function(t){var s=e.newlocked,a=t.target,i=!!a.checked;if(Array.isArray(s)){var n=null,o=e._i(s,n);a.checked?o<0&&(e.newlocked=s.concat([n])):o>-1&&(e.newlocked=s.slice(0,o).concat(s.slice(o+1)))}else e.newlocked=i}}}),e._v(" "),s("label",{attrs:{for:"account-locked"}},[e._v(e._s(e.$t("settings.lock_account_description")))])]),e._v(" "),e.scopeOptionsEnabled?s("div",[s("label",{attrs:{for:"default-vis"}},[e._v(e._s(e.$t("settings.default_vis")))]),e._v(" "),s("div",{staticClass:"visibility-tray",attrs:{id:"default-vis"}},[s("i",{staticClass:"icon-mail-alt",class:e.vis.direct,on:{click:function(t){e.changeVis("direct")}}}),e._v(" "),s("i",{staticClass:"icon-lock",class:e.vis.private,on:{click:function(t){e.changeVis("private")}}}),e._v(" "),s("i",{staticClass:"icon-lock-open-alt",class:e.vis.unlisted,on:{click:function(t){e.changeVis("unlisted")}}}),e._v(" "),s("i",{staticClass:"icon-globe",class:e.vis.public,on:{click:function(t){e.changeVis("public")}}})])]):e._e(),e._v(" "),s("button",{staticClass:"btn btn-default",attrs:{disabled:e.newname.length<=0},on:{click:e.updateProfile}},[e._v(e._s(e.$t("general.submit")))])]):e._e(),e._v(" "),"profile"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.avatar")))]),e._v(" "),s("p",[e._v(e._s(e.$t("settings.current_avatar")))]),e._v(" "),s("img",{staticClass:"old-avatar",attrs:{src:e.user.profile_image_url_original}}),e._v(" "),s("p",[e._v(e._s(e.$t("settings.set_new_avatar")))]),e._v(" "),e.previews[0]?s("img",{staticClass:"new-avatar",attrs:{src:e.previews[0]}}):e._e(),e._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(t){e.uploadFile(0,t)}}})]),e._v(" "),e.uploading[0]?s("i",{staticClass:"icon-spin4 animate-spin"}):e.previews[0]?s("button",{staticClass:"btn btn-default",on:{click:e.submitAvatar}},[e._v(e._s(e.$t("general.submit")))]):e._e()]):e._e(),e._v(" "),"profile"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.profile_banner")))]),e._v(" "),s("p",[e._v(e._s(e.$t("settings.current_profile_banner")))]),e._v(" "),s("img",{staticClass:"banner",attrs:{src:e.user.cover_photo}}),e._v(" "),s("p",[e._v(e._s(e.$t("settings.set_new_profile_banner")))]),e._v(" "),e.previews[1]?s("img",{staticClass:"banner",attrs:{src:e.previews[1]}}):e._e(),e._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(t){e.uploadFile(1,t)}}})]),e._v(" "),e.uploading[1]?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):e.previews[1]?s("button",{staticClass:"btn btn-default",on:{click:e.submitBanner}},[e._v(e._s(e.$t("general.submit")))]):e._e()]):e._e(),e._v(" "),"profile"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.profile_background")))]),e._v(" "),s("p",[e._v(e._s(e.$t("settings.set_new_profile_background")))]),e._v(" "),e.previews[2]?s("img",{staticClass:"bg",attrs:{src:e.previews[2]}}):e._e(),e._v(" "),s("div",[s("input",{attrs:{type:"file"},on:{change:function(t){e.uploadFile(2,t)}}})]),e._v(" "),e.uploading[2]?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):e.previews[2]?s("button",{staticClass:"btn btn-default",on:{click:e.submitBg}},[e._v(e._s(e.$t("general.submit")))]):e._e()]):e._e(),e._v(" "),"security"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.change_password")))]),e._v(" "),s("div",[s("p",[e._v(e._s(e.$t("settings.current_password")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.changePasswordInputs[0],expression:"changePasswordInputs[0]"}],attrs:{type:"password"},domProps:{value:e.changePasswordInputs[0]},on:{input:function(t){t.target.composing||e.$set(e.changePasswordInputs,0,t.target.value)}}})]),e._v(" "),s("div",[s("p",[e._v(e._s(e.$t("settings.new_password")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.changePasswordInputs[1],expression:"changePasswordInputs[1]"}],attrs:{type:"password"},domProps:{value:e.changePasswordInputs[1]},on:{input:function(t){t.target.composing||e.$set(e.changePasswordInputs,1,t.target.value)}}})]),e._v(" "),s("div",[s("p",[e._v(e._s(e.$t("settings.confirm_new_password")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.changePasswordInputs[2],expression:"changePasswordInputs[2]"}],attrs:{type:"password"},domProps:{value:e.changePasswordInputs[2]},on:{input:function(t){t.target.composing||e.$set(e.changePasswordInputs,2,t.target.value)}}})]),e._v(" "),s("button",{staticClass:"btn btn-default",on:{click:e.changePassword}},[e._v(e._s(e.$t("general.submit")))]),e._v(" "),e.changedPassword?s("p",[e._v(e._s(e.$t("settings.changed_password")))]):e.changePasswordError!==!1?s("p",[e._v(e._s(e.$t("settings.change_password_error")))]):e._e(),e._v(" "),e.changePasswordError?s("p",[e._v(e._s(e.changePasswordError))]):e._e()]):e._e(),e._v(" "),e.pleromaBackend&&"data_import_export"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.follow_import")))]),e._v(" "),s("p",[e._v(e._s(e.$t("settings.import_followers_from_a_csv_file")))]),e._v(" "),s("form",{model:{value:e.followImportForm,callback:function(t){e.followImportForm=t},expression:"followImportForm"}},[s("input",{ref:"followlist",attrs:{type:"file"},on:{change:e.followListChange}})]),e._v(" "),e.uploading[3]?s("i",{staticClass:" icon-spin4 animate-spin uploading"}):s("button",{staticClass:"btn btn-default",on:{click:e.importFollows}},[e._v(e._s(e.$t("general.submit")))]),e._v(" "),e.followsImported?s("div",[s("i",{staticClass:"icon-cross",on:{click:e.dismissImported}}),e._v(" "),s("p",[e._v(e._s(e.$t("settings.follows_imported")))])]):e.followImportError?s("div",[s("i",{staticClass:"icon-cross",on:{click:e.dismissImported}}),e._v(" "),s("p",[e._v(e._s(e.$t("settings.follow_import_error")))])]):e._e()]):e._e(),e._v(" "),e.enableFollowsExport&&"data_import_export"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.follow_export")))]),e._v(" "),s("button",{staticClass:"btn btn-default",on:{click:e.exportFollows}},[e._v(e._s(e.$t("settings.follow_export_button")))])]):"data_import_export"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.follow_export_processing")))])]):e._e(),e._v(" "),s("hr"),e._v(" "),"security"==e.activeTab?s("div",{staticClass:"setting-item"},[s("h2",[e._v(e._s(e.$t("settings.delete_account")))]),e._v(" "),e.deletingAccount?e._e():s("p",[e._v(e._s(e.$t("settings.delete_account_description")))]),e._v(" "),e.deletingAccount?s("div",[s("p",[e._v(e._s(e.$t("settings.delete_account_instructions")))]),e._v(" "),s("p",[e._v(e._s(e.$t("login.password")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.deleteAccountConfirmPasswordInput,expression:"deleteAccountConfirmPasswordInput"}],attrs:{type:"password"},domProps:{value:e.deleteAccountConfirmPasswordInput},on:{input:function(t){t.target.composing||(e.deleteAccountConfirmPasswordInput=t.target.value)}}}),e._v(" "),s("button",{staticClass:"btn btn-default",on:{click:e.deleteAccount}},[e._v(e._s(e.$t("settings.delete_account")))])]):e._e(),e._v(" "),e.deleteAccountError!==!1?s("p",[e._v(e._s(e.$t("settings.delete_account_error")))]):e._e(),e._v(" "),e.deleteAccountError?s("p",[e._v(e._s(e.deleteAccountError))]):e._e(),e._v(" "),e.deletingAccount?e._e():s("button",{staticClass:"btn btn-default",on:{click:e.confirmDelete}},[e._v(e._s(e.$t("general.submit")))])]):e._e()])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"still-image",class:{animated:e.animated}},[e.animated?s("canvas",{ref:"canvas"}):e._e(),e._v(" "),s("img",{ref:"src",attrs:{src:e.src,referrerpolicy:e.referrerpolicy},on:{load:e.onLoad}})])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",{staticClass:"card"},[s("a",{attrs:{href:"#"}},[s("img",{staticClass:"avatar",attrs:{src:e.user.profile_image_url},on:{click:function(t){return t.preventDefault(),e.toggleUserExpanded(t)}}})]),e._v(" "),e.userExpanded?s("div",{staticClass:"usercard"},[s("user-card-content",{attrs:{user:e.user,switcher:!1}})],1):s("div",{staticClass:"name-and-screen-name"},[e.user.name_html?s("div",{staticClass:"user-name",attrs:{title:e.user.name}},[s("span",{domProps:{innerHTML:e._s(e.user.name_html)}}),e._v(" "),!e.userExpanded&&e.showFollows&&e.user.follows_you?s("span",{staticClass:"follows-you"},[e._v("\n "+e._s(e.$t("user_card.follows_you"))+"\n ")]):e._e()]):s("div",{staticClass:"user-name",attrs:{title:e.user.name}},[e._v("\n "+e._s(e.user.name)+"\n "),!e.userExpanded&&e.showFollows&&e.user.follows_you?s("span",{staticClass:"follows-you"},[e._v("\n "+e._s(e.$t("user_card.follows_you"))+"\n ")]):e._e()]),e._v(" "),s("a",{attrs:{href:e.user.statusnet_profile_url,target:"blank"}},[s("div",{staticClass:"user-screen-name"},[e._v("@"+e._s(e.user.screen_name))])])]),e._v(" "),e.showApproval?s("div",{staticClass:"approval"},[s("button",{staticClass:"btn btn-default",on:{click:e.approveUser}},[e._v(e._s(e.$t("user_card.approve")))]),e._v(" "),s("button",{staticClass:"btn btn-default",on:{click:e.denyUser}},[e._v(e._s(e.$t("user_card.deny")))])]):e._e()])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return e.canDelete?s("div",[s("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.deleteStatus()}}},[s("i",{staticClass:"icon-cancel delete-status"})])]):e._e()},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,s=e._self._c||t;return s("div",[s("div",[e._v(e._s(e.$t("settings.presets"))+"\n "),s("label",{staticClass:"select",attrs:{for:"style-switcher"}},[s("select",{directives:[{name:"model",rawName:"v-model",value:e.selected,expression:"selected"}],staticClass:"style-switcher",attrs:{id:"style-switcher"},on:{change:function(t){var s=Array.prototype.filter.call(t.target.options,function(e){return e.selected}).map(function(e){var t="_value"in e?e._value:e.value;return t});e.selected=t.target.multiple?s:s[0]}}},e._l(e.availableStyles,function(t){return s("option",{style:{backgroundColor:t[1],color:t[3]},domProps:{value:t}},[e._v(e._s(t[0]))])})),e._v(" "),s("i",{staticClass:"icon-down-open"})])]),e._v(" "),s("div",[s("button",{staticClass:"btn",on:{click:e.exportCurrentTheme}},[e._v(e._s(e.$t("settings.export_theme")))]),e._v(" "),s("button",{staticClass:"btn",on:{click:e.importTheme}},[e._v(e._s(e.$t("settings.import_theme")))]),e._v(" "),e.invalidThemeImported?s("p",{staticClass:"import-warning"},[e._v(e._s(e.$t("settings.invalid_theme_imported")))]):e._e()]),e._v(" "),s("div",{staticClass:"color-container"},[s("p",[e._v(e._s(e.$t("settings.theme_help")))]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"bgcolor"}},[e._v(e._s(e.$t("settings.background")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.bgColorLocal,expression:"bgColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"bgcolor",type:"color"},domProps:{value:e.bgColorLocal},on:{input:function(t){t.target.composing||(e.bgColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.bgColorLocal,expression:"bgColorLocal"}],staticClass:"theme-color-in",attrs:{id:"bgcolor-t",type:"text"},domProps:{value:e.bgColorLocal},on:{input:function(t){t.target.composing||(e.bgColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"fgcolor"}},[e._v(e._s(e.$t("settings.foreground")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.btnColorLocal,expression:"btnColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"fgcolor",type:"color"},domProps:{value:e.btnColorLocal},on:{input:function(t){t.target.composing||(e.btnColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.btnColorLocal,expression:"btnColorLocal"}],staticClass:"theme-color-in",attrs:{id:"fgcolor-t",type:"text"},domProps:{value:e.btnColorLocal},on:{input:function(t){t.target.composing||(e.btnColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"textcolor"}},[e._v(e._s(e.$t("settings.text")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.textColorLocal,expression:"textColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"textcolor",type:"color"},domProps:{value:e.textColorLocal},on:{input:function(t){t.target.composing||(e.textColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.textColorLocal,expression:"textColorLocal"}],staticClass:"theme-color-in",attrs:{id:"textcolor-t",type:"text"},domProps:{value:e.textColorLocal},on:{input:function(t){t.target.composing||(e.textColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"linkcolor"}},[e._v(e._s(e.$t("settings.links")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.linkColorLocal,expression:"linkColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"linkcolor",type:"color"},domProps:{value:e.linkColorLocal},on:{input:function(t){t.target.composing||(e.linkColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.linkColorLocal,expression:"linkColorLocal"}],staticClass:"theme-color-in",attrs:{id:"linkcolor-t",type:"text"},domProps:{value:e.linkColorLocal},on:{input:function(t){t.target.composing||(e.linkColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"redcolor"}},[e._v(e._s(e.$t("settings.cRed")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.redColorLocal,expression:"redColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"redcolor",type:"color"},domProps:{value:e.redColorLocal},on:{input:function(t){t.target.composing||(e.redColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.redColorLocal,expression:"redColorLocal"}],staticClass:"theme-color-in",attrs:{id:"redcolor-t",type:"text"},domProps:{value:e.redColorLocal},on:{input:function(t){t.target.composing||(e.redColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"bluecolor"}},[e._v(e._s(e.$t("settings.cBlue")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.blueColorLocal,expression:"blueColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"bluecolor",type:"color"},domProps:{value:e.blueColorLocal},on:{input:function(t){t.target.composing||(e.blueColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.blueColorLocal,expression:"blueColorLocal"}],staticClass:"theme-color-in",attrs:{id:"bluecolor-t",type:"text"},domProps:{value:e.blueColorLocal},on:{input:function(t){t.target.composing||(e.blueColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"greencolor"}},[e._v(e._s(e.$t("settings.cGreen")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.greenColorLocal,expression:"greenColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"greencolor",type:"color"},domProps:{value:e.greenColorLocal},on:{input:function(t){t.target.composing||(e.greenColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.greenColorLocal,expression:"greenColorLocal"}],staticClass:"theme-color-in",attrs:{id:"greencolor-t",type:"green"},domProps:{value:e.greenColorLocal},on:{input:function(t){t.target.composing||(e.greenColorLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"color-item"},[s("label",{staticClass:"theme-color-lb",attrs:{for:"orangecolor"}},[e._v(e._s(e.$t("settings.cOrange")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.orangeColorLocal,expression:"orangeColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"orangecolor",type:"color"},domProps:{value:e.orangeColorLocal},on:{input:function(t){t.target.composing||(e.orangeColorLocal=t.target.value)}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model", +value:e.orangeColorLocal,expression:"orangeColorLocal"}],staticClass:"theme-color-in",attrs:{id:"orangecolor-t",type:"text"},domProps:{value:e.orangeColorLocal},on:{input:function(t){t.target.composing||(e.orangeColorLocal=t.target.value)}}})])]),e._v(" "),s("div",{staticClass:"radius-container"},[s("p",[e._v(e._s(e.$t("settings.radii_help")))]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"btnradius"}},[e._v(e._s(e.$t("settings.btnRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.btnRadiusLocal,expression:"btnRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"btnradius",type:"range",max:"16"},domProps:{value:e.btnRadiusLocal},on:{__r:function(t){e.btnRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.btnRadiusLocal,expression:"btnRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"btnradius-t",type:"text"},domProps:{value:e.btnRadiusLocal},on:{input:function(t){t.target.composing||(e.btnRadiusLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"inputradius"}},[e._v(e._s(e.$t("settings.inputRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.inputRadiusLocal,expression:"inputRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"inputradius",type:"range",max:"16"},domProps:{value:e.inputRadiusLocal},on:{__r:function(t){e.inputRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.inputRadiusLocal,expression:"inputRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"inputradius-t",type:"text"},domProps:{value:e.inputRadiusLocal},on:{input:function(t){t.target.composing||(e.inputRadiusLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"panelradius"}},[e._v(e._s(e.$t("settings.panelRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.panelRadiusLocal,expression:"panelRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"panelradius",type:"range",max:"50"},domProps:{value:e.panelRadiusLocal},on:{__r:function(t){e.panelRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.panelRadiusLocal,expression:"panelRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"panelradius-t",type:"text"},domProps:{value:e.panelRadiusLocal},on:{input:function(t){t.target.composing||(e.panelRadiusLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"avatarradius"}},[e._v(e._s(e.$t("settings.avatarRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarRadiusLocal,expression:"avatarRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"avatarradius",type:"range",max:"28"},domProps:{value:e.avatarRadiusLocal},on:{__r:function(t){e.avatarRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarRadiusLocal,expression:"avatarRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"avatarradius-t",type:"green"},domProps:{value:e.avatarRadiusLocal},on:{input:function(t){t.target.composing||(e.avatarRadiusLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"avataraltradius"}},[e._v(e._s(e.$t("settings.avatarAltRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarAltRadiusLocal,expression:"avatarAltRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"avataraltradius",type:"range",max:"28"},domProps:{value:e.avatarAltRadiusLocal},on:{__r:function(t){e.avatarAltRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarAltRadiusLocal,expression:"avatarAltRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"avataraltradius-t",type:"text"},domProps:{value:e.avatarAltRadiusLocal},on:{input:function(t){t.target.composing||(e.avatarAltRadiusLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"attachmentradius"}},[e._v(e._s(e.$t("settings.attachmentRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.attachmentRadiusLocal,expression:"attachmentRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"attachmentrradius",type:"range",max:"50"},domProps:{value:e.attachmentRadiusLocal},on:{__r:function(t){e.attachmentRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.attachmentRadiusLocal,expression:"attachmentRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"attachmentradius-t",type:"text"},domProps:{value:e.attachmentRadiusLocal},on:{input:function(t){t.target.composing||(e.attachmentRadiusLocal=t.target.value)}}})]),e._v(" "),s("div",{staticClass:"radius-item"},[s("label",{staticClass:"theme-radius-lb",attrs:{for:"tooltipradius"}},[e._v(e._s(e.$t("settings.tooltipRadius")))]),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.tooltipRadiusLocal,expression:"tooltipRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"tooltipradius",type:"range",max:"20"},domProps:{value:e.tooltipRadiusLocal},on:{__r:function(t){e.tooltipRadiusLocal=t.target.value}}}),e._v(" "),s("input",{directives:[{name:"model",rawName:"v-model",value:e.tooltipRadiusLocal,expression:"tooltipRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"tooltipradius-t",type:"text"},domProps:{value:e.tooltipRadiusLocal},on:{input:function(t){t.target.composing||(e.tooltipRadiusLocal=t.target.value)}}})])]),e._v(" "),s("div",{style:{"--btnRadius":e.btnRadiusLocal+"px","--inputRadius":e.inputRadiusLocal+"px","--panelRadius":e.panelRadiusLocal+"px","--avatarRadius":e.avatarRadiusLocal+"px","--avatarAltRadius":e.avatarAltRadiusLocal+"px","--tooltipRadius":e.tooltipRadiusLocal+"px","--attachmentRadius":e.attachmentRadiusLocal+"px"}},[s("div",{staticClass:"panel dummy"},[s("div",{staticClass:"panel-heading",style:{"background-color":e.btnColorLocal,color:e.textColorLocal}},[e._v("Preview")]),e._v(" "),s("div",{staticClass:"panel-body theme-preview-content",style:{"background-color":e.bgColorLocal,color:e.textColorLocal}},[s("div",{staticClass:"avatar",style:{"border-radius":e.avatarRadiusLocal+"px"}},[e._v("\n ( ͡° ͜ʖ ͡°)\n ")]),e._v(" "),s("h4",[e._v("Content")]),e._v(" "),s("br"),e._v("\n A bunch of more content and\n "),s("a",{style:{color:e.linkColorLocal}},[e._v("a nice lil' link")]),e._v(" "),s("i",{staticClass:"icon-reply",style:{color:e.blueColorLocal}}),e._v(" "),s("i",{staticClass:"icon-retweet",style:{color:e.greenColorLocal}}),e._v(" "),s("i",{staticClass:"icon-cancel",style:{color:e.redColorLocal}}),e._v(" "),s("i",{staticClass:"icon-star",style:{color:e.orangeColorLocal}}),e._v(" "),s("br"),e._v(" "),s("button",{staticClass:"btn",style:{"background-color":e.btnColorLocal,color:e.textColorLocal}},[e._v("Button")])])])]),e._v(" "),s("button",{staticClass:"btn",on:{click:e.setCustomTheme}},[e._v(e._s(e.$t("general.apply")))])])},staticRenderFns:[]}}]); +//# sourceMappingURL=app.d3eba781c5f30aabbb47.js.map \ No newline at end of file diff --git a/priv/static/static/js/app.d3eba781c5f30aabbb47.js.map b/priv/static/static/js/app.d3eba781c5f30aabbb47.js.map new file mode 100644 index 000000000..8c0464cd7 --- /dev/null +++ b/priv/static/static/js/app.d3eba781c5f30aabbb47.js.map @@ -0,0 +1 @@ +{"version":3,"sources":["webpack:///static/js/app.d3eba781c5f30aabbb47.js","webpack:///./src/main.js","webpack:///./src/services/api/api.service.js","webpack:///./src/components/timeline/timeline.vue","webpack:///./src/components/user_card_content/user_card_content.vue","webpack:///./src/services/color_convert/color_convert.js","webpack:///./src/components/status/status.vue","webpack:///./src/components/still-image/still-image.vue","webpack:///./src/i18n/messages.js","webpack:///./src/modules/statuses.js","webpack:///./src/services/backend_interactor_service/backend_interactor_service.js","webpack:///./src/services/file_type/file_type.service.js","webpack:///./src/services/status_poster/status_poster.service.js","webpack:///./src/services/timeline_fetcher/timeline_fetcher.service.js","webpack:///./src/services/user_highlighter/user_highlighter.js","webpack:///./src/components/conversation/conversation.vue","webpack:///./src/components/post_status_form/post_status_form.vue","webpack:///./src/components/style_switcher/style_switcher.vue","webpack:///./src/components/user_card/user_card.vue","webpack:///./src/lib/persisted_state.js","webpack:///./src/modules/api.js","webpack:///./src/modules/chat.js","webpack:///./src/modules/config.js","webpack:///./src/modules/users.js","webpack:///./src/services/completion/completion.js","webpack:///./src/services/notifications_fetcher/notifications_fetcher.service.js","webpack:///./src/services/style_setter/style_setter.js","webpack:///interface_language_switcher.vue","webpack:///./src/App.js","webpack:///./src/components/attachment/attachment.js","webpack:///./src/components/chat_panel/chat_panel.js","webpack:///./src/components/conversation-page/conversation-page.js","webpack:///./src/components/conversation/conversation.js","webpack:///./src/components/delete_button/delete_button.js","webpack:///./src/components/favorite_button/favorite_button.js","webpack:///./src/components/follow_requests/follow_requests.js","webpack:///./src/components/friends_timeline/friends_timeline.js","webpack:///./src/components/instance_specific_panel/instance_specific_panel.js","webpack:///./src/components/login_form/login_form.js","webpack:///./src/components/media_upload/media_upload.js","webpack:///./src/components/mentions/mentions.js","webpack:///./src/components/nav_panel/nav_panel.js","webpack:///./src/components/notification/notification.js","webpack:///./src/components/notifications/notifications.js","webpack:///./src/components/post_status_form/post_status_form.js","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.js","webpack:///./src/components/public_timeline/public_timeline.js","webpack:///./src/components/registration/registration.js","webpack:///./src/components/retweet_button/retweet_button.js","webpack:///./src/components/settings/settings.js","webpack:///./src/components/status/status.js","webpack:///./src/components/status_or_conversation/status_or_conversation.js","webpack:///./src/components/still-image/still-image.js","webpack:///./src/components/style_switcher/style_switcher.js","webpack:///./src/components/tag_timeline/tag_timeline.js","webpack:///./src/components/timeline/timeline.js","webpack:///./src/components/user_card/user_card.js","webpack:///./src/components/user_card_content/user_card_content.js","webpack:///./src/components/user_finder/user_finder.js","webpack:///./src/components/user_panel/user_panel.js","webpack:///./src/components/user_profile/user_profile.js","webpack:///./src/components/user_settings/user_settings.js","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.js","webpack:///./static/timeago-en.json","webpack:///./static/timeago-ja.json","webpack:///./src/assets/nsfw.png","webpack:///./src/App.vue","webpack:///./src/components/attachment/attachment.vue","webpack:///./src/components/chat_panel/chat_panel.vue","webpack:///./src/components/conversation-page/conversation-page.vue","webpack:///./src/components/delete_button/delete_button.vue","webpack:///./src/components/favorite_button/favorite_button.vue","webpack:///./src/components/follow_requests/follow_requests.vue","webpack:///./src/components/friends_timeline/friends_timeline.vue","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue","webpack:///./src/components/interface_language_switcher/interface_language_switcher.vue","webpack:///./src/components/login_form/login_form.vue","webpack:///./src/components/media_upload/media_upload.vue","webpack:///./src/components/mentions/mentions.vue","webpack:///./src/components/nav_panel/nav_panel.vue","webpack:///./src/components/notification/notification.vue","webpack:///./src/components/notifications/notifications.vue","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue","webpack:///./src/components/public_timeline/public_timeline.vue","webpack:///./src/components/registration/registration.vue","webpack:///./src/components/retweet_button/retweet_button.vue","webpack:///./src/components/settings/settings.vue","webpack:///./src/components/status_or_conversation/status_or_conversation.vue","webpack:///./src/components/tag_timeline/tag_timeline.vue","webpack:///./src/components/user_finder/user_finder.vue","webpack:///./src/components/user_panel/user_panel.vue","webpack:///./src/components/user_profile/user_profile.vue","webpack:///./src/components/user_settings/user_settings.vue","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue","webpack:///./src/components/user_finder/user_finder.vue?54a1","webpack:///./src/components/chat_panel/chat_panel.vue?452e","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?652e","webpack:///./src/components/user_card_content/user_card_content.vue?51dc","webpack:///./src/components/public_timeline/public_timeline.vue?ef4a","webpack:///./src/components/attachment/attachment.vue?b3e5","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue?17e7","webpack:///./src/components/notifications/notifications.vue?9c91","webpack:///./src/components/notification/notification.vue?fbb7","webpack:///./src/components/status_or_conversation/status_or_conversation.vue?1f4f","webpack:///./src/components/mentions/mentions.vue?826a","webpack:///./src/components/settings/settings.vue?6a19","webpack:///./src/components/status/status.vue?2e9e","webpack:///./src/components/friends_timeline/friends_timeline.vue?755f","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue?ae1e","webpack:///./src/App.vue?f645","webpack:///./src/components/media_upload/media_upload.vue?f14b","webpack:///./src/components/follow_requests/follow_requests.vue?bd4a","webpack:///./src/components/retweet_button/retweet_button.vue?1229","webpack:///./src/components/tag_timeline/tag_timeline.vue?4030","webpack:///./src/components/login_form/login_form.vue?72b3","webpack:///./src/components/conversation/conversation.vue?7b26","webpack:///./src/components/favorite_button/favorite_button.vue?fe2a","webpack:///./src/components/user_panel/user_panel.vue?8de6","webpack:///./src/components/interface_language_switcher/interface_language_switcher.vue?dc28","webpack:///./src/components/user_profile/user_profile.vue?2dc4","webpack:///./src/components/registration/registration.vue?f749","webpack:///./src/components/timeline/timeline.vue?61c1","webpack:///./src/components/post_status_form/post_status_form.vue?11ea","webpack:///./src/components/nav_panel/nav_panel.vue?f2e1","webpack:///./src/components/conversation-page/conversation-page.vue?0de2","webpack:///./src/components/user_settings/user_settings.vue?727a","webpack:///./src/components/still-image/still-image.vue?f5e8","webpack:///./src/components/user_card/user_card.vue?c9a9","webpack:///./src/components/delete_button/delete_button.vue?8ea2","webpack:///./src/components/style_switcher/style_switcher.vue?ad5f"],"names":["webpackJsonp","module","exports","__webpack_require__","_interopRequireDefault","obj","__esModule","default","_keys","_keys2","_vue","_vue2","_vueRouter","_vueRouter2","_vuex","_vuex2","_App","_App2","_public_timeline","_public_timeline2","_public_and_external_timeline","_public_and_external_timeline2","_friends_timeline","_friends_timeline2","_tag_timeline","_tag_timeline2","_conversationPage","_conversationPage2","_mentions","_mentions2","_user_profile","_user_profile2","_settings","_settings2","_registration","_registration2","_user_settings","_user_settings2","_follow_requests","_follow_requests2","_statuses","_statuses2","_users","_users2","_api","_api2","_config","_config2","_chat","_chat2","_vueTimeago","_vueTimeago2","_vueI18n","_vueI18n2","_persisted_state","_persisted_state2","_messages","_messages2","_vueChatScroll","_vueChatScroll2","currentLocale","window","navigator","language","split","Vue","use","Vuex","VueRouter","VueTimeago","locale","locales","en","ja","VueI18n","VueChatScroll","persistedStateOptions","paths","store","Store","modules","statuses","statusesModule","users","usersModule","api","apiModule","config","configModule","chat","chatModule","plugins","strict","i18n","fallbackLocale","messages","fetch","then","res","json","data","_data$site","site","name","registrationClosed","closed","textlimit","server","dispatch","value","parseInt","apiConfig","pleromafe","staticConfig","theme","background","logo","redirectRootNoLogin","redirectRootLogin","chatDisabled","showWhoToFollowPanel","whoToFollowProvider","whoToFollowLink","showInstanceSpecificPanel","scopeOptionsEnabled","collapseMessageWithSubject","routes","path","redirect","to","state","currentUser","component","PublicAndExternalTimeline","PublicTimeline","FriendsTimeline","TagTimeline","ConversationPage","meta","dontScroll","UserProfile","Mentions","Settings","Registration","FollowRequests","UserSettings","router","mode","scrollBehavior","from","savedPosition","matched","some","m","x","y","el","render","h","App","text","html","values","emoji","map","key","shortcode","image_url","failure","error","console","log","utf","suggestions","metadata","enabled","web","Object","defineProperty","_map2","_map3","_each2","_each3","LOGIN_URL","FRIENDS_TIMELINE_URL","ALL_FOLLOWING_URL","PUBLIC_TIMELINE_URL","PUBLIC_AND_EXTERNAL_TIMELINE_URL","TAG_TIMELINE_URL","FAVORITE_URL","UNFAVORITE_URL","RETWEET_URL","UNRETWEET_URL","STATUS_UPDATE_URL","STATUS_DELETE_URL","STATUS_URL","MEDIA_UPLOAD_URL","CONVERSATION_URL","MENTIONS_URL","FOLLOWERS_URL","FRIENDS_URL","FOLLOWING_URL","UNFOLLOWING_URL","QVITTER_USER_PREF_URL","REGISTRATION_URL","AVATAR_UPDATE_URL","BG_UPDATE_URL","BANNER_UPDATE_URL","PROFILE_UPDATE_URL","EXTERNAL_PROFILE_URL","QVITTER_USER_TIMELINE_URL","QVITTER_USER_NOTIFICATIONS_URL","BLOCKING_URL","UNBLOCKING_URL","USER_URL","FOLLOW_IMPORT_URL","DELETE_ACCOUNT_URL","CHANGE_PASSWORD_URL","FOLLOW_REQUESTS_URL","APPROVE_USER_URL","DENY_USER_URL","SUGGESTIONS_URL","oldfetch","url","options","baseUrl","fullUrl","credentials","utoa","str","btoa","encodeURIComponent","replace","match","p1","String","fromCharCode","updateAvatar","_ref","params","form","FormData","append","headers","authHeaders","method","body","updateBg","_ref2","updateBanner","_ref3","updateProfile","_ref4","register","user","username","password","Authorization","externalProfile","_ref5","profileUrl","followUser","_ref6","id","unfollowUser","_ref7","blockUser","_ref8","unblockUser","_ref9","approveUser","_ref10","denyUser","_ref11","fetchUser","_ref12","fetchFriends","_ref13","fetchFollowers","_ref14","fetchAllFollowing","_ref15","fetchFollowRequests","_ref16","fetchConversation","_ref17","fetchStatus","_ref18","setUserMute","_ref19","_ref19$muted","muted","undefined","muteInteger","fetchTimeline","_ref20","timeline","_ref20$since","since","_ref20$until","until","_ref20$userId","userId","_ref20$tag","tag","timelineUrls","public","friends","mentions","notifications","publicAndExternal","own","push","queryString","param","join","verifyCredentials","favorite","_ref21","unfavorite","_ref22","retweet","_ref23","unretweet","_ref24","postStatus","_ref25","status","spoilerText","visibility","sensitive","mediaIds","inReplyToStatusId","idsText","deleteStatus","_ref26","uploadMedia","_ref27","formData","response","DOMParser","parseFromString","followImport","_ref28","ok","deleteAccount","_ref29","changePassword","_ref30","newPassword","newPasswordConfirmation","fetchMutes","_ref31","_ref32","apiService","Component","rgbstr2hex","hex2rgb","rgb2hex","_slicedToArray2","_slicedToArray3","_map4","_map5","r","g","b","val","Math","ceil","toString","slice","hex","result","exec","rgb","Number","de","title","nav","public_tl","twkn","user_card","follows_you","following","follow","blocked","block","mute","followers","followees","per_day","remote_follow","show_new","error_fetching","up_to_date","load_older","conversation","collapse","repeated","settings","user_settings","name_bio","bio","avatar","current_avatar","set_new_avatar","profile_banner","current_profile_banner","set_new_profile_banner","profile_background","set_new_profile_background","presets","export_theme","import_theme","invalid_theme_imported","theme_help","radii_help","foreground","links","cBlue","cRed","cOrange","cGreen","btnRadius","inputRadius","panelRadius","avatarRadius","avatarAltRadius","tooltipRadius","attachmentRadius","filtering","filtering_explanation","attachments","hide_attachments_in_tl","hide_attachments_in_convo","nsfw_clickthrough","stop_gifs","autoload","streaming","reply_link_preview","follow_import","import_followers_from_a_csv_file","follows_imported","follow_import_error","delete_account","delete_account_description","delete_account_instructions","delete_account_error","follow_export","follow_export_processing","follow_export_button","change_password","current_password","new_password","confirm_new_password","changed_password","change_password_error","read","followed_you","favorited_you","repeated_you","login","placeholder","logout","registration","fullname","email","password_confirm","post_status","posting","account_not_locked_warning","account_not_locked_warning_link","direct_warning","scope","unlisted","private","direct","finder","find_user","error_fetching_user","general","submit","apply","user_profile","timeline_title","fi","friend_requests","approve","deny","collapse_subject","pause_on_unfocused","loop_video","loop_video_silent_only","reply_visibility_all","reply_visibility_following","reply_visibility_self","lock_account_description","limited_availability","default_vis","profile_tab","security_tab","data_import_export_tab","interfaceLanguage","broken_favorite","token","content_warning","attachments_sensitive","attachments_not_sensitive","who_to_follow","more","eo","et","hu","ro","fr","it","oc","pl","es","pt","ru","nb","he","mutations","findMaxId","statusType","prepareStatus","defaultState","_set","_set2","_isArray2","_isArray3","_last2","_last3","_merge2","_merge3","_minBy2","_minBy3","_maxBy2","_maxBy3","_flatten2","_flatten3","_find2","_find3","_toInteger2","_toInteger3","_sortBy2","_sortBy3","_slice2","_slice3","_remove2","_remove3","_includes2","_includes3","_apiService","_apiService2","emptyTl","statusesObject","faves","visibleStatuses","visibleStatusesObject","newStatusCount","maxId","minVisibleId","loading","viewing","flushMarker","allStatuses","allStatusesObject","desktopNotificationSilence","maxSavedId","minId","POSITIVE_INFINITY","brokenFavorites","favorites","timelines","isNsfw","nsfwRegex","tags","nsfw","retweeted_status","deleted","is_post_verb","uri","qvitter_delete_notice","mergeOrAdd","_len","arguments","length","args","Array","_key","arr","item","oldItem","splice","new","sortTimeline","addNewStatuses","_ref3$showImmediately","showImmediately","_ref3$user","_ref3$noIdUpdate","noIdUpdate","timelineObject","maxNew","older","addStatus","addToTimeline","forEach","fav","attentions","resultForCurrentTimeline","favoriteStatus","counter","in_reply_to_status_id","fave_num","favorited","processors","retweetedStatus","s","has","add","deletion","action","unknown","type","processor","addNewNotifications","notification","notice","oldNotification","max","min","fresh","is_seen","ntype","seen","broken","postId","Notification","permission","icon","profile_image_url","mimetype","startsWith","image","setTimeout","close","bind","showNewStatuses","oldTimeline","clearTimeline","setFavorited","newStatus","setRetweeted","setDeleted","setLoading","setNsfw","setError","setNotificationsError","setNotificationsSilence","setProfileView","v","addFriends","addFollowers","markNotificationsAsSeen","set","queueFlush","actions","rootState","commit","_ref21$showImmediatel","_ref21$timeline","_ref21$noIdUpdate","_ref33","_ref34","_ref35","_ref36","_ref37","_ref38","_ref39","_ref40","_timeline_fetcherService","_timeline_fetcherService2","backendInteractorService","startFetching","_ref7$userId","timelineFetcherService","fetchOldPost","fetchAndUpdate","_ref9$muted","backendInteractorServiceInstance","fileType","typeString","fileTypeService","_ref$media","media","_ref$inReplyToStatusI","catch","err","message","xml","link","getElementsByTagName","mediaData","textContent","getAttribute","statusPosterService","_camelCase2","_camelCase3","update","ccTimeline","_ref2$timeline","_ref2$older","_ref2$showImmediately","_ref2$userId","_ref2$tag","timelineData","_ref3$timeline","_ref3$userId","_ref3$tag","boundFetchAndUpdate","setInterval","timelineFetcher","highlightStyle","highlightClass","_color_convert","prefs","color","solidColor","floor","tintColor","tintColor2","backgroundImage","backgroundPosition","backgroundColor","screen_name","createPersistedState","_ref$key","_ref$paths","_ref$getState","getState","storage","getItem","_ref$setState","setState","_throttle3","defaultSetState","_ref$reducer","reducer","defaultReducer","_ref$storage","defaultStorage","_ref$subscriber","subscriber","handler","subscribe","savedState","_typeof3","usersState","usersObject","replaceState","_lodash2","customTheme","themeLoaded","lastLoginName","loaded","e","mutation","_typeof2","_throttle2","_lodash","_objectPath","_objectPath2","_localforage","_localforage2","reduce","substate","objectPath","get","localforage","setItem","_backend_interactor_service","_backend_interactor_service2","_phoenix","backendInteractor","fetchers","socket","followRequests","setBackendInteractor","addFetcher","fetcher","removeFetcher","setSocket","setChatDisabled","setFollowRequests","stopFetching","clearInterval","initializeSocket","Socket","connect","disableChat","removeFollowRequest","request","requests","filter","channel","setChannel","addMessage","setMessages","initializeChat","on","msg","_style_setter","_style_setter2","browserLocale","colors","hideAttachments","hideAttachmentsInConv","hideNsfw","loopVideo","loopVideoSilentOnly","autoLoad","hoverPreview","pauseOnUnfocused","stopGifs","replyVisibility","muteWords","highlight","setOption","setHighlight","this","delete","setPageTitle","option","document","StyleSetter","setPreset","setColors","_promise","_promise2","_compact2","_compact3","setMuted","setCurrentUser","clearCurrentUser","beginLogin","loggingIn","endLogin","addNewUsers","setUserForStatus","setColor","highlighted","retweetedUsers","loginUser","userCredentials","resolve","reject","mutedUsers","requestPermission","splitIntoWords","addPositionToWords","wordAtPosition","replaceWord","_reduce2","_reduce3","toReplace","replacement","start","end","pos","words","wordsWithPosition","word","previous","pop","regex","triggers","matches","completion","notificationsFetcher","_entries","_entries2","_times2","_times3","setStyle","href","head","style","display","cssEl","createElement","setAttribute","appendChild","setDynamic","baseEl","n","toUpperCase","getComputedStyle","getPropertyValue","removeChild","styleEl","addEventListener","col","styleSheet","sheet","isDark","bg","radii","mod","lightBg","fg","btn","input","border","faint","lightFg","cAlertRed","insertRule","k","themes","bgRgb","fgRgb","textRgb","linkRgb","cRedRgb","cGreenRgb","cBlueRgb","cOrangeRgb","_iso","_iso2","computed","languageCodes","languageNames","getName","$store","$i18n","_user_panel","_user_panel2","_nav_panel","_nav_panel2","_notifications","_notifications2","_user_finder","_user_finder2","_who_to_follow_panel","_who_to_follow_panel2","_instance_specific_panel","_instance_specific_panel2","_chat_panel","_chat_panel2","components","UserPanel","NavPanel","Notifications","UserFinder","WhoToFollowPanel","InstanceSpecificPanel","ChatPanel","mobileActivePanel","created","background_image","logoStyle","background-image","sitename","suggestionsEnabled","methods","activatePanel","panelName","scrollToTop","scrollTo","_stillImage","_stillImage2","_nsfw","_nsfw2","_file_typeService","_file_typeService2","Attachment","props","nsfwImage","hideNsfwLocal","showHidden","img","StillImage","attachment","hidden","isEmpty","oembed","isSmall","size","fullwidth","linkClicked","target","tagName","open","toggleHidden","_this","onload","src","onVideoDataLoad","srcElement","webkitAudioDecodedByteCount","mozHasAudio","audioTracks","chatPanel","currentMessage","collapsed","togglePanel","_conversation","_conversation2","conversationPage","Conversation","statusoid","$route","_filter2","_filter3","_status","_status2","sortAndFilterConversation","conversationId","statusnet_conversation_id","replies","i","irid","Status","watch","getReplies","focused","DeleteButton","confirmed","confirm","canDelete","rights","delete_others_notice","FavoriteButton","animated","classes","icon-star-empty","icon-star","animate-spin","_user_card","_user_card2","UserCard","updateRequests","_timeline","_timeline2","Timeline","instanceSpecificPanelContent","LoginForm","authError","registrationOpen","_status_posterService","_status_posterService2","mediaUpload","mounted","$el","querySelector","file","files","uploadFile","uploading","self","$emit","fileData","fileDrop","dataTransfer","preventDefault","fileDrag","types","contains","dropEffect","dropFiles","fileInfos","_user_card_content","_user_card_content2","_user_highlighter","userExpanded","UserCardContent","toggleUserExpanded","userClass","userStyle","_notification","_notification2","_notifications_fetcherService","_notifications_fetcherService2","unseenNotifications","visibleNotifications","sortedNotifications","unseenCount","count","markAsSeen","fetchOlderNotifications","_toConsumableArray2","_toConsumableArray3","_uniqBy2","_uniqBy3","_reject2","_reject3","_take2","_take3","_media_upload","_media_upload2","_completion","_completion2","buildMentionsString","allAttentions","unshift","attention","PostStatusForm","MediaUpload","resize","$refs","textarea","replyTo","focus","preset","query","statusText","repliedUser","submitDisabled","subject","messageScope","default_scope","caret","vis","selected","candidates","firstchar","textAtCaret","charAt","matchedUsers","index","profile_image_url_original","matchedEmoji","concat","customEmoji","wordAtCaret","Completion","statusLength","statusLengthLimit","hasStatusLengthLimit","charactersLeft","isOverLengthLimit","replaceCandidate","len","ctrlKey","candidate","cycleBackward","cycleForward","shiftKey","setCaret","selectionStart","_this2","statusPoster","height","addMediaFile","fileInfo","enableSubmit","removeMediaFile","indexOf","disableSubmit","paste","clipboardData","vertPadding","substr","scrollHeight","clearError","changeVis","destroyed","registering","$router","termsofservice","tos","nickname","RetweetButton","retweeted","retweeted-empty","_getOwnPropertyDescriptor","_getOwnPropertyDescriptor2","_trim2","_trim3","_style_switcher","_style_switcher2","_interface_language_switcher","_interface_language_switcher2","hideAttachmentsLocal","hideAttachmentsInConvLocal","replyVisibilityLocal","loopVideoLocal","loopVideoSilentOnlyLocal","muteWordsString","autoLoadLocal","streamingLocal","pauseOnUnfocusedLocal","hoverPreviewLocal","collapseMessageWithSubjectLocal","loopSilentAvailable","HTMLVideoElement","prototype","HTMLMediaElement","StyleSwitcher","InterfaceLanguageSwitcher","_attachment","_attachment2","_favorite_button","_favorite_button2","_retweet_button","_retweet_button2","_delete_button","_delete_button2","_post_status_form","_post_status_form2","replying","expanded","unmuted","preview","showPreview","showingTall","expandingSubject","repeaterClass","repeaterStyle","noHeading","inConversation","retweeter","retweeterHtml","name_html","loggedIn","muteWordHits","toLowerCase","hits","muteWord","includes","isFocused","tallStatus","lengthScore","statusnet_html","isReply","textBody","summary","substring","hideReply","inlineExpanded","activity_type","checkFollowing","hideSubjectStatus","hideTallStatus","showingMore","nsfwClickthrough","replySubject","attachmentSize","compact","visibilityIcon","parentNode","toggleReplying","gotoOriginal","toggleExpanded","toggleMute","toggleShowMore","replyEnter","event","targetId","replyLeave","rect","getBoundingClientRect","top","scrollBy","bottom","innerHeight","statusOrConversation","endsWith","onLoad","canvas","getContext","drawImage","width","_stringify","_stringify2","availableStyles","invalidThemeImported","bgColorLocal","btnColorLocal","textColorLocal","linkColorLocal","redColorLocal","blueColorLocal","greenColorLocal","orangeColorLocal","btnRadiusLocal","inputRadiusLocal","panelRadiusLocal","avatarRadiusLocal","avatarAltRadiusLocal","attachmentRadiusLocal","tooltipRadiusLocal","normalizeLocalState","exportCurrentTheme","stringified","_pleroma_theme_version","click","importTheme","filePicker","reader","FileReader","parsed","JSON","parse","readAsText","setCustomTheme","btnRgb","redRgb","blueRgb","greenRgb","orangeRgb","_status_or_conversation","_status_or_conversation2","paused","unfocused","timelineError","newStatusCountStr","StatusOrConversation","scrollLoad","timelineName","handleVisibilityChange","removeEventListener","fetchOlderStatuses","_this3","bodyBRect","offsetHeight","pageYOffset","headingStyle","cover_photo","isOtherUser","subscribeUrl","serverUrl","URL","statusnet_profile_url","protocol","host","dailyAvg","days","Date","created_at","round","statuses_count","userHighlightType","userHighlightColor","followedUser","unfollowedUser","blockedUser","unblockedUser","switcher","findUser","dismissError","_login_form","_login_form2","newname","newbio","description","newlocked","locked","newdefaultScope","followList","followImportError","followsImported","enableFollowsExport","previews","deletingAccount","deleteAccountConfirmPasswordInput","deleteAccountError","changePasswordInputs","changedPassword","changePasswordError","activeTab","pleromaBackend","slot","$forceUpdate","readAsDataURL","submitAvatar","imginfo","Image","cropX","cropY","cropW","cropH","submitBanner","_this4","banner","offset_top","offset_left","clone","submitBg","_this5","importFollows","_this6","exportPeople","filename","UserAddresses","is_local","location","hostname","fileToDownload","exportFollows","_this7","friendList","followListChange","followlist","dismissImported","confirmDelete","_this8","_this9","activateTab","tabName","showWhoToFollow","panel","reply","cn","random","acct","img1","name1","externalUser","id1","img2","name2","id2","img3","name3","id3","getWhoToFollow","moreUrl","suggestionsWeb","oldUser","p","_vm","_h","$createElement","_c","_self","staticClass","_v","_s","$t","_e","attrs","$event","stopPropagation","directives","rawName","expression","domProps","keyup","_k","keyCode","composing","staticRenderFns","staticStyle","float","_l","author","rows","margin-top","innerHTML","for","change","$$selectedVal","call","o","_value","multiple","statusnet_blocking","class","clickable","friends_count","followers_count","hideBio","description_html","timeline-name","_obj","small-attachment","nsfw-placeholder","small","referrerpolicy","large_thumb_url","controls","loop","loadeddata","thumb_url","oembedHTML","unseen","!click","auto-update","collapsable","expandable","checked","isArray","_i","$$a","$$el","$$c","$$v","$$i","disabled","status-el_focused","status-conversation","noReplyLinks","is-retweet","avatar-compact","in_reply_to_user_id","in_reply_to_screen_name","mouseenter","mouseout","external_url","tall-status","tall-status-hider_focused","status-id","icon-reply-active","reply-to","message-scope","posted","mobile-hidden","drop","dragover","position","showFollows","showApproval","repeat_num","$set","goto","overflow","langCode","user-id","follower","friend","ref","keydown","metaKey","drop-files","uploaded","upload-failed","model","callback","followImportForm","load","__r","--btnRadius","--inputRadius","--panelRadius","--avatarRadius","--avatarAltRadius","--tooltipRadius","--attachmentRadius","background-color","border-radius"],"mappings":"AAAAA,cAAc,EAAE,IAEV,SAAUC,EAAQC,EAASC,GAEhC,YA0GA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAxGvF,GAAIG,GAAQL,EAAoB,KAE5BM,EAASL,EAAuBI,GCRrCE,EAAAP,EAAA,IDYKQ,EAAQP,EAAuBM,GCXpCE,EAAAT,EAAA,KDeKU,EAAcT,EAAuBQ,GCd1CE,EAAAX,EAAA,KDkBKY,EAASX,EAAuBU,GCjBrCE,EAAAb,EAAA,KDqBKc,EAAQb,EAAuBY,GCpBpCE,EAAAf,EAAA,KDwBKgB,EAAoBf,EAAuBc,GCvBhDE,EAAAjB,EAAA,KD2BKkB,EAAiCjB,EAAuBgB,GC1B7DE,EAAAnB,EAAA,KD8BKoB,EAAqBnB,EAAuBkB,GC7BjDE,EAAArB,EAAA,KDiCKsB,EAAiBrB,EAAuBoB,GChC7CE,EAAAvB,EAAA,KDoCKwB,EAAqBvB,EAAuBsB,GCnCjDE,EAAAzB,EAAA,KDuCK0B,EAAazB,EAAuBwB,GCtCzCE,EAAA3B,EAAA,KD0CK4B,EAAiB3B,EAAuB0B,GCzC7CE,EAAA7B,EAAA,KD6CK8B,EAAa7B,EAAuB4B,GC5CzCE,EAAA/B,EAAA,KDgDKgC,EAAiB/B,EAAuB8B,GC/C7CE,EAAAjC,EAAA,KDmDKkC,EAAkBjC,EAAuBgC,GClD9CE,EAAAnC,EAAA,KDsDKoC,EAAoBnC,EAAuBkC,GCpDhDE,EAAArC,EAAA,KDwDKsC,EAAarC,EAAuBoC,GCvDzCE,EAAAvC,EAAA,KD2DKwC,EAAUvC,EAAuBsC,GC1DtCE,EAAAzC,EAAA,KD8DK0C,EAAQzC,EAAuBwC,GC7DpCE,EAAA3C,EAAA,KDiEK4C,EAAW3C,EAAuB0C,GChEvCE,EAAA7C,EAAA,KDoEK8C,EAAS7C,EAAuB4C,GClErCE,EAAA/C,EAAA,KDsEKgD,EAAe/C,EAAuB8C,GCrE3CE,EAAAjD,EAAA,KDyEKkD,EAAYjD,EAAuBgD,GCvExCE,EAAAnD,EAAA,KD2EKoD,EAAoBnD,EAAuBkD,GCzEhDE,EAAArD,EAAA,KD6EKsD,EAAarD,EAAuBoD,GC3EzCE,GAAAvD,EAAA,KD+EKwD,GAAkBvD,EAAuBsD,IC7ExCE,IAAiBC,OAAOC,UAAUC,UAAY,MAAMC,MAAM,KAAK,EAErEC,WAAIC,IAAIC,WACRF,UAAIC,IAAIE,WACRH,UAAIC,IAAIG,WACNC,OAA0B,OAAlBV,GAAyB,KAAO,KACxCW,SACEC,GAAMrE,EAAQ,KACdsE,GAAMtE,EAAQ,QAGlB8D,UAAIC,IAAIQ,WACRT,UAAIC,IAAIS,WAER,IAAMC,KACJC,OACE,oCACA,yBACA,+BACA,kBACA,yBACA,kBACA,sBACA,mBACA,mBACA,qBACA,mBACA,mBACA,6BACA,0BACA,kBACA,2BACA,sBACA,sCAIEC,GAAQ,GAAIX,WAAKY,OACrBC,SACEC,SAAUC,UACVC,MAAOC,UACPC,IAAKC,UACLC,OAAQC,UACRC,KAAMC,WAERC,UAAU,EAAApC,EAAAhD,SAAqBqE,KAC/BgB,QAAQ,IAIJC,GAAO,GAAInB,YAEfJ,OAAQV,GACRkC,eAAgB,KAChBC,oBAGFlC,QAAOmC,MAAM,8BACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAACG,GAAS,GAAAC,GACgDD,EAAKE,KAA5DC,EADOF,EACPE,KAAcC,EADPH,EACDI,OAA4BC,EAD3BL,EAC2BK,UAAWC,EADtCN,EACsCM,MAEpD7B,IAAM8B,SAAS,aAAeL,KAAM,OAAQM,MAAON,IACnDzB,GAAM8B,SAAS,aAAeL,KAAM,mBAAoBM,MAA+B,MAAvBL,IAChE1B,GAAM8B,SAAS,aAAeL,KAAM,YAAaM,MAAOC,SAASJ,KACjE5B,GAAM8B,SAAS,aAAeL,KAAM,SAAUM,MAAOF,GAErD,IAAII,GAAYX,EAAKE,KAAKU,SAE1BnD,QAAOmC,MAAM,uBACZC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAACG,GACL,GAAIa,GAAeb,EAEfc,EAASH,EAAUG,OAASD,EAAaC,MACzCC,EAAcJ,EAAUI,YAAcF,EAAaE,WACnDC,EAAQL,EAAUK,MAAQH,EAAaG,KACvCC,EAAuBN,EAAUM,qBAAuBJ,EAAaI,oBACrEC,EAAqBP,EAAUO,mBAAqBL,EAAaK,kBACjEC,EAAgBR,EAAUQ,cAAgBN,EAAaM,aACvDC,EAAwBT,EAAUS,sBAAwBP,EAAaO,qBACvEC,EAAuBV,EAAUU,qBAAuBR,EAAaQ,oBACrEC,EAAmBX,EAAUW,iBAAmBT,EAAaS,gBAC7DC,EAA6BZ,EAAUY,2BAA6BV,EAAaU,0BACjFC,EAAuBb,EAAUa,qBAAuBX,EAAaW,oBACrEC,EAA8Bd,EAAUc,4BAA8BZ,EAAaY,0BAEvF/C,IAAM8B,SAAS,aAAeL,KAAM,QAASM,MAAOK,IACpDpC,GAAM8B,SAAS,aAAeL,KAAM,aAAcM,MAAOM,IACzDrC,GAAM8B,SAAS,aAAeL,KAAM,OAAQM,MAAOO,IACnDtC,GAAM8B,SAAS,aAAeL,KAAM,uBAAwBM,MAAOW,IACnE1C,GAAM8B,SAAS,aAAeL,KAAM,sBAAuBM,MAAOY,IAClE3C,GAAM8B,SAAS,aAAeL,KAAM,kBAAmBM,MAAOa,IAC9D5C,GAAM8B,SAAS,aAAeL,KAAM,4BAA6BM,MAAOc,IACxE7C,GAAM8B,SAAS,aAAeL,KAAM,sBAAuBM,MAAOe,IAClE9C,GAAM8B,SAAS,aAAeL,KAAM,6BAA8BM,MAAOgB,IACrEN,GACFzC,GAAM8B,SAAS,cAGjB,IAAMkB,KACFvB,KAAM,OACNwB,KAAM,IACNC,SAAU,SAAAC,GACR,OAAQnD,GAAMoD,MAAM/C,MAAMgD,YAAcb,EAAoBD,IAAwB,eAEtFU,KAAM,YAAaK,UAAWC,YAC9BN,KAAM,eAAgBK,UAAWE,YACjCP,KAAM,gBAAiBK,UAAWG,YAClCR,KAAM,YAAaK,UAAWI,YAC9BjC,KAAM,eAAgBwB,KAAM,cAAeK,UAAWK,UAAkBC,MAAQC,YAAY,KAC5FpC,KAAM,eAAgBwB,KAAM,aAAcK,UAAWQ,YACrDrC,KAAM,WAAYwB,KAAM,sBAAuBK,UAAWS,YAC1DtC,KAAM,WAAYwB,KAAM,YAAaK,UAAWU,YAChDvC,KAAM,eAAgBwB,KAAM,gBAAiBK,UAAWW,YACxDxC,KAAM,eAAgBwB,KAAM,uBAAwBK,UAAWW,YAC/DxC,KAAM,kBAAmBwB,KAAM,mBAAoBK,UAAWY,YAC9DzC,KAAM,gBAAiBwB,KAAM,iBAAkBK,UAAWa,YAGxDC,EAAS,GAAI9E,YACjB+E,KAAM,UACNrB,SACAsB,eAAgB,SAACnB,EAAIoB,EAAMC,GACzB,OAAIrB,EAAGsB,QAAQC,KAAK,SAAAC,GAAA,MAAKA,GAAEf,KAAKC,eAGzBW,IAAmBI,EAAG,EAAGC,EAAG,MAKvC,IAAI1F,YACFiF,SACApE,SACAe,QACA+D,GAAI,OACJC,OAAQ,SAAAC,GAAA,MAAKA,GAAEC,kBAKvBlG,OAAOmC,MAAM,iCACVC,KAAK,SAACC,GAAD,MAASA,GAAI8D,SAClB/D,KAAK,SAACgE,GACLnF,GAAM8B,SAAS,aAAeL,KAAM,MAAOM,MAAOoD,MAGtDpG,OAAOmC,MAAM,2BACVC,KACC,SAACC,GAAD,MAASA,GAAIC,OACVF,KACC,SAACiE,GACC,GAAMC,IAAQ,EAAA1J,EAAAF,SAAY2J,GAAQE,IAAI,SAACC,GACrC,OAASC,UAAWD,EAAKE,UAAWL,EAAOG,KAE7CvF,IAAM8B,SAAS,aAAeL,KAAM,cAAeM,MAAOsD,IAC1DrF,GAAM8B,SAAS,aAAeL,KAAM,iBAAkBM,OAAO,KAE/D,SAAC2D,GACC1F,GAAM8B,SAAS,aAAeL,KAAM,iBAAkBM,OAAO,OAGnE,SAAC4D,GAAD,MAAWC,SAAQC,IAAIF,KAG3B5G,OAAOmC,MAAM,sBACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAACiE,GACL,GAAMC,IAAQ,EAAA1J,EAAAF,SAAY2J,GAAQE,IAAI,SAACC,GACrC,OAASC,UAAWD,EAAKE,WAAW,EAAOK,IAAOV,EAAOG,KAE3DvF,IAAM8B,SAAS,aAAeL,KAAM,QAASM,MAAOsD,MAGxDtG,OAAOmC,MAAM,wBACVC,KAAK,SAACC,GAAD,MAASA,GAAI8D,SAClB/D,KAAK,SAACgE,GACLnF,GAAM8B,SAAS,aAAeL,KAAM,+BAAgCM,MAAOoD,MAG/EpG,OAAOmC,MAAM,sBACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAACG,GACL,GAAMyE,GAAczE,EAAK0E,SAASD,WAClC/F,IAAM8B,SAAS,aAAeL,KAAM,qBAAsBM,MAAOgE,EAAYE,UAC7EjG,GAAM8B,SAAS,aAAeL,KAAM,iBAAkBM,MAAOgE,EAAYG,SDqDtE,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACC,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAU/K,EAAQC,EAASC,GAEhC,YAgBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAdvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIsE,GAAQhL,EAAoB,IAE5BiL,EAAQhL,EAAuB+K,GAE/BE,EAASlL,EAAoB,IAE7BmL,EAASlL,EAAuBiL,EEzQrClL,GAAA,IAzCA,IAAMoL,GAAY,uCACZC,EAAuB,sCACvBC,EAAoB,4BACpBC,EAAsB,qCACtBC,EAAmC,kDACnCC,EAAmB,+BACnBC,EAAe,wBACfC,EAAiB,yBACjBC,EAAc,wBACdC,EAAgB,0BAChBC,EAAoB,4BACpBC,EAAoB,wBACpBC,EAAa,qBACbC,EAAmB,8BACnBC,EAAmB,8BACnBC,EAAe,8BACfC,EAAgB,+BAChBC,EAAc,6BACdC,EAAgB,+BAChBC,EAAkB,gCAClBC,EAAwB,qCACxBC,EAAmB,6BACnBC,EAAoB,kCACpBC,EAAgB,4CAChBC,EAAoB,0CACpBC,EAAqB,mCACrBC,EAAuB,iCACvBC,EAA4B,2CAC5BC,EAAiC,2CACjCC,EAAe,0BACfC,EAAiB,2BACjBC,EAAW,uBACXC,EAAoB,6BACpBC,EAAqB,8BACrBC,EAAsB,+BACtBC,EAAsB,+BACtBC,EAAmB,mCACnBC,EAAgB,gCAChBC,EAAkB,sBAKlBC,EAAWjK,OAAOmC,MAEpBA,EAAQ,SAAC+H,EAAKC,GAChBA,EAAUA,KACV,IAAMC,GAAU,GACVC,EAAUD,EAAUF,CAE1B,OADAC,GAAQG,YAAc,cACfL,EAASI,EAASF,IAIvBI,EAAO,SAACC,GAIV,MAAOC,MAAKC,mBAAmBF,GAClBG,QAAQ,kBACA,SAACC,EAAOC,GAAS,MAAOC,QAAOC,aAAa,KAAOF,OASpEG,EAAe,SAAAC,GAA2B,GAAzBX,GAAyBW,EAAzBX,YAAaY,EAAYD,EAAZC,OAC9BhB,EAAMlB,EAEJmC,EAAO,GAAIC,SAOjB,QALA,EAAA3D,EAAA/K,SAAKwO,EAAQ,SAAClI,EAAOwD,GACfxD,GACFmI,EAAKE,OAAO7E,EAAKxD,KAGdb,EAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACL/I,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBoJ,EAAW,SAAAC,GAA2B,GAAzBrB,GAAyBqB,EAAzBrB,YAAaY,EAAYS,EAAZT,OAC1BhB,EAAMjB,EAEJkC,EAAO,GAAIC,SAOjB,QALA,EAAA3D,EAAA/K,SAAKwO,EAAQ,SAAClI,EAAOwD,GACfxD,GACFmI,EAAKE,OAAO7E,EAAKxD,KAGdb,EAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACL/I,KAAK,SAACG,GAAD,MAAUA,GAAKD,UASnBsJ,EAAe,SAAAC,GAA2B,GAAzBvB,GAAyBuB,EAAzBvB,YAAaY,EAAYW,EAAZX,OAC9BhB,EAAMhB,EAEJiC,EAAO,GAAIC,SAOjB,QALA,EAAA3D,EAAA/K,SAAKwO,EAAQ,SAAClI,EAAOwD,GACfxD,GACFmI,EAAKE,OAAO7E,EAAKxD,KAGdb,EAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACL/I,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAQnBwJ,EAAgB,SAAAC,GAA2B,GAAzBzB,GAAyByB,EAAzBzB,YAAaY,EAAYa,EAAZb,OAC/BhB,EAAMf,CAEVtC,SAAQC,IAAIoE,EAEZ,IAAMC,GAAO,GAAIC,SAQjB,QANA,EAAA3D,EAAA/K,SAAKwO,EAAQ,SAAClI,EAAOwD,IAEP,gBAARA,GAAiC,WAARA,GAAoBxD,IAC/CmI,EAAKE,OAAO7E,EAAKxD,KAGdb,EAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACL/I,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAenB0J,GAAW,SAACd,GAChB,GAAMC,GAAO,GAAIC,SAQjB,QANA,EAAA3D,EAAA/K,SAAKwO,EAAQ,SAAClI,EAAOwD,GACfxD,GACFmI,EAAKE,OAAO7E,EAAKxD,KAIdb,EAAM4G,GACXyC,OAAQ,OACRC,KAAMN,KAIJI,GAAc,SAACU,GACnB,MAAIA,IAAQA,EAAKC,UAAYD,EAAKE,UACvBC,cAAA,SAA0B7B,EAAQ0B,EAAKC,SAAb,IAAyBD,EAAKE,eAM/DE,GAAkB,SAAAC,GAA+B,GAA7BC,GAA6BD,EAA7BC,WAAYjC,EAAiBgC,EAAjBhC,YAChCJ,EAASd,EAAT,eAA4CmD,CAChD,OAAOpK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,QACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBkK,GAAa,SAAAC,GAAuB,GAArBC,GAAqBD,EAArBC,GAAIpC,EAAiBmC,EAAjBnC,YACnBJ,EAAStB,EAAT,YAAkC8D,CACtC,OAAOvK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,SACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBqK,GAAe,SAAAC,GAAuB,GAArBF,GAAqBE,EAArBF,GAAIpC,EAAiBsC,EAAjBtC,YACrBJ,EAASrB,EAAT,YAAoC6D,CACxC,OAAOvK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,SACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBuK,GAAY,SAAAC,GAAuB,GAArBJ,GAAqBI,EAArBJ,GAAIpC,EAAiBwC,EAAjBxC,YAClBJ,EAASX,EAAT,YAAiCmD,CACrC,OAAOvK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,SACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnByK,GAAc,SAAAC,GAAuB,GAArBN,GAAqBM,EAArBN,GAAIpC,EAAiB0C,EAAjB1C,YACpBJ,EAASV,EAAT,YAAmCkD,CACvC,OAAOvK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,SACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB2K,GAAc,SAAAC,GAAuB,GAArBR,GAAqBQ,EAArBR,GAAIpC,EAAiB4C,EAAjB5C,YACpBJ,EAASJ,EAAT,YAAqC4C,CACzC,OAAOvK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,SACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB6K,GAAW,SAAAC,GAAuB,GAArBV,GAAqBU,EAArBV,GAAIpC,EAAiB8C,EAAjB9C,YACjBJ,EAASH,EAAT,YAAkC2C,CACtC,OAAOvK,GAAM+H,GACXoB,QAASC,GAAYjB,GACrBkB,OAAQ,SACPpJ,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB+K,GAAY,SAAAC,GAAuB,GAArBZ,GAAqBY,EAArBZ,GAAIpC,EAAiBgD,EAAjBhD,YAClBJ,EAAST,EAAT,YAA6BiD,CACjC,OAAOvK,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBiL,GAAe,SAAAC,GAAuB,GAArBd,GAAqBc,EAArBd,GAAIpC,EAAiBkD,EAAjBlD,YACrBJ,EAASvB,EAAT,YAAgC+D,CACpC,OAAOvK,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBmL,GAAiB,SAAAC,GAAuB,GAArBhB,GAAqBgB,EAArBhB,GAAIpC,EAAiBoD,EAAjBpD,YACvBJ,EAASxB,EAAT,YAAkCgE,CACtC,OAAOvK,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBqL,GAAoB,SAAAC,GAA6B,GAA3B1B,GAA2B0B,EAA3B1B,SAAU5B,EAAiBsD,EAAjBtD,YAC9BJ,EAAStC,EAAT,IAA8BsE,EAA9B,OACN,OAAO/J,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBuL,GAAsB,SAAAC,GAAmB,GAAjBxD,GAAiBwD,EAAjBxD,YACtBJ,EAAML,CACZ,OAAO1H,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnByL,GAAoB,SAAAC,GAAuB,GAArBtB,GAAqBsB,EAArBtB,GAAIpC,EAAiB0D,EAAjB1D,YAC1BJ,EAAS1B,EAAT,IAA6BkE,EAA7B,iBACJ,OAAOvK,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB2L,GAAc,SAAAC,GAAuB,GAArBxB,GAAqBwB,EAArBxB,GAAIpC,EAAiB4D,EAAjB5D,YACpBJ,EAAS5B,EAAT,IAAuBoE,EAAvB,OACJ,OAAOvK,GAAM+H,GAAOoB,QAASC,GAAYjB,KACtClI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB6L,GAAc,SAAAC,GAAqC,GAAnC1B,GAAmC0B,EAAnC1B,GAAIpC,EAA+B8D,EAA/B9D,YAA+B+D,EAAAD,EAAlBE,QAAkBC,SAAAF,KACjDlD,EAAO,GAAIC,UAEXoD,EAAcF,EAAQ,EAAI,CAMhC,OAJAnD,GAAKE,OAAO,YAAa,WACzBF,EAAKE,OAAO,OAAQmD,GACpBrD,EAAKE,OAAO,QAAZ,QAA6BqB,GAEtBvK,EAAM2G,GACX0C,OAAQ,OACRF,QAASC,GAAYjB,GACrBmB,KAAMN,KAIJsD,GAAgB,SAAAC,GAAwF,GAAtFC,GAAsFD,EAAtFC,SAAUrE,EAA4EoE,EAA5EpE,YAA4EsE,EAAAF,EAA/DG,QAA+DN,SAAAK,KAAAE,EAAAJ,EAAhDK,QAAgDR,SAAAO,KAAAE,EAAAN,EAAjCO,SAAiCV,SAAAS,KAAAE,EAAAR,EAAjBS,MAAiBZ,SAAAW,KACtGE,GACJC,OAAQxH,EACRyH,QAAS3H,EACT4H,SAAU9G,EACV+G,cAAelG,EACfmG,kBAAqB3H,EACrBmE,KAAM5C,EAGNqG,IAAKrG,EACL8F,IAAKpH,GAGHmC,EAAMkF,EAAaT,GAEnBzD,IAEA2D,IACF3D,EAAOyE,MAAM,WAAYd,IAEvBE,GACF7D,EAAOyE,MAAM,SAAUZ,IAErBE,GACF/D,EAAOyE,MAAM,UAAWV,IAEtBE,IACFjF,OAAWiF,EAAX,SAGFjE,EAAOyE,MAAM,QAAS,IAEtB,IAAMC,IAAc,EAAArI,EAAA7K,SAAIwO,EAAQ,SAAC2E,GAAD,MAAcA,GAAM,GAApB,IAA0BA,EAAM,KAAMC,KAAK,IAG3E,OAFA5F,QAAW0F,EAEJzN,EAAM+H,GAAOoB,QAASC,GAAYjB,KAAgBlI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGzEyN,GAAoB,SAAC9D,GACzB,MAAO9J,GAAMuF,GACX8D,OAAQ,OACRF,QAASC,GAAYU,MAInB+D,GAAW,SAAAC,GAAyB,GAAtBvD,GAAsBuD,EAAtBvD,GAAIpC,EAAkB2F,EAAlB3F,WACtB,OAAOnI,GAAS6F,EAAT,IAAyB0E,EAAzB,SACLpB,QAASC,GAAYjB,GACrBkB,OAAQ,UAIN0E,GAAa,SAAAC,GAAyB,GAAtBzD,GAAsByD,EAAtBzD,GAAIpC,EAAkB6F,EAAlB7F,WACxB,OAAOnI,GAAS8F,EAAT,IAA2ByE,EAA3B,SACLpB,QAASC,GAAYjB,GACrBkB,OAAQ,UAIN4E,GAAU,SAAAC,GAAyB,GAAtB3D,GAAsB2D,EAAtB3D,GAAIpC,EAAkB+F,EAAlB/F,WACrB,OAAOnI,GAAS+F,EAAT,IAAwBwE,EAAxB,SACLpB,QAASC,GAAYjB,GACrBkB,OAAQ,UAIN8E,GAAY,SAAAC,GAAyB,GAAtB7D,GAAsB6D,EAAtB7D,GAAIpC,EAAkBiG,EAAlBjG,WACvB,OAAOnI,GAASgG,EAAT,IAA0BuE,EAA1B,SACLpB,QAASC,GAAYjB,GACrBkB,OAAQ,UAINgF,GAAa,SAAAC,GAA4F,GAA1FnG,GAA0FmG,EAA1FnG,YAAaoG,EAA6ED,EAA7EC,OAAQC,EAAqEF,EAArEE,YAAaC,EAAwDH,EAAxDG,WAAYC,EAA4CJ,EAA5CI,UAAWC,EAAiCL,EAAjCK,SAAUC,EAAuBN,EAAvBM,kBAChFC,EAAUF,EAAShB,KAAK,KACxB3E,EAAO,GAAIC,SAYjB,OAVAD,GAAKE,OAAO,SAAUqF,GACtBvF,EAAKE,OAAO,SAAU,cAClBsF,GAAaxF,EAAKE,OAAO,eAAgBsF,GACzCC,GAAYzF,EAAKE,OAAO,aAAcuF,GACtCC,GAAW1F,EAAKE,OAAO,YAAawF,GACxC1F,EAAKE,OAAO,YAAa2F,GACrBD,GACF5F,EAAKE,OAAO,wBAAyB0F,GAGhC5O,EAAMiG,GACXqD,KAAMN,EACNK,OAAQ,OACRF,QAASC,GAAYjB,MAInB2G,GAAe,SAAAC,GAAyB,GAAtBxE,GAAsBwE,EAAtBxE,GAAIpC,EAAkB4G,EAAlB5G,WAC1B,OAAOnI,GAASkG,EAAT,IAA8BqE,EAA9B,SACLpB,QAASC,GAAYjB,GACrBkB,OAAQ,UAIN2F,GAAc,SAAAC,GAA6B,GAA3BC,GAA2BD,EAA3BC,SAAU/G,EAAiB8G,EAAjB9G,WAC9B,OAAOnI,GAAMoG,GACXkD,KAAM4F,EACN7F,OAAQ,OACRF,QAASC,GAAYjB,KAEpBlI,KAAK,SAACkP,GAAD,MAAcA,GAASnL,SAC5B/D,KAAK,SAAC+D,GAAD,OAAW,GAAIoL,YAAaC,gBAAgBrL,EAAM,sBAGtDsL,GAAe,SAAAC,GAA2B,GAAzBxG,GAAyBwG,EAAzBxG,OAAQZ,EAAiBoH,EAAjBpH,WAC7B,OAAOnI,GAAMuH,GACX+B,KAAMP,EACNM,OAAQ,OACRF,QAASC,GAAYjB,KAEpBlI,KAAK,SAACkP,GAAD,MAAcA,GAASK,MAG3BC,GAAgB,SAAAC,GAA6B,GAA3BvH,GAA2BuH,EAA3BvH,YAAa6B,EAAc0F,EAAd1F,SAC7BhB,EAAO,GAAIC,SAIjB,OAFAD,GAAKE,OAAO,WAAYc,GAEjBhK,EAAMwH,GACX8B,KAAMN,EACNK,OAAQ,OACRF,QAASC,GAAYjB,KAEpBlI,KAAK,SAACkP,GAAD,MAAcA,GAAShP,UAG3BwP,GAAiB,SAAAC,GAAmE,GAAjEzH,GAAiEyH,EAAjEzH,YAAa6B,EAAoD4F,EAApD5F,SAAU6F,EAA0CD,EAA1CC,YAAaC,EAA6BF,EAA7BE,wBACrD9G,EAAO,GAAIC,SAMjB,OAJAD,GAAKE,OAAO,WAAYc,GACxBhB,EAAKE,OAAO,eAAgB2G,GAC5B7G,EAAKE,OAAO,4BAA6B4G,GAElC9P,EAAMyH,GACX6B,KAAMN,EACNK,OAAQ,OACRF,QAASC,GAAYjB,KAEpBlI,KAAK,SAACkP,GAAD,MAAcA,GAAShP,UAG3B4P,GAAa,SAAAC,GAAmB,GAAjB7H,GAAiB6H,EAAjB7H,YACbJ,EAAM,yBAEZ,OAAO/H,GAAM+H,GACXoB,QAASC,GAAYjB,KACpBlI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB0E,GAAc,SAAAoL,GAAmB,GAAjB9H,GAAiB8H,EAAjB9H,WACpB,OAAOnI,GAAM6H,GACXsB,QAASC,GAAYjB,KACpBlI,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB+P,IACJtC,qBACAtB,iBACAV,qBACAE,eACAV,gBACAE,kBACAjB,cACAG,gBACAE,aACAE,eACAM,aACA2C,YACAE,cACAE,WACAE,aACAE,cACAS,gBACAE,eACAxD,qBACAQ,eACA+D,cACAlG,YACAhB,eACAU,WACAI,gBACAF,eACAS,mBACAoF,gBACAG,iBACAE,kBACAjE,uBACAZ,eACAE,YACAnG,eF6aD3K,GAAQK,QE1aM2V,IF6aP,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUjW,EAAQC,EAASC,GGv6BjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SH+6BQ,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUD,EAAQC,EAASC,GI58BjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SJq9BM,SAAUD,EAAQC,EAASC,GAEhC,YAeA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAbvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,IAET3G,EAAQkW,WAAalW,EAAQmW,QAAUnW,EAAQoW,QAAUlE,MAEzD,IAAImE,GAAkBpW,EAAoB,KAEtCqW,EAAkBpW,EAAuBmW,GAEzCE,EAAQtW,EAAoB,IAE5BuW,EAAQtW,EAAuBqW,GKj/B9BH,EAAU,SAACK,EAAGC,EAAGC,GAAM,GAAA1L,IACf,EAAAuL,EAAAnW,UAAKoW,EAAGC,EAAGC,GAAI,SAACC,GAI1B,MAHAA,GAAMC,KAAKC,KAAKF,GAChBA,EAAMA,EAAM,EAAI,EAAIA,EACpBA,EAAMA,EAAM,IAAM,IAAMA,IAJC1L,GAAA,EAAAoL,EAAAjW,SAAA4K,EAAA,EAO3B,OANCwL,GAD0BvL,EAAA,GACvBwL,EADuBxL,EAAA,GACpByL,EADoBzL,EAAA,GAO3B,MAAa,GAAK,KAAOuL,GAAK,KAAOC,GAAK,GAAKC,GAAGI,SAAS,IAAIC,MAAM,IAGjEb,EAAU,SAACc,GACf,GAAMC,GAAS,4CAA4CC,KAAKF,EAChE,OAAOC,IACLT,EAAG7P,SAASsQ,EAAO,GAAI,IACvBR,EAAG9P,SAASsQ,EAAO,GAAI,IACvBP,EAAG/P,SAASsQ,EAAO,GAAI,KACrB,MAGAhB,EAAa,SAACkB,GAClB,MAAe,MAAXA,EAAI,GACCA,GAETA,EAAMA,EAAI7I,MAAM,QAChB,MAAa8I,OAAOD,EAAI,KAAO,KAAOC,OAAOD,EAAI,KAAO,GAAKC,OAAOD,EAAI,KAAKL,SAAS,KL+/BvF/W,GK3/BCoW,UL4/BDpW,EK3/BCmW,UL4/BDnW,EK3/BCkW,cL8/BM,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUnW,EAAQC,EAASC,GM/iCjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SNwjCM,SAAUD,EAAQC,EAASC,GOrkCjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SP6kCQ,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACC,CACA,CACA,CAEH,SAAUD,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GQroCV,IAAM2Q,IACJ/R,MACEgS,MAAO,QAETC,KACEjS,KAAM,eACN+M,SAAU,aACVY,SAAU,cACVuE,UAAW,oBACXC,KAAM,wBAERC,WACEC,YAAa,aACbC,UAAW,aACXC,OAAQ,SACRC,QAAS,aACTC,MAAO,aACPjT,SAAU,WACVkT,KAAM,gBACNhG,MAAO,kBACPiG,UAAW,WACXC,UAAW,QACXC,QAAS,UACTC,cAAe,iBAEjB/F,UACEgG,SAAU,eACVC,eAAgB,oBAChBC,WAAY,UACZC,WAAY,uBACZC,aAAc,eACdC,SAAU,aACVC,SAAU,eAEZC,UACEC,cAAe,wBACfC,SAAU,aACV1S,KAAM,OACN2S,IAAK,MACLC,OAAQ,SACRC,eAAgB,0BAChBC,eAAgB,qBAChBC,eAAgB,gBAChBC,uBAAwB,iCACxBC,uBAAwB,4BACxBC,mBAAoB,qBACpBC,2BAA4B,iCAC5BX,SAAU,gBACV7R,MAAO,aACPyS,QAAS,mBACTC,aAAc,8BACdC,aAAc,4BACdC,uBAAwB,mGACxBC,WAAY,iEACZC,WAAY,mDACZ7S,WAAY,cACZ8S,WAAY,cACZjQ,KAAM,OACNkQ,MAAO,QACPC,MAAO,8BACPC,KAAM,kBACNC,QAAS,wBACTC,OAAQ,iBACRC,UAAW,UACXC,YAAa,gBACbC,YAAa,QACbC,aAAc,UACdC,gBAAiB,+BACjBC,cAAe,qBACfC,iBAAkB,UAClBC,UAAW,SACXC,sBAAuB,oFACvBC,YAAa,UACbC,uBAAwB,uCACxBC,0BAA2B,uCAC3BC,kBAAmB,0EACnBC,UAAW,qBACXC,SAAU,oEACVC,UAAW,gEACXC,mBAAoB,+CACpBC,cAAe,yBACfC,iCAAkC,qEAClCC,iBAAkB,qEAClBC,oBAAqB,yCACrBC,eAAgB,kBAChBC,2BAA4B,8DAC5BC,4BAA6B,2FAC7BC,qBAAsB,qIACtBC,cAAe,yBACfC,yBAA0B,mEAC1BC,qBAAsB,yBACtBC,gBAAiB,kBACjBC,iBAAkB,qBAClBC,aAAc,iBACdC,qBAAsB,4BACtBC,iBAAkB,iCAClBC,sBAAuB,sDAEzBnJ,eACEA,cAAe,qBACfoJ,KAAM,WACNC,aAAc,YACdC,cAAe,+BACfC,aAAc,+BAEhBC,OACEA,MAAO,WACP9M,SAAU,eACV+M,YAAa,YACb9M,SAAU,WACVH,SAAU,eACVkN,OAAQ,YAEVC,cACEA,aAAc,gBACdC,SAAU,mBACVC,MAAO,QACPhE,IAAK,MACLiE,iBAAkB,uBAEpBC,aACEC,QAAS,kBACT9c,QAAS,+BACT+c,2BAA4B,sHAC5BC,gCAAiC,WACjCC,eAAgB,kEAChBC,OACEvK,OAAQ,kDACRwK,SAAU,8DACVC,QAAS,yCACTC,OAAQ,6CAGZC,QACEC,UAAW,iBACXC,oBAAqB,oCAEvBC,SACEC,OAAQ,WACRC,MAAO,YAETC,cACEC,eAAgB,aAIdC,GACJ3G,KACElF,SAAU,WACVY,SAAU,YACVuE,UAAW,oBACXC,KAAM,0BAERC,WACEC,YAAa,gBACbC,UAAW,WACXC,OAAQ,SACR/S,SAAU,UACVkT,KAAM,WACNhG,MAAO,cACPiG,UAAW,YACXC,UAAW,SACXC,QAAS,YAEX9F,UACEgG,SAAU,cACVC,eAAgB,2BAChBC,WAAY,cACZC,WAAY,2BACZC,aAAc,aACdC,SAAU,QACVC,SAAU,UAEZC,UACEC,cAAe,sBACfC,SAAU,iBACV1S,KAAM,OACN2S,IAAK,SACLC,OAAQ,eACRC,eAAgB,0BAChBC,eAAgB,0BAChBC,eAAgB,UAChBC,uBAAwB,sBACxBC,uBAAwB,qBACxBC,mBAAoB,aACpBC,2BAA4B,wBAC5BX,SAAU,YACV7R,MAAO,QACPyS,QAAS,iBACTI,WAAY,wDACZ5S,WAAY,SACZ8S,WAAY,WACZjQ,KAAM,SACNkQ,MAAO,SACPY,UAAW,WACXC,sBAAuB,kFACvBC,YAAa,WACbC,uBAAwB,+BACxBC,0BAA2B,kCAC3BC,kBAAmB,4CACnBE,SAAU,2DACVC,UAAW,gEACXC,mBAAoB,6CAEtBlI,eACEA,cAAe,cACfoJ,KAAM,OACNC,aAAc,eACdC,cAAe,sBACfC,aAAc,mBAEhBC,OACEA,MAAO,kBACP9M,SAAU,eACV+M,YAAa,aACb9M,SAAU,WACVH,SAAU,eACVkN,OAAQ,iBAEVC,cACEA,aAAc,oBACdC,SAAU,YACVC,MAAO,aACPhE,IAAK,SACLiE,iBAAkB,2BAEpBC,aACEC,QAAS,aACT9c,QAAS,yBAEXsd,QACEC,UAAW,eACXC,oBAAqB,4BAEvBC,SACEC,OAAQ,SACRC,MAAO,UAIL1Z,GACJiB,MACEgS,MAAO,QAETC,KACEjS,KAAM,aACN+M,SAAU,WACVY,SAAU,WACVuE,UAAW,kBACXC,KAAM,0BACN0G,gBAAiB,mBAEnBzG,WACEC,YAAa,eACbC,UAAW,aACXC,OAAQ,SACRC,QAAS,WACTC,MAAO,QACPjT,SAAU,WACVkT,KAAM,OACNhG,MAAO,QACPiG,UAAW,YACXC,UAAW,YACXC,QAAS,UACTC,cAAe,gBACfgG,QAAS,UACTC,KAAM,QAERhM,UACEgG,SAAU,WACVC,eAAgB,yBAChBC,WAAY,aACZC,WAAY,sBACZC,aAAc,eACdC,SAAU,WACVC,SAAU,YAEZC,UACEC,cAAe,gBACfC,SAAU,aACV1S,KAAM,OACN2S,IAAK,MACLC,OAAQ,SACRC,eAAgB,sBAChBC,eAAgB,iBAChBC,eAAgB,iBAChBC,uBAAwB,8BACxBC,uBAAwB,yBACxBC,mBAAoB,qBACpBC,2BAA4B,6BAC5BX,SAAU,WACV7R,MAAO,QACPyS,QAAS,UACTC,aAAc,uBACdC,aAAc,mBACdE,WAAY,+DACZD,uBAAwB,0FACxBE,WAAY,6CACZ7S,WAAY,aACZ8S,WAAY,aACZjQ,KAAM,OACNkQ,MAAO,QACPC,MAAO,uBACPC,KAAM,eACNC,QAAS,oBACTC,OAAQ,kBACRC,UAAW,UACXC,YAAa,eACbC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,cAClBC,UAAW,YACXC,sBAAuB,kEACvBC,YAAa,cACbC,uBAAwB,+BACxBC,0BAA2B,oCAC3BC,kBAAmB,6CACnBsD,iBAAkB,+BAClBrD,UAAW,qBACXC,SAAU,uDACVC,UAAW,mEACXoD,mBAAoB,0CACpBC,WAAY,cACZC,uBAAwB,2DACxBrD,mBAAoB,2CACpBsD,qBAAsB,mBACtBC,2BAA4B,0DAC5BC,sBAAuB,mCACvBvD,cAAe,gBACfC,iCAAkC,iCAClCC,iBAAkB,uDAClBC,oBAAqB,4BACrBC,eAAgB,iBAChBC,2BAA4B,yDAC5BC,4BAA6B,qEAC7BC,qBAAsB,yGACtBC,cAAe,gBACfC,yBAA0B,yDAC1BC,qBAAsB,oCACtBC,gBAAiB,kBACjBC,iBAAkB,mBAClBC,aAAc,eACdC,qBAAsB,uBACtBC,iBAAkB,iCAClBC,sBAAuB,6CACvBwC,yBAA0B,mDAC1BC,qBAAsB,8BACtBC,YAAa,2BACbC,YAAa,UACbC,aAAc,WACdC,uBAAwB,uBACxBC,kBAAmB,sBAErBjM,eACEA,cAAe,gBACfoJ,KAAM,QACNC,aAAc,eACdC,cAAe,wBACfC,aAAc,uBACd2C,gBAAiB,sCACjB5G,WAAY,4BAEdkE,OACEA,MAAO,SACP9M,SAAU,WACV+M,YAAa,YACb9M,SAAU,WACVH,SAAU,WACVkN,OAAQ,WAEVC,cACEA,aAAc,eACdC,SAAU,eACVC,MAAO,QACPhE,IAAK,MACLiE,iBAAkB,wBAClBqC,MAAO,gBAETpC,aACEC,QAAS,UACToC,gBAAiB,qBACjBlf,QAAS,sBACT+c,2BAA4B,mFAC5BC,gCAAiC,SACjCC,eAAgB,6DAChBkC,sBAAuB,+BACvBC,0BAA2B,oDAC3BlC,OACEvK,OAAQ,oCACRwK,SAAU,6CACVC,QAAS,0CACTC,OAAQ,0CAGZC,QACEC,UAAW,YACXC,oBAAqB,uBAEvBC,SACEC,OAAQ,SACRC,MAAO,SAETC,cACEC,eAAgB,iBAElBwB,eACEA,cAAe,gBACfC,KAAM,SAIJC,GACJra,MACEgS,MAAO,UAETC,KACEjS,KAAM,cACN+M,SAAU,YACVY,SAAU,UACVuE,UAAW,oBACXC,KAAM,oBAERC,WACEC,YAAa,cACbC,UAAW,YACXC,OAAQ,QACRC,QAAS,UACTC,MAAO,OACPjT,SAAU,SACVkT,KAAM,YACNhG,MAAO,cACPiG,UAAW,YACXC,UAAW,WACXC,QAAS,OACTC,cAAe,cAEjB/F,UACEgG,SAAU,gBACVC,eAAgB,qBAChBC,WAAY,UACZC,WAAY,+BACZC,aAAc,cACdC,SAAU,YACVC,SAAU,YAEZC,UACEC,cAAe,iBACfC,SAAU,gBACV1S,KAAM,OACN2S,IAAK,OACLC,OAAQ,cACRC,eAAgB,uBAChBC,eAAgB,4BAChBC,eAAgB,kBAChBC,uBAAwB,2BACxBC,uBAAwB,iCACxBC,mBAAoB,eACpBC,2BAA4B,8BAC5BX,SAAU,UACV7R,MAAO,QACPyS,QAAS,eACTI,WAAY,wEACZC,WAAY,iDACZ7S,WAAY,OACZ8S,WAAY,UACZjQ,KAAM,SACNkQ,MAAO,UACPC,MAAO,yBACPC,KAAM,gBACNC,QAAS,gBACTC,OAAQ,oBACRC,UAAW,UACXE,YAAa,UACbC,aAAc,eACdC,gBAAiB,yBACjBC,cAAe,wBACfC,iBAAkB,cAClBC,UAAW,WACXC,sBAAuB,0DACvBC,YAAa,cACbC,uBAAwB,iCACxBC,0BAA2B,oCAC3BC,kBAAmB,kDACnBC,UAAW,6BACXC,SAAU,2CACVC,UAAW,0DACXC,mBAAoB,6CACpBC,cAAe,gBACfC,iCAAkC,iCAClCC,iBAAkB,0CAClBC,oBAAqB,4BAEvBtI,eACEA,cAAe,UACfoJ,KAAM,UACNC,aAAc,eACdC,cAAe,oBACfC,aAAc,uBAEhBC,OACEA,MAAO,SACP9M,SAAU,YACV+M,YAAa,YACb9M,SAAU,WACVH,SAAU,aACVkN,OAAQ,UAEVC,cACEA,aAAc,aACdC,SAAU,cACVC,MAAO,gBACPhE,IAAK,OACLiE,iBAAkB,wBAEpBC,aACEC,QAAS,WACT9c,QAAS,yCAEXsd,QACEC,UAAW,eACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,QACRC,MAAO,UAETC,cACEC,eAAgB,oBAId2B,GACJrI,KACElF,SAAU,UACVY,SAAU,aACVuE,UAAW,iBACXC,KAAM,4BAERC,WACEC,YAAa,eACbC,UAAW,UACXC,OAAQ,QACRC,QAAS,eACTC,MAAO,WACPjT,SAAU,aACVkT,KAAM,WACNhG,MAAO,cACPiG,UAAW,YACXC,UAAW,cACXC,QAAS,UAEX9F,UACEgG,SAAU,aACVC,eAAgB,4BAChBC,WAAY,YACZC,WAAY,2BACZC,aAAc,WAEhBG,UACEC,cAAe,kBACfC,SAAU,cACV1S,KAAM,OACN2S,IAAK,MACLC,OAAQ,eACRC,eAAgB,6BAChBC,eAAgB,wBAChBC,eAAgB,iBAChBC,uBAAwB,0BACxBC,uBAAwB,0BACxBC,mBAAoB,gBACpBC,2BAA4B,yBAC5BX,SAAU,SACV7R,MAAO,QACP4T,UAAW,qBACXC,sBAAuB,yEACvBC,YAAa,UACbC,uBAAwB,0BACxBC,0BAA2B,2BAC3BC,kBAAmB,0DACnBE,SAAU,mEACVE,mBAAoB,wCAEtBlI,eACEA,cAAe,aACfoJ,KAAM,OACNC,aAAc,0BAEhBG,OACEA,MAAO,aACP9M,SAAU,eACV+M,YAAa,UACb9M,SAAU,SACVH,SAAU,cACVkN,OAAQ,cAEVC,cACEA,aAAc,kBACdC,SAAU,eACVC,MAAO,SACPhE,IAAK,MACLiE,iBAAkB,uBAEpBC,aACEC,QAAS,WACT9c,QAAS,qDAEXsd,QACEC,UAAW,kBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,YAIN+B,GACJtI,KACElF,SAAU,WACVY,SAAU,aACVuE,UAAW,oBACXC,KAAM,2BAERC,WACEC,YAAa,eACbC,UAAW,WACXC,OAAQ,QACRC,QAAS,YACTC,MAAO,SACPjT,SAAU,YACVkT,KAAM,QACNhG,MAAO,WACPiG,UAAW,UACXC,UAAW;AACXC,QAAS,WAEX9F,UACEgG,SAAU,gBACVC,eAAgB,mCAChBC,WAAY,YACZC,WAAY,8BACZC,aAAc,aAEhBG,UACEC,cAAe,2BACfC,SAAU,aACV1S,KAAM,MACN2S,IAAK,MACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,YAChBC,eAAgB,gBAChBC,uBAAwB,0BACxBC,uBAAwB,mBACxBC,mBAAoB,mBACpBC,2BAA4B,8BAC5BX,SAAU,cACV7R,MAAO,OACP4T,UAAW,SACXC,sBAAuB,6EACvBC,YAAa,eACbC,uBAAwB,uCACxBC,0BAA2B,0CAC3BC,kBAAmB,wDACnBE,SAAU,2DACVE,mBAAoB,iDAEtBlI,eACEA,cAAe,cACfoJ,KAAM,WACNC,aAAc,eAEhBG,OACEA,MAAO,gBACP9M,SAAU,kBACV+M,YAAa,YACb9M,SAAU,SACVH,SAAU,eACVkN,OAAQ,iBAEVC,cACEA,aAAc,eACdC,SAAU,aACVC,MAAO,QACPhE,IAAK,MACLiE,iBAAkB,uBAEpBC,aACEC,QAAS,qBACT9c,QAAS,yBAEXsd,QACEC,UAAW,uBACXC,oBAAqB,kCAEvBC,SACEC,OAAQ,WAINgC,GACJvI,KACElF,SAAU,aACVY,SAAU,aACVuE,UAAW,qBACXC,KAAM,2BAERC,WACEC,YAAa,gBACbC,UAAW,WACXC,OAAQ,YACRC,QAAS,UACTC,MAAO,YACPjT,SAAU,QACVkT,KAAM,cACNhG,MAAO,aACPiG,UAAW,WACXC,UAAW,YACXC,QAAS,SAEX9F,UACEgG,SAAU,iBACVC,eAAgB,oCAChBC,WAAY,QACZC,WAAY,0BACZC,aAAc,eAEhBG,UACEC,cAAe,0BACfC,SAAU,cACV1S,KAAM,OACN2S,IAAK,MACLC,OAAQ,SACRC,eAAgB,kBAChBC,eAAgB,qBAChBC,eAAgB,mBAChBC,uBAAwB,gCACxBC,uBAAwB,+BACxBC,mBAAoB,qBACpBC,2BAA4B,qBAC5BX,SAAU,SACV7R,MAAO,OACP4T,UAAW,SACXC,sBAAuB,4EACvBC,YAAa,aACbC,uBAAwB,qCACxBC,0BAA2B,sCAC3BC,kBAAmB,2CACnBE,SAAU,oDACVE,mBAAoB,oEAEtBlI,eACEA,cAAe,aACfoJ,KAAM,SACNC,aAAc,gBAEhBG,OACEA,MAAO,WACP9M,SAAU,kBACV+M,YAAa,YACb9M,SAAU,SACVH,SAAU,eACVkN,OAAQ,cAEVC,cACEA,aAAc,cACdC,SAAU,gBACVC,MAAO,QACPhE,IAAK,MACLiE,iBAAkB,kBAEpBC,aACEC,QAAS,WACT9c,QAAS,kCAEXsd,QACEC,UAAW,qBACXC,oBAAqB,sCAEvBC,SACEC,OAAQ,YAINxZ,GACJgB,MACEgS,MAAO,QAETC,KACEjS,KAAM,WACN+M,SAAU,SACVY,SAAU,QACVuE,UAAW,cACXC,KAAM,oBACN0G,gBAAiB,mBAEnBzG,WACEC,YAAa,aACbC,UAAW,aACXC,OAAQ,OACRC,QAAS,aACTC,MAAO,OACPjT,SAAU,QACVkT,KAAM,OACNhG,MAAO,aACPiG,UAAW,QACXC,UAAW,OACXC,QAAS,KACTC,cAAe,WACfgG,QAAS,UACTC,KAAM,QAERhM,UACEgG,SAAU,OACVC,eAAgB,kBAChBC,WAAY,OACZC,WAAY,WACZC,aAAc,OACdC,SAAU,MACVC,SAAU,QAEZC,UACEC,cAAe,WACfC,SAAU,aACV1S,KAAM,MACN2S,IAAK,SACLC,OAAQ,OACRC,eAAgB,UAChBC,eAAgB,mBAChBC,eAAgB,YAChBC,uBAAwB,eACxBC,uBAAwB,sBACxBC,mBAAoB,kBACpBC,2BAA4B,8BAC5BX,SAAU,OACV7R,MAAO,MACPyS,QAAS,QACTI,WAAY,qBACZC,WAAY,uBACZ7S,WAAY,WACZ8S,WAAY,WACZjQ,KAAM,KACNkQ,MAAO,MACPC,MAAO,kBACPC,KAAM,aACNC,QAAS,eACTC,OAAQ,aACRC,UAAW,MACXC,YAAa,eACbC,YAAa,MACbC,aAAc,OACdC,gBAAiB,aACjBC,cAAe,cACfC,iBAAkB,OAClBC,UAAW,UACXC,sBAAuB,gDACvBC,YAAa,OACbC,uBAAwB,mBACxBC,0BAA2B,iBAC3BC,kBAAmB,iBACnBC,UAAW,wBACXC,SAAU,2BACVC,UAAW,iCACXC,mBAAoB,6BACpBC,cAAe,YACfC,iCAAkC,yBAClCC,iBAAkB,sCAClBC,oBAAqB,wBACrBC,eAAgB,WAChBC,2BAA4B,yBAC5BC,4BAA6B,qCAC7BC,qBAAsB,sDACtBC,cAAe,cACfC,yBAA0B,+BAC1BC,qBAAsB,SACtBC,gBAAiB,YACjBC,iBAAkB,WAClBC,aAAc,aACdC,qBAAsB,kBACtBC,iBAAkB,iBAClBC,sBAAuB,8BACvBwC,yBAA0B,oCAE5B3L,eACEA,cAAe,MACfoJ,KAAM,OACNC,aAAc,YACdC,cAAe,uBACfC,aAAc,uBAEhBC,OACEA,MAAO,OACP9M,SAAU,SACV+M,YAAa,WACb9M,SAAU,QACVH,SAAU,OACVkN,OAAQ,SAEVC,cACEA,aAAc,OACdC,SAAU,WACVC,MAAO,OACPhE,IAAK,SACLiE,iBAAkB,cAEpBC,aACEC,QAAS,OACToC,gBAAiB,kBACjBlf,QAAS,kBACT+c,2BAA4B,qEAC5BC,gCAAiC,cACjCC,eAAgB,sCAChBC,OACEvK,OAAQ,6BACRwK,SAAU,gCACVC,QAAS,6BACTC,OAAQ,kCAGZC,QACEC,UAAW,WACXC,oBAAqB,uBAEvBC,SACEC,OAAQ,OACRC,MAAO,QAETC,cACEC,eAAgB,cAElBwB,eACEA,cAAe,WACfC,KAAM,SAIJK,GACJxI,KACEjS,KAAM,aACN+M,SAAU,UACVY,SAAU,gBACVuE,UAAW,iBACXC,KAAM,mBAERC,WACEC,YAAa,cACbC,UAAW,UACXC,OAAQ,SACRC,QAAS,SACTC,MAAO,UACPjT,SAAU,UACVkT,KAAM,UACNhG,MAAO,SACPiG,UAAW,eACXC,UAAW,SACXC,QAAS,WACTC,cAAe,+BAEjB/F,UACEgG,SAAU,gBACVC,eAAgB,uCAChBC,WAAY,SACZC,WAAY,gBACZC,aAAc,eACdC,SAAU,SACVC,SAAU,aAEZC,UACEC,cAAe,yBACfC,SAAU,YACV1S,KAAM,MACN2S,IAAK,aACLC,OAAQ,SACRC,eAAgB,gBAChBC,eAAgB,mBAChBC,eAAgB,qBAChBC,uBAAwB,8BACxBC,uBAAwB,sBACxBC,mBAAoB,gBACpBC,2BAA4B,0BAC5BX,SAAU,aACV7R,MAAO,QACP4T,UAAW,SACXC,sBAAuB,wEACvBC,YAAa,iBACbC,uBAAwB,6CACxBC,0BAA2B,oDAC3BC,kBAAmB,+DACnBE,SAAU,sEACVE,mBAAoB,8DACpB5B,QAAS,oBACTI,WAAY,8FACZ5S,WAAY,eACZ8S,WAAY,eACZjQ,KAAM,QACNkQ,MAAO,QACPoB,UAAW,oFACXE,cAAe,2BACfC,iCAAkC,iDAClCC,iBAAkB,+DAClBC,oBAAqB,gDACrBK,cAAe,2BACfE,qBAAsB,kCACtBD,yBAA0B,wBAC1B9B,MAAO,0BACPC,KAAM,kBACNC,QAAS,iBACTC,OAAQ,kBACRC,UAAW,UACXE,YAAa,WACbD,YAAa,kBACbE,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,uBACfC,iBAAkB,iBAClBb,WAAY,oFACZoB,UAAW,+DACXe,gBAAiB,4BACjBC,iBAAkB,sBAClBC,aAAc,uBACdC,qBAAsB,uCACtBV,eAAgB,sBAChBC,2BAA4B,6DAC5BC,4BAA6B,wFAC7BC,qBAAsB,qJAExB1I,eACEA,cAAe,gBACfoJ,KAAM,OACNC,aAAc,2BACdC,cAAe,sBACfC,aAAc,0BAEhBC,OACEA,MAAO,YACP9M,SAAU,cACV+M,YAAa,YACb9M,SAAU,eACVH,SAAU,aACVkN,OAAQ,eAEVC,cACEA,aAAc,cACdC,SAAU,aACVC,MAAO,gBACPhE,IAAK,aACLiE,iBAAkB,gCAEpBC,aACEC,QAAS,iBACT9c,QAAS,qCACT+c,2BAA4B,6GAC5BC,gCAAiC,aACjCC,eAAgB,8DAChBC,OACEvK,OAAQ,4CACRwK,SAAU,oDACVC,QAAS,sEACTC,OAAQ,oDAGZC,QACEC,UAAW,0BACXC,oBAAqB,gDAEvBC,SACEC,OAAQ,UACRC,MAAO,aAETC,cACEC,eAAgB,6BAId+B,GACJzI,KACElF,SAAU,qBACVY,SAAU,WACVuE,UAAW,8BACXC,KAAM,6BAERC,WACEC,YAAa,YACbC,UAAW,oBACXC,OAAQ,QACR/S,SAAU,WACVkT,KAAM,cACNhG,MAAO,aACPiG,UAAW,eACXC,UAAW,oBACXC,QAAS,aAEX9F,UACEgG,SAAU,eACVC,eAAgB,oCAChBC,WAAY,aACZC,WAAY,8BAEdI,UACEC,cAAe,6BACfC,SAAU,sBACV1S,KAAM,OACN2S,IAAK,eACLC,OAAQ,SACRC,eAAgB,wBAChBC,eAAgB,yBAChBC,eAAgB,yBAChBC,uBAAwB,iBACxBC,uBAAwB,4CACxBC,mBAAoB,0BACpBC,2BAA4B,2CAC5BX,SAAU,WACV7R,MAAO,OACP4T,UAAW,SACXC,sBAAuB,2GACvBC,YAAa,WACbC,uBAAwB,0DACxBC,0BAA2B,qDAC3BC,kBAAmB,6CACnBE,SAAU,sEACVE,mBAAoB,wDAEtBlI,eACEA,cAAe,YACfoJ,KAAM,SACNC,aAAc,iBAEhBsB,SACEC,OAAQ,UAINmC,GACJ3a,MACEgS,MAAO,eAETC,KACEjS,KAAM,aACN+M,SAAU,oBACVY,SAAU,gBACVuE,UAAW,kBACXC,KAAM,qBAERC,WACEC,YAAa,YACbC,UAAW,WACXC,OAAQ,SACRC,QAAS,SACTC,MAAO,SACPjT,SAAU,WACVkT,KAAM,SACNhG,MAAO,SACPiG,UAAW,YACXC,UAAW,aACXC,QAAS,WACTC,cAAe,sBAEjB/F,UACEgG,SAAU,eACVC,eAAgB,mCAChBC,WAAY,SACZC,WAAY,eACZC,aAAc,eACdC,SAAU,SACVC,SAAU,WAEZC,UACEC,cAAe,wBACfC,SAAU,YACV1S,KAAM,MACN2S,IAAK,YACLC,OAAQ,SACRC,eAAgB,uBAChBC,eAAgB,mBAChBC,eAAgB,sBAChBC,uBAAwB,8BACxBC,uBAAwB,sBACxBC,mBAAoB,iBACpBC,2BAA4B,2BAC5BX,SAAU,aACV7R,MAAO,OACPyS,QAAS,mBACTI,WAAY,oFACZC,WAAY,gEACZ7S,WAAY,aACZ8S,WAAY,WACZjQ,KAAM,QACNkQ,MAAO,SACPC,MAAO,2BACPC,KAAM,iBACNC,QAAS,4BACTC,OAAQ,oBACRE,YAAa,cACbD,UAAW,SACXE,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,eAClBC,UAAW,SACXC,sBAAuB,0EACvBC,YAAa,eACbC,uBAAwB,6BACxBC,0BAA2B,oDAC3BC,kBAAmB,+EACnBC,UAAW,8BACXC,SAAU,oEACVC,UAAW,mEACXC,mBAAoB,yCACpBC,cAAe,0BACfC,iCAAkC,0CAClCC,iBAAkB,4DAClBC,oBAAqB,oCAEvBtI,eACEA,cAAe,eACfoJ,KAAM,UACNC,aAAc,UACdC,cAAe,yBACfC,aAAc,iCAEhBC,OACEA,MAAO,YACP9M,SAAU,mBACV+M,YAAa,YACb9M,SAAU,SACVH,SAAU,YACVkN,OAAQ,gBAEVC,cACEA,aAAc,cACdC,SAAU,cACVC,MAAO,oBACPhE,IAAK,YACLiE,iBAAkB,uBAEpBC,aACEC,QAAS,WACT9c,QAAS,kCAEXsd,QACEC,UAAW,uBACXC,oBAAqB,4CAEvBC,SACEC,OAAQ,SACRC,MAAO,WAETC,cACEC,eAAgB,oBAIdiC,GACJ5a,MACEgS,MAAO,QAETC,KACEjS,KAAM,eACN+M,SAAU,WACVY,SAAU,WACVuE,UAAW,qBACXC,KAAM,mBAERC,WACEC,YAAa,iBACbC,UAAW,eACXC,OAAQ,WACRC,QAAS,eACTC,MAAO,WACPjT,SAAU,UACVkT,KAAM,SACNhG,MAAO,YACPiG,UAAW,cACXC,UAAW,cACXC,QAAS,WACTC,cAAe,qBAEjB/F,UACEgG,SAAU,aACVC,eAAgB,kBAChBC,WAAY,aACZC,WAAY,0BACZC,aAAc,UACdC,SAAU,OACVC,SAAU,cAEZC,UACEC,cAAe,yBACfC,SAAU,aACV1S,KAAM,OACN2S,IAAK,MACLC,OAAQ,SACRC,eAAgB,qBAChBC,eAAgB,oBAChBC,eAAgB,iBAChBC,uBAAwB,6BACxBC,uBAAwB,4BACxBC,mBAAoB,cACpBC,2BAA4B,yBAC5BX,SAAU,aACV7R,MAAO,QACPyS,QAAS,gBACTI,WAAY,0EACZC,WAAY,uDACZ7S,WAAY,MACZ8S,WAAY,gBACZjQ,KAAM,QACNkQ,MAAO,QACPC,MAAO,kCACPC,KAAM,oBACNC,QAAS,0BACTC,OAAQ,wBACRC,UAAW,YACXC,YAAa,gBACbC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,aAClBC,UAAW,cACXC,sBAAuB,iFACvBC,YAAa,aACbC,uBAAwB,+BACxBC,0BAA2B,+BAC3BC,kBAAmB,sEACnBC,UAAW,wCACXC,SAAU,+DACVC,UAAW,2EACXC,mBAAoB,iEACpBC,cAAe,uBACfC,iCAAkC,qCAClCC,iBAAkB,gEAClBC,oBAAqB,uCACrBC,eAAgB,aAChBC,2BAA4B,uCAC5BC,4BAA6B,wEAC7BC,qBAAsB,uHACtBC,cAAe,wBACfC,yBAA0B,wDAC1BC,qBAAsB,mDACtBC,gBAAiB,cACjBC,iBAAkB,eAClBC,aAAc,aACdC,qBAAsB,uBACtBC,iBAAkB,6BAClBC,sBAAuB,0CAEzBnJ,eACEA,cAAe,gBACfoJ,KAAM,eACNC,aAAc,gBACdC,cAAe,kCACfC,aAAc,yBAEhBC,OACEA,MAAO,UACP9M,SAAU,aACV+M,YAAa,YACb9M,SAAU,QACVH,SAAU,cACVkN,OAAQ,WAEVC,cACEA,aAAc,cACdC,SAAU,4BACVC,MAAO,QACPhE,IAAK,MACLiE,iBAAkB,uBAEpBC,aACEC,QAAS,YACT9c,QAAS,+BAEXsd,QACEC,UAAW,qBACXC,oBAAqB,gCAEvBC,SACEC,OAAQ,SACRC,MAAO,YAETC,cACEC,eAAgB,yBAIdkC,GACJ7a,MACEgS,MAAO,QAETC,KACEjS,KAAM,aACN+M,SAAU,iBACVY,SAAU,YACVuE,UAAW,yBACXC,KAAM,wBAERC,WACEC,YAAa,aACbC,UAAW,cACXC,OAAQ,SACRC,QAAS,cACTC,MAAO,WACPjT,SAAU,UACVkT,KAAM,YACNhG,MAAO,aACPiG,UAAW,aACXC,UAAW,YACXC,QAAS,UACTC,cAAe,UAEjB/F,UACEgG,SAAU,mBACVC,eAAgB,sCAChBC,WAAY,cACZC,WAAY,oCACZC,aAAc,gBAEhBG,UACEC,cAAe,qBACfC,SAAU,qBACV1S,KAAM,SACN2S,IAAK,YACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,iBAChBC,eAAgB,sBAChBC,uBAAwB,kBACxBC,uBAAwB,mBACxBC,mBAAoB,mBACpBC,2BAA4B,2BAC5BX,SAAU,UACV7R,MAAO,OACPyS,QAAS,cACTI,WAAY,qFACZ5S,WAAY,gBACZ8S,WAAY,eACZjQ,KAAM,QACNkQ,MAAO,QACPY,UAAW,UACXC,sBAAuB,kFACvBC,YAAa,WACbC,uBAAwB,wCACxBC,0BAA2B,yCAC3BC,kBAAmB,iDACnBE,SAAU,2DACVC,UAAW,wGACXC,mBAAoB,mFACpBC,cAAe,kCACfC,iCAAkC,4DAClCC,iBAAkB,0CAClBC,oBAAqB,gCAEvBtI,eACEA,cAAe,iBACfoJ,KAAM,UACNC,aAAc,qBAEhBG,OACEA,MAAO,iBACP9M,SAAU,UACV+M,YAAa,aACb9M,SAAU,aACVH,SAAU,YACVkN,OAAQ,SAEVC,cACEA,aAAc,WACdC,SAAU,mBACVC,MAAO,qBACPhE,IAAK,YACLiE,iBAAkB,8BAEpBC,aACEC,QAAS,aACT9c,QAAS,8BAEXsd,QACEC,UAAW,oBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,SACRC,MAAO,YAILqC,GACJ9a,MACEgS,MAAO,QAETC,KACEjS,KAAM,aACN+M,SAAU,iBACVY,SAAU,UACVuE,UAAW,yBACXC,KAAM,yBAERC,WACEC,YAAa,cACbC,UAAW,YACXC,OAAQ,SACRC,QAAS,aACTC,MAAO,WACPjT,SAAU,YACVkT,KAAM,YACNhG,MAAO,aACPiG,UAAW,aACXC,UAAW,WACXC,QAAS,UACTC,cAAe,mBAEjB/F,UACEgG,SAAU,gBACVC,eAAgB,6BAChBC,WAAY,aACZC,WAAY,6BACZC,aAAc,YAEhBG,UACEC,cAAe,2BACfC,SAAU,mBACV1S,KAAM,OACN2S,IAAK,YACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,iBAChBC,eAAgB,iBAChBC,uBAAwB,2BACxBC,uBAAwB,yBACxBC,mBAAoB,2BACpBC,2BAA4B,qCAC5BX,SAAU,gBACV7R,MAAO,OACPyS,QAAS,gBACTI,WAAY,oFACZ5S,WAAY,iBACZ8S,WAAY,iBACZjQ,KAAM,QACNkQ,MAAO,QACPY,UAAW,YACXC,sBAAuB,+EACvBC,YAAa,SACbC,uBAAwB,oCACxBC,0BAA2B,8BAC3BC,kBAAmB,4CACnBE,SAAU,oEACVC,UAAW,qEACXC,mBAAoB,uEACpBC,cAAe,oBACfC,iCAAkC,gDAClCC,iBAAkB,gEAClBC,oBAAqB,+BAEvBtI,eACEA,cAAe,eACfoJ,KAAM,OACNC,aAAc,eAEhBG,OACEA,MAAO,SACP9M,SAAU,UACV+M,YAAa,YACb9M,SAAU,QACVH,SAAU,YACVkN,OAAQ,QAEVC,cACEA,aAAc,WACdC,SAAU,qBACVC,MAAO,qBACPhE,IAAK,YACLiE,iBAAkB,wBAEpBC,aACEC,QAAS,aACT9c,QAAS,8BAEXsd,QACEC,UAAW,iBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,SACRC,MAAO,YAILsC,GACJ/a,MACEgS,MAAO,OAETC,KACEjS,KAAM,gBACN+M,SAAU,QACVY,SAAU,aACVuE,UAAW,kBACXC,KAAM,sBAERC,WACEC,YAAa,aACbC,UAAW,QACXC,OAAQ,SACRC,QAAS,eACTC,MAAO,gBACPjT,SAAU,UACVkT,KAAM,eACNhG,MAAO,YACPiG,UAAW,WACXC,UAAW,WACXC,QAAS,SACTC,cAAe,mBAEjB/F,UACEgG,SAAU,iBACVC,eAAgB,wBAChBC,WAAY,YACZC,WAAY,2BACZC,aAAc,WACdC,SAAU,WACVC,SAAU,eAEZC,UACEC,cAAe,yBACfC,SAAU,iBACV1S,KAAM,MACN2S,IAAK,WACLC,OAAQ,SACRC,eAAgB,iBAChBC,eAAgB,yBAChBC,eAAgB,iBAChBC,uBAAwB,yBACxBC,uBAAwB,iCACxBC,mBAAoB,cACpBC,2BAA4B,8BAC5BX,SAAU,YACV7R,MAAO,OACP0S,aAAc,8BACdC,aAAc,6BACdF,QAAS,UACTI,WAAY,0EACZC,WAAY,qDACZ7S,WAAY,MACZ8S,WAAY,gBACZjQ,KAAM,QACNkQ,MAAO,SACPC,MAAO,mBACPC,KAAM,WACNC,QAAS,WACTC,OAAQ,YACRC,UAAW,SACXC,YAAa,aACbC,YAAa,SACbC,aAAc,UACdC,gBAAiB,yBACjBC,cAAe,oCACfC,iBAAkB,sBAClBC,UAAW,aACXC,sBAAuB,iFACvBC,YAAa,WACbC,uBAAwB,2BACxBC,0BAA2B,gCAC3BE,UAAW,gDACXD,kBAAmB,iCACnBE,SAAU,sDACVC,UAAW,uEACXoD,mBAAoB,mDACpBC,WAAY,mBACZC,uBAAwB,gEACxBrD,mBAAoB,8DACpBC,cAAe,yBACfC,iCAAkC,uCAClCC,iBAAkB,mEAClBC,oBAAqB,sCACrBC,eAAgB,kBAChBC,2BAA4B,4CAC5BC,4BAA6B,6DAC7BC,qBAAsB,yHACtBC,cAAe,0BACfC,yBAA0B,+DAC1BC,qBAAsB,sCACtBC,gBAAiB,iBACjBC,iBAAkB,iBAClBC,aAAc,eACdC,qBAAsB,8BACtBC,iBAAkB,0BAClBC,sBAAuB,gDACvBwC,yBAA0B,qDAC1BC,qBAAsB,+BACtBE,YAAa,UACbC,aAAc,eACdC,uBAAwB,0BACxBZ,iBAAkB,4BAClBa,kBAAmB,mBAErBjM,eACEA,cAAe,cACfoJ,KAAM,WACNC,aAAc,sBACdC,cAAe,sBACfC,aAAc,yBACd2C,gBAAiB,8BACjB5G,WAAY,gCAEdkE,OACEA,MAAO,QACP9M,SAAU,mBACV+M,YAAa,YACb9M,SAAU,SACVH,SAAU,qBACVkN,OAAQ,SAEVC,cACEA,aAAc,cACdC,SAAU,mBACVC,MAAO,QACPhE,IAAK,WACLiE,iBAAkB,uBAClBqC,MAAO,mBAETpC,aACEC,QAAS,eACT9c,QAAS,eAEXsd,QACEC,UAAW,qBACXC,oBAAqB,0BAEvBC,SACEC,OAAQ,YACRC,MAAO,aAETC,cACEC,eAAgB,uBAGdqC,GACJhb,MACEgS,MAAO,QAETC,KACEjS,KAAM,aACN+M,SAAU,YACVY,SAAU,QACVuE,UAAW,sBACXC,KAAM,8BAERC,WACEC,YAAa,cACbC,UAAW,UACXC,OAAQ,OACRC,QAAS,YACTC,MAAO,UACPjT,SAAU,WACVkT,KAAM,OACNhG,MAAO,SACPiG,UAAW,UACXC,UAAW,SACXC,QAAS,UACTC,cAAe,iBAEjB/F,UACEgG,SAAU,UACVC,eAAgB,oCAChBC,WAAY,YACZC,WAAY,sBACZC,aAAc,UACdC,SAAU,aACVC,SAAU,WAEZC,UACEC,cAAe,qBACfC,SAAU,kBACV1S,KAAM,OACN2S,IAAK,WACLC,OAAQ,cACRC,eAAgB,6BAChBC,eAAgB,sBAChBC,eAAgB,gBAChBC,uBAAwB,8BACxBC,uBAAwB,wBACxBC,mBAAoB,kBACpBC,2BAA4B,0BAC5BX,SAAU,gBACV7R,MAAO,OACPyS,QAAS,+BACTI,WAAY,yEACZC,WAAY,yEACZ7S,WAAY,WACZ8S,WAAY,YACZjQ,KAAM,QACNkQ,MAAO,SACPC,MAAO,mBACPC,KAAM,eACNC,QAAS;AACTC,OAAQ,iBACRC,UAAW,UACXE,YAAa,QACbC,aAAc,cACdC,gBAAiB,2BACjBC,cAAe,wBACfC,iBAAkB,UAClBC,UAAW,aACXC,sBAAuB,6FACvBC,YAAa,UACbC,uBAAwB,4BACxBC,0BAA2B,0BAC3BC,kBAAmB,wDACnBC,UAAW,uCACXC,SAAU,gDACVC,UAAW,mEACXC,mBAAoB,qEACpBC,cAAe,qBACfC,iCAAkC,oCAClCC,iBAAkB,yDAClBC,oBAAqB,sCAEvBtI,eACEA,cAAe,aACfoJ,KAAM,OACNC,aAAc,aACdC,cAAe,mBACfC,aAAc,sBAEhBC,OACEA,MAAO,WACP9M,SAAU,aACV+M,YAAa,cACb9M,SAAU,UACVH,SAAU,YACVkN,OAAQ,WAEVC,cACEA,aAAc,eACdC,SAAU,eACVC,MAAO,gBACPhE,IAAK,WACLiE,iBAAkB,mBAEpBC,aACEC,QAAS,aACT9c,QAAS,yBAEXsd,QACEC,UAAW,cACXC,oBAAqB,8BAEvBC,SACEC,OAAQ,UACRC,MAAO,QAETC,cACEC,eAAgB,qBAIdsC,GACJjb,MACEgS,MAAO,QAETC,KACEjS,KAAM,aACN+M,SAAU,WACVY,SAAU,UACVuE,UAAW,mBACXC,KAAM,kBAERC,WACEC,YAAa,cACbC,UAAW,QACXC,OAAQ,OACRC,QAAS,QACTC,MAAO,QACPjT,SAAU,UACVkT,KAAM,OACNhG,MAAO,QACPiG,UAAW,SACXC,UAAW,SACXC,QAAS,OACTC,cAAe,eAEjB/F,UACEgG,SAAU,WACVC,eAAgB,qBAChBC,WAAY,QACZC,WAAY,oBACZC,aAAc,OACdC,SAAU,OACVC,SAAU,OAEZC,UACEC,cAAe,eACfC,SAAU,YACV1S,KAAM,KACN2S,IAAK,QACLC,OAAQ,eACRC,eAAgB,4BAChBC,eAAgB,wBAChBC,eAAgB,eAChBC,uBAAwB,2BACxBC,uBAAwB,uBACxBC,mBAAoB,cACpBC,2BAA4B,qBAC5BX,SAAU,SACV7R,MAAO,MACPyS,QAAS,oBACTI,WAAY,4FACZC,WAAY,wCACZ7S,WAAY,MACZ8S,WAAY,OACZjQ,KAAM,OACNkQ,MAAO,SACPC,MAAO,sBACPC,KAAM,eACNC,QAAS,cACTC,OAAQ,cACRC,UAAW,UACXC,YAAa,WACbC,YAAa,SACbC,aAAc,gBACdC,gBAAiB,yBACjBC,cAAe,mBACfC,iBAAkB,UAClBC,UAAW,QACXC,sBAAuB,uDACvBC,YAAa,UACbC,uBAAwB,yBACxBC,0BAA2B,sBAC3BC,kBAAmB,+DACnBC,UAAW,qBACXC,SAAU,uCACVC,UAAW,gDACXC,mBAAoB,oDACpBC,cAAe,cACfC,iCAAkC,gCAClCC,iBAAkB,uCAClBC,oBAAqB,uBACrBC,eAAgB,YAChBC,2BAA4B,6CAC5BC,4BAA6B,oDAC7BC,qBAAsB,oEACtBC,cAAe,cACfC,yBAA0B,iDAC1BC,qBAAsB,gCACtBC,gBAAiB,YACjBC,iBAAkB,eAClBC,aAAc,aACdC,qBAAsB,YACtBC,iBAAkB,sBAClBC,sBAAuB,6BAEzBnJ,eACEA,cAAe,SACfoJ,KAAM,OACNC,aAAc,aACdC,cAAe,oBACfC,aAAc,qBAEhBC,OACEA,MAAO,QACP9M,SAAU,YACV+M,YAAa,YACb9M,SAAU,QACVH,SAAU,QACVkN,OAAQ,SAEVC,cACEA,aAAc,QACdC,SAAU,WACVC,MAAO,SACPhE,IAAK,QACLiE,iBAAkB,eAEpBC,aACEC,QAAS,QACT9c,QAAS,mBAEXsd,QACEC,UAAW,cACXC,oBAAqB,sBAEvBC,SACEC,OAAQ,MACRC,MAAO,OAETC,cACEC,eAAgB,mBAIdrY,GACJyR,KACA6G,KACA7Z,KACAsb,KACAC,KACAC,KACAC,KACAxb,KACAyb,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KR0oCDxgB,GAAQK,QQvoCMwF,GR2oCT,SAAU9F,EAAQC,EAASC,GAEhC,YAqEA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAnEvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,IAET3G,EAAQygB,UAAYzgB,EAAQ0gB,UAAY1gB,EAAQ2gB,WAAa3gB,EAAQ4gB,cAAgB5gB,EAAQ6gB,aAAe3O,MAE5G,IAAI4O,GAAO7gB,EAAoB,KAE3B8gB,EAAQ7gB,EAAuB4gB,GAE/BE,EAAY/gB,EAAoB,GAEhCghB,EAAY/gB,EAAuB8gB,GAEnCE,EAASjhB,EAAoB,KAE7BkhB,EAASjhB,EAAuBghB,GAEhCE,EAAUnhB,EAAoB,KAE9BohB,EAAUnhB,EAAuBkhB,GAEjCE,EAAUrhB,EAAoB,KAE9BshB,EAAUrhB,EAAuBohB,GAEjCE,EAAUvhB,EAAoB,KAE9BwhB,EAAUvhB,EAAuBshB,GAEjCE,EAAYzhB,EAAoB,KAEhC0hB,EAAYzhB,EAAuBwhB,GAEnCE,EAAS3hB,EAAoB,IAE7B4hB,EAAS3hB,EAAuB0hB,GAEhCzW,EAASlL,EAAoB,IAE7BmL,EAASlL,EAAuBiL,GAEhC2W,EAAc7hB,EAAoB,IAElC8hB,EAAc7hB,EAAuB4hB,GAErCE,EAAW/hB,EAAoB,KAE/BgiB,EAAW/hB,EAAuB8hB,GAElCE,EAAUjiB,EAAoB,KAE9BkiB,EAAUjiB,EAAuBgiB,GAEjCE,EAAWniB,EAAoB,KAE/BoiB,EAAWniB,EAAuBkiB,GAElCE,EAAariB,EAAoB,KAEjCsiB,EAAariB,EAAuBoiB,GSrqGzC9hB,EAAAP,EAAA,IACAuiB,EAAAviB,EAAA,IT0qGKwiB,EAAeviB,EAAuBsiB,GSvqGrCE,EAAU,kBACd3d,YACA4d,kBACAC,SACAC,mBACAC,yBACAC,eAAgB,EAChBC,MAAO,EACPC,aAAc,EACdC,SAAS,EACThL,aACAjF,WACAkQ,QAAS,WACTC,YAAa,IAGFvC,kBACXwC,eACAC,qBACAN,MAAO,EACP7P,eACEoQ,4BAA4B,EAC5BP,MAAO,EACPQ,WAAY,EACZC,MAAOpM,OAAOqM,kBACdxd,QACAqE,OAAO,EACPoZ,oBAEFC,UAAW,GAAA7C,GAAA1gB,QACXkK,OAAO,EACPsZ,WACE3Q,SAAUwP,IACV1P,OAAQ0P,IACR9S,KAAM8S,IACNrP,IAAKqP,IACLtP,kBAAmBsP,IACnBzP,QAASyP,IACT5P,IAAK4P,MAIHoB,EAAS,SAACzP,GACd,GAAM0P,GAAY,QAClB,QAAO,EAAAxB,EAAAliB,SAASgU,EAAO2P,KAAM,WAAa3P,EAAOvK,KAAKyE,MAAMwV,IAGjDnD,kBAAgB,SAACvM,GAe5B,MAboBnC,UAAhBmC,EAAO4P,OACT5P,EAAO4P,KAAOH,EAAOzP,GACjBA,EAAO6P,mBACT7P,EAAO4P,KAAO5P,EAAO6P,iBAAiBD,OAK1C5P,EAAO8P,SAAU,EAGjB9P,EAAOyG,YAAczG,EAAOyG,gBAErBzG,GAGIsM,eAAa,SAACtM,GACzB,MAAIA,GAAO+P,aACF,SAGL/P,EAAO6P,iBACF,UAGkB,gBAAf7P,GAAOgQ,KAAoBhQ,EAAOgQ,IAAI9V,MAAM,gCAC5B,gBAAhB8F,GAAOvK,MAAqBuK,EAAOvK,KAAKyE,MAAM,aACjD,WAGL8F,EAAOvK,KAAKyE,MAAM,yBAA2B8F,EAAOiQ,sBAC/C,WAILjQ,EAAOvK,KAAKyE,MAAM,qBACb,SAGF,WAOHgW,GAJO7D,YAAY,WAAa,OAAA8D,GAAAC,UAAAC,OAATC,EAASC,MAAAJ,GAAAK,EAAA,EAAAA,EAAAL,EAAAK,IAATF,EAASE,GAAAJ,UAAAI,EACpC,SAAQ,EAAApD,EAAAphB,UAAM,EAAAshB,EAAAthB,SAAQskB,GAAO,WAAatU,IAGzB,SAACyU,EAAK3kB,EAAK4kB,GAC5B,GAAMC,GAAU7kB,EAAI4kB,EAAK1U,GAEzB,OAAI2U,KAEF,EAAA3D,EAAAhhB,SAAM2kB,EAASD,GAEfC,EAAQlK,YAAYmK,OAAOD,EAAQlK,YAAY4J,SACvCK,KAAMC,EAASE,KAAK,KAG5BtE,EAAcmE,GACdD,EAAIxR,KAAKyR,GACT5kB,EAAI4kB,EAAK1U,IAAM0U,GACPA,OAAMG,KAAK,MAIjBC,EAAe,SAAC7S,GAIpB,MAHAA,GAASuQ,iBAAkB,EAAAZ,EAAA5hB,SAAOiS,EAASuQ,gBAAiB,SAAAjU,GAAA,GAAEyB,GAAFzB,EAAEyB,EAAF,QAAWA,IACvEiC,EAASvN,UAAW,EAAAkd,EAAA5hB,SAAOiS,EAASvN,SAAU,SAAAuK,GAAA,GAAEe,GAAFf,EAAEe,EAAF,QAAWA,IACzDiC,EAAS2Q,eAAgB,EAAA9B,EAAA9gB,SAAKiS,EAASuQ,sBAAwBxS,GACxDiC,GAGH8S,EAAiB,SAACpd,EAADwH,GAA2F,GAAjFzK,GAAiFyK,EAAjFzK,SAAiFsgB,EAAA7V,EAAvE8V,kBAAuEpT,SAAAmT,KAA9C/S,EAA8C9C,EAA9C8C,SAA8CiT,EAAA/V,EAApCI,OAAoCsC,SAAAqT,OAAAC,EAAAhW,EAAzBiW,aAAyBvT,SAAAsT,IAEhH,MAAK,EAAAvE,EAAA5gB,SAAQ0E,GACX,OAAO,CAGT,IAAMse,GAAcrb,EAAMqb,YACpBC,EAAoBtb,EAAMsb,kBAC1BoC,EAAiB1d,EAAM6b,UAAUvR,GAEjCqT,EAAS5gB,EAAS2f,OAAS,GAAI,EAAAjD,EAAAphB,SAAM0E,EAAU,MAAMsL,GAAK,EAC1DuV,EAAQtT,GAAYqT,EAASD,EAAe1C,KAE9C1Q,KAAamT,GAAc1gB,EAAS2f,OAAS,IAAMkB,IACrDF,EAAe1C,MAAQ2C,EAGzB,IAAME,GAAY,SAACxR,EAAQiR,GAA0C,GAAzBQ,KAAyBrB,UAAAC,OAAA,GAAAxS,SAAAuS,UAAA,KAAAA,UAAA,GAC7DvN,EAASqN,EAAWlB,EAAaC,EAAmBjP,EAC1DA,GAAS6C,EAAO6N,IAEhB,IAAMpB,GAAkB3b,EAAMmL,cAAcwQ,gBAAgBtP,EAAOhE,OAMnE,IALAsT,EAAgBoC,QAAQ,SAACC,GACvBA,EAAI3R,OAASA,UAERrM,GAAMmL,cAAcwQ,gBAAgBtP,EAAOhE,IAE9C6G,EAAOgO,KAEkB,WAAvBvE,EAAWtM,KAAwB,EAAAwN,EAAAxhB,SAAKgU,EAAO4R,YAAc5V,GAAIT,EAAKS,KAAO,CAC/E,GAAM6C,GAAWlL,EAAM6b,UAAU3Q,QAG7BwS,KAAmBxS,IACrBqR,EAAWrR,EAASnO,SAAUmO,EAASyP,eAAgBtO,GACvDnB,EAAS6P,gBAAkB,EAE3BoC,EAAajS,IAMnB,GAAIgT,SAeJ,OAbI5T,IAAYwT,IACdI,EAA2B3B,EAAWmB,EAAe3gB,SAAU2gB,EAAe/C,eAAgBtO,IAG5F/B,GAAYgT,EAGdf,EAAWmB,EAAe7C,gBAAiB6C,EAAe5C,sBAAuBzO,GACxE/B,GAAYwT,GAAiBI,EAAyBhB,MAE/DQ,EAAe3C,gBAAkB,GAG5B1O,GAGH8R,EAAiB,SAACxS,EAAUyS,GAChC,GAAM/R,IAAS,EAAAwN,EAAAxhB,SAAKgjB,GAAehT,IAAI,EAAA0R,EAAA1hB,SAAUsT,EAAS0S,wBAS1D,OARIhS,KACFA,EAAOiS,UAAY,EAGf3S,EAAS/D,KAAKS,KAAOT,EAAKS,KAC5BgE,EAAOkS,WAAY,IAGhBlS,GAGHmS,GACJnS,OAAU,SAACA,GACTwR,EAAUxR,EAAQiR,IAEpBvR,QAAW,QAAAA,GAACM,GAEV,GAAMoS,GAAkBZ,EAAUxR,EAAO6P,kBAAkB,GAAO,GAE9DnQ,QAWFA,GAREzB,IAAY,EAAAuP,EAAAxhB,SAAKqlB,EAAe3gB,SAAU,SAAC2hB,GAC7C,MAAIA,GAAExC,iBACGwC,EAAErW,KAAOoW,EAAgBpW,IAAMqW,EAAExC,iBAAiB7T,KAAOoW,EAAgBpW,GAEzEqW,EAAErW,KAAOoW,EAAgBpW,KAIxBwV,EAAUxR,GAAQ,GAAO,GAEzBwR,EAAUxR,EAAQiR,GAG9BvR,EAAQmQ,iBAAmBuC,GAE7B9S,SAAY,SAACA,GAEN3L,EAAM4b,UAAU+C,IAAIhT,EAAStD,MAChCrI,EAAM4b,UAAUgD,IAAIjT,EAAStD,IAC7B8V,EAAexS,KAGnBkT,SAAY,SAACA,GACX,GAAMxC,GAAMwC,EAASxC,IAGfhQ,GAAS,EAAAwN,EAAAxhB,SAAKgjB,GAAcgB,OAC7BhQ,MAIL,EAAAgO,EAAAhiB,SAAO2H,EAAMmL,cAAcjN,KAAM,SAAAwJ,GAAA,GAAWW,GAAXX,EAAEoX,OAASzW,EAAX,OAAoBA,KAAOgE,EAAOhE,MAEnE,EAAAgS,EAAAhiB,SAAOgjB,GAAegB,QAClB/R,KACF,EAAA+P,EAAAhiB,SAAOqlB,EAAe3gB,UAAYsf,SAClC,EAAAhC,EAAAhiB,SAAOqlB,EAAe7C,iBAAmBwB,WAG7ChkB,QAAW,SAAC0mB,GACVvc,QAAQC,IAAI,uBACZD,QAAQC,IAAIsc,MAIhB,EAAA3b,EAAA/K,SAAK0E,EAAU,SAACsP,GACd,GAAM2S,GAAOrG,EAAWtM,GAClB4S,EAAYT,EAAWQ,IAASR,EAAA,OACtCS,GAAU5S,KAIR/B,IACF6S,EAAaO,IACRE,GAASF,EAAezC,cAAgB,IAAMle,EAAS2f,OAAS,IACnEgB,EAAezC,cAAe,EAAA1B,EAAAlhB,SAAM0E,EAAU,MAAMsL,MAKpD6W,EAAsB,SAAClf,EAADiI,GAA+C,GAArCvJ,GAAqCuJ,EAArCvJ,SAAUyM,EAA2BlD,EAA3BkD,cAAeyS,EAAY3V,EAAZ2V,MACvDvC,EAAcrb,EAAMqb,YACpBC,EAAoBtb,EAAMsb,mBAChC,EAAAlY,EAAA/K,SAAK8S,EAAe,SAACgU,GACnB,GAAMjQ,GAASqN,EAAWlB,EAAaC,EAAmB6D,EAAaC,QACjEN,EAAS5P,EAAO6N,IAEtB,MAAK,EAAAlD,EAAAxhB,SAAK2H,EAAMmL,cAAcjN,KAAM,SAACmhB,GAAD,MAAqBA,GAAgBP,OAAOzW,KAAOyW,EAAOzW,KAAK,CACjGrI,EAAMmL,cAAc6P,MAAQnM,KAAKyQ,IAAIH,EAAa9W,GAAIrI,EAAMmL,cAAc6P,OAC1Ehb,EAAMmL,cAAcsQ,MAAQ5M,KAAK0Q,IAAIJ,EAAa9W,GAAIrI,EAAMmL,cAAcsQ,MAE1E,IAAM+D,IAAS5B,IAAUuB,EAAaM,SAAWN,EAAa9W,GAAKrI,EAAMmL,cAAcqQ,WACjFnP,EAAgC,SAAvB8S,EAAaO,OACpB,EAAA7F,EAAAxhB,SAAKgjB,GAAehT,GAAIyW,EAAOT,wBAC/BS,EAEF5P,GACJ8P,KAAMG,EAAaO,MACnBrT,SACAyS,SAEAa,MAAOH,EAGT,IAA2B,SAAvBL,EAAaO,QAAqBrT,EAAQ,CAC5C,GAAIuT,GAAS5f,EAAMmL,cAAcwQ,gBAAgBmD,EAAOT,sBACpDuB,GACFA,EAAOtU,KAAK4D,IAEZxQ,EAAS,gBAAkBmhB,OAAQf,EAAOT,wBAC1CuB,GAAW1Q,GACXlP,EAAMmL,cAAcwQ,gBAAgBmD,EAAOT,uBAAyBuB,GAMxE,GAFA5f,EAAMmL,cAAcjN,KAAKoN,KAAK4D,GAE1B,gBAAkBvT,SAA6C,YAAnCA,OAAOmkB,aAAaC,WAA0B,CAC5E,GAAMxQ,GAAQuP,EAAOlX,KAAKvJ,KACpB6Q,IAUN,IATAA,EAAO8Q,KAAOlB,EAAOlX,KAAKqY,kBAC1B/Q,EAAO9H,KAAO0X,EAAOhd,KAGjBgd,EAAOhM,aAAegM,EAAOhM,YAAY4J,OAAS,IAAMoC,EAAO7C,MAC/D6C,EAAOhM,YAAY,GAAGoN,SAASC,WAAW,YAC5CjR,EAAOkR,MAAQtB,EAAOhM,YAAY,GAAGjN,KAGnC2Z,IAAUxf,EAAMmL,cAAcoQ,2BAA4B,CAC5D,GAAI4D,GAAe,GAAIxjB,QAAOmkB,aAAavQ,EAAOL,EAGlDmR,YAAWlB,EAAamB,MAAMC,KAAKpB,GAAe,WAO/C1G,eACX2E,iBACA8B,sBACAsB,gBAHuB,SAGNxgB,EAHMoI,GAGe,GAAZkC,GAAYlC,EAAZkC,SAClBmW,EAAezgB,EAAM6b,UAAUvR,EAErCmW,GAAY1F,eAAiB,EAC7B0F,EAAY5F,iBAAkB,EAAAV,EAAA9hB,SAAMooB,EAAY1jB,SAAU,EAAG,IAC7D0jB,EAAYxF,cAAe,EAAA9B,EAAA9gB,SAAKooB,EAAY5F,iBAAiBxS,GAC7DoY,EAAY3F,0BACZ,EAAA1X,EAAA/K,SAAKooB,EAAY5F,gBAAiB,SAACxO,GAAaoU,EAAY3F,sBAAsBzO,EAAOhE,IAAMgE,KAEjGqU,cAZuB,SAYR1gB,EAZQuI,GAYa,GAAZ+B,GAAY/B,EAAZ+B,QACtBtK,GAAM6b,UAAUvR,GAAYoQ,KAE9BiG,aAfuB,SAeT3gB,EAfSyI,GAeiB,GAAjB4D,GAAiB5D,EAAjB4D,OAAQ1N,EAAS8J,EAAT9J,MACvBiiB,EAAY5gB,EAAMsb,kBAAkBjP,EAAOhE,GACjDuY,GAAUrC,UAAY5f,GAExBkiB,aAnBuB,SAmBT7gB,EAnBS2I,GAmBiB,GAAjB0D,GAAiB1D,EAAjB0D,OAAQ1N,EAASgK,EAAThK,MACvBiiB,EAAY5gB,EAAMsb,kBAAkBjP,EAAOhE,GACjDuY,GAAUhQ,SAAWjS,GAEvBmiB,WAvBuB,SAuBX9gB,EAvBW6I,GAuBQ,GAAVwD,GAAUxD,EAAVwD,OACbuU,EAAY5gB,EAAMsb,kBAAkBjP,EAAOhE,GACjDuY,GAAUzE,SAAU,GAEtB4E,WA3BuB,SA2BX/gB,EA3BW+I,GA2BiB,GAAnBuB,GAAmBvB,EAAnBuB,SAAU3L,EAASoK,EAATpK,KAC7BqB,GAAM6b,UAAUvR,GAAU4Q,QAAUvc,GAEtCqiB,QA9BuB,SA8BdhhB,EA9BciJ,GA8BO,GAAZZ,GAAYY,EAAZZ,GAAI4T,EAAQhT,EAARgT,KACd2E,EAAY5gB,EAAMsb,kBAAkBjT,EAC1CuY,GAAU3E,KAAOA,GAEnBgF,SAlCuB,SAkCbjhB,EAlCamJ,GAkCK,GAATxK,GAASwK,EAATxK,KACjBqB,GAAMuC,MAAQ5D,GAEhBuiB,sBArCuB,SAqCAlhB,EArCAqJ,GAqCkB,GAAT1K,GAAS0K,EAAT1K,KAC9BqB,GAAMmL,cAAc5I,MAAQ5D,GAE9BwiB,wBAxCuB,SAwCEnhB,EAxCFuJ,GAwCoB,GAAT5K,GAAS4K,EAAT5K,KAChCqB,GAAMmL,cAAcoQ,2BAA6B5c,GAEnDyiB,eA3CuB,SA2CPphB,EA3COyJ,GA2CO,GAAL4X,GAAK5X,EAAL4X,CAEvBrhB,GAAM6b,UAAN,KAAwBV,QAAUkG,GAEpCC,WA/CuB,SA+CXthB,EA/CW2J,GA+CS,GAAXsB,GAAWtB,EAAXsB,OACnBjL,GAAM6b,UAAN,KAAwB5Q,QAAUA,GAEpCsW,aAlDuB,SAkDTvhB,EAlDS6J,GAkDa,GAAbqG,GAAarG,EAAbqG,SACrBlQ,GAAM6b,UAAN,KAAwB3L,UAAYA,GAEtCsR,wBArDuB,SAqDExhB,EAAOmL,IAC9B,EAAA3S,EAAAipB,KAAIzhB,EAAMmL,cAAe,aAAcnL,EAAMmL,cAAc6P,QAC3D,EAAA5X,EAAA/K,SAAK8S,EAAe,SAACgU,GACnBA,EAAaQ,MAAO,KAGxB+B,WA3DuB,SA2DX1hB,EA3DW+J,GA2Dc,GAAhBO,GAAgBP,EAAhBO,SAAUjC,EAAM0B,EAAN1B,EAC7BrI,GAAM6b,UAAUvR,GAAU8Q,YAAc/S,IAItCtL,GACJiD,MAAO6Y,EACP8I,SACEvE,eADO,SAAA/S,EAAAuB,GAC6G,GAAlGgW,GAAkGvX,EAAlGuX,UAAWC,EAAuFxX,EAAvFwX,OAAY9kB,EAA2E6O,EAA3E7O,SAA2E+kB,EAAAlW,EAAjE0R,kBAAiEpT,SAAA4X,KAAAC,EAAAnW,EAAxCtB,WAAwCJ,SAAA6X,KAAAC,EAAApW,EAAtB6R,aAAsBvT,SAAA8X,IAClHH,GAAO,kBAAoB9kB,WAAUugB,kBAAiBhT,WAAUmT,aAAY7V,KAAMga,EAAU3kB,MAAMgD,eAEpGif,oBAJO,SAAApT,EAAAE,GAIyE,GAA9C6V,IAA8C/V,EAAzD8V,UAAyD9V,EAA9C+V,QAAQnjB,EAAsCoN,EAAtCpN,SAAcyM,EAAwBa,EAAxBb,cAAeyS,EAAS5R,EAAT4R,KACrEiE,GAAO,uBAAyBnjB,WAAUyM,gBAAeyS,WAE3DqD,SAPO,SAAA/U,EAAAE,GAOqC,GAArByV,IAAqB3V,EAAhC0V,UAAgC1V,EAArB2V,QAAYljB,EAASyN,EAATzN,KACjCkjB,GAAO,YAAcljB,WAEvBuiB,sBAVO,SAAArU,EAAAE,GAUkD,GAArB8U,IAAqBhV,EAAhC+U,UAAgC/U,EAArBgV,QAAYljB,EAASoO,EAATpO,KAC9CkjB,GAAO,yBAA2BljB,WAEpCwiB,wBAbO,SAAA9T,EAAAG,GAaoD,GAArBqU,IAAqBxU,EAAhCuU,UAAgCvU,EAArBwU,QAAYljB,EAAS6O,EAAT7O,KAChDkjB,GAAO,2BAA6BljB,WAEtC2iB,WAhBO,SAAA5T,EAAAI,GAgByC,GAAvB+T,IAAuBnU,EAAlCkU,UAAkClU,EAAvBmU,QAAY5W,EAAW6C,EAAX7C,OACnC4W,GAAO,cAAgB5W,aAEzBsW,aAnBO,SAAAxT,EAAAkU,GAmB6C,GAAzBJ,IAAyB9T,EAApC6T,UAAoC7T,EAAzB8T,QAAY3R,EAAa+R,EAAb/R,SACrC2R,GAAO,gBAAkB3R,eAE3BtD,aAtBO,SAAAsV,EAsB8B7V,GAAQ,GAA7BuV,GAA6BM,EAA7BN,UAAWC,EAAkBK,EAAlBL,MACzBA,GAAO,cAAgBxV,WACvB2B,UAAWpB,cAAevE,GAAIgE,EAAOhE,GAAIpC,YAAa2b,EAAU3kB,MAAMgD,YAAYgG,eAEpF0F,SA1BO,SAAAwW,EA0B0B9V,GAAQ,GAA7BuV,GAA6BO,EAA7BP,UAAWC,EAAkBM,EAAlBN,MAErBA,GAAO,gBAAkBxV,SAAQ1N,OAAO,IACxCqP,UAAWrC,UAAWtD,GAAIgE,EAAOhE,GAAIpC,YAAa2b,EAAU3kB,MAAMgD,YAAYgG,eAEhF4F,WA/BO,SAAAuW,EA+B4B/V,GAAQ,GAA7BuV,GAA6BQ,EAA7BR,UAAWC,EAAkBO,EAAlBP,MAEvBA,GAAO,gBAAkBxV,SAAQ1N,OAAO,IACxCqP,UAAWnC,YAAaxD,GAAIgE,EAAOhE,GAAIpC,YAAa2b,EAAU3kB,MAAMgD,YAAYgG,eAElF8F,QApCO,SAAAsW,EAoCyBhW,GAAQ,GAA7BuV,GAA6BS,EAA7BT,UAAWC,EAAkBQ,EAAlBR,MAEpBA,GAAO,gBAAkBxV,SAAQ1N,OAAO,IACxCqP,UAAWjC,SAAU1D,GAAIgE,EAAOhE,GAAIpC,YAAa2b,EAAU3kB,MAAMgD,YAAYgG,eAE/EgG,UAzCO,SAAAqW,EAyC2BjW,GAAQ,GAA7BuV,GAA6BU,EAA7BV,UAAWC,EAAkBS,EAAlBT,MACtBA,GAAO,gBAAkBxV,SAAQ1N,OAAO,IACxCqP,UAAW/B,WAAY5D,GAAIgE,EAAOhE,GAAIpC,YAAa2b,EAAU3kB,MAAMgD,YAAYgG,eAEjFyb,WA7CO,SAAAa,EAAAC,GA6C8C,GAA5BX,IAA4BU,EAAvCX,UAAuCW,EAA5BV,QAAYvX,EAAgBkY,EAAhBlY,SAAUjC,EAAMma,EAANna,EAC7CwZ,GAAO,cAAgBvX,WAAUjC,SAGrCoQ,YT0wGDzgB,GAAQK,QSvwGM0E,GT2wGT,SAAUhF,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GUhtHV,IAAA6b,GAAAviB,EAAA,IVqtHKwiB,EAAeviB,EAAuBsiB,GUptH3CiI,EAAAxqB,EAAA,KVwtHKyqB,EAA4BxqB,EAAuBuqB,GUttHlDE,EAA2B,SAAC1c,GAChC,GAAM2D,GAAc,SAAAhD,GAAU,GAARyB,GAAQzB,EAARyB,EACpB,OAAO2F,WAAWpE,aAAavB,KAAIpC,iBAG/ByD,EAAoB,SAAApC,GAAU,GAARe,GAAQf,EAARe,EAC1B,OAAO2F,WAAWtE,mBAAmBrB,KAAIpC,iBAGrCiD,EAAe,SAAA1B,GAAU,GAARa,GAAQb,EAARa,EACrB,OAAO2F,WAAW9E,cAAcb,KAAIpC,iBAGhCmD,EAAiB,SAAA1B,GAAU,GAARW,GAAQX,EAARW,EACvB,OAAO2F,WAAW5E,gBAAgBf,KAAIpC,iBAGlCqD,EAAoB,SAAArB,GAAgB,GAAdJ,GAAcI,EAAdJ,QAC1B,OAAOmG,WAAW1E,mBAAmBzB,WAAU5B,iBAG3C+C,EAAY,SAAAZ,GAAU,GAARC,GAAQD,EAARC,EAClB,OAAO2F,WAAWhF,WAAWX,KAAIpC,iBAG7BkC,EAAa,SAACE,GAClB,MAAO2F,WAAW7F,YAAYlC,cAAaoC,QAGvCC,EAAe,SAACD,GACpB,MAAO2F,WAAW1F,cAAcrC,cAAaoC,QAGzCG,EAAY,SAACH,GACjB,MAAO2F,WAAWxF,WAAWvC,cAAaoC,QAGtCK,EAAc,SAACL,GACnB,MAAO2F,WAAWtF,aAAazC,cAAaoC,QAGxCO,EAAc,SAACP,GACnB,MAAO2F,WAAWpF,aAAa3C,cAAaoC,QAGxCS,EAAW,SAACT,GAChB,MAAO2F,WAAWlF,UAAU7C,cAAaoC,QAGrCua,EAAgB,SAAAra,GAAuC,GAArC+B,GAAqC/B,EAArC+B,SAAU1N,EAA2B2L,EAA3B3L,MAA2BimB,EAAAta,EAApBqC,SAAoBV,SAAA2Y,IAC3D,OAAOC,WAAuBF,eAAetY,WAAU1N,QAAOqJ,cAAa2E,YAGvEmY,EAAe,SAAAta,GAAqB,GAAnB7L,GAAmB6L,EAAnB7L,MAAOijB,EAAYpX,EAAZoX,MAC5B,OAAOiD,WAAuBE,gBAC5BpmB,QACAqJ,cACAqE,SAAU,MACVsT,OAAO,EACPlT,MAAOmV,EAAS,KAId/V,EAAc,SAAAnB,GAAwB,GAAtBN,GAAsBM,EAAtBN,GAAsB4a,EAAAta,EAAlBsB,QAAkBC,SAAA+Y,IAC1C,OAAOjV,WAAWlE,aAAazB,KAAI4B,QAAOhE,iBAGtC4H,EAAa,iBAAMG,WAAWH,YAAY5H,iBAC1CuD,EAAsB,iBAAMwE,WAAWxE,qBAAqBvD,iBAE5D0B,EAAW,SAACd,GAAD,MAAYmH,WAAWrG,SAASd,IAC3CF,EAAe,SAAAkC,GAAA,GAAEhC,GAAFgC,EAAEhC,MAAF,OAAcmH,WAAWrH,cAAcV,cAAaY,YACnEQ,EAAW,SAAA0B,GAAA,GAAElC,GAAFkC,EAAElC,MAAF,OAAcmH,WAAW3G,UAAUpB,cAAaY,YAC3DU,EAAe,SAAA0B,GAAA,GAAEpC,GAAFoC,EAAEpC,MAAF,OAAcmH,WAAWzG,cAActB,cAAaY,YACnEY,EAAgB,SAAA0B,GAAA,GAAEtC,GAAFsC,EAAEtC,MAAF,OAAcmH,WAAWvG,eAAexB,cAAaY,YAErEmB,EAAkB,SAACE,GAAD,MAAgB8F,WAAWhG,iBAAiBE,aAAYjC,iBAC1EmH,EAAe,SAAA/D,GAAA,GAAExC,GAAFwC,EAAExC,MAAF,OAAcmH,WAAWZ,cAAcvG,SAAQZ,iBAE9DsH,EAAgB,SAAAhE,GAAA,GAAEzB,GAAFyB,EAAEzB,QAAF,OAAgBkG,WAAWT,eAAetH,cAAa6B,cACvE2F,EAAiB,SAAAhE,GAAA,GAAE3B,GAAF2B,EAAE3B,SAAU6F,EAAZlE,EAAYkE,YAAaC,EAAzBnE,EAAyBmE,uBAAzB,OAAsDI,WAAWP,gBAAgBxH,cAAa6B,WAAU6F,cAAaC,6BAEtIsV,GACJtZ,cACAF,oBACAR,eACAE,iBACAjB,aACAG,eACAE,YACAE,cACAM,YACAM,oBACAoC,kBAAmBsC,UAAWtC,kBAC9BkX,gBACAG,eACAjZ,cACA+D,aACAlG,WACAhB,eACAU,WACAE,eACAE,gBACAO,kBACAoF,eACAG,gBACAE,iBACAjE,sBACAZ,cACAE,WAGF,OAAOoa,GVoxHRlrB,GAAQK,QUjxHMsqB,GVqxHT,SAAU5qB,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GWh5HV,IAAMwkB,GAAW,SAACC,GAChB,GAAIpE,GAAO,SAkBX,OAhBIoE,GAAW7c,MAAM,gBACnByY,EAAO,QAGLoE,EAAW7c,MAAM,WACnByY,EAAO,SAGLoE,EAAW7c,MAAM,uBACnByY,EAAO,SAGLoE,EAAW7c,MAAM,eACnByY,EAAO,SAGFA,GAGHqE,GACJF,WXq5HDnrB,GAAQK,QWl5HMgrB,GXs5HT,SAAUtrB,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIsE,GAAQhL,EAAoB,IAE5BiL,EAAQhL,EAAuB+K,GYz7HpCuX,EAAAviB,EAAA,IZ67HKwiB,EAAeviB,EAAuBsiB,GY37HrCrO,EAAa,SAAAvF,GAAsG,GAAnGhK,GAAmGgK,EAAnGhK,MAAOyP,EAA4FzF,EAA5FyF,OAAQC,EAAoF1F,EAApF0F,YAAaC,EAAuE3F,EAAvE2F,WAAYC,EAA2D5F,EAA3D4F,UAA2D8W,EAAA1c,EAAhD2c,QAAgDrZ,SAAAoZ,OAAAE,EAAA5c,EAApC8F,oBAAoCxC,SAAAsZ,EAAhBtZ,OAAgBsZ,EACjH/W,GAAW,EAAAvJ,EAAA7K,SAAIkrB,EAAO,KAE5B,OAAOvV,WAAW7B,YAAYlG,YAAarJ,EAAMoD,MAAM/C,MAAMgD,YAAYgG,YAAaoG,SAAQC,cAAaC,aAAYC,YAAWC,WAAUC,sBACzI3O,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACG,GASL,MARKA,GAAKqE,OACR3F,EAAM8B,SAAS,kBACb3B,UAAWmB,GACXoM,SAAU,UACVgT,iBAAiB,EACjBG,YAAY,IAGTvf,IAERulB,MAAM,SAACC,GACN,OACEnhB,MAAOmhB,EAAIC,YAKb7W,EAAc,SAAAxF,GAAyB,GAAtB1K,GAAsB0K,EAAtB1K,MAAOoQ,EAAe1F,EAAf0F,SACtB/G,EAAcrJ,EAAMoD,MAAM/C,MAAMgD,YAAYgG,WAElD,OAAO+H,WAAWlB,aAAc7G,cAAa+G,aAAYjP,KAAK,SAAC6lB,GAE7D,GAAIC,GAAOD,EAAIE,qBAAqB,OAEhB,KAAhBD,EAAKnH,SACPmH,EAAOD,EAAIE,qBAAqB,cAGlCD,EAAOA,EAAK,EAEZ,IAAME,IACJ1b,GAAIub,EAAIE,qBAAqB,YAAY,GAAGE,YAC5Cne,IAAK+d,EAAIE,qBAAqB,aAAa,GAAGE,YAC9C5D,MAAOyD,EAAKI,aAAa,QACzB/D,SAAU2D,EAAKI,aAAa,QAG9B,OAAOF,MAILG,GACJ/X,aACAW,cZ48HD9U,GAAQK,QYz8HM6rB,GZ68HT,SAAUnsB,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIwlB,GAAclsB,EAAoB,KAElCmsB,EAAclsB,EAAuBisB,Ga5gI1C3J,EAAAviB,EAAA,IbghIKwiB,EAAeviB,EAAuBsiB,Ga9gIrC6J,EAAS,SAAAzd,GAAkD,GAAhDhK,GAAgDgK,EAAhDhK,MAAOG,EAAyC6J,EAAzC7J,SAAUuN,EAA+B1D,EAA/B0D,SAAUgT,EAAqB1W,EAArB0W,gBACpCgH,GAAa,EAAAF,EAAA/rB,SAAUiS,EAE7B1N,GAAM8B,SAAS,YAAcC,OAAO,IAEpC/B,EAAM8B,SAAS,kBACb4L,SAAUga,EACVvnB,WACAugB,qBAIE0F,EAAiB,SAAA1b,GAA4H,GAA1H1K,GAA0H0K,EAA1H1K,MAAOqJ,EAAmHqB,EAAnHrB,YAAmHse,EAAAjd,EAAtGgD,WAAsGJ,SAAAqa,EAA3F,UAA2FA,EAAAC,EAAAld,EAAhFsW,QAAgF1T,SAAAsa,KAAAC,EAAAnd,EAAjEgW,kBAAiEpT,SAAAua,KAAAC,EAAApd,EAAxCsD,SAAwCV,SAAAwa,KAAAC,EAAArd,EAAxBwD,MAAwBZ,SAAAya,KAAXja,EAAWpD,EAAXoD,MAChIiS,GAASrS,WAAUrE,eACnB2b,EAAYhlB,EAAMglB,WAAahlB,EAAMoD,MACrC4kB,EAAehD,EAAU7kB,SAAS8e,WAAU,EAAAuI,EAAA/rB,SAAUiS,GAW5D,OATIsT,GACFjB,EAAA,MAAgBjS,GAASka,EAAa3J,aAEtC0B,EAAA,MAAgBiI,EAAa5J,MAG/B2B,EAAA,OAAiB/R,EACjB+R,EAAA,IAAc7R,EAEPkD,UAAW5D,cAAcuS,GAC7B5e,KAAK,SAAChB,IACA6gB,GAAS7gB,EAAS2f,QAAU,KAAOkI,EAAa1J,SACnDte,EAAM8B,SAAS,cAAgB4L,SAAUA,EAAUjC,GAAIuc,EAAa5J,QAEtEqJ,GAAQznB,QAAOG,WAAUuN,WAAUgT,qBAClC,iBAAM1gB,GAAM8B,SAAS,YAAcC,OAAO,OAG3CikB,EAAgB,SAAApb,GAA6E,GAAAqd,GAAArd,EAA3E8C,WAA2EJ,SAAA2a,EAAhE,UAAgEA,EAArD5e,EAAqDuB,EAArDvB,YAAarJ,EAAwC4K,EAAxC5K,MAAwCkoB,EAAAtd,EAAjCoD,SAAiCV,SAAA4a,KAAAC,EAAAvd,EAAjBsD,MAAiBZ,SAAA6a,KAC3FnD,EAAYhlB,EAAMglB,WAAahlB,EAAMoD,MACrC4kB,EAAehD,EAAU7kB,SAAS8e,WAAU,EAAAuI,EAAA/rB,SAAUiS,IACtDgT,EAA0D,IAAxCsH,EAAa/J,gBAAgB6B,MACrDsG,IAAgB1Y,WAAUrE,cAAarJ,QAAO0gB,kBAAiB1S,SAAQE,OACvE,IAAMka,GAAsB,iBAAMhC,IAAiB1Y,WAAUrE,cAAarJ,QAAOgO,SAAQE,QACzF,OAAOma,aAAYD,EAAqB,MAEpCE,GACJlC,iBACAJ,gBbojID5qB,GAAQK,QajjIM6sB,GbqjIT,SAAUntB,EAAQC,EAASC,GAEhC,YAEA8K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,IAET3G,EAAQmtB,eAAiBntB,EAAQotB,eAAiBlb,MchnInD,IAAAmb,GAAAptB,EAAA,IACMktB,EAAiB,SAACG,GACtB,GAAcpb,SAAVob,EAAJ,CADgC,GAEzBC,GAAeD,EAAfC,MAAOvG,EAAQsG,EAARtG,IACd,IAAqB,gBAAVuG,GAAX,CACA,GAAMnW,IAAM,EAAAiW,EAAAlX,SAAQoX,EACpB,IAAW,MAAPnW,EAAJ,CACA,GAAMoW,UAAoB3W,KAAK4W,MAAMrW,EAAIX,GAAnC,KAA0CI,KAAK4W,MAAMrW,EAAIV,GAAzD,KAAgEG,KAAK4W,MAAMrW,EAAIT,GAA/E,IACA+W,UAAoB7W,KAAK4W,MAAMrW,EAAIX,GAAnC,KAA0CI,KAAK4W,MAAMrW,EAAIV,GAAzD,KAAgEG,KAAK4W,MAAMrW,EAAIT,GAA/E,QACAgX,UAAqB9W,KAAK4W,MAAMrW,EAAIX,GAApC,KAA2CI,KAAK4W,MAAMrW,EAAIV,GAA1D,KAAiEG,KAAK4W,MAAMrW,EAAIT,GAAhF,OACN,OAAa,YAATqQ,GAEA4G,iBACE,oCACGF,EAFY,KAGZA,EAHY,SAIZC,EAJY,SAKZA,EALY,SAMfla,KAAK,KACPoa,mBAAoB,OAEJ,UAAT7G,GAEP8G,gBAAiBH,GAED,SAAT3G,GAEP4G,iBACE,4BACGJ,EAFY,KAGZA,EAHY,2BAKf/Z,KAAK,KACPoa,mBAAoB,OARjB,WAaHT,EAAiB,SAACxd,GACtB,MAAO,WAAaA,EAAKme,YACtBzf,QAAQ,MAAO,KACfA,QAAQ,KAAM,Qd2mIlBtO,GcvmICotB,iBdwmIDptB,EcvmICmtB,kBd0mIO,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEH,SAAUptB,EAAQC,EAASC,GertIjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,Sf4tIM,SAAUD,EAAQC,EAASC,GgBruIjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,ShB8uIM,SAAUD,EAAQC,EAASC,GiB3vIjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SjBowIM,SAAUD,EAAQC,EAASC,GkBjxIjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SlB0xIM,SAAUD,EAAQC,EAASC,GAEhC,YAgCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GmBjzIzE,QAAS6tB,KAWhB,GAAApf,GAAA6V,UAAAC,OAAA,GAAAxS,SAAAuS,UAAA,GAAAA,UAAA,MAAAwJ,EAAArf,EAVNzE,MAUM+H,SAAA+b,EAVA,UAUAA,EAAAC,EAAAtf,EATNjK,QASMuN,SAAAgc,OAAAC,EAAAvf,EARNwf,WAQMlc,SAAAic,EARK,SAAChkB,EAAKkkB,GACf,GAAI1nB,GAAQ0nB,EAAQC,QAAQnkB,EAC5B,OAAOxD,IAMHwnB,EAAAI,EAAA3f,EAJN4f,WAIMtc,SAAAqc,GAJK,EAAAE,EAAApuB,SAASquB,EAAiB,KAI/BH,EAAAI,EAAA/f,EAHNggB,UAGM1c,SAAAyc,EAHIE,EAGJF,EAAAG,EAAAlgB,EAFNyf,UAEMnc,SAAA4c,EAFIC,EAEJD,EAAAE,EAAApgB,EADNqgB,aACM/c,SAAA8c,EADO,SAAApqB,GAAA,MAAS,UAAAsqB,GAAA,MAAWtqB,GAAMuqB,UAAUD,KAC3CF,CACN,OAAO,UAAApqB,GACLwpB,EAASjkB,EAAKkkB,GAAStoB,KAAK,SAACqpB,GAC3B,IACE,GAA0B,YAAtB,mBAAOA,GAAP,eAAAC,EAAAhvB,SAAO+uB,IAAyB,CAElC,GAAME,GAAaF,EAAWnqB,SAC9BqqB,GAAWC,cACX,IAAMtqB,GAAQqqB,EAAWrqB,WACzB,EAAAmG,EAAA/K,SAAK4E,EAAO,SAAC2K,GAAW0f,EAAWC,YAAY3f,EAAKS,IAAMT,IAC1Dwf,EAAWnqB,MAAQqqB,EAEnB1qB,EAAM4qB,cACJ,EAAAC,EAAApvB,YAAUuE,EAAMoD,MAAOonB,IAGvBxqB,EAAMoD,MAAM3C,OAAOqqB,cAGrB/rB,OAAOgsB,aAAc,EACrB/qB,EAAM8B,SAAS,aACbL,KAAM,cACNM,MAAO/B,EAAMoD,MAAM3C,OAAOqqB,eAG1B9qB,EAAMoD,MAAM/C,MAAM2qB,eACpBhrB,EAAM8B,SAAS,aAAcmJ,SAAUjL,EAAMoD,MAAM/C,MAAM2qB,cAAe9f,SAAU,QAEpF+f,GAAS,EACT,MAAOC,GACPtlB,QAAQC,IAAI,uBACZolB,GAAS,KAIbZ,EAAWrqB,GAAO,SAACmrB,EAAU/nB,GAC3B,IACEwmB,EAASrkB,EAAKykB,EAAQ5mB,EAAOrD,GAAQ0pB,GACrC,MAAOyB,GACPtlB,QAAQC,IAAI,2BACZD,QAAQC,IAAIqlB,OnBguInB/kB,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIqpB,GAAW/vB,EAAoB,KAE/BovB,EAAWnvB,EAAuB8vB,GAElC7kB,EAASlL,EAAoB,IAE7BmL,EAASlL,EAAuBiL,GAEhC8kB,EAAahwB,EAAoB,KAEjCwuB,EAAavuB,EAAuB+vB,EAExCjwB,GAAQK,QmBnyIe2tB,CA1BxB,IAAAkC,GAAAjwB,EAAA,KnBi0IKwvB,EAAWvvB,EAAuBgwB,GmBh0IvCC,EAAAlwB,EAAA,KnBo0IKmwB,EAAelwB,EAAuBiwB,GmBn0I3CE,EAAApwB,EAAA,KnBu0IKqwB,EAAgBpwB,EAAuBmwB,GmBp0IxCR,GAAS,EAEPhB,EAAiB,SAAC7mB,EAAOrD,GAAR,MACJ,KAAjBA,EAAM+f,OAAe1c,EAAQrD,EAAM4rB,OAAO,SAACC,EAAU3oB,GAEnD,MADA4oB,WAAWhH,IAAI+G,EAAU3oB,EAAM4oB,UAAWC,IAAI1oB,EAAOH,IAC9C2oB,QAILzB,EAAkB,WACtB,MAAO4B,cAGHjC,EAAkB,SAACvkB,EAAKnC,EAAOqmB,GACnC,MAAKwB,GAGIxB,EAAQuC,QAAQzmB,EAAKnC,OAF5BwC,SAAQC,IAAI,2CnBk5IV,SAAU1K,EAAQC,EAASC,GAEhC,YAgBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAdvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIqa,GAAY/gB,EAAoB,GAEhCghB,EAAY/gB,EAAuB8gB,GoBh7IxC6P,EAAA5wB,EAAA,KpBo7IK6wB,EAA+B5wB,EAAuB2wB,GoBl7I3DE,EAAA9wB,EAAA,KAEMkF,GACJ6C,OACEgpB,mBAAmB,EAAAF,EAAAzwB,WACnB4wB,YACAC,OAAQ,KACR7pB,cAAc,EACd8pB,mBAEF1Q,WACE2Q,qBADS,SACappB,EAAOgpB,GAC3BhpB,EAAMgpB,kBAAoBA,GAE5BK,WAJS,SAIGrpB,EAJH4G,GAI+B,GAApB0D,GAAoB1D,EAApB0D,SAAUgf,EAAU1iB,EAAV0iB,OAC5BtpB,GAAMipB,SAAS3e,GAAYgf,GAE7BC,cAPS,SAOMvpB,EAPNsH,GAOyB,GAAXgD,GAAWhD,EAAXgD,eACdtK,GAAMipB,SAAS3e,IAExBkf,UAVS,SAUExpB,EAAOkpB,GAChBlpB,EAAMkpB,OAASA,GAEjBO,gBAbS,SAaQzpB,EAAOrB,GACtBqB,EAAMX,aAAeV,GAEvB+qB,kBAhBS,SAgBU1pB,EAAOrB,GACxBqB,EAAMmpB,eAAiBxqB,IAG3BgjB,SACEiB,cADO,SACQhmB,EAAO0N,GACpB,GAAIM,IAAS,CASb,KANI,EAAAqO,EAAA5gB,SAAQiS,KACVM,EAASN,EAAS,GAClBA,EAAWA,EAAS,KAIjB1N,EAAMoD,MAAMipB,SAAS3e,GAAW,CACnC,GAAMgf,GAAU1sB,EAAMoD,MAAMgpB,kBAAkBpG,eAAetY,WAAU1N,QAAOgO,UAC9EhO,GAAMilB,OAAO,cAAevX,WAAUgf,cAG1CvG,aAhBO,SAgBOnmB,EAhBP4K,GAgB0B,GAAVqY,GAAUrY,EAAVqY,MACrBjjB,GAAMoD,MAAMgpB,kBAAkBjG,cAAenmB,QAAOijB,YAEtD8J,aAnBO,SAmBO/sB,EAAO0N,GACnB,GAAMgf,GAAU1sB,EAAMoD,MAAMipB,SAAS3e,EACrC3O,QAAOiuB,cAAcN,GACrB1sB,EAAMilB,OAAO,iBAAkBvX,cAEjCuf,iBAxBO,SAwBWjtB,EAAO0a,GAEvB,IAAK1a,EAAMoD,MAAMX,aAAc,CAC7B,GAAI6pB,GAAS,GAAIY,UAAO,WAAYjjB,QAASyQ,MAAOA,IACpD4R,GAAOa,UACPntB,EAAM8B,SAAS,iBAAkBwqB,KAGrCc,YAhCO,SAgCMptB,GACXA,EAAMilB,OAAO,mBAAmB,IAElCoI,oBAnCO,SAmCcrtB,EAAOstB,GAC1B,GAAIC,GAAWvtB,EAAMoD,MAAMmpB,eAAeiB,OAAO,SAACnS,GAAD,MAAQA,KAAOiS,GAChEttB,GAAMilB,OAAO,oBAAqBsI,KpBi8IvCnyB,GAAQK,QoB57IM8E,GpBg8IT,SAAUpF,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GqB/gJV,IAAMpB,IACJyC,OACEnC,YACAwsB,SAAUrqB,MAAO,KAEnByY,WACE6R,WADS,SACGtqB,EAAOqqB,GACjBrqB,EAAMqqB,QAAUA,GAElBE,WAJS,SAIGvqB,EAAO2jB,GACjB3jB,EAAMnC,SAASyN,KAAKqY,GACpB3jB,EAAMnC,SAAWmC,EAAMnC,SAASmR,OAAM,GAAK,KAE7Cwb,YARS,SAQIxqB,EAAOnC,GAClBmC,EAAMnC,SAAWA,EAASmR,OAAM,GAAK,MAGzC2S,SACE8I,eADO,SACS7tB,EAAOssB,GACrB,GAAMmB,GAAUnB,EAAOmB,QAAQ,cAC/BA,GAAQK,GAAG,UAAW,SAACC,GACrB/tB,EAAMilB,OAAO,aAAc8I,KAE7BN,EAAQK,GAAG,WAAY,SAAA9jB,GAAgB,GAAd/I,GAAc+I,EAAd/I,QACvBjB,GAAMilB,OAAO,cAAehkB,KAE9BwsB,EAAQ5e,OACR7O,EAAMilB,OAAO,aAAcwI,KrBwhJhCryB,GAAQK,QqBnhJMkF,GrBuhJT,SAAUxF,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GsB5jJV,IAAAnG,GAAAP,EAAA,IACA2yB,EAAA3yB,EAAA,KtBkkJK4yB,EAAiB3yB,EAAuB0yB,GsBhkJvCE,GAAiBnvB,OAAOC,UAAUC,UAAY,MAAMC,MAAM,KAAK,GAE/D+c,GACJxa,KAAM,aACN0sB,UACAprB,4BAA4B,EAC5BqrB,iBAAiB,EACjBC,uBAAuB,EACvBC,UAAU,EACVC,WAAW,EACXC,qBAAqB,EACrBC,UAAU,EACVjY,WAAW,EACXkY,cAAc,EACdC,kBAAkB,EAClBC,UAAU,EACVC,gBAAiB,MACjBC,aACAC,aACAvU,kBAAmB0T,GAGfztB,GACJ2C,MAAO6Y,EACPJ,WACEmT,UADS,SACE5rB,EADF4G,GAC0B,GAAfvI,GAAeuI,EAAfvI,KAAMM,EAASiI,EAATjI,OACxB,EAAAnG,EAAAipB,KAAIzhB,EAAO3B,EAAMM,IAEnBktB,aAJS,SAIK7rB,EAJLsH,GAImC,GAArBM,GAAqBN,EAArBM,KAAM2d,EAAeje,EAAfie,MAAOvG,EAAQ1X,EAAR0X,KAC5B9gB,EAAO4tB,KAAK9rB,MAAM3C,OAAOsuB,UAAU/jB,EACrC2d,IAASvG,GACX,EAAAxmB,EAAAipB,KAAIzhB,EAAM2rB,UAAW/jB,GAAQ2d,MAAOA,GAASrnB,EAAKqnB,MAAOvG,KAAMA,GAAQ9gB,EAAK8gB,QAE5E,EAAAxmB,EAAAuzB,QAAI/rB,EAAM2rB,UAAW/jB,KAI3B+Z,SACEqK,aADO,SAAAxkB,GAC6B,GAArBxH,GAAqBwH,EAArBxH,MAAQisB,EAAaxP,UAAAC,OAAA,GAAAxS,SAAAuS,UAAA,GAAAA,UAAA,GAAJ,EAC9ByP,UAAS3c,MAAW0c,EAApB,IAA8BjsB,EAAM3B,MAEtCwtB,aAJO,SAAAnkB,EAAAO,GAIoD,GAA3C4Z,GAA2Cna,EAA3Cma,OAAsBja,GAAqBF,EAAnChJ,SAAmCuJ,EAArBL,MAAM2d,EAAetd,EAAfsd,MAAOvG,EAAQ/W,EAAR+W,IACjD6C,GAAO,gBAAiBja,OAAM2d,QAAOvG,UAEvC4M,UAPO,SAAAxjB,EAAAG,GAO2C,GAArCsZ,GAAqCzZ,EAArCyZ,OAAQnjB,EAA6B0J,EAA7B1J,SAAcL,EAAekK,EAAflK,KAAMM,EAAS4J,EAAT5J,KAEvC,QADAkjB,EAAO,aAAcxjB,OAAMM,UACnBN,GACN,IAAK,OACHK,EAAS,eACT,MACF,KAAK,QACHytB,UAAYC,UAAUztB,EAAOkjB,EAC7B,MACF,KAAK,cACHsK,UAAYE,UAAU1tB,EAAOkjB,MtB+lJtC7pB,GAAQK,QsBzlJMgF,GtB6lJT,SAAUtF,EAAQC,EAASC,GAEhC,YAiCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA/BvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,IAET3G,EAAQ6gB,aAAe7gB,EAAQygB,UAAYzgB,EAAQukB,WAAarS,MAEhE,IAAIoiB,GAAWr0B,EAAoB,KAE/Bs0B,EAAYr0B,EAAuBo0B,GAEnClT,EAAUnhB,EAAoB,KAE9BohB,EAAUnhB,EAAuBkhB,GAEjCjW,EAASlL,EAAoB,IAE7BmL,EAASlL,EAAuBiL,GAEhCF,EAAQhL,EAAoB,IAE5BiL,EAAQhL,EAAuB+K,GAE/BupB,EAAYv0B,EAAoB,KAEhCw0B,EAAYv0B,EAAuBs0B,GuBvrJxC3D,EAAA5wB,EAAA,KvB2rJK6wB,EAA+B5wB,EAAuB2wB,GuBzrJ3DrwB,EAAAP,EAAA,IAGaskB,eAAa,SAACO,EAAK3kB,EAAK4kB,GACnC,IAAKA,EAAQ,OAAO,CACpB,IAAMC,GAAU7kB,EAAI4kB,EAAK1U,GACzB,OAAI2U,KAEF,EAAA3D,EAAAhhB,SAAM2kB,EAASD,IACPA,KAAMC,EAASE,KAAK,KAG5BJ,EAAIxR,KAAKyR,GACT5kB,EAAI4kB,EAAK1U,IAAM0U,GACPA,OAAMG,KAAK,KAIVzE,eACXiU,SADuB,SACb1sB,EADa4G,GACiB,GAAdyB,GAAczB,EAArBgB,KAAOS,GAAK4B,EAASrD,EAATqD,MACvBrC,EAAO5H,EAAMunB,YAAYlf,IAC/B,EAAA7P,EAAAipB,KAAI7Z,EAAM,QAASqC,IAErB0iB,eALuB,SAKP3sB,EAAO4H,GACrB5H,EAAM4nB,cAAgBhgB,EAAKme,YAC3B/lB,EAAMC,aAAc,EAAAoZ,EAAAhhB,SAAM2H,EAAMC,gBAAmB2H,IAErDglB,iBATuB,SASL5sB,GAChBA,EAAMC,aAAc,EACpBD,EAAM4nB,eAAgB,GAExBiF,WAbuB,SAaX7sB,GACVA,EAAM8sB,WAAY,GAEpBC,SAhBuB,SAgBb/sB,GACRA,EAAM8sB,WAAY,GAEpBE,YAnBuB,SAmBVhtB,EAAO/C,IAClB,EAAAmG,EAAA/K,SAAK4E,EAAO,SAAC2K,GAAD,MAAU2U,GAAWvc,EAAM/C,MAAO+C,EAAMunB,YAAa3f,MAEnEqlB,iBAtBuB,SAsBLjtB,EAAOqM,GACvBA,EAAOzE,KAAO5H,EAAMunB,YAAYlb,EAAOzE,KAAKS,KAE9C6kB,SAzBuB,SAyBbltB,EAzBasH,GAyBuB,GAApBe,GAAoBf,EAA3BM,KAAOS,GAAK8kB,EAAe7lB,EAAf6lB,YACvBvlB,EAAO5H,EAAMunB,YAAYlf,IAC/B,EAAA7P,EAAAipB,KAAI7Z,EAAM,YAAaulB,KAIdtU,kBACX+O,eAAe,EACf3nB,aAAa,EACb6sB,WAAW,EACX7vB,SACAsqB,gBAGItqB,GACJ+C,MAAO6Y,EACPJ,YACAkJ,SACE3Y,UADO,SACIpM,EAAOyL,GAChBzL,EAAMglB,UAAUzkB,IAAI6rB,kBAAkBhgB,WAAWX,OAC9CtK,KAAK,SAAC6J,GAAD,MAAUhL,GAAMilB,OAAO,cAAeja,MAEhDwV,eALO,SAKSxgB,EALT4K,GAK8B,GAAZzK,GAAYyK,EAAZzK,SACjBE,GAAQ,EAAAiG,EAAA7K,SAAI0E,EAAU,QACtBqwB,GAAiB,EAAAX,EAAAp0B,UAAQ,EAAA6K,EAAA7K,SAAI0E,EAAU,yBAC7CH,GAAMilB,OAAO,cAAe5kB,GAC5BL,EAAMilB,OAAO,cAAeuL,IAG5B,EAAAhqB,EAAA/K,SAAK0E,EAAU,SAACsP,GACdzP,EAAMilB,OAAO,mBAAoBxV,MAGnC,EAAAjJ,EAAA/K,UAAK,EAAAo0B,EAAAp0B,UAAQ,EAAA6K,EAAA7K,SAAI0E,EAAU,qBAAsB,SAACsP,GAChDzP,EAAMilB,OAAO,mBAAoBxV,MAGrCwI,OApBO,SAoBCjY,GACNA,EAAMilB,OAAO,oBACbjlB,EAAM8B,SAAS,eAAgB,WAC/B9B,EAAMilB,OAAO,wBAAwB,EAAAiH,EAAAzwB,aAEvCg1B,UAzBO,SAyBIzwB,EAAO0wB,GAChB,MAAO,IAAAf,GAAAl0B,QAAY,SAACk1B,EAASC,GAC3B,GAAM3L,GAASjlB,EAAMilB,MACrBA,GAAO,cACPjlB,EAAMglB,UAAUzkB,IAAI6rB,kBAAkBtd,kBAAkB4hB,GACrDvvB,KAAK,SAACkP,GACDA,EAASK,GACXL,EAAShP,OACNF,KAAK,SAAC6J,GACLA,EAAK3B,YAAcqnB,EACnBzL,EAAO,iBAAkBja,GACzBia,EAAO,eAAgBja,IAGvBia,EAAO,wBAAwB,EAAAiH,EAAAzwB,SAAyBi1B,IAEpD1lB,EAAK0P,OACP1a,EAAM8B,SAAS,mBAAoBkJ,EAAK0P,OAI1C1a,EAAM8B,SAAS,gBAAiB,WAEhC9B,EAAM8B,SAAS,iBAAkB,MAAOkJ,EAAKS,KAG7CzL,EAAMglB,UAAUzkB,IAAI6rB,kBAAkBnb,aAAa9P,KAAK,SAAC0vB,IACvD,EAAArqB,EAAA/K,SAAKo1B,EAAY,SAAC7lB,GAAWA,EAAKqC,OAAQ,IAC1CrN,EAAMilB,OAAO,cAAe4L,KAG1B,gBAAkB9xB,SAA6C,YAAnCA,OAAOmkB,aAAaC,YAClDpkB,OAAOmkB,aAAa4N,oBAItB9wB,EAAMglB,UAAUzkB,IAAI6rB,kBAAkB9f,eACnCnL,KAAK,SAACkN,GAAD,MAAa4W,GAAO,cAAe5W,QAI/C4W,EAAO,YAEL2L,EADsB,MAApBvgB,EAASZ,OACJ,6BAEA,wCAGXwV,EAAO,YACP0L,MAED9J,MAAM,SAAClhB,GACNC,QAAQC,IAAIF,GACZsf,EAAO,YACP2L,EAAO,gDvBwsJlBx1B,GAAQK,QuBjsJM4E,GvBqsJT,SAAUlF,EAAQC,EAASC,GAEhC,YAeA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAbvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,IAET3G,EAAQ21B,eAAiB31B,EAAQ41B,mBAAqB51B,EAAQ61B,eAAiB71B,EAAQ81B,YAAc5jB,MAErG,IAAI0P,GAAS3hB,EAAoB,IAE7B4hB,EAAS3hB,EAAuB0hB,GAEhCmU,EAAW91B,EAAoB,KAE/B+1B,EAAW91B,EAAuB61B,GwBt2J1BD,gBAAc,SAAC3nB,EAAK8nB,EAAWC,GAC1C,MAAO/nB,GAAI6I,MAAM,EAAGif,EAAUE,OAASD,EAAc/nB,EAAI6I,MAAMif,EAAUG,MAG9DP,mBAAiB,SAAC1nB,EAAKkoB,GAClC,GAAMC,GAAQX,EAAexnB,GACvBooB,EAAoBX,EAAmBU,EAE7C,QAAO,EAAAzU,EAAAxhB,SAAKk2B,EAAmB,SAAA3nB,GAAA,GAAEunB,GAAFvnB,EAAEunB,MAAOC,EAATxnB,EAASwnB,GAAT,OAAkBD,IAASE,GAAOD,EAAMC,KAG5DT,uBAAqB,SAACU,GACjC,OAAO,EAAAN,EAAA31B,SAAOi2B,EAAO,SAACpf,EAAQsf,GAC5B,GAAMtwB,IACJswB,OACAL,MAAO,EACPC,IAAKI,EAAK9R,OAGZ,IAAIxN,EAAOwN,OAAS,EAAG,CACrB,GAAM+R,GAAWvf,EAAOwf,KAExBxwB,GAAKiwB,OAASM,EAASL,IACvBlwB,EAAKkwB,KAAOK,EAASL,IAErBlf,EAAO5D,KAAKmjB,GAKd,MAFAvf,GAAO5D,KAAKpN,GAELgR,QAIEye,mBAAiB,SAACxnB,GAE7B,GAAMwoB,GAAQ,KACRC,EAAW,UAEb9yB,EAAQqK,EAAIrK,MAAM6yB,GAGhBL,GAAQ,EAAAN,EAAA31B,SAAOyD,EAAO,SAACoT,EAAQsf,GACnC,GAAItf,EAAOwN,OAAS,EAAG,CACrB,GAAI+R,GAAWvf,EAAOwf,MAChBG,EAAUJ,EAASloB,MAAMqoB,EAC3BC,KACFJ,EAAWA,EAASnoB,QAAQsoB,EAAU,IACtCJ,EAAOK,EAAQ,GAAKL,GAEtBtf,EAAO5D,KAAKmjB,GAId,MAFAvf,GAAO5D,KAAKkjB,GAELtf,MAGT,OAAOof,IAGHQ,GACJjB,iBACAD,qBACAD,iBACAG,cxB+2JD91B,GAAQK,QwB52JMy2B,GxBg3JT,SAAU/2B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GyB17JV,IAAA6b,GAAAviB,EAAA,IzB+7JKwiB,EAAeviB,EAAuBsiB,GyB77JrC6J,EAAS,SAAAzd,GAAmC,GAAjChK,GAAiCgK,EAAjChK,MAAOuO,EAA0BvE,EAA1BuE,cAAeyS,EAAWhX,EAAXgX,KACrChhB,GAAM8B,SAAS,yBAA2BC,OAAO,IAEjD/B,EAAM8B,SAAS,uBAAyByM,gBAAeyS,WAGnDoF,EAAiB,SAAA1b,GAAyC,GAAvC1K,GAAuC0K,EAAvC1K,MAAOqJ,EAAgCqB,EAAhCrB,YAAgCue,EAAAld,EAAnBsW,QAAmB1T,SAAAsa,KACxD7H,GAAS1W,eACT2b,EAAYhlB,EAAMglB,WAAahlB,EAAMoD,MACrC4kB,EAAehD,EAAU7kB,SAASoO,aAYxC,OAVIyS,GACEgH,EAAanJ,QAAUpM,OAAOqM,oBAChCiB,EAAA,MAAgBiI,EAAanJ,OAG/BkB,EAAA,MAAgBiI,EAAa5J,MAG/B2B,EAAA,SAAmB,gBAEZ3O,UAAW5D,cAAcuS,GAC7B5e,KAAK,SAACoN,GACLkZ,GAAQznB,QAAOuO,gBAAeyS,WAC7B,iBAAMhhB,GAAM8B,SAAS,yBAA2BC,OAAO,MACzD8kB,MAAM,iBAAM7mB,GAAM8B,SAAS,yBAA2BC,OAAO,OAG5DikB,EAAgB,SAAApb,GAA0B,GAAxBvB,GAAwBuB,EAAxBvB,YAAarJ,EAAW4K,EAAX5K,KACnComB,IAAiB/c,cAAarJ,SAC9B,IAAMooB,GAAsB,iBAAMhC,IAAiB/c,cAAarJ,UAKhE,OADAyjB,YAAW,iBAAMzjB,GAAM8B,SAAS,2BAA2B,IAAQ,KAC5DumB,YAAYD,EAAqB,MAGpC+J,GACJ/L,iBACAJ,gBzBo9JD5qB,GAAQK,QyBj9JM02B,GzBq9JT,SAAUh3B,EAAQC,EAASC,GAEhC,YAoBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAlBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAI0P,GAAkBpW,EAAoB,KAEtCqW,EAAkBpW,EAAuBmW,GAEzC2gB,EAAW/2B,EAAoB,KAE/Bg3B,EAAY/2B,EAAuB82B,GAEnCE,EAAUj3B,EAAoB,KAE9Bk3B,EAAUj3B,EAAuBg3B,G0BnhKtC7J,EAAAptB,EAAA,IAMMm3B,EAAW,SAACC,EAAMxN,GActB,GAAMyN,GAAOpD,SAASoD,KAChBloB,EAAO8kB,SAAS9kB,IACtBA,GAAKmoB,MAAMC,QAAU,MACrB,IAAMC,GAAQvD,SAASwD,cAAc,OACrCD,GAAME,aAAa,MAAO,cAC1BF,EAAME,aAAa,OAAQN,GAC3BC,EAAKM,YAAYH,EAEjB,IAAMI,GAAa,WACjB,GAAMC,GAAS5D,SAASwD,cAAc,MACtCtoB,GAAKwoB,YAAYE,EAEjB,IAAI/E,OACJ,EAAAoE,EAAA92B,SAAM,GAAI,SAAC03B,GACT,GAAM1xB,WAAe0xB,EAAEhhB,SAAS,IAAIihB,aACpCF,GAAOH,aAAa,QAAStxB,EAC7B,IAAMknB,GAAQ5pB,OAAOs0B,iBAAiBH,GAAQI,iBAAiB,QAC/DnF,GAAO1sB,GAAQknB,IAGjB1D,EAAO,aAAexjB,KAAM,SAAUM,MAAOosB,IAE7C3jB,EAAK+oB,YAAYL,EAEjB,IAAMM,GAAUlE,SAASwD,cAAc,QACvCJ,GAAKM,YAAYQ,GAGjBhpB,EAAKmoB,MAAMC,QAAU,UAGvBC,GAAMY,iBAAiB,OAAQR,IAG3BxD,EAAY,SAACiE,EAAKzO,GACtB,GAAMyN,GAAOpD,SAASoD,KAChBloB,EAAO8kB,SAAS9kB,IACtBA,GAAKmoB,MAAMC,QAAU,MAErB,IAAMY,GAAUlE,SAASwD,cAAc,QACvCJ,GAAKM,YAAYQ,EACjB,IAAMG,GAAaH,EAAQI,MAErBC,EAAUH,EAAIxuB,KAAK2M,EAAI6hB,EAAIxuB,KAAK4M,EAAI4hB,EAAIxuB,KAAK6M,EAAM2hB,EAAII,GAAGjiB,EAAI6hB,EAAII,GAAGhiB,EAAI4hB,EAAII,GAAG/hB,EAClFoc,KACA4F,KAEEC,EAAMH,GAAS,GAAM,EAE3B1F,GAAO2F,IAAK,EAAArL,EAAAjX,SAAQkiB,EAAII,GAAGjiB,EAAG6hB,EAAII,GAAGhiB,EAAG4hB,EAAII,GAAG/hB,GAC/Coc,EAAO8F,SAAU,EAAAxL,EAAAjX,UAASkiB,EAAII,GAAGjiB,EAAI6hB,EAAIQ,GAAGriB,GAAK,GAAI6hB,EAAII,GAAGhiB,EAAI4hB,EAAIQ,GAAGpiB,GAAK,GAAI4hB,EAAII,GAAG/hB,EAAI2hB,EAAIQ,GAAGniB,GAAK,GACvGoc,EAAOgG,KAAM,EAAA1L,EAAAjX,SAAQkiB,EAAIQ,GAAGriB,EAAG6hB,EAAIQ,GAAGpiB,EAAG4hB,EAAIQ,GAAGniB,GAChDoc,EAAOiG,MAAP,QAAuBV,EAAIQ,GAAGriB,EAA9B,KAAoC6hB,EAAIQ,GAAGpiB,EAA3C,KAAiD4hB,EAAIQ,GAAGniB,EAAxD,QACAoc,EAAOkG,QAAS,EAAA5L,EAAAjX,SAAQkiB,EAAIQ,GAAGriB,EAAImiB,EAAKN,EAAIQ,GAAGpiB,EAAIkiB,EAAKN,EAAIQ,GAAGniB,EAAIiiB,GACnE7F,EAAOmG,MAAP,QAAuBZ,EAAIxuB,KAAK2M,EAAhC,KAAsC6hB,EAAIxuB,KAAK4M,EAA/C,KAAqD4hB,EAAIxuB,KAAK6M,EAA9D,QACAoc,EAAO+F,IAAK,EAAAzL,EAAAjX,SAAQkiB,EAAIxuB,KAAK2M,EAAG6hB,EAAIxuB,KAAK4M,EAAG4hB,EAAIxuB,KAAK6M,GACrDoc,EAAOoG,SAAU,EAAA9L,EAAAjX,SAAQkiB,EAAIxuB,KAAK2M,EAAU,EAANmiB,EAASN,EAAIxuB,KAAK4M,EAAU,EAANkiB,EAASN,EAAIxuB,KAAK6M,EAAU,EAANiiB,GAElF7F,EAAA,QAAmB,EAAA1F,EAAAjX,SAAQkiB,EAAIxuB,KAAK2M,EAAU,EAANmiB,EAASN,EAAIxuB,KAAK4M,EAAU,EAANkiB,EAASN,EAAIxuB,KAAK6M,EAAU,EAANiiB,GAEpF7F,EAAOlH,MAAO,EAAAwB,EAAAjX,SAAQkiB,EAAIzM,KAAKpV,EAAG6hB,EAAIzM,KAAKnV,EAAG4hB,EAAIzM,KAAKlV,GACvDoc,EAAO/K,MAAO,EAAAqF,EAAAjX,UAASkiB,EAAII,GAAGjiB,EAAI6hB,EAAIxuB,KAAK2M,GAAK,GAAI6hB,EAAII,GAAGhiB,EAAI4hB,EAAIxuB,KAAK4M,GAAK,GAAI4hB,EAAII,GAAG/hB,EAAI2hB,EAAIxuB,KAAK6M,GAAK;AAE1Goc,EAAO9Y,MAAQqe,EAAIre,QAAS,EAAAoT,EAAAjX,SAAQkiB,EAAIre,MAAMxD,EAAG6hB,EAAIre,MAAMvD,EAAG4hB,EAAIre,MAAMtD,GACxEoc,EAAO7Y,KAAOoe,EAAIpe,OAAQ,EAAAmT,EAAAjX,SAAQkiB,EAAIpe,KAAKzD,EAAG6hB,EAAIpe,KAAKxD,EAAG4hB,EAAIpe,KAAKvD,GACnEoc,EAAO3Y,OAASke,EAAIle,SAAU,EAAAiT,EAAAjX,SAAQkiB,EAAIle,OAAO3D,EAAG6hB,EAAIle,OAAO1D,EAAG4hB,EAAIle,OAAOzD,GAC7Eoc,EAAO5Y,QAAUme,EAAIne,UAAW,EAAAkT,EAAAjX,SAAQkiB,EAAIne,QAAQ1D,EAAG6hB,EAAIne,QAAQzD,EAAG4hB,EAAIne,QAAQxD,GAElFoc,EAAOqG,UAAYd,EAAIpe,MAAJ,QAAoBoe,EAAIpe,KAAKzD,EAA7B,KAAmC6hB,EAAIpe,KAAKxD,EAA5C,KAAkD4hB,EAAIpe,KAAKvD,EAA3D,QAEnBgiB,EAAMte,UAAYie,EAAIje,UACtBse,EAAMre,YAAcge,EAAIhe,YACxBqe,EAAMpe,YAAc+d,EAAI/d,YACxBoe,EAAMne,aAAe8d,EAAI9d,aACzBme,EAAMle,gBAAkB6d,EAAI7d,gBAC5Bke,EAAMje,cAAgB4d,EAAI5d,cAC1Bie,EAAMhe,iBAAmB2d,EAAI3d,iBAE7B4d,EAAWxhB,WACXwhB,EAAWc,WAAX,WAAgC,EAAApC,EAAA52B,SAAe0yB,GAAQX,OAAO,SAAAxjB,GAAA,GAAAU,IAAA,EAAAgH,EAAAjW,SAAAuO,EAAA,GAAKya,GAAL/Z,EAAA,GAAAA,EAAA,UAAY+Z,KAAGnf,IAAI,SAAAsF,GAAA,GAAAE,IAAA,EAAA4G,EAAAjW,SAAAmP,EAAA,GAAE8pB,EAAF5pB,EAAA,GAAK2Z,EAAL3Z,EAAA,cAAiB4pB,EAAjB,KAAuBjQ,IAAK5V,KAAK,KAAlH,KAA4H,aAC5H8kB,EAAWc,WAAX,WAAgC,EAAApC,EAAA52B,SAAes4B,GAAOvG,OAAO,SAAAniB,GAAA,GAAAG,IAAA,EAAAkG,EAAAjW,SAAA4P,EAAA,GAAKoZ,GAALjZ,EAAA,GAAAA,EAAA,UAAYiZ,KAAGnf,IAAI,SAAAqG,GAAA,GAAAE,IAAA,EAAA6F,EAAAjW,SAAAkQ,EAAA,GAAE+oB,EAAF7oB,EAAA,GAAK4Y,EAAL5Y,EAAA,cAAiB6oB,EAAjB,KAAuBjQ,EAAvB,OAA8B5V,KAAK,KAAnH,KAA6H,aAC7HrE,EAAKmoB,MAAMC,QAAU,UAErB3N,EAAO,aAAexjB,KAAM,SAAUM,MAAOosB,IAC7ClJ,EAAO,aAAexjB,KAAM,QAASM,MAAOgyB,IAC5C9O,EAAO,aAAexjB,KAAM,cAAeM,MAAO2xB,KAG9ClE,EAAY,SAACxd,EAAKiT,GACtBlmB,OAAOmC,MAAM,uBACVC,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACwzB,GACL,GAAMvyB,GAAQuyB,EAAO3iB,GAAO2iB,EAAO3iB,GAAO2iB,EAAO,gBAC3CC,GAAQ,EAAAnM,EAAAlX,SAAQnP,EAAM,IACtByyB,GAAQ,EAAApM,EAAAlX,SAAQnP,EAAM,IACtB0yB,GAAU,EAAArM,EAAAlX,SAAQnP,EAAM,IACxB2yB,GAAU,EAAAtM,EAAAlX,SAAQnP,EAAM,IAExB4yB,GAAU,EAAAvM,EAAAlX,SAAQnP,EAAM,IAAM,WAC9B6yB,GAAY,EAAAxM,EAAAlX,SAAQnP,EAAM,IAAM,WAChC8yB,GAAW,EAAAzM,EAAAlX,SAAQnP,EAAM,IAAM,WAC/B+yB,GAAa,EAAA1M,EAAAlX,SAAQnP,EAAM,IAAM,WAEjCsxB,GACJI,GAAIc,EACJV,GAAIW,EACJ3vB,KAAM4vB,EACN7N,KAAM8N,EACNzf,KAAM0f,EACN3f,MAAO6f,EACP1f,OAAQyf,EACR1f,QAAS4f,EASNp2B,QAAOgsB,aACV0E,EAAUiE,EAAKzO,MAKjBsK,GACJiD,WACAhD,YACAC,Y1B2hKDr0B,GAAQK,Q0BxhKM8zB,G1B4hKT,SAAUp0B,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIrG,GAAQL,EAAoB,KAE5BM,EAASL,EAAuBI,GAEhC2K,EAAQhL,EAAoB,IAE5BiL,EAAQhL,EAAuB+K,GAE/B3H,EAAYrD,EAAoB,KAEhCsD,EAAarD,EAAuBoD,G2BxrKzC02B,EAAA/5B,EAAA,K3B4rKKg6B,EAAQ/5B,EAAuB85B,EAInCh6B,GAAQK,S2B5rKT65B,UACAC,cADA,WAEA,SAAA55B,EAAAF,SAAAkD,EAAAlD,UAGA+5B,cALA,WAMA,SAAAlvB,EAAA7K,SAAAyzB,KAAAqG,cAAAF,EAAA55B,QAAAg6B,UAGAx2B,UACA6sB,IAAA,iBAAAoD,MAAAwG,OAAAtyB,MAAA3C,OAAA+Z,mBACAqK,IAAA,SAAA7S,GACAkd,KAAAwG,OAAA5zB,SAAA,aAAAL,KAAA,oBAAAM,MAAAiQ,IACAkd,KAAAyG,MAAAn2B,OAAAwS,O3BusKM,SAAU7W,EAAQC,EAASC,GAEhC,YAkCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhCvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G4B5uKV,IAAA6zB,GAAAv6B,EAAA,K5BivKKw6B,EAAev6B,EAAuBs6B,G4BhvK3CE,EAAAz6B,EAAA,K5BovKK06B,EAAcz6B,EAAuBw6B,G4BnvK1CE,EAAA36B,EAAA,K5BuvKK46B,EAAkB36B,EAAuB06B,G4BtvK9CE,EAAA76B,EAAA,K5B0vKK86B,EAAgB76B,EAAuB46B,G4BzvK5CE,EAAA/6B,EAAA,K5B6vKKg7B,EAAwB/6B,EAAuB86B,G4B5vKpDE,EAAAj7B,EAAA,K5BgwKKk7B,EAA4Bj7B,EAAuBg7B,G4B/vKxDE,EAAAn7B,EAAA,K5BmwKKo7B,EAAen7B,EAAuBk7B,EAI1Cp7B,GAAQK,S4BpwKPgG,KAAM,MACNi1B,YACEC,oBACAC,mBACAC,wBACAC,qBACAC,2BACAC,gCACAC,qBAEF31B,KAAM,kBACJ41B,kBAAmB,aAErBC,QAda,WAgBXjI,KAAKyG,MAAMn2B,OAAS0vB,KAAKwG,OAAOtyB,MAAM3C,OAAO+Z,mBAE/C8a,UACEjyB,YADQ,WACS,MAAO6rB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,aAChDhB,WAFQ,WAGN,MAAO6sB,MAAK7rB,YAAY+zB,kBAAoBlI,KAAKwG,OAAOtyB,MAAM3C,OAAO4B,YAEvEg1B,UALQ,WAKO,OAASC,mBAAA,OAA2BpI,KAAKwG,OAAOtyB,MAAM3C,OAAO6B,KAApD,MACxBqwB,MANQ,WAMG,OAAS2E,mBAAA,OAA2BpI,KAAK7sB,WAAhC,MACpBk1B,SAPQ,WAOM,MAAOrI,MAAKwG,OAAOtyB,MAAM3C,OAAOgB,MAC9Cd,KARQ,WAQE,MAAgD,WAAzCuuB,KAAKwG,OAAOtyB,MAAMzC,KAAK8sB,QAAQrqB,OAChDo0B,mBATQ,WASgB,MAAOtI,MAAKwG,OAAOtyB,MAAM3C,OAAO+2B,oBACxD30B,0BAVQ,WAUuB,MAAOqsB,MAAKwG,OAAOtyB,MAAM3C,OAAOoC,4BAEjE40B,SACEC,cADO,SACQC,GACbzI,KAAKgI,kBAAoBS,GAE3BC,YAJO,WAKL74B,OAAO84B,SAAS,EAAG,IAErB5f,OAPO,WAQLiX,KAAKwG,OAAO5zB,SAAS,c5B4xKrB,SAAU3G,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G6B/0KV,IAAA+1B,GAAAz8B,EAAA,I7Bo1KK08B,EAAez8B,EAAuBw8B,G6Bn1K3CE,EAAA38B,EAAA,K7Bu1KK48B,EAAS38B,EAAuB08B,G6Bt1KrCE,EAAA78B,EAAA,K7B01KK88B,EAAqB78B,EAAuB48B,G6Bx1K3CE,GACJC,OACE,aACA,OACA,WACA,QAEF/2B,KAPiB,WAQf,OACEg3B,oBACAC,cAAerJ,KAAKwG,OAAOtyB,MAAM3C,OAAO6tB,SACxCC,UAAWW,KAAKwG,OAAOtyB,MAAM3C,OAAO8tB,UACpCiK,YAAY,EACZla,SAAS,EACTma,IAAmB,UAAdvJ,KAAK9M,MAAoBkN,SAASwD,cAAc,SAGzD4D,YACEgC,sBAEFpD,UACElT,KADQ,WAEN,MAAOqE,WAAgBF,SAAS2I,KAAKyJ,WAAWrV,WAElDsV,OAJQ,WAKN,MAAO1J,MAAK7P,MAAQ6P,KAAKqJ,gBAAkBrJ,KAAKsJ,YAElDK,QAPQ,WAQN,MAAsB,SAAd3J,KAAK9M,OAAoB8M,KAAKyJ,WAAWG,QAAyB,YAAd5J,KAAK9M,MAEnE2W,QAVQ,WAWN,MAAqB,UAAd7J,KAAK8J,MAEdC,UAbQ,WAcN,MAA8D,SAAvDxS,UAAgBF,SAAS2I,KAAKyJ,WAAWrV,YAGpDmU,SACEyB,YADO,SAAAlvB,GACgB,GAATmvB,GAASnvB,EAATmvB,MACW,OAAnBA,EAAOC,SACTr6B,OAAOs6B,KAAKF,EAAO1G,KAAM,WAG7B6G,aANO,WAMS,GAAAC,GAAArK,IACVA,MAAKuJ,IACHvJ,KAAKuJ,IAAIe,OACXtK,KAAKuJ,IAAIe,UAETtK,KAAK5Q,SAAU,EACf4Q,KAAKuJ,IAAIgB,IAAMvK,KAAKyJ,WAAW1vB,IAC/BimB,KAAKuJ,IAAIe,OAAS,WAChBD,EAAKjb,SAAU,EACfib,EAAKf,YAAce,EAAKf,aAI5BtJ,KAAKsJ,YAActJ,KAAKsJ,YAG5BkB,gBAtBO,SAsBUxO,GACyC,mBAA7CA,GAAEyO,WAAWC,4BAElB1O,EAAEyO,WAAWC,4BAA8B,IAC7C1K,KAAKX,UAAYW,KAAKX,YAAcW,KAAKwG,OAAOtyB,MAAM3C,OAAO+tB,qBAElB,mBAA7BtD,GAAEyO,WAAWE,YAEzB3O,EAAEyO,WAAWE,cACf3K,KAAKX,UAAYW,KAAKX,YAAcW,KAAKwG,OAAOtyB,MAAM3C,OAAO+tB,qBAElB,mBAA7BtD,GAAEyO,WAAWG,aACzB5O,EAAEyO,WAAWG,YAAYha,OAAS,IACpCoP,KAAKX,UAAYW,KAAKX,YAAcW,KAAKwG,OAAOtyB,MAAM3C,OAAO+tB,uB7Bi2KtEpzB,GAAQK,Q6B11KM28B,G7B81KT,SAAUj9B,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G8Bt7KV,IAAMg4B,IACJz4B,KADgB,WAEd,OACE04B,eAAgB,GAChBvM,QAAS,KACTwM,WAAW,IAGf3E,UACEr0B,SADQ,WAEN,MAAOiuB,MAAKwG,OAAOtyB,MAAMzC,KAAKM,WAGlCw2B,SACEte,OADO,SACC4N,GACNmI,KAAKwG,OAAOtyB,MAAMzC,KAAK8sB,QAAQ/e,KAAK,WAAYxJ,KAAM6hB,GAAU,KAChEmI,KAAK8K,eAAiB,IAExBE,YALO,WAMLhL,KAAK+K,WAAa/K,KAAK+K,Y9B87K5B7+B,GAAQK,Q8Bz7KMs+B,G9B67KT,SAAU5+B,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAImb,GAAc7hB,EAAoB,IAElC8hB,EAAc7hB,EAAuB4hB,GAErCF,EAAS3hB,EAAoB,IAE7B4hB,EAAS3hB,EAAuB0hB,G+Bn+KrCmd,EAAA9+B,EAAA,K/Bu+KK++B,EAAiB9+B,EAAuB6+B,G+Bp+KvCE,GACJ3D,YACE4D,wBAEFhF,UACEiF,UADQ,WAEN,GAAM9uB,IAAK,EAAA0R,EAAA1hB,SAAUyzB,KAAKsL,OAAOvwB,OAAOwB,IAClCtL,EAAW+uB,KAAKwG,OAAOtyB,MAAMjD,SAASse,YACtChP,GAAS,EAAAwN,EAAAxhB,SAAK0E,GAAWsL,MAE/B,OAAOgE,K/B6+KZrU,GAAQK,Q+Bx+KM4+B,G/B4+KT,SAAUl/B,EAAQC,EAASC,GAEhC,YAwBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAtBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIqb,GAAW/hB,EAAoB,KAE/BgiB,EAAW/hB,EAAuB8hB,GAElCqd,EAAWp/B,EAAoB,IAE/Bq/B,EAAWp/B,EAAuBm/B,GAElCtJ,EAAW91B,EAAoB,KAE/B+1B,EAAW91B,EAAuB61B,GgC/gLvCzzB,EAAArC,EAAA,KACAs/B,EAAAt/B,EAAA,IhCohLKu/B,EAAWt/B,EAAuBq/B,GgClhLjCE,EAA4B,SAAC/mB,GAEjC,MADAA,IAAe,EAAA4mB,EAAAj/B,SAAOqY,EAAc,SAACrE,GAAD,MAAmC,aAAvB,EAAA/R,EAAAqe,YAAWtM,MACpD,EAAA4N,EAAA5hB,SAAOqY,EAAc,OAGxBA,GACJxS,KADmB,WAEjB,OACEytB,UAAW,OAGfsJ,OACE,YACA,eAEF/C,UACE7lB,OADQ,WACI,MAAOyf,MAAKqL,WACxBzmB,aAFQ,QAAAA,KAGN,IAAKob,KAAKzf,OACR,OAAO,CAGT,IAAMqrB,GAAiB5L,KAAKzf,OAAOsrB,0BAC7B56B,EAAW+uB,KAAKwG,OAAOtyB,MAAMjD,SAASse,YACtC3K,GAAe,EAAA4mB,EAAAj/B,SAAO0E,GAAY46B,0BAA2BD,GACnE,OAAOD,GAA0B/mB,IAEnCknB,QAZQ,WAaN,GAAIC,GAAI,CACR,QAAO,EAAA7J,EAAA31B,SAAOyzB,KAAKpb,aAAc,SAACxB,EAADtI,GAAyC,GAA/ByB,GAA+BzB,EAA/ByB,GAAIgW,EAA2BzX,EAA3ByX,sBACvCyZ,EAAOzoB,OAAOgP,EASpB,OARIyZ,KACF5oB,EAAO4oB,GAAQ5oB,EAAO4oB,OACtB5oB,EAAO4oB,GAAMxsB,MACXjN,SAAUw5B,EACVxvB,GAAIA,KAGRwvB,IACO3oB,SAIbokB,YACEyE,kBAEFhE,QAzCmB,WA0CjBjI,KAAKpiB,qBAEPsuB,OACEZ,OAAU,qBAEZ/C,SACE3qB,kBADO,WACc,GAAAysB,GAAArK,IACnB,IAAIA,KAAKzf,OAAQ,CACf,GAAMqrB,GAAiB5L,KAAKzf,OAAOsrB,yBACnC7L,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBtf,mBAAmBrB,GAAIqvB,IAC5D35B,KAAK,SAAChB,GAAD,MAAco5B,GAAK7D,OAAO5zB,SAAS,kBAAoB3B,eAC5DgB,KAAK,iBAAMo4B,GAAKtK,aAAasK,EAAKgB,UAAU9uB,UAC1C,CACL,GAAMA,GAAKyjB,KAAKsL,OAAOvwB,OAAOwB,EAC9ByjB,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBpf,aAAavB,OAClDtK,KAAK,SAACsO,GAAD,MAAY8pB,GAAK7D,OAAO5zB,SAAS,kBAAoB3B,UAAWsP,OACrEtO,KAAK,iBAAMo4B,GAAKzsB,wBAGvBuuB,WAdO,SAcK5vB,GAEV,MADAA,GAAKgH,OAAOhH,GACLyjB,KAAK8L,QAAQvvB,QAEtB6vB,QAlBO,SAkBE7vB,GACP,MAAIyjB,MAAKqL,UAAUjb,iBACT7T,IAAOyjB,KAAKqL,UAAUjb,iBAAiB7T,GAEvCA,IAAOyjB,KAAKqL,UAAU9uB,IAGlCwjB,aAzBO,SAyBOxjB,GACZyjB,KAAKH,UAAYtc,OAAOhH,KhCuiL7BrQ,GAAQK,QgCliLMqY,GhCsiLT,SAAU3Y,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GiCloLV,IAAMw5B,IACJlD,OAAS,UACTZ,SACEznB,aADO,WAEL,GAAMwrB,GAAYz8B,OAAO08B,QAAQ,4CAC7BD,IACFtM,KAAKwG,OAAO5zB,SAAS,gBAAkB2J,GAAIyjB,KAAKzf,OAAOhE,OAI7D6pB,UACEjyB,YADQ,WACS,MAAO6rB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,aAChDq4B,UAFQ,WAEO,MAAOxM,MAAK7rB,aAAe6rB,KAAK7rB,YAAYs4B,OAAOC,sBAAwB1M,KAAKzf,OAAOzE,KAAKS,KAAOyjB,KAAK7rB,YAAYoI,KjC4oLtIrQ,GAAQK,QiCxoLM8/B,GjC4oLT,SAAUpgC,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GkCjqLV,IAAM85B,IACJxD,OAAQ,SAAU,YAClB/2B,KAFqB,WAGnB,OACEw6B,UAAU,IAGdrE,SACE1oB,SADO,WACK,GAAAwqB,GAAArK,IACLA,MAAKzf,OAAOkS,UAGfuN,KAAKwG,OAAO5zB,SAAS,cAAe2J,GAAIyjB,KAAKzf,OAAOhE,KAFpDyjB,KAAKwG,OAAO5zB,SAAS,YAAa2J,GAAIyjB,KAAKzf,OAAOhE,KAIpDyjB,KAAK4M,UAAW,EAChBrY,WAAW,WACT8V,EAAKuC,UAAW,GACf,OAGPxG,UACEyG,QADQ,WAEN,OACEC,mBAAoB9M,KAAKzf,OAAOkS,UAChCsa,YAAa/M,KAAKzf,OAAOkS,UACzBua,eAAgBhN,KAAK4M,YlC4qL5B1gC,GAAQK,QkCtqLMogC,GlC0qLT,SAAU1gC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GmC9sLV,IAAAo6B,GAAA9gC,EAAA,KnCmtLK+gC,EAAc9gC,EAAuB6gC,GmCjtLpCj4B,GACJwyB,YACE2F,oBAEFlF,QAJqB,WAKnBjI,KAAKoN,kBAEPhH,UACE/H,SADQ,WAEN,MAAO2B,MAAKwG,OAAOtyB,MAAM7C,IAAIgsB,iBAGjCkL,SACE6E,eADO,WACW,GAAA/C,GAAArK,IAChBA,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBxf,sBACrCzL,KAAK,SAACosB,GAAegM,EAAK7D,OAAOzQ,OAAO,oBAAqBsI,OnC8tLrEnyB,GAAQK,QmCztLMyI,GnC6tLT,SAAU/I,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GoCxvLV,IAAAw6B,GAAAlhC,EAAA,IpC6vLKmhC,EAAalhC,EAAuBihC,GoC5vLnC94B,GACJizB,YACE+F,oBAEFnH,UACE5nB,SADQ,WACM,MAAOwhB,MAAKwG,OAAOtyB,MAAMjD,SAAS8e,UAAU5Q,UpCswL7DjT,GAAQK,QoClwLMgI,GpCswLT,SAAUtI,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GqCrxLV,IAAMi1B,IACJ1B,UACEoH,6BADQ,WAEN,MAAOxN,MAAKwG,OAAOtyB,MAAM3C,OAAOi8B,+BrC4xLrCthC,GAAQK,QqCvxLMu7B,GrC2xLT,SAAU77B,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GsCxyLV,IAAM46B,IACJr7B,KAAM,kBACJ0J,QACA4xB,WAAW,IAEbtH,UACEpF,UADQ,WACO,MAAOhB,MAAKwG,OAAOtyB,MAAM/C,MAAM6vB,WAC9C2M,iBAFQ,WAEc,MAAO3N,MAAKwG,OAAOtyB,MAAM3C,OAAOo8B,mBAExDpF,SACEte,OADO,WACG,GAAAogB,GAAArK,IACRA,MAAKwG,OAAO5zB,SAAS,YAAaotB,KAAKlkB,MAAM7J,KAC3C,aACA,SAACwE,GACC4zB,EAAKqD,UAAYj3B,EACjB4zB,EAAKvuB,KAAKC,SAAW,GACrBsuB,EAAKvuB,KAAKE,SAAW,OtCszL9B9P,GAAQK,QsC/yLMkhC,GtCmzLT,SAAUxhC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GuC90LV,IAAA+6B,GAAAzhC,EAAA,KvCm1LK0hC,EAAyBzhC,EAAuBwhC,GuCj1L/CE,GACJC,QADkB,WACP,GAAA1D,GAAArK,KACHkF,EAAQlF,KAAKgO,IAAIC,cAAc,QAErC/I,GAAMX,iBAAiB,SAAU,SAAAzpB,GAAc,GAAZmvB,GAAYnvB,EAAZmvB,OAC3BiE,EAAOjE,EAAOkE,MAAM,EAC1B9D,GAAK+D,WAAWF,MAGpB97B,KATkB,WAUhB,OACEi8B,WAAW,IAGf9F,SACE6F,WADO,SACKF,GACV,GAAMI,GAAOtO,KACPlvB,EAAQkvB,KAAKwG,OACbtlB,EAAW,GAAIjG,SACrBiG,GAAShG,OAAO,QAASgzB,GAEzBI,EAAKC,MAAM,aACXD,EAAKD,WAAY,EAEjBjW,UAAoBpX,aAAclQ,QAAOoQ,aACtCjP,KAAK,SAACu8B,GACLF,EAAKC,MAAM,WAAYC,GACvBF,EAAKD,WAAY,GAChB,SAAC53B,GACF63B,EAAKC,MAAM,iBACXD,EAAKD,WAAY,KAGvBI,SAnBO,SAmBGzS,GACJA,EAAE0S,aAAaP,MAAMvd,OAAS,IAChCoL,EAAE2S,iBACF3O,KAAKoO,WAAWpS,EAAE0S,aAAaP,MAAM,MAGzCS,SAzBO,SAyBG5S,GACR,GAAI6S,GAAQ7S,EAAE0S,aAAaG,KACvBA,GAAMC,SAAS,SACjB9S,EAAE0S,aAAaK,WAAa,OAE5B/S,EAAE0S,aAAaK,WAAa,SAIlC5F,OACE,aAEF+C,OACE8C,UAAa,SAAUC,GAChBjP,KAAKqO,WACRrO,KAAKoO,WAAWa,EAAU,MvC61LjC/iC,GAAQK,QuCv1LMuhC,GvC21LT,SAAU7hC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GwC/5LV,IAAAw6B,GAAAlhC,EAAA,IxCo6LKmhC,EAAalhC,EAAuBihC,GwCl6LnCx4B,GACJuxB,UACE5nB,SADQ,WAEN,MAAOwhB,MAAKwG,OAAOtyB,MAAMjD,SAAS8e,UAAU3Q,WAGhDooB,YACE+F,oBxC06LHrhC,GAAQK,QwCt6LMsI,GxC06LT,SAAU5I,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GyC57LV,IAAM60B,IACJtB,UACEjyB,YADQ,WAEN,MAAO6rB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,aAEjC1C,KAJQ,WAKN,MAAOuuB,MAAKwG,OAAOtyB,MAAMzC,KAAK8sB,UzCm8LnCryB,GAAQK,QyC97LMm7B,GzCk8LT,SAAUz7B,EAAQC,EAASC,GAEhC,YAoBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAlBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G0Cl9LV,IAAA44B,GAAAt/B,EAAA,I1Cu9LKu/B,EAAWt/B,EAAuBq/B,G0Ct9LvC7C,EAAAz8B,EAAA,I1C09LK08B,EAAez8B,EAAuBw8B,G0Cz9L3CsG,EAAA/iC,EAAA,I1C69LKgjC,EAAsB/iC,EAAuB8iC,G0C59LlDE,EAAAjjC,EAAA,KAEM6nB,GACJ5hB,KADmB,WAEjB,OACEi9B,cAAc,IAGlBlG,OACE,gBAEF3B,YACEyE,iBAAQzC,qBAAY8F,2BAEtB/G,SACEgH,mBADO,WAELvP,KAAKqP,cAAgBrP,KAAKqP,eAG9BjJ,UACEoJ,UADQ,WAEN,OAAO,EAAAJ,EAAA9V,gBAAe0G,KAAK3M,aAAaL,OAAOlX,OAEjD2zB,UAJQ,WAKN,GAAM5P,GAAYG,KAAKwG,OAAOtyB,MAAM3C,OAAOsuB,UACrC/jB,EAAOkkB,KAAK3M,aAAaL,OAAOlX,IACtC,QAAO,EAAAszB,EAAA/V,gBAAewG,EAAU/jB,EAAKme,gB1Co+L1C/tB,GAAQK,Q0C/9LMynB,G1Cm+LT,SAAU/nB,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAI04B,GAAWp/B,EAAoB,IAE/Bq/B,EAAWp/B,EAAuBm/B,GAElCrd,EAAW/hB,EAAoB,KAE/BgiB,EAAW/hB,EAAuB8hB,G2CnhMvCwhB,EAAAvjC,EAAA,K3CuhMKwjC,EAAiBvjC,EAAuBsjC,G2CthM7CE,EAAAzjC,EAAA,K3C0hMK0jC,EAAiCzjC,EAAuBwjC,G2CthMvDjI,GACJM,QADoB,WAElB,GAAMn3B,GAAQkvB,KAAKwG,OACbrsB,EAAcrJ,EAAMoD,MAAM/C,MAAMgD,YAAYgG,WAElD8oB,WAAqBnM,eAAgBhmB,QAAOqJ,iBAE9CisB,UACE/mB,cADQ,WAEN,MAAO2gB,MAAKwG,OAAOtyB,MAAMjD,SAASoO,cAAcjN,MAElDqE,MAJQ,WAKN,MAAOupB,MAAKwG,OAAOtyB,MAAMjD,SAASoO,cAAc5I,OAElDq5B,oBAPQ,WAQN,OAAO,EAAAtE,EAAAj/B,SAAOyzB,KAAK3gB,cAAe,SAAAvE,GAAA,GAAE+Y,GAAF/Y,EAAE+Y,IAAF,QAAaA,KAEjDkc,qBAVQ,WAYN,GAAIC,IAAsB,EAAA7hB,EAAA5hB,SAAOyzB,KAAK3gB,cAAe,SAAA7D,GAAA,GAAEwX,GAAFxX,EAAEwX,MAAF,QAAeA,EAAOzW,IAE3E,OADAyzB,IAAsB,EAAA7hB,EAAA5hB,SAAOyjC,EAAqB,SAGpDC,YAhBQ,WAiBN,MAAOjQ,MAAK8P,oBAAoBlf,SAGpC4W,YACExT,wBAEFkY,OACE+D,YADK,SACQC,GACPA,EAAQ,EACVlQ,KAAKwG,OAAO5zB,SAAS,eAArB,IAAyCs9B,EAAzC,KAEAlQ,KAAKwG,OAAO5zB,SAAS,eAAgB,MAI3C21B,SACE4H,WADO,WAELnQ,KAAKwG,OAAOzQ,OAAO,0BAA2BiK,KAAK+P,uBAErDK,wBAJO,WAKL,GAAMt/B,GAAQkvB,KAAKwG,OACbrsB,EAAcrJ,EAAMoD,MAAM/C,MAAMgD,YAAYgG,WAClD8oB,WAAqB/L,gBACnBpmB,QACAqJ,cACA2X,OAAO,M3CsiMd5lB,GAAQK,Q2ChiMMo7B,G3CoiMT,SAAU17B,EAAQC,EAASC,GAEhC,YA8CA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA5CvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIw9B,GAAsBlkC,EAAoB,KAE1CmkC,EAAsBlkC,EAAuBikC,GAE7CE,EAAWpkC,EAAoB,KAE/BqkC,EAAWpkC,EAAuBmkC,GAElCp5B,EAAQhL,EAAoB,IAE5BiL,EAAQhL,EAAuB+K,GAE/Bs5B,EAAWtkC,EAAoB,KAE/BukC,EAAWtkC,EAAuBqkC,GAElClF,EAAWp/B,EAAoB,IAE/Bq/B,EAAWp/B,EAAuBm/B,GAElCoF,EAASxkC,EAAoB,KAE7BykC,EAASxkC,EAAuBukC,G4C9nMrC/C,EAAAzhC,EAAA,K5CkoMK0hC,EAAyBzhC,EAAuBwhC,G4CjoMrDiD,EAAA1kC,EAAA,K5CqoMK2kC,EAAiB1kC,EAAuBykC,G4CpoM7C7H,EAAA78B,EAAA,K5CwoMK88B,EAAqB78B,EAAuB48B,G4CvoMjD+H,EAAA5kC,EAAA,K5C2oMK6kC,EAAe5kC,EAAuB2kC,G4CxoMrCE,EAAsB,SAAAn2B,EAAqB3G,GAAgB,GAAnC2H,GAAmChB,EAAnCgB,KAAMqW,EAA6BrX,EAA7BqX,WAC9B+e,0BAAoB/e,GAExB+e,GAAcC,QAAQr1B,GAEtBo1B,GAAgB,EAAAV,EAAAjkC,SAAO2kC,EAAe,MACtCA,GAAgB,EAAAR,EAAAnkC,SAAO2kC,GAAgB30B,GAAIpI,EAAYoI,IAEvD,IAAI6C,IAAW,EAAAhI,EAAA7K,SAAI2kC,EAAe,SAACE,GACjC,UAAWA,EAAUnX,aAGvB,OAAO7a,GAASO,KAAK,KAAO,KAGxB0xB,GACJlI,OACE,UACA,cACA,aACA,eACA,WAEF3B,YACE8J,uBAEFvD,QAXqB,WAYnB/N,KAAKuR,OAAOvR,KAAKwR,MAAMC,UAEnBzR,KAAK0R,SACP1R,KAAKwR,MAAMC,SAASE,SAGxBv/B,KAlBqB,WAmBnB,GAAMw/B,GAAS5R,KAAKsL,OAAOuG,MAAMha,QAC7Bia,EAAaF,GAAU,EAE3B,IAAI5R,KAAK0R,QAAS,CAChB,GAAMv9B,GAAc6rB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,WAC5C29B,GAAab,GAAsBn1B,KAAMkkB,KAAK+R,YAAa5f,WAAY6N,KAAK7N,YAAche,GAG5F,OACE66B,aACAgD,gBAAgB,EAChBv7B,MAAO,KACP4S,SAAS,EACTgY,YAAa,EACbvM,WACEtU,YAAawf,KAAKiS,QAClB1xB,OAAQuxB,EACR3hB,MAAM,EACNge,SACA1tB,WAAYuf,KAAKkS,cAAgBlS,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAYg+B,eAEvEC,MAAO,IAGXhM,UACEiM,IADQ,WAEN,OACEnzB,QAAUozB,SAAwC,WAA9BtS,KAAKlL,UAAUrU,YACnCiJ,UAAY4oB,SAAwC,aAA9BtS,KAAKlL,UAAUrU,YACrCkJ,SAAW2oB,SAAwC,YAA9BtS,KAAKlL,UAAUrU,YACpCmJ,QAAU0oB,SAAwC,WAA9BtS,KAAKlL,UAAUrU,cAGvC8xB,WATQ,WASM,GAAAlI,GAAArK,KACNwS,EAAYxS,KAAKyS,YAAYC,OAAO,EAC1C,IAAkB,MAAdF,EAAmB,CACrB,GAAMG,IAAe,EAAAnH,EAAAj/B,SAAOyzB,KAAK7uB,MAAO,SAAC2K,GAAD,MAAWnB,QAAOmB,EAAKvJ,KAAOuJ,EAAKme,aAAciK,cACpFzpB,MAAM4vB,EAAKoI,YAAYvvB,MAAM,GAAGghB,gBACrC,SAAIyO,EAAa/hB,QAAU,KAIpB,EAAAxZ,EAAA7K,UAAI,EAAAqkC,EAAArkC,SAAKomC,EAAc,GAAI,SAAAn3B,EAAkDo3B,GAAlD,GAAE3Y,GAAFze,EAAEye,YAAa1nB,EAAfiJ,EAAejJ,KAAMsgC,EAArBr3B,EAAqBq3B,0BAArB,QAEhC5Y,gBAAiBA,EACjB1nB,KAAMA,EACNg3B,IAAKsJ,EACLxR,YAAauR,IAAUvI,EAAKhJ,eAEzB,GAAkB,MAAdmR,EAAmB,CAC5B,GAAyB,MAArBxS,KAAKyS,YAAuB,MAChC,IAAMK,IAAe,EAAAtH,EAAAj/B,SAAOyzB,KAAK7pB,MAAM48B,OAAO/S,KAAKgT,aAAc,SAAC78B,GAAD,MAAWA,GAAMG,UAAUmE,MAAM4vB,EAAKoI,YAAYvvB,MAAM,KACzH,SAAI4vB,EAAaliB,QAAU,KAGpB,EAAAxZ,EAAA7K,UAAI,EAAAqkC,EAAArkC,SAAKumC,EAAc,GAAI,SAAAp3B,EAA8Bk3B,GAA9B,GAAEt8B,GAAFoF,EAAEpF,UAAWC,EAAbmF,EAAanF,UAAWK,EAAxB8E,EAAwB9E,GAAxB,QAChCqjB,gBAAiB3jB,EAAjB,IACA/D,KAAM,GACNqE,IAAKA,GAAO,GAEZ2yB,IAAK3yB,EAAM,GAAKyzB,EAAK7D,OAAOtyB,MAAM3C,OAAOoB,OAAS4D,EAClD8qB,YAAauR,IAAUvI,EAAKhJ,eAG9B,OAAO,GAGXoR,YA3CQ,WA4CN,OAAQzS,KAAKiT,iBAAmBvQ,MAAQ,IAE1CuQ,YA9CQ,WA+CN,GAAMvQ,GAAOwQ,UAAWnR,eAAe/B,KAAKlL,UAAUvU,OAAQyf,KAAKoS,MAAQ,MAC3E,OAAO1P,IAETvxB,MAlDQ,WAmDN,MAAO6uB,MAAKwG,OAAOtyB,MAAM/C,MAAMA,OAEjCgF,MArDQ,WAsDN,MAAO6pB,MAAKwG,OAAOtyB,MAAM3C,OAAO4E,WAElC68B,YAxDQ,WAyDN,MAAOhT,MAAKwG,OAAOtyB,MAAM3C,OAAOyhC,iBAElCG,aA3DQ,WA4DN,MAAOnT,MAAKlL,UAAUvU,OAAOqQ,QAE/BwiB,kBA9DQ,WA+DN,MAAOpT,MAAKwG,OAAOtyB,MAAM3C,OAAOmB,WAElC2gC,qBAjEQ,WAkEN,MAAOrT,MAAKoT,kBAAoB,GAElCE,eApEQ,WAqEN,MAAOtT,MAAKoT,kBAAoBpT,KAAKmT,cAEvCI,kBAvEQ,WAwEN,MAAOvT,MAAKqT,sBAAyBrT,KAAKmT,aAAenT,KAAKoT,mBAEhEx/B,oBA1EQ,WA2EN,MAAOosB,MAAKwG,OAAOtyB,MAAM3C,OAAOqC,sBAGpC20B,SACE/tB,QADO,SACE4nB,GACPpC,KAAKlL,UAAUvU,OAAS2yB,UAAWlR,YAAYhC,KAAKlL,UAAUvU,OAAQyf,KAAKiT,YAAa7Q,EACxF,IAAMxsB,GAAKoqB,KAAKgO,IAAIC,cAAc,WAClCr4B,GAAG+7B,QACH3R,KAAKoS,MAAQ,GAEfoB,iBAPO,SAOWxX,GAChB,GAAMyX,GAAMzT,KAAKuS,WAAW3hB,QAAU,CACtC,IAAyB,MAArBoP,KAAKyS,cAAuBzW,EAAE0X,SAC9BD,EAAM,EAAG,CACXzX,EAAE2S,gBACF,IAAMgF,GAAY3T,KAAKuS,WAAWvS,KAAKqB,aACjCe,EAAcuR,EAAU/8B,KAAQ+8B,EAAU1Z,YAAc,GAC9D+F,MAAKlL,UAAUvU,OAAS2yB,UAAWlR,YAAYhC,KAAKlL,UAAUvU,OAAQyf,KAAKiT,YAAa7Q,EACxF,IAAMxsB,GAAKoqB,KAAKgO,IAAIC,cAAc,WAClCr4B,GAAG+7B,QACH3R,KAAKoS,MAAQ,EACbpS,KAAKqB,YAAc,IAGvBuS,cArBO,SAqBQ5X,GACb,GAAMyX,GAAMzT,KAAKuS,WAAW3hB,QAAU,CAClC6iB,GAAM,GACRzX,EAAE2S,iBACF3O,KAAKqB,aAAe,EAChBrB,KAAKqB,YAAc,IACrBrB,KAAKqB,YAAcrB,KAAKuS,WAAW3hB,OAAS,IAG9CoP,KAAKqB,YAAc,GAGvBwS,aAjCO,SAiCO7X,GACZ,GAAMyX,GAAMzT,KAAKuS,WAAW3hB,QAAU,CACtC,IAAI6iB,EAAM,EAAG,CACX,GAAIzX,EAAE8X,SAAY,MAClB9X,GAAE2S,iBACF3O,KAAKqB,aAAe,EAChBrB,KAAKqB,aAAeoS,IACtBzT,KAAKqB,YAAc,OAGrBrB,MAAKqB,YAAc,GAGvB0S,SA9CO,SAAAn4B,GA8C+B,GAAlBo4B,GAAkBp4B,EAA3BquB,OAAS+J,cAClBhU,MAAKoS,MAAQ4B,GAEf3zB,WAjDO,SAiDKyU,GAAW,GAAAmf,GAAAjU,IACrB,KAAIA,KAAK3W,UACL2W,KAAKgS,eAAT,CAEA,GAA8B,KAA1BhS,KAAKlL,UAAUvU,OAAe,CAChC,KAAIyf,KAAKlL,UAAUqZ,MAAMvd,OAAS,GAIhC,YADAoP,KAAKvpB,MAAQ,4CAFbupB,MAAKlL,UAAUvU,OAAS,IAO5Byf,KAAK3W,SAAU,EACf6qB,UAAa7zB,YACXE,OAAQuU,EAAUvU,OAClBC,YAAasU,EAAUtU,aAAe,KACtCC,WAAYqU,EAAUrU,WACtBC,UAAWoU,EAAU3E,KACrBsH,MAAO3C,EAAUqZ,MACjBr9B,MAAOkvB,KAAKwG,OACZ5lB,kBAAmBof,KAAK0R,UACvBz/B,KAAK,SAACG,GACP,GAAKA,EAAKqE,MAWRw9B,EAAKx9B,MAAQrE,EAAKqE,UAXH,CACfw9B,EAAKnf,WACHvU,OAAQ,GACR4tB,SACA1tB,WAAYqU,EAAUrU,YAExBwzB,EAAK1F,MAAM,SACX,IAAI34B,GAAKq+B,EAAKjG,IAAIC,cAAc,WAChCr4B,GAAG6tB,MAAM0Q,OAAS,OAClBF,EAAKx9B,MAAQ,KAIfw9B,EAAK5qB,SAAU,MAGnB+qB,aAxFO,SAwFOC,GACZrU,KAAKlL,UAAUqZ,MAAM3uB,KAAK60B,GAC1BrU,KAAKsU,gBAEPC,gBA5FO,SA4FUF,GACf,GAAIzB,GAAQ5S,KAAKlL,UAAUqZ,MAAMqG,QAAQH,EACzCrU,MAAKlL,UAAUqZ,MAAMhd,OAAOyhB,EAAO,IAErC6B,cAhGO,WAiGLzU,KAAKgS,gBAAiB,GAExBsC,aAnGO,WAoGLtU,KAAKgS,gBAAiB,GAExB9e,KAtGO,SAsGDmhB,GACJ,MAAO9c,WAAgBF,SAASgd,EAASjgB,WAE3CsgB,MAzGO,SAyGA1Y,GACDA,EAAE2Y,cAAcxG,MAAMvd,OAAS,IAIjCoP,KAAKgP,WAAahT,EAAE2Y,cAAcxG,MAAM,MAG5CM,SAjHO,SAiHGzS,GACJA,EAAE0S,aAAaP,MAAMvd,OAAS,IAChCoL,EAAE2S,iBACF3O,KAAKgP,UAAYhT,EAAE0S,aAAaP,QAGpCS,SAvHO,SAuHG5S,GACRA,EAAE0S,aAAaK,WAAa,QAE9BwC,OA1HO,SA0HCvV,GACN,GAAKA,EAAEiO,OAAP,CACA,GAAM2K,GAAcrxB,OAAO1T,OAAOs0B,iBAAiBnI,EAAEiO,QAAQ,eAAe4K,OAAO,EAAG,IAChFtxB,OAAO1T,OAAOs0B,iBAAiBnI,EAAEiO,QAAQ,kBAAkB4K,OAAO,EAAG,GAC3E7Y,GAAEiO,OAAOxG,MAAM0Q,OAAS,OACxBnY,EAAEiO,OAAOxG,MAAM0Q,OAAYnY,EAAEiO,OAAO6K,aAAeF,EAAnD,KACuB,KAAnB5Y,EAAEiO,OAAOp3B,QACXmpB,EAAEiO,OAAOxG,MAAM0Q,OAAS,UAG5BY,WApIO,WAqIL/U,KAAKvpB,MAAQ,MAEfu+B,UAvIO,SAuIIv0B,GACTuf,KAAKlL,UAAUrU,WAAaA,I5CyqMjCvU,GAAQK,Q4CpqMM8kC,G5CwqMT,SAAUplC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G6Cx8MV,IAAAw6B,GAAAlhC,EAAA,I7C68MKmhC,EAAalhC,EAAuBihC,G6C58MnCh5B,GACJmzB,YACE+F,oBAEFnH,UACE5nB,SADQ,WACM,MAAOwhB,MAAKwG,OAAOtyB,MAAMjD,SAAS8e,UAAUzQ,oBAE5D2oB,QAPgC,WAQ9BjI,KAAKwG,OAAO5zB,SAAS,gBAAiB,sBAExCqiC,UAVgC,WAW9BjV,KAAKwG,OAAO5zB,SAAS,eAAgB,sB7Cs9MxC1G,GAAQK,Q6Cl9MM8H,G7Cs9MT,SAAUpI,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G8C3+MV,IAAAw6B,GAAAlhC,EAAA,I9Cg/MKmhC,EAAalhC,EAAuBihC,G8C/+MnC/4B,GACJkzB,YACE+F,oBAEFnH,UACE5nB,SADQ,WACM,MAAOwhB,MAAKwG,OAAOtyB,MAAMjD,SAAS8e,UAAU7Q,SAE5D+oB,QAPqB,WAQnBjI,KAAKwG,OAAO5zB,SAAS,gBAAiB,WAExCqiC,UAVqB,WAWnBjV,KAAKwG,OAAO5zB,SAAS,eAAgB,W9Cy/MxC1G,GAAQK,Q8Cp/MM+H,G9Cw/MT,SAAUrI,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G+C9gNV,IAAMmW,IACJ5W,KAAM,kBACJ0J,QACArF,OAAO,EACPy+B,aAAa,IAEfjN,QANmB,aAOXjI,KAAKwG,OAAOtyB,MAAM3C,OAAOo8B,mBAAqB3N,KAAKxU,OAAYwU,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,cAC3F6rB,KAAKmV,QAAQ31B,KAAK,aAGhBwgB,KAAKwG,OAAOtyB,MAAM3C,OAAOo8B,kBAAoB3N,KAAKxU,OACpDwU,KAAKmV,QAAQ31B,KAAK,kBAGtB4mB,UACEgP,eADQ,WACY,MAAOpV,MAAKwG,OAAOtyB,MAAM3C,OAAO8jC,KACpD7pB,MAFQ,WAEG,MAAOwU,MAAKsL,OAAOvwB,OAAOyQ,QAEvC+c,SACEte,OADO,WACG,GAAAogB,GAAArK,IACRA,MAAKkV,aAAc,EACnBlV,KAAKlkB,KAAKw5B,SAAWtV,KAAKlkB,KAAKC,SAC/BikB,KAAKlkB,KAAK0P,MAAQwU,KAAKxU,MACvBwU,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBrhB,SAASmkB,KAAKlkB,MAAM7J,KAC1D,SAACkP,GACKA,EAASK,IACX6oB,EAAK7D,OAAO5zB,SAAS,YAAay3B,EAAKvuB,MACvCuuB,EAAK8K,QAAQ31B,KAAK,aAClB6qB,EAAK6K,aAAc,IAEnB7K,EAAK6K,aAAc,EACnB/zB,EAAShP,OAAOF,KAAK,SAACG,GACpBi4B,EAAK5zB,MAAQrE,EAAKqE,a/CgiN/BvK,GAAQK,Q+CvhNMyc,G/C2hNT,SAAU/c,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GgD1kNV,IAAM0iC,IACJpM,OAAQ,SAAU,WAAY,cAC9B/2B,KAFoB,WAGlB,OACEw6B,UAAU,IAGdrE,SACEtoB,QADO,WACI,GAAAoqB,GAAArK,IACJA,MAAKzf,OAAOuE,SAGfkb,KAAKwG,OAAO5zB,SAAS,aAAc2J,GAAIyjB,KAAKzf,OAAOhE,KAFnDyjB,KAAKwG,OAAO5zB,SAAS,WAAY2J,GAAIyjB,KAAKzf,OAAOhE,KAInDyjB,KAAK4M,UAAW,EAChBrY,WAAW,WACT8V,EAAKuC,UAAW,GACf,OAGPxG,UACEyG,QADQ,WAEN,OACE2I,UAAaxV,KAAKzf,OAAOuE,SACzB2wB,mBAAoBzV,KAAKzf,OAAOuE,SAChCkoB,eAAgBhN,KAAK4M,YhDqlN5B1gC,GAAQK,QgD/kNMgpC,GhDmlNT,SAAUtpC,EAAQC,EAASC,GAEhC,YA0BA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAxBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAI6iC,GAA4BvpC,EAAoB,KAEhDwpC,EAA6BvpC,EAAuBspC,GAEpDE,EAASzpC,EAAoB,KAE7B0pC,EAASzpC,EAAuBwpC,GAEhCrK,EAAWp/B,EAAoB,IAE/Bq/B,EAAWp/B,EAAuBm/B,GiDnoNvCuK,EAAA3pC,EAAA,KjDuoNK4pC,EAAmB3pC,EAAuB0pC,GiDtoN/CE,EAAA7pC,EAAA,KjD0oNK8pC,EAAgC7pC,EAAuB4pC,GiDvoNtDjxB,GACJ3S,KADe,WAEb,OACE8jC,qBAAsBlW,KAAKwG,OAAOtyB,MAAM3C,OAAO2tB,gBAC/CiX,2BAA4BnW,KAAKwG,OAAOtyB,MAAM3C,OAAO4tB,sBACrDkK,cAAerJ,KAAKwG,OAAOtyB,MAAM3C,OAAO6tB,SACxCgX,qBAAsBpW,KAAKwG,OAAOtyB,MAAM3C,OAAOouB,gBAC/C0W,eAAgBrW,KAAKwG,OAAOtyB,MAAM3C,OAAO8tB,UACzCiX,yBAA0BtW,KAAKwG,OAAOtyB,MAAM3C,OAAO+tB,oBACnDiX,gBAAiBvW,KAAKwG,OAAOtyB,MAAM3C,OAAOquB,UAAUjgB,KAAK,MACzD62B,cAAexW,KAAKwG,OAAOtyB,MAAM3C,OAAOguB,SACxCkX,eAAgBzW,KAAKwG,OAAOtyB,MAAM3C,OAAO+V,UACzCovB,sBAAuB1W,KAAKwG,OAAOtyB,MAAM3C,OAAOkuB,iBAChDkX,kBAAmB3W,KAAKwG,OAAOtyB,MAAM3C,OAAOiuB,aAC5CoX,gCAAiC5W,KAAKwG,OAAOtyB,MAAM3C,OAAOsC,2BAC1D6rB,SAAUM,KAAKwG,OAAOtyB,MAAM3C,OAAOmuB,SACnCmX,qBAEE,EAAAlB,EAAAppC,SAAgCuqC,iBAAiBC,UAAW,iBAE5D,EAAApB,EAAAppC,SAAgCyqC,iBAAiBD,UAAW,iCAE5D,EAAApB,EAAAppC,SAAgCyqC,iBAAiBD,UAAW,iBAGlEvP,YACEyP,wBACAC,qCAEF9Q,UACEtqB,KADQ,WAEN,MAAOkkB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,cAGnC+3B,OACEgK,qBADK,SACiBrjC,GACpBmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,kBAAmBM,WAE/DsjC,2BAJK,SAIuBtjC,GAC1BmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,wBAAyBM,WAErEw2B,cAPK,SAOUx2B,GACbmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,WAAYM,WAExDujC,qBAVK,SAUiBvjC,GACpBmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,kBAAmBM,WAE/DwjC,eAbK,SAaWxjC,GACdmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,YAAaM,WAEzDyjC,yBAhBK,SAgBqBzjC,GACxBmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,sBAAuBM,WAEnE2jC,cAnBK,SAmBU3jC,GACbmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,WAAYM,WAExD4jC,eAtBK,SAsBW5jC,GACdmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,YAAaM,WAEzD6jC,sBAzBK,SAyBkB7jC,GACrBmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,mBAAoBM,WAEhE8jC,kBA5BK,SA4Bc9jC,GACjBmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,eAAgBM,WAE5D0jC,gBA/BK,SA+BY1jC,GACfA,GAAQ,EAAA24B,EAAAj/B,SAAOsG,EAAM7C,MAAM,MAAO,SAAC0yB,GAAD,OAAU,EAAAmT,EAAAtpC,SAAKm2B,GAAM9R,OAAS,IAChEoP,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,YAAaM,WAEzD+jC,gCAnCK,SAmC4B/jC,GAC/BmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,6BAA8BM,WAE1E6sB,SAtCK,SAsCK7sB,GACRmtB,KAAKwG,OAAO5zB,SAAS,aAAeL,KAAM,WAAYM,YjD6oN3D3G,GAAQK,QiDxoNMwY,GjD4oNT,SAAU9Y,EAAQC,EAASC,GAEhC,YA4CA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA1CvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAIib,GAAS3hB,EAAoB,IAE7B4hB,EAAS3hB,EAAuB0hB,GAEhCyd,EAAWp/B,EAAoB,IAE/Bq/B,EAAWp/B,EAAuBm/B,GkD7uNvC4L,EAAAhrC,EAAA,KlDivNKirC,EAAehrC,EAAuB+qC,GkDhvN3CE,EAAAlrC,EAAA,KlDovNKmrC,EAAoBlrC,EAAuBirC,GkDnvNhDE,EAAAprC,EAAA,KlDuvNKqrC,EAAmBprC,EAAuBmrC,GkDtvN/CE,EAAAtrC,EAAA,KlD0vNKurC,EAAkBtrC,EAAuBqrC,GkDzvN9CE,EAAAxrC,EAAA,KlD6vNKyrC,EAAqBxrC,EAAuBurC,GkD5vNjDzI,EAAA/iC,EAAA,IlDgwNKgjC,EAAsB/iC,EAAuB8iC,GkD/vNlDtG,EAAAz8B,EAAA,IlDmwNK08B,EAAez8B,EAAuBw8B,GkDjwN3CwG,EAAAjjC,EAAA,KAEM8/B,GACJ15B,KAAM,SACN42B,OACE,YACA,aACA,iBACA,UACA,YACA,UACA,UACA,eACA,YACA,kBAEF/2B,KAda,WAeX,OACEylC,UAAU,EACVC,UAAU,EACVC,SAAS,EACT1I,cAAc,EACd2I,QAAS,KACTC,aAAa,EACbC,aAAa,EACbC,kBAAmBnY,KAAKwG,OAAOtyB,MAAM3C,OAAOsC,6BAGhDuyB,UACExG,UADQ,WAEN,MAAOI,MAAKwG,OAAOtyB,MAAM3C,OAAOquB,WAElCwY,cAJQ,WAKN,GAAMt8B,GAAOkkB,KAAKqL,UAAUvvB,IAC5B,QAAO,EAAAszB,EAAA9V,gBAAexd,IAExB0zB,UARQ,WASN,GAAM1zB,GAAOkkB,KAAK/f,QAAW+f,KAAKqL,UAAUjb,iBAAiBtU,KAAQkkB,KAAKqL,UAAUvvB,IACpF,QAAO,EAAAszB,EAAA9V,gBAAexd,IAExBu8B,cAZQ,WAaN,GAAMv8B,GAAOkkB,KAAKqL,UAAUvvB,KACtB+jB,EAAYG,KAAKwG,OAAOtyB,MAAM3C,OAAOsuB,SAC3C,QAAO,EAAAuP,EAAA/V,gBAAewG,EAAU/jB,EAAKme,eAEvCwV,UAjBQ,WAkBN,IAAIzP,KAAKsY,UAAT,CACA,GAAMx8B,GAAOkkB,KAAK/f,QAAW+f,KAAKqL,UAAUjb,iBAAiBtU,KAAQkkB,KAAKqL,UAAUvvB,KAC9E+jB,EAAYG,KAAKwG,OAAOtyB,MAAM3C,OAAOsuB,SAC3C,QAAO,EAAAuP,EAAA/V,gBAAewG,EAAU/jB,EAAKme,gBAEvCiF,gBAvBQ,WAwBN,MAAQc,MAAKwG,OAAOtyB,MAAM3C,OAAO2tB,kBAAoBc,KAAKuY,gBACvDvY,KAAKwG,OAAOtyB,MAAM3C,OAAO4tB,uBAAyBa,KAAKuY,gBAE5Dt4B,QA3BQ,WA2BK,QAAS+f,KAAKqL,UAAUjb,kBACrCooB,UA5BQ,WA4BO,MAAOxY,MAAKqL,UAAUvvB,KAAKvJ,MAC1CkmC,cA7BQ,WA6BW,MAAOzY,MAAKqL,UAAUvvB,KAAK48B,WAC9Cn4B,OA9BQ,WA+BN,MAAIyf,MAAK/f,QACA+f,KAAKqL,UAAUjb,iBAEf4P,KAAKqL,WAGhBsN,SArCQ,WAsCN,QAAS3Y,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,aAEnCykC,aAxCQ,WAyCN,GAAM9G,GAAa9R,KAAKzf,OAAOvK,KAAK6iC,cAC9BC,GAAO,EAAAtN,EAAAj/B,SAAOyzB,KAAKJ,UAAW,SAACmZ,GACnC,MAAOjH,GAAWkH,SAASD,EAASF,gBAGtC,OAAOC,IAET36B,MAhDQ,WAgDG,OAAQ6hB,KAAK+X,UAAY/X,KAAKzf,OAAOzE,KAAKqC,OAAS6hB,KAAK4Y,aAAahoB,OAAS,IACzFqoB,UAjDQ,WAmDN,QAAIjZ,KAAKoM,WAEGpM,KAAKuY,gBAIVvY,KAAKzf,OAAOhE,KAAOyjB,KAAKH,WASjCqZ,WAlEQ,WAmEN,GAAMC,GAAcnZ,KAAKzf,OAAO64B,eAAeppC,MAAM,UAAU4gB,OAASoP,KAAKzf,OAAOvK,KAAK4a,OAAS,EAClG,OAAOuoB,GAAc,IAEvBE,QAtEQ,WAuEN,GAAIrZ,KAAKzf,OAAOgS,sBACd,OAAO,CAIT,IAA+B,YAA3ByN,KAAKzf,OAAOE,WAA0B,CACxC,GAAI64B,GAAWtZ,KAAKzf,OAAOvK,IAI3B,OAH4B,QAAxBgqB,KAAKzf,OAAOg5B,UACdD,EAAWA,EAASE,UAAUxZ,KAAKzf,OAAOg5B,QAAQ3oB,OAAQ0oB,EAAS1oB,SAE9D0oB,EAASjlB,WAAW,KAE7B,OAAO,GAETolB,UArFQ,WAsFN,GAAiD,QAA7CzZ,KAAKwG,OAAOtyB,MAAM3C,OAAOouB,gBAC3B,OAAO,CAET,IAAIK,KAAK0Z,gBAAkB1Z,KAAK8X,UAAY9X,KAAKuY,iBAAmBvY,KAAKqZ,QACvE,OAAO,CAET,IAAIrZ,KAAKzf,OAAOzE,KAAKS,KAAOyjB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAYoI,GAC9D,OAAO,CAET,IAAkC,WAA9ByjB,KAAKzf,OAAOo5B,cACd,OAAO,CAGT,KAAK,GADDC,GAA8D,cAA7C5Z,KAAKwG,OAAOtyB,MAAM3C,OAAOouB,gBACrCoM,EAAI,EAAGA,EAAI/L,KAAKzf,OAAO4R,WAAWvB,SAAUmb,EACnD,GAAI/L,KAAKzf,OAAOzE,KAAKS,KAAOyjB,KAAKzf,OAAO4R,WAAW4Z,GAAGxvB,GAAtD,CAGA,GAAIq9B,GAAkB5Z,KAAKzf,OAAO4R,WAAW4Z,GAAGhoB,UAC9C,OAAO,CAET,IAAIic,KAAKzf,OAAO4R,WAAW4Z,GAAGxvB,KAAOyjB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAYoI,GACvE,OAAO,EAGX,MAAOyjB,MAAKzf,OAAO4R,WAAWvB,OAAS,GAEzCipB,kBAhHQ,WAiHN,QAAI7Z,KAAKkZ,aAAelZ,KAAKwG,OAAOtyB,MAAM3C,OAAOsC,+BAGzCmsB,KAAKmY,kBAAoBnY,KAAKzf,OAAOg5B,UAE/CO,eAtHQ,WAuHN,QAAI9Z,KAAKzf,OAAOg5B,UAAWvZ,KAAKwG,OAAOtyB,MAAM3C,OAAOsC,+BAGhDmsB,KAAKkY,aAGFlY,KAAKkZ,aAEda,YA/HQ,WAgIN,MAAO/Z,MAAKkY,aAAgBlY,KAAKzf,OAAOg5B,SAAWvZ,KAAKmY,kBAE1D6B,iBAlIQ,WAmIN,QAAKha,KAAKzf,OAAO4P,QAGb6P,KAAKzf,OAAOg5B,UAAWvZ,KAAKwG,OAAOtyB,MAAM3C,OAAOsC,6BAKtDomC,aA3IQ,WA4IN,MAAIja,MAAKzf,OAAOg5B,UAAYvZ,KAAKzf,OAAOg5B,QAAQ9+B,MAAM,YAC7C,OAAOs4B,OAAO/S,KAAKzf,OAAOg5B,SAE5BvZ,KAAKzf,OAAOg5B,SAErBW,eAjJQ,WAkJN,MAAKla,MAAKwG,OAAOtyB,MAAM3C,OAAO2tB,kBAAoBc,KAAKuY,gBACpDvY,KAAKwG,OAAOtyB,MAAM3C,OAAO4tB,uBAAyBa,KAAKuY,eACjD,OACEvY,KAAKma,QACP,QAEF,WAGX3S,YACE0B,qBACAyD,yBACA4I,wBACAlJ,uBACAgF,yBACA/B,0BACA9F,sBAEFjB,SACE6R,eADO,SACS35B,GACd,OAAQA,GACN,IAAK,UACH,MAAO,WACT,KAAK,WACH,MAAO,oBACT,KAAK,SACH,MAAO,eACT,SACE,MAAO,eAGbupB,YAbO,SAAAlvB,GAagB,GAATmvB,GAASnvB,EAATmvB,MACW,UAAnBA,EAAOC,UACTD,EAASA,EAAOoQ,YAEK,MAAnBpQ,EAAOC,SACTr6B,OAAOs6B,KAAKF,EAAO1G,KAAM,WAG7B+W,eArBO,WAsBLta,KAAK6X,UAAY7X,KAAK6X,UAExB0C,aAxBO,SAwBOh+B,GAERyjB,KAAKuY,gBACPvY,KAAKuO,MAAM,OAAQhyB,IAGvBi+B,eA9BO,WA+BLxa,KAAKuO,MAAM,mBAEbkM,WAjCO,WAkCLza,KAAK+X,SAAW/X,KAAK+X,SAEvBxI,mBApCO,WAqCLvP,KAAKqP,cAAgBrP,KAAKqP,cAE5BqL,eAvCO,WAwCD1a,KAAKkY,YACPlY,KAAKkY,aAAc,EACVlY,KAAKmY,iBACdnY,KAAKmY,kBAAmB,EACfnY,KAAK8Z,eACd9Z,KAAKkY,aAAc,EACVlY,KAAK6Z,oBACd7Z,KAAKmY,kBAAmB,IAG5BwC,WAlDO,SAkDKp+B,EAAIq+B,GAAO,GAAAvQ,GAAArK,IACrBA,MAAKiY,aAAc,CACnB,IAAM4C,GAAWt3B,OAAOhH,GAClBtL,EAAW+uB,KAAKwG,OAAOtyB,MAAMjD,SAASse,WAEvCyQ,MAAKgY,QASChY,KAAKgY,QAAQz7B,KAAOs+B,IAC7B7a,KAAKgY,SAAU,EAAAjqB,EAAAxhB,SAAK0E,GAAYsL,GAAMs+B,MARtC7a,KAAKgY,SAAU,EAAAjqB,EAAAxhB,SAAK0E,GAAYsL,GAAMs+B,IAEjC7a,KAAKgY,SACRhY,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBpf,aAAavB,OAAKtK,KAAK,SAACsO,GAC9D8pB,EAAK2N,QAAUz3B,MAOvBu6B,WApEO,WAqEL9a,KAAKiY,aAAc,IAGvB/L,OACErM,UAAa,SAAUtjB,GAErB,GADAA,EAAKgH,OAAOhH,GACRyjB,KAAKzf,OAAOhE,KAAOA,EAAI,CACzB,GAAIw+B,GAAO/a,KAAKgO,IAAIgN,uBAChBD,GAAKE,IAAM,IACbprC,OAAOqrC,SAAS,EAAGH,EAAKE,IAAM,KACrBF,EAAKI,OAAStrC,OAAOurC,YAAc,IAC5CvrC,OAAOqrC,SAAS,EAAGH,EAAKI,OAAStrC,OAAOurC,YAAc,OlDiwN/DlvC,GAAQK,QkD1vNM0/B,GlD8vNT,SAAUhgC,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GmDliOV,IAAA44B,GAAAt/B,EAAA,InDuiOKu/B,EAAWt/B,EAAuBq/B,GmDtiOvCR,EAAA9+B,EAAA,KnD0iOK++B,EAAiB9+B,EAAuB6+B,GmDxiOvCoQ,GACJlS,OAAQ,aACR/2B,KAF2B,WAGzB,OACE0lC,UAAU,IAGdtQ,YACEyE,iBACAb,wBAEF7C,SACEiS,eADO,WAELxa,KAAK8X,UAAY9X,KAAK8X,WnDkjO3B5rC,GAAQK,QmD7iOM8uC,GnDijOT,SAAUpvC,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GoD3kOV,IAAM22B,IACJL,OACE,MACA,iBACA,YAEF/2B,KANiB,WAOf,OACEstB,SAAUM,KAAKwG,OAAOtyB,MAAM3C,OAAOmuB,WAGvC0G,UACEwG,SADQ,WAEN,MAAO5M,MAAKN,WAA+B,cAAlBM,KAAK5L,UAA4B4L,KAAKuK,IAAI+Q,SAAS,WAGhF/S,SACEgT,OADO,WAEL,GAAMC,GAASxb,KAAKwR,MAAMgK,MACrBA,IACLA,EAAOC,WAAW,MAAMC,UAAU1b,KAAKwR,MAAMjH,IAAK,EAAG,EAAGiR,EAAOG,MAAOH,EAAOrH,UpD+kOlFjoC,GAAQK,QoD1kOMi9B,GpD8kOT,SAAUv9B,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAI+oC,GAAazvC,EAAoB,KAEjC0vC,EAAczvC,EAAuBwvC,GqDjnO1CriB,EAAAptB,EAAA,GrDunOCD,GAAQK,SqDpnOP6F,KADa,WAEX,OACE0pC,mBACAxJ,SAAUtS,KAAKwG,OAAOtyB,MAAM3C,OAAO2B,MACnC6oC,sBAAsB,EACtBC,aAAc,GACdC,cAAe,GACfC,eAAgB,GAChBC,eAAgB,GAChBC,cAAe,GACfC,eAAgB,GAChBC,gBAAiB,GACjBC,iBAAkB,GAClBC,eAAgB,GAChBC,iBAAkB,GAClBC,iBAAkB,GAClBC,kBAAmB,GACnBC,qBAAsB,GACtBC,sBAAuB,GACvBC,mBAAoB,KAGxB7U,QAvBa,WAwBX,GAAMqG,GAAOtO,IAEbnwB,QAAOmC,MAAM,uBACVC,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACwzB,GACL6I,EAAKwN,gBAAkBrW,KAG7BsI,QAhCa,WAiCX/N,KAAK+c,oBAAoB/c,KAAKwG,OAAOtyB,MAAM3C,OAAO0tB,OAAQe,KAAKwG,OAAOtyB,MAAM3C,OAAOszB,QAErF0D,SACEyU,mBADO,WAEL,GAAMC,IAAc,EAAApB,EAAAtvC,UAElB2wC,uBAAwB,EACxBje,OAAQe,KAAKwG,OAAOtyB,MAAM3C,OAAO0tB,OACjC4F,MAAO7E,KAAKwG,OAAOtyB,MAAM3C,OAAOszB,OAC/B,KAAM,GAGH7I,EAAIoE,SAASwD,cAAc,IACjC5H,GAAE6H,aAAa,WAAY,sBAC3B7H,EAAE6H,aAAa,OAAQ,gCAAkCh0B,OAAOyK,KAAK2iC,IACrEjhB,EAAEyH,MAAMC,QAAU,OAElBtD,SAAS9kB,KAAKwoB,YAAY9H,GAC1BA,EAAEmhB,QACF/c,SAAS9kB,KAAK+oB,YAAYrI,IAG5BohB,YApBO,WAoBQ,GAAA/S,GAAArK,IACbA,MAAK+b,sBAAuB,CAC5B,IAAMsB,GAAajd,SAASwD,cAAc,QAC1CyZ,GAAWxZ,aAAa,OAAQ,QAChCwZ,EAAWxZ,aAAa,SAAU;AAElCwZ,EAAW9Y,iBAAiB,SAAU,SAAAqW,GACpC,GAAIA,EAAM3Q,OAAOkE,MAAM,GAAI,CAEzB,GAAMmP,GAAS,GAAIC,WACnBD,GAAOhT,OAAS,SAAAxvB,GAAc,GAAZmvB,GAAYnvB,EAAZmvB,MAChB,KACE,GAAMuT,GAASC,KAAKC,MAAMzT,EAAO7mB,OACK,KAAlCo6B,EAAON,uBACT7S,EAAK0S,oBAAoBS,EAAOve,OAAQue,EAAO3Y,OAG/CwF,EAAK0R,sBAAuB,EAE9B,MAAO/f,GAEPqO,EAAK0R,sBAAuB,IAGhCuB,EAAOK,WAAW/C,EAAM3Q,OAAOkE,MAAM,OAIzC/N,SAAS9kB,KAAKwoB,YAAYuZ,GAC1BA,EAAWF,QACX/c,SAAS9kB,KAAK+oB,YAAYgZ,IAG5BO,eArDO,YAsDA5d,KAAKgc,eAAiBhc,KAAKic,gBAAkBjc,KAAKmc,cAIvD,IAAM74B,GAAM,SAACH,GACX,GAAMC,GAAS,4CAA4CC,KAAKF,EAChE,OAAOC,IACLT,EAAG7P,SAASsQ,EAAO,GAAI,IACvBR,EAAG9P,SAASsQ,EAAO,GAAI,IACvBP,EAAG/P,SAASsQ,EAAO,GAAI,KACrB,MAEAsiB,EAAQpiB,EAAI0c,KAAKgc,cACjB6B,EAASv6B,EAAI0c,KAAKic,eAClBrW,EAAUtiB,EAAI0c,KAAKkc,gBACnBrW,EAAUviB,EAAI0c,KAAKmc,gBAEnB2B,EAASx6B,EAAI0c,KAAKoc,eAClB2B,EAAUz6B,EAAI0c,KAAKqc,gBACnB2B,EAAW16B,EAAI0c,KAAKsc,iBACpB2B,EAAY36B,EAAI0c,KAAKuc,iBAEvB7W,IAASmY,GAAUhY,GACrB7F,KAAKwG,OAAO5zB,SAAS,aACnBL,KAAM,cACNM,OACEmyB,GAAI6Y,EACJjZ,GAAIc,EACJ1vB,KAAM4vB,EACN7N,KAAM8N,EACNzf,KAAM03B,EACN33B,MAAO43B,EACPz3B,OAAQ03B,EACR33B,QAAS43B,EACT13B,UAAWyZ,KAAKwc,eAChBh2B,YAAawZ,KAAKyc,iBAClBh2B,YAAauZ,KAAK0c,iBAClBh2B,aAAcsZ,KAAK2c,kBACnBh2B,gBAAiBqZ,KAAK4c,qBACtBh2B,cAAeoZ,KAAK8c,mBACpBj2B,iBAAkBmZ,KAAK6c,0BAK/BE,oBAnGO,SAmGc9d,EAAQ4F,GAC3B7E,KAAKgc,cAAe,EAAAziB,EAAAnX,YAAW6c,EAAO2F,IACtC5E,KAAKic,eAAgB,EAAA1iB,EAAAnX,YAAW6c,EAAOgG,KACvCjF,KAAKkc,gBAAiB,EAAA3iB,EAAAnX,YAAW6c,EAAO+F,IACxChF,KAAKmc,gBAAiB,EAAA5iB,EAAAnX,YAAW6c,EAAOlH,MAExCiI,KAAKoc,eAAgB,EAAA7iB,EAAAnX,YAAW6c,EAAO7Y,MACvC4Z,KAAKqc,gBAAiB,EAAA9iB,EAAAnX,YAAW6c,EAAO9Y,OACxC6Z,KAAKsc,iBAAkB,EAAA/iB,EAAAnX,YAAW6c,EAAO3Y,QACzC0Z,KAAKuc,kBAAmB,EAAAhjB,EAAAnX,YAAW6c,EAAO5Y,SAE1C2Z,KAAKwc,eAAiB3X,EAAMte,WAAa,EACzCyZ,KAAKyc,iBAAmB5X,EAAMre,aAAe,EAC7CwZ,KAAK0c,iBAAmB7X,EAAMpe,aAAe,GAC7CuZ,KAAK2c,kBAAoB9X,EAAMne,cAAgB,EAC/CsZ,KAAK4c,qBAAuB/X,EAAMle,iBAAmB,GACrDqZ,KAAK8c,mBAAqBjY,EAAMje,eAAiB,EACjDoZ,KAAK6c,sBAAwBhY,EAAMhe,kBAAoB,IAG3DqlB,OACEoG,SADK,WAEHtS,KAAKgc,aAAehc,KAAKsS,SAAS,GAClCtS,KAAKic,cAAgBjc,KAAKsS,SAAS,GACnCtS,KAAKkc,eAAiBlc,KAAKsS,SAAS,GACpCtS,KAAKmc,eAAiBnc,KAAKsS,SAAS,GACpCtS,KAAKoc,cAAgBpc,KAAKsS,SAAS,GACnCtS,KAAKsc,gBAAkBtc,KAAKsS,SAAS,GACrCtS,KAAKqc,eAAiBrc,KAAKsS,SAAS,GACpCtS,KAAKuc,iBAAmBvc,KAAKsS,SAAS,OrDsnOtC,SAAUrmC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GsDhyOV,IAAAw6B,GAAAlhC,EAAA,ItDqyOKmhC,EAAalhC,EAAuBihC,GsDnyOnC74B,GACJyzB,QADkB,WAEhBjI,KAAKwG,OAAOzQ,OAAO,iBAAmBvX,SAAU,QAChDwhB,KAAKwG,OAAO5zB,SAAS,iBAAmBoM,IAAOghB,KAAKhhB,OAEtDwoB,YACE+F,oBAEFnH,UACEpnB,IADQ,WACC,MAAOghB,MAAKsL,OAAOvwB,OAAOiE,KACnCR,SAFQ,WAEM,MAAOwhB,MAAKwG,OAAOtyB,MAAMjD,SAAS8e,UAAU/Q,MAE5DktB,OACEltB,IADK,WAEHghB,KAAKwG,OAAOzQ,OAAO,iBAAmBvX,SAAU,QAChDwhB,KAAKwG,OAAO5zB,SAAS,iBAAmBoM,IAAOghB,KAAKhhB,QAGxDi2B,UAlBkB,WAmBhBjV,KAAKwG,OAAO5zB,SAAS,eAAgB,QtDgzOxC1G,GAAQK,QsD5yOMiI,GtDgzOT,SAAUvI,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GuD90OV,IAAA44B,GAAAt/B,EAAA,IvDm1OKu/B,EAAWt/B,EAAuBq/B,GuDl1OvC9U,EAAAxqB,EAAA,KvDs1OKyqB,EAA4BxqB,EAAuBuqB,GuDr1OxDunB,EAAA/xC,EAAA,KvDy1OKgyC,EAA2B/xC,EAAuB8xC,GuDx1OvDjR,EAAA9gC,EAAA,KvD41OK+gC,EAAc9gC,EAAuB6gC,GuD11OpCM,GACJpE,OACE,WACA,eACA,QACA,SACA,OAEF/2B,KARe,WASb,OACEgsC,QAAQ,EACRC,WAAW,IAGfjY,UACEkY,cADQ,WACW,MAAOte,MAAKwG,OAAOtyB,MAAMjD,SAASwF,OACrD2N,UAFQ,WAGN,MAAO4b,MAAKxhB,SAAS4F,WAEvBjF,QALQ,WAMN,MAAO6gB,MAAKxhB,SAASW,SAEvBkQ,QARQ,WASN,MAAO2Q,MAAKxhB,SAAS6Q,SAEvBJ,eAXQ,WAYN,MAAO+Q,MAAKxhB,SAASyQ,gBAEvBsvB,kBAdQ,WAeN,MAAkC,KAA9Bve,KAAKxhB,SAAS8Q,YACT,GAEP,KAAY0Q,KAAK/Q,eAAjB,MAINuY,YACEyE,iBACAuS,+BACArR,oBAEFlF,QAzCe,WA0Cb,GAAMn3B,GAAQkvB,KAAKwG,OACbrsB,EAAcrJ,EAAMoD,MAAM/C,MAAMgD,YAAYgG,YAC5CqX,EAA2D,IAAzCwO,KAAKxhB,SAASuQ,gBAAgB6B,MAEtD/gB,QAAO00B,iBAAiB,SAAUvE,KAAKye,YAEvCrlB,UAAgBlC,gBACdpmB,QACAqJ,cACAqE,SAAUwhB,KAAK0e,aACfltB,kBACA1S,OAAQkhB,KAAKlhB,OACbE,IAAKghB,KAAKhhB,MAIc,SAAtBghB,KAAK0e,eACP1e,KAAK5iB,eACL4iB,KAAK1iB,mBAGTywB,QA/De,WAgEkB,mBAApB3N,UAASsJ,SAClBtJ,SAASmE,iBAAiB,mBAAoBvE,KAAK2e,wBAAwB,GAC3E3e,KAAKqe,UAAYje,SAASsJ,SAG9BuL,UArEe,WAsEbplC,OAAO+uC,oBAAoB,SAAU5e,KAAKye,YACX,mBAApBre,UAASsJ,QAAwBtJ,SAASwe,oBAAoB,mBAAoB5e,KAAK2e,wBAAwB,GAC1H3e,KAAKwG,OAAOzQ,OAAO,cAAgBvX,SAAUwhB,KAAK0e,aAAc7rC,OAAO,KAEzE01B,SACE7T,gBADO,WAE6B,IAA9BsL,KAAKxhB,SAAS8Q,aAChB0Q,KAAKwG,OAAOzQ,OAAO,iBAAmBvX,SAAUwhB,KAAK0e,eACrD1e,KAAKwG,OAAOzQ,OAAO,cAAgBvX,SAAUwhB,KAAK0e,aAAcniC,GAAI,IACpEyjB,KAAK6e,uBAEL7e,KAAKwG,OAAOzQ,OAAO,mBAAqBvX,SAAUwhB,KAAK0e,eACvD1e,KAAKoe,QAAS,IAGlBS,mBAXO,WAWe,GAAAxU,GAAArK,KACdlvB,EAAQkvB,KAAKwG,OACbrsB,EAAcrJ,EAAMoD,MAAM/C,MAAMgD,YAAYgG,WAClDrJ,GAAMilB,OAAO,cAAgBvX,SAAUwhB,KAAK0e,aAAc7rC,OAAO,IACjEumB,UAAgBlC,gBACdpmB,QACAqJ,cACAqE,SAAUwhB,KAAK0e,aACf5sB,OAAO,EACPN,iBAAiB,EACjB1S,OAAQkhB,KAAKlhB,OACbE,IAAKghB,KAAKhhB,MACT/M,KAAK,iBAAMnB,GAAMilB,OAAO,cAAgBvX,SAAU6rB,EAAKqU,aAAc7rC,OAAO,OAEjFyK,eAzBO,WAyBW,GAAA22B,GAAAjU,KACVzjB,EAAKyjB,KAAKlhB,MAChBkhB,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkB5f,gBAAiBf,OACtDtK,KAAK,SAACmS,GAAD,MAAe6vB,GAAKzN,OAAO5zB,SAAS,gBAAkBwR,iBAEhEhH,aA9BO,WA8BS,GAAA0hC,GAAA9e,KACRzjB,EAAKyjB,KAAKlhB,MAChBkhB,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkB9f,cAAeb,OACpDtK,KAAK,SAACkN,GAAD,MAAa2/B,GAAKtY,OAAO5zB,SAAS,cAAgBuM,eAE5Ds/B,WAnCO,SAmCKziB,GACV,GAAM+iB,GAAY3e,SAAS9kB,KAAK0/B,wBAC1B7G,EAASpxB,KAAKyQ,IAAIurB,EAAU5K,QAAU4K,EAAUppC,EAClDqqB,MAAKxhB,SAAS4Q,WAAY,GAC1B4Q,KAAKwG,OAAOtyB,MAAM3C,OAAOguB,UACzBS,KAAKgO,IAAIgR,aAAe,GACvBnvC,OAAOurC,YAAcvrC,OAAOovC,aAAiB9K,EAAS,KACzDnU,KAAK6e,sBAGTF,uBA7CO,WA8CL3e,KAAKqe,UAAYje,SAASsJ,SAG9BwC,OACEjd,eADK,SACWihB,GACTlQ,KAAKwG,OAAOtyB,MAAM3C,OAAO+V,WAG1B4oB,EAAQ,MAENrgC,OAAOovC,YAAc,KACpBjf,KAAKoe,QACJpe,KAAKqe,WAAare,KAAKwG,OAAOtyB,MAAM3C,OAAOkuB,iBAI/CO,KAAKoe,QAAS,EAFdpe,KAAKtL,qBvDu2OdxoB,GAAQK,QuD91OMghC,GvDk2OT,SAAUthC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GwD3/OV,IAAAq8B,GAAA/iC,EAAA,IxDggPKgjC,EAAsB/iC,EAAuB8iC,GwD9/O5C/B,GACJhE,OACE,OACA,cACA,gBAEF/2B,KANe,WAOb,OACEi9B,cAAc,IAGlB7H,YACE8H,2BAEF/G,SACEgH,mBADO,WAELvP,KAAKqP,cAAgBrP,KAAKqP,cAE5BvyB,YAJO,WAKLkjB,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBpgB,YAAYkjB,KAAKlkB,KAAKS,IAC9DyjB,KAAKwG,OAAO5zB,SAAS,sBAAuBotB,KAAKlkB,OAEnDkB,SARO,WASLgjB,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBlgB,SAASgjB,KAAKlkB,KAAKS,IAC3DyjB,KAAKwG,OAAO5zB,SAAS,sBAAuBotB,KAAKlkB,QxDogPtD5P,GAAQK,QwD//OM4gC,GxDmgPT,SAAUlhC,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GyDviPV,IAAA+1B,GAAAz8B,EAAA,IzD4iPK08B,EAAez8B,EAAuBw8B,GyD3iP3CrP,EAAAptB,EAAA,GzDijPCD,GAAQK,SyD9iPP48B,OAAS,OAAQ,WAAY,WAAY,WACzC/C,UACE8Y,aADQ,WAEN,GAAMzlB,GAAQuG,KAAKwG,OAAOtyB,MAAM3C,OAAO0tB,OAAO2F,EAC9C,IAAInL,EAAO,CACT,GAAMnW,IAAM,EAAAiW,EAAAlX,SAAQoX,GACdG,UAAoB7W,KAAK4W,MAAMrW,EAAIX,GAAnC,KAA0CI,KAAK4W,MAAMrW,EAAIV,GAAzD,KAAgEG,KAAK4W,MAAMrW,EAAIT,GAA/E,OACN,QACEmX,uBAAwBjX,KAAK4W,MAAc,IAARrW,EAAIX,GAAvC,KAAqDI,KAAK4W,MAAc,IAARrW,EAAIV,GAApE,KAAkFG,KAAK4W,MAAc,IAARrW,EAAIT,GAAjG,IACAiX,iBAAiB,8BACeF,EADf,KAC6BA,EAD7B,WAERoG,KAAKlkB,KAAKqjC,YAFF,KAGfx/B,KAAK,SAIby/B,YAfQ,WAgBN,MAAOpf,MAAKlkB,KAAKS,KAAOyjB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAYoI,IAE9D8iC,aAlBQ,WAoBN,GAAMC,GAAY,GAAIC,KAAIvf,KAAKlkB,KAAK0jC,sBACpC,OAAUF,GAAUG,SAApB,KAAiCH,EAAUI,KAA3C,iBAEF/G,SAvBQ,WAwBN,MAAO3Y,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,aAEjCwrC,SA1BQ,WA2BN,GAAMC,GAAO78B,KAAKC,MAAM,GAAI68B,MAAS,GAAIA,MAAK7f,KAAKlkB,KAAKgkC,aAAjC,MACvB,OAAO/8B,MAAKg9B,MAAM/f,KAAKlkB,KAAKkkC,eAAiBJ,IAE/CK,mBACErjB,IADiB,WAEf,GAAMxqB,GAAO4tB,KAAKwG,OAAOtyB,MAAM3C,OAAOsuB,UAAUG,KAAKlkB,KAAKme,YAC1D,OAAO7nB,IAAQA,EAAK8gB,MAAQ,YAE9ByC,IALiB,SAKZzC,GACH,GAAM9gB,GAAO4tB,KAAKwG,OAAOtyB,MAAM3C,OAAOsuB,UAAUG,KAAKlkB,KAAKme,YAC7C,cAAT/G,EACF8M,KAAKwG,OAAO5zB,SAAS,gBAAkBkJ,KAAMkkB,KAAKlkB,KAAKme,YAAaR,MAAOrnB,GAAQA,EAAKqnB,OAAS,UAAWvG,SAE5G8M,KAAKwG,OAAO5zB,SAAS,gBAAkBkJ,KAAMkkB,KAAKlkB,KAAKme,YAAaR,MAAOrb,WAIjF8hC,oBACEtjB,IADkB,WAEhB,GAAMxqB,GAAO4tB,KAAKwG,OAAOtyB,MAAM3C,OAAOsuB,UAAUG,KAAKlkB,KAAKme,YAC1D,OAAO7nB,IAAQA,EAAKqnB,OAEtB9D,IALkB,SAKb8D,GACHuG,KAAKwG,OAAO5zB,SAAS,gBAAkBkJ,KAAMkkB,KAAKlkB,KAAKme,YAAaR,aAI1E+N,YACEgC,sBAEFjB,SACElsB,WADO,WAEL,GAAMvL,GAAQkvB,KAAKwG,MACnB11B,GAAMoD,MAAM7C,IAAI6rB,kBAAkB7gB,WAAW2jB,KAAKlkB,KAAKS,IACpDtK,KAAK,SAACkuC,GAAD,MAAkBrvC,GAAMilB,OAAO,eAAgBoqB,OAEzD3jC,aANO,WAOL,GAAM1L,GAAQkvB,KAAKwG,MACnB11B,GAAMoD,MAAM7C,IAAI6rB,kBAAkB1gB,aAAawjB,KAAKlkB,KAAKS,IACtDtK,KAAK,SAACmuC,GAAD,MAAoBtvC,GAAMilB,OAAO,eAAgBqqB,OAE3D1jC,UAXO,WAYL,GAAM5L,GAAQkvB,KAAKwG,MACnB11B,GAAMoD,MAAM7C,IAAI6rB,kBAAkBxgB,UAAUsjB,KAAKlkB,KAAKS,IACnDtK,KAAK,SAACouC,GAAD,MAAiBvvC,GAAMilB,OAAO,eAAgBsqB,OAExDzjC,YAhBO,WAiBL,GAAM9L,GAAQkvB,KAAKwG,MACnB11B,GAAMoD,MAAM7C,IAAI6rB,kBAAkBtgB,YAAYojB,KAAKlkB,KAAKS,IACrDtK,KAAK,SAACquC,GAAD,MAAmBxvC,GAAMilB,OAAO,eAAgBuqB,OAE1D7F,WArBO,WAsBL,GAAM3pC,GAAQkvB,KAAKwG,MACnB11B,GAAMilB,OAAO,YAAaja,KAAMkkB,KAAKlkB,KAAMqC,OAAQ6hB,KAAKlkB,KAAKqC,QAC7DrN,EAAMoD,MAAM7C,IAAI6rB,kBAAkBlf,YAAYgiB,KAAKlkB,OAErDwZ,eA1BO,SA0BSC,GACd,GAAIyK,KAAKugB,SAAU,CACjB,GAAMzvC,GAAQkvB,KAAKwG,MACnB11B,GAAMilB,OAAO,kBAAoBR,WzDwjPnC,SAAUtpB,EAAQC,GAEvB,YAEA+K,QAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G0DxpPV,IAAM+0B,IACJx1B,KAAM,kBACJ2J,SAAUqC,OACVsrB,QAAQ,EACRjzB,OAAO,EACP2Y,SAAS,IAEXmZ,SACEiY,SADO,SACGzkC,GAAU,GAAAsuB,GAAArK,IAClBjkB,GAA2B,MAAhBA,EAAS,GAAaA,EAASmH,MAAM,GAAKnH,EACrDikB,KAAK5Q,SAAU,EACf4Q,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBhhB,gBAAgBH,GACrD9J,KAAK,SAAC6J,GACLuuB,EAAKjb,SAAU,EACfib,EAAKX,QAAS,EACT5tB,EAAKrF,MAIR4zB,EAAK5zB,OAAQ,GAHb4zB,EAAK7D,OAAOzQ,OAAO,eAAgBja,IACnCuuB,EAAK8K,QAAQ31B,MAAMjN,KAAM,eAAgBwI,QAASwB,GAAIT,EAAKS,UAMnE6tB,aAhBO,WAiBLpK,KAAK0J,QAAU1J,KAAK0J,QAEtB+W,aAnBO,WAoBLzgB,KAAKvpB,OAAQ,I1DkqPlBvK,GAAQK,Q0D7pPMq7B,G1DiqPT,SAAU37B,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G2DtsPV,IAAA6tC,GAAAv0C,EAAA,K3D2sPKw0C,EAAev0C,EAAuBs0C,G2D1sP3C/I,EAAAxrC,EAAA,K3D8sPKyrC,EAAqBxrC,EAAuBurC,G2D7sPjDzI,EAAA/iC,EAAA,I3DitPKgjC,EAAsB/iC,EAAuB8iC,G2D/sP5CzH,GACJrB,UACEtqB,KADQ,WACE,MAAOkkB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,cAE3CqzB,YACEiG,oBACA4D,yBACA/B,2B3DytPHpjC,GAAQK,Q2DrtPMk7B,G3DytPT,SAAUx7B,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G4D7uPV,IAAAq8B,GAAA/iC,EAAA,I5DkvPKgjC,EAAsB/iC,EAAuB8iC,G4DjvPlD7B,EAAAlhC,EAAA,I5DqvPKmhC,EAAalhC,EAAuBihC,G4DnvPnCz4B,GACJqzB,QADkB,WAEhBjI,KAAKwG,OAAOzQ,OAAO,iBAAmBvX,SAAU,SAChDwhB,KAAKwG,OAAO5zB,SAAS,iBAAkB,OAAQotB,KAAKlhB,SAC/CkhB,KAAKwG,OAAOtyB,MAAM/C,MAAMsqB,YAAYuE,KAAKlhB,SAC5CkhB,KAAKwG,OAAO5zB,SAAS,YAAaotB,KAAKlhB,SAG3Cm2B,UARkB,WAShBjV,KAAKwG,OAAO5zB,SAAS,eAAgB,SAEvCwzB,UACE5nB,SADQ,WACM,MAAOwhB,MAAKwG,OAAOtyB,MAAMjD,SAAS8e,UAAUjU,MAC1DgD,OAFQ,WAGN,MAAOkhB,MAAKsL,OAAOvwB,OAAOwB,IAE5BT,KALQ,WAMN,MAAIkkB,MAAKxhB,SAASvN,SAAS,GAClB+uB,KAAKxhB,SAASvN,SAAS,GAAG6K,KAE1BkkB,KAAKwG,OAAOtyB,MAAM/C,MAAMsqB,YAAYuE,KAAKlhB,UAAW,IAIjEotB,OACEptB,OADK,WAEHkhB,KAAKwG,OAAOzQ,OAAO,iBAAmBvX,SAAU,SAChDwhB,KAAKwG,OAAO5zB,SAAS,iBAAkB,OAAQotB,KAAKlhB,WAGxD0oB,YACE8H,0BACA/B,oB5D8vPHrhC,GAAQK,Q4D1vPMqI,G5D8vPT,SAAU3I,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4K,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,GAGT,IAAI+oC,GAAazvC,EAAoB,KAEjC0vC,EAAczvC,EAAuBwvC,G6D/yP1C9F,EAAA3pC,EAAA,K7DmzPK4pC,EAAmB3pC,EAAuB0pC,G6DjzPzC7gC,GACJ7C,KADmB,WAEjB,OACEwuC,QAAS5gB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAY5B,KAC7CsuC,OAAQ7gB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAY2sC,YAC5CC,UAAW/gB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAY6sC,OAC/CC,gBAAiBjhB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAYg+B,cACrD+O,WAAY,KACZC,mBAAmB,EACnBC,iBAAiB,EACjBC,qBAAqB,EACrBhT,YAAa,GAAO,GAAO,GAAO,GAClCiT,UAAY,KAAM,KAAM,MACxBC,iBAAiB,EACjBC,kCAAmC,GACnCC,oBAAoB,EACpBC,sBAAwB,GAAI,GAAI,IAChCC,iBAAiB,EACjBC,qBAAqB,EACrBC,UAAW,YAGfra,YACEyP,yBAEF7Q,UACEtqB,KADQ,WAEN,MAAOkkB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,aAEjC2tC,eAJQ,WAKN,MAAO9hB,MAAKwG,OAAOtyB,MAAM3C,OAAOuwC,gBAElCluC,oBAPQ,WAQN,MAAOosB,MAAKwG,OAAOtyB,MAAM3C,OAAOqC,qBAElCy+B,IAVQ,WAWN,OACEnzB,QAAUozB,SAAmC,WAAzBtS,KAAKihB,iBACzBv3B,UAAY4oB,SAAmC,aAAzBtS,KAAKihB,iBAC3Bt3B,SAAW2oB,SAAmC,YAAzBtS,KAAKihB,iBAC1Br3B,QAAU0oB,SAAmC,WAAzBtS,KAAKihB,oBAI/B1Y,SACE5sB,cADO,WACU,GAAA0uB,GAAArK,KACTztB,EAAOytB,KAAK4gB,QACZE,EAAc9gB,KAAK6gB,OACnBG,EAAShhB,KAAK+gB,UAEd5O,EAAgBnS,KAAKihB,eAC3BjhB,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBvhB,eAAeZ,QAASxI,OAAMuuC,cAAaE,SAAQ7O,mBAAiBlgC,KAAK,SAAC6J,GAC3GA,EAAKrF,QACR4zB,EAAK7D,OAAOzQ,OAAO,eAAgBja,IACnCuuB,EAAK7D,OAAOzQ,OAAO,iBAAkBja,OAK3Ck5B,UAfO,SAeIv0B,GACTuf,KAAKihB,gBAAkBxgC,GAEzB2tB,WAlBO,SAkBK2T,EAAM/lB,GAAG,GAAAiY,GAAAjU,KACbkO,EAAOlS,EAAEiO,OAAOkE,MAAM,EAC5B,IAAKD,EAAL,CAEA,GAAMoP,GAAS,GAAIC,WACnBD,GAAOhT,OAAS,SAAAxvB,GAAc,GAAZmvB,GAAYnvB,EAAZmvB,OACVV,EAAMU,EAAO7mB,MACnB6wB,GAAKqN,SAASS,GAAQxY,EACtB0K,EAAK+N,gBAEP1E,EAAO2E,cAAc/T,KAEvBgU,aA9BO,WA8BS,GAAApD,GAAA9e,IACd,IAAKA,KAAKshB,SAAS,GAAnB,CAEA,GAAI/X,GAAMvJ,KAAKshB,SAAS,GAEpBa,EAAU,GAAIC,OACdC,SAAOC,SAAOC,SAAOC,QACzBL,GAAQ5X,IAAMhB,EACV4Y,EAAQhO,OAASgO,EAAQxG,OAC3B0G,EAAQ,EACRE,EAAQJ,EAAQxG,MAChB2G,EAAQv/B,KAAK4W,OAAOwoB,EAAQhO,OAASgO,EAAQxG,OAAS,GACtD6G,EAAQL,EAAQxG,QAEhB2G,EAAQ,EACRE,EAAQL,EAAQhO,OAChBkO,EAAQt/B,KAAK4W,OAAOwoB,EAAQxG,MAAQwG,EAAQhO,QAAU,GACtDoO,EAAQJ,EAAQhO,QAElBnU,KAAKqO,UAAU,IAAK,EACpBrO,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBriB,cAAcE,QAASwuB,MAAK8Y,QAAOC,QAAOC,QAAOC,WAASvwC,KAAK,SAAC6J,GACjGA,EAAKrF,QACRqoC,EAAKtY,OAAOzQ,OAAO,eAAgBja,IACnCgjC,EAAKtY,OAAOzQ,OAAO,iBAAkBja,GACrCgjC,EAAKwC,SAAS,GAAK,MAErBxC,EAAKzQ,UAAU,IAAK,MAGxBoU,aA3DO,WA2DS,GAAAC,GAAA1iB,IACd,IAAKA,KAAKshB,SAAS,GAAnB,CAEA,GAAIqB,GAAS3iB,KAAKshB,SAAS,GAEvBa,EAAU,GAAIC,OAEdQ,SAAYC,SAAalH,SAAOxH,QACpCgO,GAAQ5X,IAAMoY,EACdhH,EAAQwG,EAAQxG,MAChBxH,EAASgO,EAAQhO,OACjByO,EAAa,EACbC,EAAc,EACd7iB,KAAKqO,UAAU,IAAK,EACpBrO,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBzhB,cAAcV,QAAS4nC,SAAQC,aAAYC,cAAalH,QAAOxH,YAAUliC,KAAK,SAACG,GACrH,IAAKA,EAAKqE,MAAO,CACf,GAAIqsC,GAAQrF,KAAKC,OAAM,EAAA7B,EAAAtvC,SAAem2C,EAAKlc,OAAOtyB,MAAM/C,MAAMgD,aAC9D2uC,GAAM3D,YAAc/sC,EAAK2H,IACzB2oC,EAAKlc,OAAOzQ,OAAO,eAAgB+sB,IACnCJ,EAAKlc,OAAOzQ,OAAO,iBAAkB+sB,GACrCJ,EAAKpB,SAAS,GAAK,KAErBoB,EAAKrU,UAAU,IAAK,MAIxB0U,SArFO,WAqFK,GAAAC,GAAAhjB,IACV,IAAKA,KAAKshB,SAAS,GAAnB,CACA,GAAI/X,GAAMvJ,KAAKshB,SAAS,GAEpBa,EAAU,GAAIC,OACdC,SAAOC,SAAOC,SAAOC,QACzBL,GAAQ5X,IAAMhB,EACd8Y,EAAQ,EACRC,EAAQ,EACRC,EAAQJ,EAAQxG,MAChB6G,EAAQL,EAAQxG,MAChB3b,KAAKqO,UAAU,IAAK,EACpBrO,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkB3hB,UAAUR,QAASwuB,MAAK8Y,QAAOC,QAAOC,QAAOC,WAASvwC,KAAK,SAACG,GAClG,IAAKA,EAAKqE,MAAO,CACf,GAAIqsC,GAAQrF,KAAKC,OAAM,EAAA7B,EAAAtvC,SAAey2C,EAAKxc,OAAOtyB,MAAM/C,MAAMgD,aAC9D2uC,GAAM5a,iBAAmB91B,EAAK2H,IAC9BipC,EAAKxc,OAAOzQ,OAAO,eAAgB+sB,IACnCE,EAAKxc,OAAOzQ,OAAO,iBAAkB+sB,GACrCE,EAAK1B,SAAS,GAAK,KAErB0B,EAAK3U,UAAU,IAAK,MAGxB4U,cA5GO,WA4GU,GAAAC,GAAAljB,IACfA,MAAKqO,UAAU,IAAK,CACpB,IAAM6S,GAAalhB,KAAKkhB,UACxBlhB,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkB5b,cAAcvG,OAAQmmC,IAC3DjvC,KAAK,SAACsO,GACDA,EACF2iC,EAAK9B,iBAAkB,EAEvB8B,EAAK/B,mBAAoB,EAE3B+B,EAAK7U,UAAU,IAAK,KAM1B8U,aA5HO,SA4HOhyC,EAAOiyC,GAEnB,GAAIC,GAAgBlyC,EAAMiF,IAAI,SAAU0F,GAOtC,MALIA,IAAQA,EAAKwnC,WAGfxnC,EAAKme,aAAe,IAAMspB,SAASC,UAE9B1nC,EAAKme,cACXta,KAAK,MAEJ8jC,EAAiBrjB,SAASwD,cAAc,IAC5C6f,GAAe5f,aAAa,OAAQ,iCAAmCtpB,mBAAmB8oC,IAC1FI,EAAe5f,aAAa,WAAYuf,GACxCK,EAAehgB,MAAMC,QAAU,OAC/BtD,SAAS9kB,KAAKwoB,YAAY2f,GAC1BA,EAAetG,QACf/c,SAAS9kB,KAAK+oB,YAAYof,IAE5BC,cAhJO,WAgJU,GAAAC,GAAA3jB,IACfA,MAAKqhB,qBAAsB,EAC3BrhB,KAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBACnB9f,cAAcb,GAAIyjB,KAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAYoI,KACtDtK,KAAK,SAAC2xC,GACLD,EAAKR,aAAaS,EAAY,kBAGpCC,iBAxJO,WA0JL,GAAI3iC,GAAW,GAAIjG,SACnBiG,GAAShG,OAAO,OAAQ8kB,KAAKwR,MAAMsS,WAAW3V,MAAM,IACpDnO,KAAKkhB,WAAahgC,GAEpB6iC,gBA9JO,WA+JL/jB,KAAKohB,iBAAkB,EACvBphB,KAAKmhB,mBAAoB,GAE3B6C,cAlKO,WAmKLhkB,KAAKuhB,iBAAkB,GAEzB9/B,cArKO,WAqKU,GAAAwiC,GAAAjkB,IACfA,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBzb,eAAezF,SAAUgkB,KAAKwhB,oCACnEvvC,KAAK,SAACC,GACc,YAAfA,EAAIqO,QACN0jC,EAAKzd,OAAO5zB,SAAS,UACrBqxC,EAAK9O,QAAQ31B,KAAK,cAElBykC,EAAKxC,mBAAqBvvC,EAAIuE,SAItCkL,eAhLO,WAgLW,GAAAuiC,GAAAlkB,KACVjlB,GACJiB,SAAUgkB,KAAK0hB,qBAAqB,GACpC7/B,YAAame,KAAK0hB,qBAAqB,GACvC5/B,wBAAyBke,KAAK0hB,qBAAqB,GAErD1hB,MAAKwG,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBvb,eAAe5G,GACpD9I,KAAK,SAACC,GACc,YAAfA,EAAIqO,QACN2jC,EAAKvC,iBAAkB,EACvBuC,EAAKtC,qBAAsB,IAE3BsC,EAAKvC,iBAAkB,EACvBuC,EAAKtC,oBAAsB1vC,EAAIuE,UAIvC0tC,YAjMO,SAiMMC,GACXpkB,KAAK6hB,UAAYuC,I7Di1PtBl4C,GAAQK,Q6D50PM0I,G7Dg1PT,SAAUhJ,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,G8D/kQxF,QAASg4C,GAAiBC,EAAOC,GAC/B,GACIC,GADArzC,EAAQozC,EAER3R,EAAQ,EACR6R,EAAS1hC,KAAK4W,MAAsB,GAAhB5W,KAAK0hC,SAC7B,KAAKD,EAAKC,EAAQD,EAAKrzC,EAAMyf,OAAQ4zB,GAAU,GAAI,CACjD,GAAI1oC,EACJA,GAAO3K,EAAMqzC,EACb,IAAIjb,EAEFA,GADEztB,EAAKqJ,OACDrJ,EAAKqJ,OAEL,iBAER,IAAI5S,GAAOuJ,EAAK4oC,IAiChB,IAhCc,IAAV9R,GACF0R,EAAMK,KAAOpb,EACb+a,EAAMM,MAAQryC,EACd+xC,EAAM9d,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBhhB,gBAAgB3J,GACtDN,KAAK,SAAC4yC,GACAA,EAAapuC,QAChB6tC,EAAM9d,OAAOzQ,OAAO,eAAgB8uB,IACpCP,EAAMQ,IAAMD,EAAatoC,OAGZ,IAAVq2B,GACT0R,EAAMS,KAAOxb,EACb+a,EAAMU,MAAQzyC,EACd+xC,EAAM9d,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBhhB,gBAAgB3J,GACtDN,KAAK,SAAC4yC,GACAA,EAAapuC,QAChB6tC,EAAM9d,OAAOzQ,OAAO,eAAgB8uB,IACpCP,EAAMW,IAAMJ,EAAatoC,OAGZ,IAAVq2B,IACT0R,EAAMY,KAAO3b,EACb+a,EAAMa,MAAQ5yC,EACd+xC,EAAM9d,OAAOtyB,MAAM7C,IAAI6rB,kBAAkBhhB,gBAAgB3J,GACtDN,KAAK,SAAC4yC,GACAA,EAAapuC,QAChB6tC,EAAM9d,OAAOzQ,OAAO,eAAgB8uB,IACpCP,EAAMc,IAAMP,EAAatoC,OAIjCq2B,GAAgB,EACZA,EAAQ,EACV,OAKN,QAASyS,GAAgBf,GACvB,GAAInqC,GAAcmqC,EAAM9d,OAAOtyB,MAAM/C,MAAMgD,YAAYgG,WACnDA,KACFmqC,EAAMM,MAAQ,aACdN,EAAMU,MAAQ,aACdV,EAAMa,MAAQ,aACdjjC,UAAWrL,aAAasD,YAAaA,IAClClI,KAAK,SAACsyC,GACLF,EAAgBC,EAAOC,M9D0gQ9BttC,OAAOC,eAAehL,EAAS,cAC7B2G,OAAO,G8D1kQV,IAAA6b,GAAAviB,EAAA,I9D+kQKwiB,EAAeviB,EAAuBsiB,G8D3gQrCmZ,GACJz1B,KAAM,kBACJuyC,KAAM,kBACNC,MAAO,GACPE,IAAK,EACLC,KAAM,kBACNC,MAAO,GACPC,IAAK,EACLC,KAAM,kBACNC,MAAO,GACPC,IAAK,IAEPhf,UACEtqB,KAAM,WACJ,MAAOkkB,MAAKwG,OAAOtyB,MAAM/C,MAAMgD,YAAY8lB,aAE7CqrB,QAAS,WACP,GAGIvrC,GAHA2lC,EAAO7vC,OAAO0zC,SAASC,SACvB1nC,EAAOkkB,KAAKlkB,KACZypC,EAAiBvlB,KAAKwG,OAAOtyB,MAAM3C,OAAOg0C,cAI9C,OAFAxrC,GAAMwrC,EAAe/qC,QAAQ,YAAaD,mBAAmBmlC,IAC7D3lC,EAAMA,EAAIS,QAAQ,YAAaD,mBAAmBuB,KAGpDwsB,mBAbQ,WAcN,MAAOtI,MAAKwG,OAAOtyB,MAAM3C,OAAO+2B,qBAGpC4D,OACEpwB,KAAM,SAAUA,EAAM0pC,GAChBxlB,KAAKsI,oBACP+c,EAAerlB,QAIrB+N,QACE,WACM/N,KAAKsI,oBACP+c,EAAerlB,O9DmlQtB9zB,GAAQK,Q8D9kQMs7B,G9DilQN,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEH,SAAU57B,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAKf,CAEH,SAAUD,EAAQC,G+D75QxBD,EAAAC,SAAA,gH/Dm6QM,SAAUD,EAAQC,GgEn6QxBD,EAAAC,SAAA,oEhEw6QS,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEH,SAAUD,EAAQC,EAASC,GiEjlRjCF,EAAAC,QAAAC,EAAAs5C,EAAA,+BjEslRS,CACA,CAEH,SAAUx5C,EAAQC,EAASC,GkEvlRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SlEgmRM,SAAUD,EAAQC,EAASC,GmE7mRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SnEsnRM,SAAUD,EAAQC,EAASC,GoEnoRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SpE4oRM,SAAUD,EAAQC,EAASC,GqE3pRjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SrEkqRM,SAAUD,EAAQC,EAASC,GsE3qRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,StEorRM,SAAUD,EAAQC,EAASC,GuEjsRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SvE0sRM,SAAUD,EAAQC,EAASC,GwEztRjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SxEguRM,SAAUD,EAAQC,EAASC,GyE3uRjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SzEkvRM,SAAUD,EAAQC,EAASC,G0E3vRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S1EowRM,SAAUD,EAAQC,EAASC,G2EnxRjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S3E0xRM,SAAUD,EAAQC,EAASC,G4EnyRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S5E4yRM,SAAUD,EAAQC,EAASC,G6EzzRjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S7Ek0RM,SAAUD,EAAQC,EAASC,G8Ej1RjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S9Ew1RM,SAAUD,EAAQC,EAASC,G+Ej2RjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S/E02RM,SAAUD,EAAQC,EAASC,GgFz3RjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,ShFg4RM,SAAUD,EAAQC,EAASC,GiFz4RjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SjFk5RM,SAAUD,EAAQC,EAASC,GkFj6RjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SlFw6RM,SAAUD,EAAQC,EAASC,GmFn7RjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SnF07RM,SAAUD,EAAQC,EAASC,GoFn8RjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SpF48RM,SAAUD,EAAQC,EAASC,GqFz9RjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SrFk+RM,SAAUD,EAAQC,EAASC,GsF/+RjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,StFw/RM,SAAUD,EAAQC,EAASC,GuFrgSjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SvF8gSM,SAAUD,EAAQC,EAASC,GwF7hSjC,GAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SxFoiSM,SAAUD,EAAQC,EAASC,GyF7iSjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,SzFsjSM,SAAUD,EAAQC,EAASC,G0FnkSjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S1F4kSM,SAAUD,EAAQC,EAASC,G2FzlSjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S3FkmSM,SAAUD,EAAQC,EAASC,G4F/mSjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S5FwnSM,SAAUD,EAAQC,EAASC,G6FroSjCA,EAAA,IAEA,IAAAgW,GAAAhW,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAAiW,EAAAjW,S7F8oSM,SAAUD,EAAQC,G8F7pSxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,QACAE,YAAA,0BACGL,EAAA,MAAAG,EAAA,QACHE,YAAA,gBACGF,EAAA,KACHE,YAAA,+BACAnnB,IACAue,MAAAuI,EAAAjF,gBAEGiF,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,KACHE,YAAA,kDACGL,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,OAAAG,EAAA,KACHO,OACA7iB,KAAA,OAEGsiB,EAAA,KACHE,YAAA,kCACAnnB,IACAue,MAAA,SAAAkJ,GAGA,MAFAA,GAAA1X,iBACA0X,EAAAC,kBACAZ,EAAAtb,aAAAic,SAGGR,EAAA,QAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,SACAe,WAAA,aAEAV,YAAA,oBACAK,OACAt9B,YAAA48B,EAAAQ,GAAA,oBACA3pC,GAAA,oBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,UAEA9mB,IACA+nB,MAAA,SAAAN,GACA,gBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,WAAAR,EAAAhwC,IAAA,aACAqvC,GAAAlF,SAAAkF,EAAA3pC,UADgG,MAGhGmpB,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA3pC,SAAAsqC,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,+BACAnnB,IACAue,MAAA,SAAAkJ,GAGA,MAFAA,GAAA1X,iBACA0X,EAAAC,kBACAZ,EAAAtb,aAAAic,YAICU,qB9FmqSK,SAAU96C,EAAQC,G+FhuSxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAA3lB,MAAA+K,UA6EG8a,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,mDACAnnB,IACAue,MAAA,SAAAkJ,GAGA,MAFAA,GAAAC,kBACAD,EAAA1X,iBACA+W,EAAA1a,YAAAqb,OAGGR,EAAA,OACHE,YAAA,UACGF,EAAA,KACHE,YAAA,uBACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,mCA9FHL,EAAA,OACAE,YAAA,eACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,8CACAnnB,IACAue,MAAA,SAAAkJ,GAGA,MAFAA,GAAAC,kBACAD,EAAA1X,iBACA+W,EAAA1a,YAAAqb,OAGGR,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAL,EAAA,KACHE,YAAA,cACAiB,aACAC,MAAA,eAEGvB,EAAAM,GAAA,KAAAH,EAAA,OACHU,aACAh0C,KAAA,cACAi0C,QAAA,kBAEAT,YAAA,eACGL,EAAAwB,GAAAxB,EAAA,kBAAA7tB,GACH,MAAAguB,GAAA,OACAxvC,IAAAwhB,EAAAtb,GACAwpC,YAAA,iBACKF,EAAA,QACLE,YAAA,gBACKF,EAAA,OACLO,OACA7b,IAAA1S,EAAAsvB,OAAAhiC,YAEKugC,EAAAM,GAAA,KAAAH,EAAA,OACLE,YAAA,iBACKF,EAAA,eACLE,YAAA,YACAK,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAsb,EAAAsvB,OAAA5qC,QAIKmpC,EAAAM,GAAA,iBAAAN,EAAAO,GAAApuB,EAAAsvB,OAAAprC,UAAA,kBAAA2pC,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,QACLE,YAAA,cACKL,EAAAM,GAAA,iBAAAN,EAAAO,GAAApuB,EAAA7hB,MAAA,2BACF0vC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,YACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,sBACAK,OACAgB,KAAA,KAEAV,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACA+nB,MAAA,SAAAN,GACA,gBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,WAAAR,EAAAhwC,IAAA,aACAqvC,GAAAz7B,OAAAy7B,EAAA5a,gBADgG,MAGhG5F,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA5a,eAAAub,EAAApc,OAAAp3B,kBAqBCk0C,qB/FsuSK,SAAU96C,EAAQC,GgGt0SxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,wBACGF,EAAA,OACHE,YAAA,0CACGF,EAAA,OACHE,YAAA,4DACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,gDAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,6BACGF,EAAA,KAAAA,EAAA,OACHO,OACA7b,IAAAmb,EAAAf,QAEGe,EAAAM,GAAA,KAAAH,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAZ,SAIGY,EAAAM,GAAAN,EAAAO,GAAAP,EAAAd,UAAAiB,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHO,OACA7b,IAAAmb,EAAAX,QAEGW,EAAAM,GAAA,KAAAH,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAT,SAIGS,EAAAM,GAAAN,EAAAO,GAAAP,EAAAV,UAAAa,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHO,OACA7b,IAAAmb,EAAAR,QAEGQ,EAAAM,GAAA,KAAAH,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAN,SAIGM,EAAAM,GAAAN,EAAAO,GAAAP,EAAAP,UAAAU,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHO,OACA7b,IAAAmb,EAAAlf,OAAAtyB,MAAA3C,OAAA6B,QAEGsyC,EAAAM,GAAA,KAAAH,EAAA,KACHO,OACA7iB,KAAAmiB,EAAAJ,QACArb,OAAA,YAEGyb,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCACFa,qBhG40SK,SAAU96C,EAAQC,GiGx4SxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,2BACAtiB,MAAAiiB,EAAA,aACAU,OACA7pC,GAAA,aAEGspC,EAAA,OACHE,YAAA,8BACGF,EAAA,OACHE,YAAA,cACGL,EAAAtG,YAUAsG,EAAAS,KAVAN,EAAA,eACHmB,aACAC,MAAA,QACAI,aAAA,QAEAjB,OACAnyC,GAAA,oBAEG4xC,EAAA,KACHE,YAAA,4BACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHE,YAAA,UACAK,OACA7iB,KAAAmiB,EAAA5pC,KAAA0jC,sBACAvV,OAAA,YAEG4b,EAAA,KACHE,YAAA,iCACGL,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGF,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAA5pC,KAAAS,QAIGspC,EAAA,cACHE,YAAA,SACAK,OACA7b,IAAAmb,EAAA5pC,KAAA+2B,+BAEG,GAAA6S,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,yBACGL,EAAA5pC,KAAA,UAAA+pC,EAAA,OACHE,YAAA,YACAK,OACA3iC,MAAAiiC,EAAA5pC,KAAAvJ,MAEAm0C,UACAY,UAAA5B,EAAAO,GAAAP,EAAA5pC,KAAA48B,cAEGmN,EAAA,OACHE,YAAA,YACAK,OACA3iC,MAAAiiC,EAAA5pC,KAAAvJ,QAEGmzC,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5pC,KAAAvJ,SAAAmzC,EAAAM,GAAA,KAAAH,EAAA,eACHE,YAAA,mBACAK,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAA5pC,KAAAS,QAIGspC,EAAA,QAAAH,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAA5pC,KAAAme,gBAAAyrB,EAAA5pC,KAAA,OAAA+pC,EAAA,QAAAA,EAAA,KACHE,YAAA,qBACGL,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,aACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA/F,UAAA,IAAA+F,EAAAO,GAAAP,EAAAQ,GAAA,mCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGL,EAAA5pC,KAAAgI,aAAA4hC,EAAA/M,UAAA+M,EAAAtG,YAAAyG,EAAA,OACHE,YAAA,cACGL,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAnF,UAAAmF,EAAAtG,YAAAyG,EAAA,OACHE,YAAA,YACG,aAAAL,EAAAzF,kBAAA4F,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,mBACAe,WAAA,uBAEAV,YAAA,oBACAK,OACAlzB,KAAA,OACA3W,GAAA,uBAAAmpC,EAAA5pC,KAAAS,IAEAmqC,UACA7zC,MAAA6yC,EAAA,oBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAxF,mBAAAmG,EAAApc,OAAAp3B,WAGG6yC,EAAAS,KAAAT,EAAAM,GAAA,kBAAAN,EAAAzF,kBAAA4F,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,mBACAe,WAAA,uBAEAV,YAAA,kBACAK,OACAlzB,KAAA,QACA3W,GAAA,qBAAAmpC,EAAA5pC,KAAAS,IAEAmqC,UACA7zC,MAAA6yC,EAAA,oBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAxF,mBAAAmG,EAAApc,OAAAp3B,WAGG6yC,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHE,YAAA,0BACAK,OACAmB,IAAA,oBAEG1B,EAAA,UACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,kBACAe,WAAA,sBAEAV,YAAA,mBACAK,OACA7pC,GAAA,mBAAAmpC,EAAA5pC,KAAAS,IAEAqiB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoB,GAAA32B,MAAAimB,UAAAzY,OAAAopB,KAAArB,EAAApc,OAAAjwB,QAAA,SAAA2tC,GACA,MAAAA,GAAArV,WACSl8B,IAAA,SAAAuxC,GACT,GAAA7kC,GAAA,UAAA6kC,KAAAC,OAAAD,EAAA90C,KACA,OAAAiQ,IAEA4iC,GAAAzF,kBAAAoG,EAAApc,OAAA4d,SAAAJ,IAAA,OAGG5B,EAAA,UACHO,OACAvzC,MAAA,cAEG6yC,EAAAM,GAAA,kBAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHO,OACAvzC,MAAA,WAEG6yC,EAAAM,GAAA,cAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHO,OACAvzC,MAAA,aAEG6yC,EAAAM,GAAA,gBAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHO,OACAvzC,MAAA,UAEG6yC,EAAAM,GAAA,mBAAAN,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,uBACGL,EAAAS,OAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,sBACGL,EAAA,SAAAG,EAAA,OACHE,YAAA,WACGL,EAAA5pC,KAAA,UAAA+pC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACAnnB,IACAue,MAAAuI,EAAAlpC,gBAEGkpC,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,gDAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA5pC,KAAAiI,UAIA2hC,EAAAS,KAJAN,EAAA,QAAAA,EAAA,UACHjnB,IACAue,MAAAuI,EAAArpC,cAEGqpC,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,+CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,SACGL,EAAA5pC,KAAA,MAAA+pC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACAnnB,IACAue,MAAAuI,EAAAjL,cAEGiL,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA5pC,KAAAqC,MAIAunC,EAAAS,KAJAN,EAAA,QAAAA,EAAA,UACHjnB,IACAue,MAAAuI,EAAAjL,cAEGiL,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6CAAAR,EAAAS,KAAAT,EAAAM,GAAA,MAAAN,EAAA/M,UAAA+M,EAAA5pC,KAAAwnC,SAAAuC,EAAA,OACHE,YAAA,kBACGF,EAAA,QACHO,OACA/qC,OAAA,OACA2X,OAAA0yB,EAAArG,gBAEGwG,EAAA,SACHO,OACAlzB,KAAA,SACA3gB,KAAA,YAEAm0C,UACA7zC,MAAA6yC,EAAA5pC,KAAAme,eAEGyrB,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAlzB,KAAA,SACA3gB,KAAA,UACAM,MAAA,MAEG6yC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,gBACAK,OACAjJ,MAAA,YAEGuI,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sDAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAtG,aAAAsG,EAAA/M,SAAAkN,EAAA,OACHE,YAAA,UACGL,EAAA5pC,KAAA,mBAAA+pC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACAnnB,IACAue,MAAAuI,EAAA9oC,eAEG8oC,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,8CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA5pC,KAAAgsC,mBAIApC,EAAAS,KAJAN,EAAA,QAAAA,EAAA,UACHjnB,IACAue,MAAAuI,EAAAhpC,aAEGgpC,EAAAM,GAAA,qBAAAN,EAAAO,GAAAP,EAAAQ,GAAA,8CAAAR,EAAAS,OAAAT,EAAAS,MAAA,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,kCACGF,EAAA,OACHE,YAAA,cACAgC,OACAC,UAAAtC,EAAAnF,YAEGsF,EAAA,OACHE,YAAA,aACAgC,OACAzV,SAAA,aAAAoT,EAAApT,UAEA1T,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAApwB,eAAA,gBAGGuwB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5pC,KAAAkkC,gBAAA,KAAA6F,EAAA,UAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAgC,OACAzV,SAAA,YAAAoT,EAAApT,UAEA1T,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAApwB,eAAA,eAGGuwB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5pC,KAAAmsC,oBAAAvC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAgC,OACAzV,SAAA,cAAAoT,EAAApT,UAEA1T,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAApwB,eAAA,iBAGGuwB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5pC,KAAAosC,wBAAAxC,EAAAM,GAAA,MAAAN,EAAAyC,SAAAzC,EAAA5pC,KAAAssC,iBAAAvC,EAAA,KACHE,YAAA,cACAW,UACAY,UAAA5B,EAAAO,GAAAP,EAAA5pC,KAAAssC,qBAEG1C,EAAAyC,QAEAzC,EAAAS,KAFAN,EAAA,KACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5pC,KAAAglC,qBACFiG,qBjG84SK,SAAU96C,EAAQC,GkGlqTxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAO,OACA3iC,MAAAiiC,EAAAQ,GAAA,iBACA1nC,SAAAknC,EAAAlnC,SACA6pC,gBAAA,aAGCtB,qBlGwqTK,SAAU96C,EAAQC,GmGhrTxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,gBAAAD,EAAA5b,KAAA+b,EAAA,gBAAAH,EAAAxyB,KAAA2yB,EAAA,KACAE,YAAA,cACAK,OACAnc,OAAA,SACA1G,KAAAmiB,EAAAjc,WAAA1vB,OAEG2rC,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAv1B,KAAA,YAAAu1B,EAAAO,GAAAP,EAAAxyB,KAAAgR,eAAA,OAAAwhB,EAAAS,OAAAN,EAAA,OACHU,aACAh0C,KAAA,OACAi0C,QAAA,SACA3zC,OAAA6yC,EAAA/b,QACA8c,WAAA;GAEAV,YAAA,aACAgC,OAAAO,GACAl5B,QAAAs2B,EAAAt2B,QACAm5B,mBAAA7C,EAAA7b,QACAE,UAAA2b,EAAA3b,UACAye,mBAAA9C,EAAAhc,QACK4e,EAAA5C,EAAAxyB,OAAA,EAAAo1B,KACF5C,EAAA,OAAAG,EAAA,KACHE,YAAA,mBACAnnB,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAtb,mBAGGyb,EAAA,OACHxvC,IAAAqvC,EAAAtc,UACAgd,OACA7b,IAAAmb,EAAAtc,eAEGsc,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAv1B,MAAAu1B,EAAArc,gBAAAqc,EAAAhc,OAAAmc,EAAA,OACHE,YAAA,UACGF,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAtb,mBAGGsb,EAAAM,GAAA,YAAAN,EAAAS,KAAAT,EAAAM,GAAA,eAAAN,EAAAxyB,MAAAwyB,EAAAhc,OAgBAgc,EAAAS,KAhBAN,EAAA,KACHE,YAAA,mBACAK,OACA7iB,KAAAmiB,EAAAjc,WAAA1vB,IACAkwB,OAAA,SACAxmB,MAAAiiC,EAAAjc,WAAAqX,eAEG+E,EAAA,cACHkC,OACAU,MAAA/C,EAAA7b,SAEAuc,OACAsC,eAAA,cACAt0B,SAAAsxB,EAAAjc,WAAArV,SACAmW,IAAAmb,EAAAjc,WAAAkf,iBAAAjD,EAAAjc,WAAA1vB,QAEG,GAAA2rC,EAAAM,GAAA,eAAAN,EAAAxyB,MAAAwyB,EAAAhc,OAYAgc,EAAAS,KAZAN,EAAA,SACHkC,OACAU,MAAA/C,EAAA7b,SAEAuc,OACA7b,IAAAmb,EAAAjc,WAAA1vB,IACA6uC,SAAA,GACAC,KAAAnD,EAAArmB,WAEAT,IACAkqB,WAAApD,EAAAlb,mBAEGkb,EAAAM,GAAA,eAAAN,EAAAxyB,KAAA2yB,EAAA,SACHO,OACA7b,IAAAmb,EAAAjc,WAAA1vB,IACA6uC,SAAA,MAEGlD,EAAAS,KAAAT,EAAAM,GAAA,cAAAN,EAAAxyB,MAAAwyB,EAAAjc,WAAAG,OAAAic,EAAA,OACHE,YAAA,SACAnnB,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAA1b,YAAAqc,OAGGX,EAAAjc,WAAA,UAAAoc,EAAA,OACHE,YAAA,UACGF,EAAA,OACHO,OACA7b,IAAAmb,EAAAjc,WAAAsf,eAEGrD,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,SACGF,EAAA,MAAAA,EAAA,KACHO,OACA7iB,KAAAmiB,EAAAjc,WAAA1vB,OAEG2rC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAjc,WAAAG,OAAAnmB,YAAAiiC,EAAAM,GAAA,KAAAH,EAAA,OACHa,UACAY,UAAA5B,EAAAO,GAAAP,EAAAjc,WAAAG,OAAAof,mBAEGtD,EAAAS,MACH,IAAAmC,IACCvB,qBnGsrTK,SAAU96C,EAAQC,GoG/xTxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAO,OACA3iC,MAAAiiC,EAAAQ,GAAA,YACA1nC,SAAAknC,EAAAlnC,SACA6pC,gBAAA,wBAGCtB,qBpGqyTK,SAAU96C,EAAQC,GqG7yTxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,kBACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,kBACGL,EAAA,YAAAG,EAAA,QACHE,YAAA,iBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAzV,gBAAAyV,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAQ,GAAA,mCAAAR,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,6BACAnnB,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,qBAGG+W,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,UACHE,YAAA,cACAnnB,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAvV,WAAAkW,OAGGX,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGL,EAAAwB,GAAAxB,EAAA,8BAAAryB,GACH,MAAAwyB,GAAA,OACAxvC,IAAAgd,EAAAL,OAAAzW,GACAwpC,YAAA,eACAgC,OACAkB,QAAA51B,EAAAQ,QAEKgyB,EAAA,gBACLO,OACA/yB,mBAEK,MACFqyB,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAArmC,cAAA+P,QAYAy2B,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAA,SAdAH,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAtV,8BAGGyV,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yCAGFa,qBrGmzTK,SAAU96C,EAAQC,GsG52TxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,mBAAAD,EAAAryB,aAAAH,KAAA2yB,EAAA,UACAO,OACAjM,SAAA,EACA9O,UAAAqa,EAAAryB,aAAA9S,UAEGslC,EAAA,OACHE,YAAA,cACAgC,OAAArC,EAAAlW,WACAnO,YAAAqkB,EAAAjW,YAEAhM,OAAAiiB,EAAAjW,aACGoW,EAAA,KACHE,YAAA,mBACAK,OACA7iB,KAAAmiB,EAAAryB,aAAAL,OAAAlX,KAAA0jC,uBAEA5gB,IACAsqB,SAAA,SAAA7C,GAGA,MAFAA,GAAAC,kBACAD,EAAA1X,iBACA+W,EAAAnW,mBAAA8W,OAGGR,EAAA,cACHE,YAAA,iBACAK,OACA7b,IAAAmb,EAAAryB,aAAAL,OAAAlX,KAAA+2B,+BAEG,GAAA6S,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,uBACGL,EAAA,aAAAG,EAAA,OACHE,YAAA,mCACGF,EAAA,qBACHO,OACAtqC,KAAA4pC,EAAAryB,aAAAL,OAAAlX,KACAykC,UAAA,MAEG,GAAAmF,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,oBACGL,EAAAryB,aAAAL,OAAAlX,KAAA48B,UAAAmN,EAAA,QACHE,YAAA,WACAK,OACA3iC,MAAA,IAAAiiC,EAAAryB,aAAAL,OAAAlX,KAAAme,aAEAysB,UACAY,UAAA5B,EAAAO,GAAAP,EAAAryB,aAAAL,OAAAlX,KAAA48B,cAEGmN,EAAA,QACHE,YAAA,WACAK,OACA3iC,MAAA,IAAAiiC,EAAAryB,aAAAL,OAAAlX,KAAAme,eAEGyrB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAryB,aAAAL,OAAAlX,KAAAvJ,SAAAmzC,EAAAM,GAAA,cAAAN,EAAAryB,aAAAH,KAAA2yB,EAAA,QAAAA,EAAA,KACHE,YAAA,qBACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAS,KAAAT,EAAAM,GAAA,gBAAAN,EAAAryB,aAAAH,KAAA2yB,EAAA,QAAAA,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oCAAAR,EAAAS,KAAAT,EAAAM,GAAA,gBAAAN,EAAAryB,aAAAH,KAAA2yB,EAAA,QAAAA,EAAA,KACHE,YAAA,0BACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oCAAAR,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHE,YAAA,YACGL,EAAAryB,aAAA,OAAAwyB,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAryB,aAAA9S,OAAAhE,QAIGspC,EAAA,WACHO,OACA1nC,MAAAgnC,EAAAryB,aAAAL,OAAA8sB,WACAqJ,cAAA,QAEG,GAAAzD,EAAAS,MAAA,KAAAT,EAAAM,GAAA,gBAAAN,EAAAryB,aAAAH,KAAA2yB,EAAA,OACHE,YAAA,gBACGF,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAryB,aAAAL,OAAAlX,KAAAS,QAIGmpC,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAryB,aAAAL,OAAAlX,KAAAme,iBAAA,IAAAyrB,EAAAryB,aAAA,OAAAwyB,EAAA,UACHE,YAAA,QACAK,OACAjM,SAAA,EACA9O,UAAAqa,EAAAryB,aAAA9S,OACA+3B,WAAA,KAEGuN,EAAA,OACHE,YAAA,oBACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wDACFa,qBtGk3TK,SAAU96C,EAAQC,GuGp9TxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAH,EAAA,SAAAG,EAAA,gBACAO,OACAgD,aAAA,EACA/d,UAAAqa,EAAAra,WAEAzM,IACA4b,eAAAkL,EAAAlL,kBAEGkL,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA5N,SAUA4N,EAAAS,KAVAN,EAAA,UACHO,OACAiD,YAAA,EACA9Q,gBAAA,EACAnM,SAAA,EACAf,UAAAqa,EAAAra,WAEAzM,IACA4b,eAAAkL,EAAAlL,mBAEG,IACFuM,qBvG09TK,SAAU96C,EAAQC,GwG9+TxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAO,OACA3iC,MAAAiiC,EAAAQ,GAAA,gBACA1nC,SAAAknC,EAAAlnC,SACA6pC,gBAAA,eAGCtB,qBxGo/TK,SAAU96C,EAAQC,GyG5/TxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,gCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,sBAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sCAAAR,EAAAM,GAAA,KAAAH,EAAA,YACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,gBACAe,WAAA,oBAEAL,OACA7pC,GAAA,aAEAmqC,UACA7zC,MAAA6yC,EAAA,iBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAnP,gBAAA8P,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oBAAAR,EAAAM,GAAA,KAAAH,EAAA,MACHE,YAAA,iBACGF,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,gCACAe,WAAA,oCAEAL,OACAlzB,KAAA,WACA3W,GAAA,8BAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAA9O,iCAAA8O,EAAA8D,GAAA9D,EAAA9O,gCAAA,SAAA8O,EAAA,iCAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAA9O,gCACA8S,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAA9O,gCAAA6S,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAA9O,gCAAA6S,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAA9O,gCAAA+S,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,gCAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,mCAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAL,OACAlzB,KAAA,WACA3W,GAAA,aAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAAjP,gBAAAiP,EAAA8D,GAAA9D,EAAAjP,eAAA,SAAAiP,EAAA,gBAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAAjP,eACAiT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAAjP,eAAAgT,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAAjP,eAAAgT,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAAjP,eAAAkT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,eAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,MACHE,YAAA,0BACAgC,QACA+B,UAAApE,EAAAjP,mBAEGoP,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,sBACAe,WAAA,0BAEAL,OACA0D,UAAApE,EAAAjP,eACAvjB,KAAA,WACA3W,GAAA,oBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAAhP,uBAAAgP,EAAA8D,GAAA9D,EAAAhP,sBAAA,SAAAgP,EAAA,uBAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAAhP,sBACAgT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAAhP,sBAAA+S,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAAhP,sBAAA+S,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAAhP,sBAAAiT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,sBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yCAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,cACAe,WAAA,kBAEAL,OACAlzB,KAAA,WACA3W,GAAA,YAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAAlP,eAAAkP,EAAA8D,GAAA9D,EAAAlP,cAAA,SAAAkP,EAAA,eAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAAlP,cACAkT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAAlP,cAAAiT,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAAlP,cAAAiT,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAAlP,cAAAmT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,kBACAe,WAAA,sBAEAL,OACAlzB,KAAA,WACA3W,GAAA,gBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAA/O,mBAAA+O,EAAA8D,GAAA9D,EAAA/O,kBAAA,SAAA+O,EAAA,mBAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAA/O,kBACA+S,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAA/O,kBAAA8S,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAA/O,kBAAA8S,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAA/O,kBAAAgT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,kBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHE,YAAA,SACAK,OACAmB,IAAA,qBAEG1B,EAAA,UACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,qBACAe,WAAA,yBAEAL,OACA7pC,GAAA,mBAEAqiB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoB,GAAA32B,MAAAimB,UAAAzY,OAAAopB,KAAArB,EAAApc,OAAAjwB,QAAA,SAAA2tC,GACA,MAAAA,GAAArV,WACSl8B,IAAA,SAAAuxC,GACT,GAAA7kC,GAAA,UAAA6kC,KAAAC,OAAAD,EAAA90C,KACA,OAAAiQ,IAEA4iC,GAAAtP,qBAAAiQ,EAAApc,OAAA4d,SAAAJ,IAAA,OAGG5B,EAAA,UACHO,OACAvzC,MAAA,MACAy/B,SAAA,MAEGoT,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHO,OACAvzC,MAAA,eAEG6yC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2CAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHO,OACAvzC,MAAA,UAEG6yC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCAAAR,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,2BACGL,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4BAAAR,EAAAM,GAAA,KAAAH,EAAA,MACHE,YAAA,iBACGF,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,qBACAe,WAAA,yBAEAL,OACAlzB,KAAA,WACA3W,GAAA,mBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAAxP,sBAAAwP,EAAA8D,GAAA9D,EAAAxP,qBAAA,SAAAwP,EAAA,sBAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAAxP,qBACAwT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAAxP,qBAAAuT,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAAxP,qBAAAuT,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAAxP,qBAAAyT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,qBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yCAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,2BACAe,WAAA,+BAEAL,OACAlzB,KAAA,WACA3W,GAAA,yBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAAvP,4BAAAuP,EAAA8D,GAAA9D,EAAAvP,2BAAA,SAAAuP,EAAA,4BAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAAvP,2BACAuT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAAvP,2BAAAsT,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAAvP,2BAAAsT,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAAvP,2BAAAwT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,2BAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4CAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,cACAe,WAAA,kBAEAL,OACAlzB,KAAA,WACA3W,GAAA,YAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAArc,eAAAqc,EAAA8D,GAAA9D,EAAArc,cAAA,SAAAqc,EAAA,eAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAArc,cACAqgB,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAArc,cAAAogB,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAArc,cAAAogB,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAArc,cAAAsgB,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oCAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,SACAe,WAAA,aAEAL,OACAlzB,KAAA,WACA3W,GAAA,YAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAAhmB,UAAAgmB,EAAA8D,GAAA9D,EAAAhmB,SAAA,SAAAgmB,EAAA,UAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAAhmB,SACAgqB,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAAhmB,SAAA+pB,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAAhmB,SAAA+pB,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAAhmB,SAAAiqB,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4BAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAL,OACAlzB,KAAA,WACA3W,GAAA,aAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAArP,gBAAAqP,EAAA8D,GAAA9D,EAAArP,eAAA,SAAAqP,EAAA,gBAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAArP,eACAqT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAArP,eAAAoT,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAArP,eAAAoT,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAArP,eAAAsT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,eAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,MACHE,YAAA,0BACAgC,QACA+B,UAAApE,EAAAjP,mBAEGoP,EAAA,MAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,yBACAe,WAAA,6BAEAL,OACA0D,UAAApE,EAAArP,iBAAAqP,EAAA7O,oBACA3jB,KAAA,WACA3W,GAAA,uBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAApP,0BAAAoP,EAAA8D,GAAA9D,EAAApP,yBAAA,SAAAoP,EAAA,0BAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAApP,yBACAoT,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAApP,yBAAAmT,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAApP,yBAAAmT,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAApP,yBAAAqT,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,yBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uCAAAR,EAAAM,GAAA,KAAAN,EAAA7O,oBAIA6O,EAAAS,KAJAN,EAAA,OACHE,YAAA,gBACGF,EAAA,KACHE,YAAA,eACGL,EAAAM,GAAA,KAAAN,EAAAO,GAAAP,EAAAQ,GAAA,kEAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,kCAAAR,EAAAM,GAAA,KAAAH,EAAA,wCACFkB,qBzGkgUK,SAAU96C,EAAQC,G0Gh/UxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAAjM,UAgXGiM,EAAAS,KAhXHN,EAAA,OACAE,YAAA,YACAgC,QACAgC,oBAAArE,EAAAzM,YAEA+Q,sBAAAtE,EAAAhM,mBAEGgM,EAAAvnC,QAAAunC,EAAAuE,cAAApE,EAAA,OACHE,YAAA,iCACGF,EAAA,SAAAA,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAnlC,OAAAzE,KAAAS,QAIGmpC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAAzE,KAAAme,iBAAA,GAAAyrB,EAAAM,GAAA,KAAAH,EAAA,SACHE,YAAA,cACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA9M,aAAAj5B,KAAA,UAAA+lC,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,SACAK,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAjL,WAAA4L,OAGGR,EAAA,KACHE,YAAA,uBACGL,EAAAzlC,UAAAylC,EAAApN,UAAAuN,EAAA,OACHE,YAAA,+BACAgC,OAAArC,EAAAtN,eACA/W,YAAAqkB,EAAArN,gBAEA5U,OAAAiiB,EAAArN,iBACGqN,EAAA,QAAAG,EAAA,cACHE,YAAA,SACAK,OACA7b,IAAAmb,EAAAra,UAAAvvB,KAAA+2B,8BAEG6S,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,qBACGL,EAAA,cAAAG,EAAA,KACHE,YAAA,YACAK,OACA7iB,KAAAmiB,EAAAra,UAAAvvB,KAAA0jC,sBACA/7B,MAAA,IAAAiiC,EAAAra,UAAAvvB,KAAAme,aAEAysB,UACAY,UAAA5B,EAAAO,GAAAP,EAAAjN,kBAEGoN,EAAA,KACHE,YAAA,YACAK,OACA7iB,KAAAmiB,EAAAra,UAAAvvB,KAAA0jC,sBACA/7B,MAAA,IAAAiiC,EAAAra,UAAAvvB,KAAAme,eAEGyrB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAlN,cAAAkN,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,8BACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACAgC,OAAArC,EAAAlW,WACAnO,YAAAqkB,EAAAjW,UACAya,aAAAxE,EAAAzlC,UAEAwjB,OAAAiiB,EAAAjW,aACGiW,EAAApN,UAqBAoN,EAAAS,KArBAN,EAAA,OACHE,YAAA,eACGF,EAAA,KACHO,OACA7iB,KAAAmiB,EAAAnlC,OAAAzE,KAAA0jC,uBAEA5gB,IACAsqB,SAAA,SAAA7C,GAGA,MAFAA,GAAAC,kBACAD,EAAA1X,iBACA+W,EAAAnW,mBAAA8W,OAGGR,EAAA,cACHE,YAAA,SACAgC,OACAoC,iBAAAzE,EAAAvL,SAEAiM,OACA7b,IAAAmb,EAAAnlC,OAAAzE,KAAA+2B,+BAEG,KAAA6S,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGL,EAAA,aAAAG,EAAA,OACHE,YAAA,wBACGF,EAAA,qBACHO,OACAtqC,KAAA4pC,EAAAnlC,OAAAzE,KACAykC,UAAA,MAEG,GAAAmF,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAApN,UAoIAoN,EAAAS,KApIAN,EAAA,OACHE,YAAA,uCACGF,EAAA,OACHE,YAAA,uBACGF,EAAA,OACHE,YAAA,mBACGL,EAAAnlC,OAAAzE,KAAA,UAAA+pC,EAAA,MACHE,YAAA,YACAW,UACAY,UAAA5B,EAAAO,GAAAP,EAAAnlC,OAAAzE,KAAA48B,cAEGmN,EAAA,MACHE,YAAA,cACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAAzE,KAAAvJ,SAAAmzC,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,UACGF,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAnlC,OAAAzE,KAAAS,QAIGmpC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAAzE,KAAAme,gBAAAyrB,EAAAM,GAAA,KAAAN,EAAAnlC,OAAA,wBAAAslC,EAAA,QACHE,YAAA,qBACGF,EAAA,KACHE,YAAA,oBACGL,EAAAM,GAAA,KAAAH,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAnlC,OAAA6pC,yBAIG1E,EAAAM,GAAA,yBAAAN,EAAAO,GAAAP,EAAAnlC,OAAA8pC,yBAAA,8BAAA3E,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAArM,UAAAqM,EAAAuE,aAAApE,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAnL,aAAAmL,EAAAnlC,OAAAgS,2BAGGszB,EAAA,KACHE,YAAA,aACAnnB,IACA0rB,WAAA,SAAAjE,GACAX,EAAA/K,WAAA+K,EAAAnlC,OAAAgS,sBAAA8zB,IAEAkE,SAAA,SAAAlE,GACAX,EAAA5K,mBAGG4K,EAAAS,MAAA,KAAAT,EAAAM,GAAA,KAAAN,EAAAnN,iBAAAmN,EAAAuE,aAAApE,EAAA,MACHE,YAAA,YACGL,EAAA5Z,QAAA,OAAA+Z,EAAA,SAAAH,EAAAM,GAAA,cAAAN,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAwB,GAAAxB,EAAA,iBAAAnB,GACH,MAAAsB,GAAA,SACAE,YAAA,eACKF,EAAA,KACLO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAnL,aAAAgK,EAAAhoC,KAEA+tC,WAAA,SAAAjE,GACAX,EAAA/K,WAAA4J,EAAAhoC,GAAA8pC,IAEAkE,SAAA,SAAAlE,GACAX,EAAA5K,iBAGK4K,EAAAM,GAAAN,EAAAO,GAAA1B,EAAAhyC,MAAA,YACF,GAAAmzC,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,wBACGF,EAAA,eACHE,YAAA,UACAK,OACAnyC,IACA1B,KAAA,eACAwI,QACAwB,GAAAmpC,EAAAnlC,OAAAhE,QAIGspC,EAAA,WACHO,OACA1nC,MAAAgnC,EAAAnlC,OAAAu/B,WACAqJ,cAAA,OAEG,GAAAzD,EAAAM,GAAA,KAAAN,EAAAnlC,OAAA,WAAAslC,EAAA,OACHE,YAAA,oBACGF,EAAA,KACHkC,MAAArC,EAAAtL,eAAAsL,EAAAnlC,OAAAE,gBACGilC,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAnlC,OAAA+iC,SAQAoC,EAAAS,KARAN,EAAA,KACHE,YAAA,aACAK,OACA7iB,KAAAmiB,EAAAnlC,OAAAiqC,aACAvgB,OAAA,YAEG4b,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAlL,eAAA6L,OAGGR,EAAA,KACHE,YAAA,yBACGL,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAjL,WAAA4L,OAGGR,EAAA,KACHE,YAAA,mBACGL,EAAAS,MAAA,KAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,6BACGL,EAAA,QAAAG,EAAA,UACHE,YAAA,iBACAK,OACA6D,cAAA,EACA5e,UAAAqa,EAAA1N,QACAmC,SAAA,KAEG0L,EAAA,OACHE,YAAA,0CACGF,EAAA,KACHE,YAAA,+BACG,GAAAL,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,yBACAgC,OACA0C,cAAA/E,EAAA5L,kBAEG4L,EAAA,eAAAG,EAAA,KACHE,YAAA,oBACAgC,OACA2C,4BAAAhF,EAAAzM,WAEAmN,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAhL,eAAA2L,OAGGX,EAAAM,GAAA,eAAAN,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA7L,kBAWAgM,EAAA,OACHE,YAAA,4BACAW,UACAY,UAAA5B,EAAAO,GAAAP,EAAAnlC,OAAAg5B,UAEA3a,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAA1b,YAAAqc,OAnBGR,EAAA,OACHE,YAAA,4BACAW,UACAY,UAAA5B,EAAAO,GAAAP,EAAAnlC,OAAA64B,iBAEAxa,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAA1b,YAAAqc,OAcGX,EAAAM,GAAA,KAAAN,EAAA,kBAAAG,EAAA,KACHE,YAAA,kBACAK,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAhL,eAAA2L,OAGGX,EAAAM,GAAA,eAAAN,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHE,YAAA,iBACAK,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAhL,eAAA2L,OAGGX,EAAAM,GAAA,eAAAN,EAAAS,OAAAT,EAAAM,GAAA,KAAAN,EAAAnlC,OAAAyG,cAAA0+B,EAAA7L,kBAAAgM,EAAA,OACHE,YAAA,0BACGL,EAAAwB,GAAAxB,EAAAnlC,OAAA,qBAAAkpB,GACH,MAAAoc,GAAA,cACAxvC,IAAAozB,EAAAltB,GACA6pC,OACAtc,KAAA4b,EAAAxL,eACAyQ,YAAAjF,EAAAnlC,OAAAhE,GACA4T,KAAAu1B,EAAA1L,iBACAvQ,mBAGGic,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAApN,WAAAoN,EAAAuE,aAgCAvE,EAAAS,KAhCAN,EAAA,OACHE,YAAA,8BACGL,EAAA,SAAAG,EAAA,OAAAA,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAApL,eAAA+L,OAGGR,EAAA,KACHE,YAAA,aACAgC,OACA6C,oBAAAlF,EAAA7N,gBAEG6N,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,kBACHO,OACA3lC,WAAAilC,EAAAnlC,OAAAE,WACAk4B,SAAA+M,EAAA/M,SACAp4B,OAAAmlC,EAAAnlC,UAEGmlC,EAAAM,GAAA,KAAAH,EAAA,mBACHO,OACAzN,SAAA+M,EAAA/M,SACAp4B,OAAAmlC,EAAAnlC,UAEGmlC,EAAAM,GAAA,KAAAH,EAAA,iBACHO,OACA7lC,OAAAmlC,EAAAnlC,WAEG,OAAAmlC,EAAAM,GAAA,KAAAN,EAAA,SAAAG,EAAA,OACHE,YAAA,cACGF,EAAA,OACHE,YAAA,eACGL,EAAAM,GAAA,KAAAH,EAAA,oBACHE,YAAA,aACAK,OACAyE,WAAAnF,EAAAnlC,OAAAhE,GACA4V,WAAAuzB,EAAAnlC,OAAA4R,WACA4f,YAAA2T,EAAAnlC,OAAAzE,KACAgvC,gBAAApF,EAAAnlC,OAAAE,WACAwxB,QAAAyT,EAAAzL,cAEArb,IACAmsB,OAAArF,EAAApL,mBAEG,GAAAoL,EAAAS,OAAA,IACFY,qB1Gs/UK,SAAU96C,EAAQC,G2Gx2VxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAO,OACA3iC,MAAAiiC,EAAAQ,GAAA,gBACA1nC,SAAAknC,EAAAlnC,SACA6pC,gBAAA,cAGCtB,qB3G82VK,SAAU96C,EAAQC,G4Gt3VxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,4BACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,eACGF,EAAA,OACHa,UACAY,UAAA5B,EAAAO,GAAAP,EAAAlY,wCAGCuZ,qB5G43VK,SAAU96C,EAAQC,G6Gx4VxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACApiB,MAAAiiB,EAAA,MACAU,OACA7pC,GAAA,SAEGspC,EAAA,OACHE,YAAA,YACAK,OACA7pC,GAAA,OAEAqiB,IACAue,MAAA,SAAAkJ,GACAX,EAAAhd,kBAGGmd,EAAA,OACHE,YAAA,YACAtiB,MAAAiiB,EAAA,YACGG,EAAA,OACHE,YAAA,SACGF,EAAA,eACHO,OACAnyC,IACA1B,KAAA,WAGGmzC,EAAAM,GAAAN,EAAAO,GAAAP,EAAArd,cAAA,GAAAqd,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,eACHE,YAAA,aACGL,EAAAM,GAAA,KAAAH,EAAA,eACHO,OACAnyC,IACA1B,KAAA,eAGGszC,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAA38B,OAAAs9B,OAGGR,EAAA,KACHE,YAAA,uBACAK,OACA3iC,MAAAiiC,EAAAQ,GAAA,qBAEGR,EAAAS,MAAA,OAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,YACAK,OACA7pC,GAAA,aAEGspC,EAAA,OACHE,YAAA,mBACGF,EAAA,UACHjnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAld,cAAA,eAGGkd,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHjnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAld,cAAA,gBAGGkd,EAAAM,GAAA,gBAAAN,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACAgC,OACAiD,gBAAA,WAAAtF,EAAA1d,qBAEG6d,EAAA,OACHE,YAAA,mBACGF,EAAA,OACHE,YAAA,qBACGF,EAAA,OACHE,YAAA,YACGF,EAAA,cAAAH,EAAAM,GAAA,KAAAH,EAAA,aAAAH,EAAAM,GAAA,KAAAN,EAAA,0BAAAG,EAAA,2BAAAH,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAvxC,aAAAuxC,EAAApd,mBAAAud,EAAA,uBAAAH,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,iBAAAH,EAAAS,MAAA,SAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,OACAgC,OACAiD,gBAAA,YAAAtF,EAAA1d,qBAEG6d,EAAA,cACHO,OACA7zC,KAAA,UAEGszC,EAAA,yBAAAH,EAAAM,GAAA,KAAAN,EAAAvxC,aAAAuxC,EAAAj0C,KAAAo0C,EAAA,cACHE,YAAA,gCACGL,EAAAS,MAAA,IACFY,qB7G84VK,SAAU96C,EAAQC,G8G9+VxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,eACAnnB,IACAqsB,MAAA,SAAA5E,GACAA,EAAA1X,kBACO+W,EAAAjX,UACPyc,SAAA,SAAA7E,GAEA,MADAA,GAAA1X,iBACA+W,EAAA9W,SAAAyX,OAGGR,EAAA,SACHE,YAAA,oBACGL,EAAA,UAAAG,EAAA,KACHE,YAAA,4BACGL,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAArX,UAEAqX,EAAAS,KAFAN,EAAA,KACHE,YAAA,gBACGL,EAAAM,GAAA,KAAAH,EAAA,SACHmB,aACAmE,SAAA,QACAlQ,IAAA,UAEAmL,OACAlzB,KAAA,eAGC6zB,qB9Go/VK,SAAU96C,EAAQC,G+G/gWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,kCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGL,EAAAwB,GAAAxB,EAAA,kBAAAtnB,GACH,MAAAynB,GAAA,aACAxvC,IAAA+nB,EAAA7hB,GACA6pC,OACAtqC,KAAAsiB,EACAgtB,aAAA,EACAC,cAAA,WAICtE,qB/GqhWK,SAAU96C,EAAQC,GgHtiWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA/M,UAAA,YAAA+M,EAAAjlC,YAAA,WAAAilC,EAAAjlC,WAAAolC,EAAA,OAAAA,EAAA,KACAE,YAAA,yBACAgC,MAAArC,EAAA7Y,QACAjO,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAzlC,cAGGylC,EAAAM,GAAA,KAAAN,EAAAnlC,OAAA+qC,WAAA,EAAAzF,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAA+qC,eAAA5F,EAAAS,OAAAT,EAAA/M,SAGA+M,EAAAS,KAHAN,EAAA,OAAAA,EAAA,KACHE,YAAA,eACAgC,MAAArC,EAAA7Y,UACG6Y,EAAAM,GAAA,KAAAN,EAAAnlC,OAAA+qC,WAAA,EAAAzF,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAA+qC,eAAA5F,EAAAS,QACFY,qBhH4iWK,SAAU96C,EAAQC,GiH1jWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAO,OACA3iC,MAAAiiC,EAAA1mC,IACAR,SAAAknC,EAAAlnC,SACA6pC,gBAAA,MACArpC,IAAA0mC,EAAA1mC,QAGC+nC,qBjHgkWK,SAAU96C,EAAQC,GkHzkWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,8BACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,QACHE,YAAA,aACAnnB,IACA3U,OAAA,SAAAo8B,GACAA,EAAA1X,iBACA+W,EAAAz7B,OAAAy7B,EAAA5pC,UAGG+pC,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,SACA2qC,WAAA,kBAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAA1kB,UACAzkB,GAAA,WACAuM,YAAA48B,EAAAQ,GAAA,sBAEAQ,UACA7zC,MAAA6yC,EAAA5pC,KAAA,UAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,WAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,SACA2qC,WAAA,kBAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAA1kB,UACAzkB,GAAA,WACA2W,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAA5pC,KAAA,UAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,WAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,OAAAH,EAAA,iBAAAG,EAAA,eACHE,YAAA,WACAK,OACAnyC,IACA1B,KAAA,mBAGGmzC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAS,MAAA,GAAAT,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAK,OACA0D,SAAApE,EAAA1kB,UACA9N,KAAA,YAEGwyB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uBAAAR,EAAAM,GAAA,KAAAN,EAAA,UAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhY,gBAAAgY,EAAAS,YACFY,qBlH+kWK,SAAU96C,EAAQC,GmH5qWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,uCACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oCAAAR,EAAA,YAAAG,EAAA,QACHmB,aACAC,MAAA,WAEGpB,EAAA,SAAAA,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAAnX,MAAA,sBAGGmX,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAwB,GAAAxB,EAAA,sBAAAnlC,GACH,MAAAslC,GAAA,UACAxvC,IAAAkK,EAAAhE,GACAwpC,YAAA,gBACAK,OACA1M,eAAAgM,EAAA0D,YACA/d,UAAA9qB,EACA8oC,YAAA,EACAjd,QAAAsZ,EAAAtZ,QAAA7rB,EAAAhE,IACAg8B,gBAAA,EACA1Y,UAAA6lB,EAAA7lB,UACAiM,QAAA4Z,EAAAvZ,WAAA5rB,EAAAhE,KAEAqiB,IACA4sB,KAAA9F,EAAA3lB,wBAICgnB,qBnHkrWK,SAAU96C,EAAQC,GoH3tWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,SAAAG,EAAA,OAAAA,EAAA,KACAE,YAAA,6BACAgC,MAAArC,EAAA7Y,QACAjO,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAA7lC,eAGG6lC,EAAAM,GAAA,KAAAN,EAAAnlC,OAAAiS,SAAA,EAAAqzB,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAAiS,aAAAkzB,EAAAS,OAAAN,EAAA,OAAAA,EAAA,KACHE,YAAA,kBACAgC,MAAArC,EAAA7Y,UACG6Y,EAAAM,GAAA,KAAAN,EAAAnlC,OAAAiS,SAAA,EAAAqzB,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAnlC,OAAAiS,aAAAkzB,EAAAS,QACFY,qBpHiuWK,SAAU96C,EAAQC,GqH/uWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,eACGL,EAAA,KAAAG,EAAA,OACHE,YAAA,sBACAiB,aACAyE,SAAA,aAEG5F,EAAA,qBACHO,OACAtqC,KAAA4pC,EAAA5pC,KACAykC,UAAA,EACA4H,SAAA,KAEGzC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAA,KAAAG,EAAA,oBAAAH,EAAAS,MAAA,OAAAT,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA5pC,KAAA4pC,EAAAS,KAAAN,EAAA,mBACFkB,qBrHqvWK,SAAU96C,EAAQC,GsHtwWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAA,EAAA,SACAE,YAAA,SACAK,OACAmB,IAAA,iCAEG1B,EAAA,UACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,SACAe,WAAA,aAEAL,OACA7pC,GAAA,+BAEAqiB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoB,GAAA32B,MAAAimB,UAAAzY,OAAAopB,KAAArB,EAAApc,OAAAjwB,QAAA,SAAA2tC,GACA,MAAAA,GAAArV,WACSl8B,IAAA,SAAAuxC,GACT,GAAA7kC,GAAA,UAAA6kC,KAAAC,OAAAD,EAAA90C,KACA,OAAAiQ,IAEA4iC,GAAA31C,SAAAs2C,EAAApc,OAAA4d,SAAAJ,IAAA,MAGG/B,EAAAwB,GAAAxB,EAAA,uBAAAgG,EAAA3f,GACH,MAAA8Z,GAAA,UACAa,UACA7zC,MAAA64C,KAEKhG,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAApf,cAAAyF,IAAA,iBACF2Z,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,wBAECgB,qBtH4wWK,SAAU96C,EAAQC,GuHhzWxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAH,EAAA,KAAAG,EAAA,OACAE,YAAA,qCACGF,EAAA,qBACHO,OACAtqC,KAAA4pC,EAAA5pC,KACAykC,UAAA,EACAjO,SAAAoT,EAAAlnC,SAAA6Q,YAEG,GAAAq2B,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,YACHO,OACA3iC,MAAAiiC,EAAAQ,GAAA;AACA1nC,SAAAknC,EAAAlnC,SACA6pC,gBAAA,OACAsD,UAAAjG,EAAA5mC,WAEG,IACFioC,qBvHszWK,SAAU96C,EAAQC,GwHv0WxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,QACHE,YAAA,oBACAnnB,IACA3U,OAAA,SAAAo8B,GACAA,EAAA1X,iBACA+W,EAAAz7B,OAAAy7B,EAAA5pC,UAGG+pC,EAAA,OACHE,YAAA,cACGF,EAAA,OACHE,YAAA,gBACGF,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,SACA2qC,WAAA,kBAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAAxQ,YACA34B,GAAA,WACAuM,YAAA,aAEA49B,UACA7zC,MAAA6yC,EAAA5pC,KAAA,UAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,WAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,SACA2qC,WAAA,kBAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAAxQ,YACA34B,GAAA,WACAuM,YAAA,qBAEA49B,UACA7zC,MAAA6yC,EAAA5pC,KAAA,UAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,WAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,WAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,MACA2qC,WAAA,eAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAAxQ,YACA34B,GAAA,QACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA5pC,KAAA,OAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,QAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,SAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,IACA2qC,WAAA,aAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAAxQ,YACA34B,GAAA,OAEAmqC,UACA7zC,MAAA6yC,EAAA5pC,KAAA,KAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,MAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,SACA2qC,WAAA,kBAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAAxQ,YACA34B,GAAA,WACA2W,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAA5pC,KAAA,UAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,WAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,2BAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5pC,KAAA,QACA2qC,WAAA,iBAEAV,YAAA,eACAK,OACA0D,SAAApE,EAAAxQ,YACA34B,GAAA,wBACA2W,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAA5pC,KAAA,SAEA8iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5pC,KAAA,UAAAuqC,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,SACHO,OACAmB,IAAA,WAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,MACAe,WAAA,UAEAV,YAAA,eACAK,OACA0D,SAAA,OACAvtC,GAAA,QACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,OAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAl6B,MAAA66B,EAAApc,OAAAp3B,aAGG6yC,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,UACHE,YAAA,kBACAK,OACA0D,SAAApE,EAAAxQ,YACAhiB,KAAA,YAEGwyB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,mBACAW,UACAY,UAAA5B,EAAAO,GAAAP,EAAAtQ,qBAEGsQ,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAjvC,YAAAivC,EAAAS,YACFY,qBxH60WK,SAAU96C,EAAQC,GyHrjXxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,mBAAAD,EAAAr2B,QAAAw2B,EAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAjiC,OAAA,YAAAiiC,EAAAM,GAAA,KAAAN,EAAAlnC,SAAAyQ,eAAA,IAAAy2B,EAAApH,cAAAuH,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAhxB,gBAAA2xB,OAGGX,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAO,GAAAP,EAAAnH,mBAAA,YAAAmH,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,cAAAG,EAAA,OACHE,YAAA,6BACAnnB,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,qBAGG+W,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCAAAR,EAAAS,KAAAT,EAAAM,GAAA,MAAAN,EAAAlnC,SAAAyQ,eAAA,IAAAy2B,EAAApH,cAAAuH,EAAA,OACHE,YAAA,gBACAnnB,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,qBAGG+W,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oCAAAR,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAwB,GAAAxB,EAAAlnC,SAAA,yBAAA+B,GACH,MAAAslC,GAAA,0BACAxvC,IAAAkK,EAAAhE,GACAwpC,YAAA,gBACAK,OACA/a,UAAA9qB,UAGGmlC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAAlnC,SAAA4Q,QAYAy2B,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAA,SAdAH,EAAA,KACHO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAA7G,yBAGGgH,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,iCAEA,aAAAR,EAAAr2B,QAAAw2B,EAAA,OACHE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAwB,GAAAxB,EAAA,mBAAAkG,GACH,MAAA/F,GAAA,aACAxvC,IAAAu1C,EAAArvC,GACA6pC,OACAtqC,KAAA8vC,EACAR,aAAA,YAGG,WAAA1F,EAAAr2B,QAAAw2B,EAAA,OACHE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAwB,GAAAxB,EAAA,iBAAAmG,GACH,MAAAhG,GAAA,aACAxvC,IAAAw1C,EAAAtvC,GACA6pC,OACAtqC,KAAA+vC,EACAT,aAAA,YAGG1F,EAAAS,MACFY,qBzH2jXK,SAAU96C,EAAQC,G0HzpXxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,qBACGF,EAAA,QACHjnB,IACA3U,OAAA,SAAAo8B,GACAA,EAAA1X,iBACA+W,EAAArlC,WAAAqlC,EAAA5wB,eAGG+wB,EAAA,OACHE,YAAA,eACG/lB,KAAAwG,OAAAtyB,MAAA/C,MAAAgD,YAAA6sC,QAAA,WAAAhhB,KAAAlL,UAAArU,WAUAilC,EAAAS,KAVAN,EAAA,QACHE,YAAA,oBACAK,OACAryC,KAAA,yCACAiL,IAAA,OAEG6mC,EAAA,eACHO,OACAnyC,GAAA,oBAEGyxC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uDAAAR,EAAAM,GAAA,eAAAhmB,KAAAlL,UAAArU,WAAAolC,EAAA,KACHE,YAAA,sBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,kCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5wB,UAAA,YACA2xB,WAAA,0BAEAV,YAAA,UACAK,OACAlzB,KAAA,OACApK,YAAA48B,EAAAQ,GAAA,gCAEAQ,UACA7zC,MAAA6yC,EAAA5wB,UAAA,aAEA8J,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5wB,UAAA,cAAAuxB,EAAApc,OAAAp3B,WAGG6yC,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,YACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5wB,UAAA,OACA2xB,WAAA,qBAEAqF,IAAA,WACA/F,YAAA,eACAK,OACAt9B,YAAA48B,EAAAQ,GAAA,uBACAkB,KAAA,KAEAV,UACA7zC,MAAA6yC,EAAA5wB,UAAA,QAEA8J,IACAue,MAAAuI,EAAA3R,SACA4S,OAAAjB,EAAA3R,SAAA,SAAAsS,GACA,iBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,WAAAR,EAAAhwC,IAAA,WACAgwC,EAAA3S,YACAgS,GAAArlC,WAAAqlC,EAAA5wB,WAFgG,OAIhGi3B,SAAA,SAAA1F,GACA,gBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,UAAAR,EAAAhwC,KAAA,qBACAqvC,EAAA7R,aAAAwS,GAD6G,MAEtG,SAAAA,GACP,gBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,QAAAR,EAAAhwC,KAAA,iBACAqvC,EAAA9R,cAAAyS,GADuG,MAEhG,SAAAA,GACP,iBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,QAAAR,EAAAhwC,IAAA,SACAgwC,EAAAvS,SACA4R,EAAA9R,cAAAyS,GAF2F,MAGpF,SAAAA,GACP,gBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,QAAAR,EAAAhwC,IAAA,OACAqvC,EAAA7R,aAAAwS,GAD2F,MAEpF,SAAAA,GACP,gBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,WAAAR,EAAAhwC,IAAA,SACAqvC,EAAAlS,iBAAA6S,GADgG,MAEzF,SAAAA,GACP,iBAAAA,KAAAX,EAAAkB,GAAAP,EAAAQ,QAAA,WAAAR,EAAAhwC,IAAA,WACAgwC,EAAA2F,YACAtG,GAAArlC,WAAAqlC,EAAA5wB,WAFgG,OAIhGm2B,KAAAvF,EAAAjX,SACAyc,SAAA,SAAA7E,GAEA,MADAA,GAAA1X,iBACA+W,EAAA9W,SAAAyX,IAEAnhB,OAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAA5wB,UAAA,SAAAuxB,EAAApc,OAAAp3B,QACO6yC,EAAAnU,QACPmD,MAAAgR,EAAAhR,SAEGgR,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,OACHE,YAAA,oBACGF,EAAA,KACHE,YAAA,gBACAgC,MAAArC,EAAArT,IAAAzoB,OACAw8B,OACA3iC,MAAAiiC,EAAAQ,GAAA,6BAEAtnB,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,cAGG0Q,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,YACAgC,MAAArC,EAAArT,IAAA1oB,QACAy8B,OACA3iC,MAAAiiC,EAAAQ,GAAA,8BAEAtnB,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,eAGG0Q,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,qBACAgC,MAAArC,EAAArT,IAAA3oB,SACA08B,OACA3iC,MAAAiiC,EAAAQ,GAAA,+BAEAtnB,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,gBAGG0Q,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,aACAgC,MAAArC,EAAArT,IAAAnzB,OACAknC,OACA3iC,MAAAiiC,EAAAQ,GAAA,6BAEAtnB,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,gBAGG0Q,EAAAS,MAAA,GAAAT,EAAAM,GAAA,KAAAN,EAAA,WAAAG,EAAA,OACHmB,aACAmE,SAAA,cAEGtF,EAAA,OACHE,YAAA,sBACGL,EAAAwB,GAAAxB,EAAA,oBAAA/R,GACH,MAAAkS,GAAA,OACAjnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAlrC,QAAAm5B,EAAA/8B,KAAA+8B,EAAA1Z,YAAA,SAGK4rB,EAAA,OACLE,YAAA,eACAgC,OACA1mB,YAAAsS,EAAAtS,eAEKsS,EAAA,IAAAkS,EAAA,QAAAA,EAAA,OACLO,OACA7b,IAAAoJ,EAAApK,SAEKsc,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAtS,EAAA/8B,QAAA8uC,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAtS,EAAA1Z,cAAA4rB,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAtS,EAAAphC,oBACFmzC,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,gBACHO,OACA6F,aAAAvG,EAAA1W,WAEApQ,IACAyP,UAAAqX,EAAAjR,cACAyX,SAAAxG,EAAAtR,aACA+X,gBAAAzG,EAAApR,gBAEGoR,EAAAM,GAAA,KAAAN,EAAA,kBAAAG,EAAA,KACHE,YAAA,UACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAApS,mBAAAoS,EAAA,qBAAAG,EAAA,KACHE,YAAA,UACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAApS,mBAAAoS,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,UACHE,YAAA,kBACAK,OACA0D,SAAA,MAEGpE,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAA,kBAAAG,EAAA,UACHE,YAAA,kBACAK,OACA0D,SAAA,MAEGpE,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAL,EAAA,UACHE,YAAA,kBACAK,OACA0D,SAAApE,EAAA1T,eACA9e,KAAA,YAEGwyB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAA,oBAAAN,EAAAO,GAAAP,EAAAjvC,OAAA,cAAAovC,EAAA,KACHE,YAAA,cACAnnB,IACAue,MAAAuI,EAAA3Q,gBAEG2Q,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGL,EAAAwB,GAAAxB,EAAA5wB,UAAA,eAAAoZ,GACH,MAAA2X,GAAA,OACAE,YAAA,yBACKF,EAAA,KACLE,YAAA,iBACAnnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAnR,gBAAArG,OAGKwX,EAAAM,GAAA,KAAAH,EAAA,OACLE,YAAA,sCACK,UAAAL,EAAAxyB,KAAAgb,GAAA2X,EAAA,OACLE,YAAA,yBACAK,OACA7b,IAAA2D,EAAA5Z,SAEKoxB,EAAAS,KAAAT,EAAAM,GAAA,eAAAN,EAAAxyB,KAAAgb,GAAA2X,EAAA,SACLO,OACA7b,IAAA2D,EAAA5Z,MACAs0B,SAAA,MAEKlD,EAAAS,KAAAT,EAAAM,GAAA,eAAAN,EAAAxyB,KAAAgb,GAAA2X,EAAA,SACLO,OACA7b,IAAA2D,EAAA5Z,MACAs0B,SAAA,MAEKlD,EAAAS,KAAAT,EAAAM,GAAA,iBAAAN,EAAAxyB,KAAAgb,GAAA2X,EAAA,KACLO,OACA7iB,KAAA2K,EAAA5Z,SAEKoxB,EAAAM,GAAAN,EAAAO,GAAA/X,EAAAn0B,QAAA2rC,EAAAS,YACFT,EAAAM,GAAA,KAAAN,EAAA5wB,UAAAqZ,MAAAvd,OAAA,EAAAi1B,EAAA,OACHE,YAAA,oBACGF,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA5wB,UAAA,KACA2xB,WAAA,mBAEAL,OACAlzB,KAAA,WACA3W,GAAA,kBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAA5wB,UAAA3E,MAAAu1B,EAAA8D,GAAA9D,EAAA5wB,UAAA3E,KAAA,SAAAu1B,EAAA5wB,UAAA,MAEA8J,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAA5wB,UAAA3E,KACAu5B,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,GAAAnE,EAAA6F,KAAA7F,EAAA5wB,UAAA,OAAA20B,EAAA1W,QAAA6W,KAEAC,GAAA,GAAAnE,EAAA6F,KAAA7F,EAAA5wB,UAAA,OAAA20B,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAA6F,KAAA7F,EAAA5wB,UAAA,OAAA60B,OAIGjE,EAAAM,GAAA,KAAAN,EAAA5wB,UAAA,KAAA+wB,EAAA,SACHO,OACAmB,IAAA,oBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yCAAAL,EAAA,SACHO,OACAmB,IAAA,kBAEAb,UACAY,UAAA5B,EAAAO,GAAAP,EAAAQ,GAAA,+CAEGR,EAAAS,UACFY,qB1H+pXK,SAAU96C,EAAQC,G2H97XxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,cACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,MAAAH,EAAA,YAAAG,EAAA,MAAAA,EAAA,eACHO,OACAnyC,GAAA,mBAEGyxC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,MAAAA,EAAA,eACHO,OACAnyC,IACA1B,KAAA,WACAwI,QACAgB,SAAA2pC,EAAAvxC,YAAA8lB,iBAIGyrB,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAvxC,aAAAuxC,EAAAvxC,YAAA6sC,OAAA6E,EAAA,MAAAA,EAAA,eACHO,OACAnyC,GAAA,sBAEGyxC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,eACHO,OACAnyC,GAAA,kBAEGyxC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sCAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,eACHO,OACAnyC,GAAA,eAEGyxC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCACFa,qB3Ho8XK,SAAU96C,EAAQC,G4Hn+XxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,gBACAO,OACAgD,aAAA,EACA/d,UAAAqa,EAAAra,cAGC0b,qB5Hy+XK,SAAU96C,EAAQC,G6Hh/XxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,4BACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAvB,YAAA,eAGGuB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4BAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAvB,YAAA,gBAGGuB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAM,GAAA,KAAAN,EAAA,eAAAG,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAA,SAAAkJ,GACAX,EAAAvB,YAAA,0BAGGuB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uCAAAR,EAAAS,OAAAT,EAAAM,GAAA,gBAAAN,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yBAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,QACAe,WAAA,YAEAV,YAAA,eACAK,OACA7pC,GAAA,YAEAmqC,UACA7zC,MAAA6yC,EAAA,SAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA9E,QAAAyF,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,oBAAAR,EAAAM,GAAA,KAAAH,EAAA,YACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,OACAe,WAAA,WAEAV,YAAA,MACAW,UACA7zC,MAAA6yC,EAAA,QAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA7E,OAAAwF,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,KAAAA,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,UACAe,WAAA,cAEAL,OACAlzB,KAAA,WACA3W,GAAA,kBAEAmqC,UACA4C,QAAAx4B,MAAAy4B,QAAA7D,EAAA3E,WAAA2E,EAAA8D,GAAA9D,EAAA3E,UAAA,SAAA2E,EAAA,WAEA9mB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoD,GAAA/D,EAAA3E,UACA2I,EAAArD,EAAApc,OACA0f,IAAAD,EAAAJ,OACA,IAAAx4B,MAAAy4B,QAAAE,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAnE,EAAA8D,GAAAC,EAAAG,EACAF,GAAAJ,QACAO,EAAA,IAAAnE,EAAA3E,UAAA0I,EAAA1W,QAAA6W,KAEAC,GAAA,IAAAnE,EAAA3E,UAAA0I,EAAAvmC,MAAA,EAAA2mC,GAAA9W,OAAA0W,EAAAvmC,MAAA2mC,EAAA,SAGAnE,GAAA3E,UAAA4I,MAIGjE,EAAAM,GAAA,KAAAH,EAAA,SACHO,OACAmB,IAAA,oBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2CAAAR,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,OAAAA,EAAA,SACHO,OACAmB,IAAA,iBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4BAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,kBACAK,OACA7pC,GAAA,iBAEGspC,EAAA,KACHE,YAAA,gBACAgC,MAAArC,EAAArT,IAAAzoB,OACAgV,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,cAGG0Q,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,YACAgC,MAAArC,EAAArT,IAAA1oB,QACAiV,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,eAGG0Q,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,qBACAgC,MAAArC,EAAArT,IAAA3oB,SACAkV,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,gBAGG0Q,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,aACAgC,MAAArC,EAAArT,IAAAnzB,OACA0f,IACAue,MAAA,SAAAkJ,GACAX,EAAA1Q,UAAA,kBAGG0Q,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAK,OACA0D,SAAApE,EAAA9E,QAAAhwB,QAAA,GAEAgO,IACAue,MAAAuI,EAAA/pC,iBAEG+pC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wBAAAR,EAAAS,KAAAT,EAAAM,GAAA,gBAAAN,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uBAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,+BAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAK,OACA7b,IAAAmb,EAAA5pC,KAAA+2B,8BAEG6S,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,+BAAAR,EAAAM,GAAA,KAAAN,EAAApE,SAAA,GAAAuE,EAAA,OACHE,YAAA,aACAK,OACA7b,IAAAmb,EAAApE,SAAA,MAEGoE,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHO,OACAlzB,KAAA,QAEA0L,IACA4oB,OAAA,SAAAnB,GACAX,EAAAtX,WAAA,EAAAiY,SAGGX,EAAAM,GAAA,KAAAN,EAAArX,UAAA,GAAAwX,EAAA,KACHE,YAAA,4BACGL,EAAApE,SAAA,GAAAuE,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAAxD,gBAEGwD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAS,OAAAT,EAAAS,KAAAT,EAAAM,GAAA,gBAAAN,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,+BAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uCAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,SACAK,OACA7b,IAAAmb,EAAA5pC,KAAAqjC,eAEGuG,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uCAAAR,EAAAM,GAAA,KAAAN,EAAApE,SAAA,GAAAuE,EAAA,OACHE,YAAA,SACAK,OACA7b,IAAAmb,EAAApE,SAAA,MAEGoE,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHO,OACAlzB,KAAA,QAEA0L,IACA4oB,OAAA,SAAAnB,GACAX,EAAAtX,WAAA,EAAAiY,SAGGX,EAAAM,GAAA,KAAAN,EAAArX,UAAA,GAAAwX,EAAA,KACHE,YAAA,uCACGL,EAAApE,SAAA,GAAAuE,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAAjD,gBAEGiD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAS,OAAAT,EAAAS,KAAAT,EAAAM,GAAA,gBAAAN,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,mCAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2CAAAR,EAAAM,GAAA,KAAAN,EAAApE,SAAA,GAAAuE,EAAA,OACHE,YAAA,KACAK,OACA7b,IAAAmb,EAAApE,SAAA,MAEGoE,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHO,OACAlzB,KAAA,QAEA0L,IACA4oB,OAAA,SAAAnB,GACAX,EAAAtX,WAAA,EAAAiY,SAGGX,EAAAM,GAAA,KAAAN,EAAArX,UAAA,GAAAwX,EAAA,KACHE,YAAA,uCACGL,EAAApE,SAAA,GAAAuE,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAA3C,YAEG2C,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAS,OAAAT,EAAAS,KAAAT,EAAAM,GAAA,iBAAAN,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,gCAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,iCAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAAhE,qBAAA,GACA+E,WAAA,4BAEAL,OACAlzB,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAAhE,qBAAA,IAEA9iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAAhE,qBAAA,EAAA2E,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAAhE,qBAAA,GACA+E,WAAA,4BAEAL,OACAlzB,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAAhE,qBAAA,IAEA9iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAAhE,qBAAA,EAAA2E,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAAhE,qBAAA,GACA+E,WAAA,4BAEAL,OACAlzB,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAAhE,qBAAA,IAEA9iB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,WACApB,EAAA6F,KAAA7F,EAAAhE,qBAAA,EAAA2E,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAA/jC,kBAEG+jC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,iCAAAR,EAAA9D,uBAAA,EAAAiE,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA9D,wBAAA8D,EAAAS,OAAAT,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA5D,gBAAA,sBAAA4D,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,8BAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,iDAAAR,EAAAM,GAAA,KAAAH,EAAA,QACHuG,OACAv5C,MAAA6yC,EAAA,iBACA2G,SAAA,SAAAzC,GACAlE,EAAA4G,iBAAA1C,GAEAnD,WAAA,sBAEGZ,EAAA,SACHiG,IAAA,aACA1F,OACAlzB,KAAA,QAEA0L,IACA4oB,OAAA9B,EAAA7B,sBAEG6B,EAAAM,GAAA,KAAAN,EAAArX,UAAA,GAAAwX,EAAA,KACHE,YAAA,uCACGF,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAAzC,iBAEGyC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KACHE,YAAA,aACAnnB,IACAue,MAAAuI,EAAA3B,mBAEG2B,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,mCAAAR,EAAA,kBAAAG,EAAA,OAAAA,EAAA,KACHE,YAAA,aACAnnB,IACAue,MAAAuI,EAAA3B,mBAEG2B,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sCAAAR,EAAAS,OAAAT,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAArE,qBAAA,sBAAAqE,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,8BAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAAhC,iBAEGgC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6DAAAR,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2CAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,iBAAAN,EAAA7D,UAAAgE,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,+BAAAR,EAAAM,GAAA,KAAAN,EAAAnE,gBAAAmE,EAAAS,KAAAN,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2CAAAR,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4CAAAR,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,kCACAe,WAAA,sCAEAL,OACAlzB,KAAA,YAEAwzB,UACA7zC,MAAA6yC,EAAA,mCAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAlE,kCAAA6E,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAAjkC,iBAEGikC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,iCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAjE,sBAAA,EAAAoE,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qCAAAR,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAA,mBAAAG,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAjE,uBAAAiE,EAAAS,KAAAT,EAAAM,GAAA,KAAAN,EAAAnE,gBAKAmE,EAAAS,KALAN,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAA1B,iBAEG0B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wBAAAR,EAAAS,UACFY,qB7Hs/XK,SAAU96C,EAAQC,G8H32YxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,cACAgC,OACAnb,SAAA8Y,EAAA9Y,YAEG8Y,EAAA,SAAAG,EAAA,UACHiG,IAAA,WACGpG,EAAAS,KAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHiG,IAAA,MACA1F,OACA7b,IAAAmb,EAAAnb,IACAme,eAAAhD,EAAAgD,gBAEA9pB,IACA2tB,KAAA7G,EAAAnK,aAGCwL,qB9Hi3YK,SAAU96C,EAAQC,G+Hn4YxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,SACGF,EAAA,KACHO,OACA7iB,KAAA,OAEGsiB,EAAA,OACHE,YAAA,SACAK,OACA7b,IAAAmb,EAAA5pC,KAAAqY,mBAEAyK,IACAue,MAAA,SAAAkJ,GAEA,MADAA,GAAA1X,iBACA+W,EAAAnW,mBAAA8W,SAGGX,EAAAM,GAAA,KAAAN,EAAA,aAAAG,EAAA,OACHE,YAAA,aACGF,EAAA,qBACHO,OACAtqC,KAAA4pC,EAAA5pC,KACAykC,UAAA,MAEG,GAAAsF,EAAA,OACHE,YAAA,yBACGL,EAAA5pC,KAAA,UAAA+pC,EAAA,OACHE,YAAA,YACAK,OACA3iC,MAAAiiC,EAAA5pC,KAAAvJ,QAEGszC,EAAA,QACHa,UACAY,UAAA5B,EAAAO,GAAAP,EAAA5pC,KAAA48B,cAEGgN,EAAAM,GAAA,MAAAN,EAAArW,cAAAqW,EAAA0F,aAAA1F,EAAA5pC,KAAAgI,YAAA+hC,EAAA,QACHE,YAAA,gBACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCAAAR,EAAAS,OAAAN,EAAA,OACHE,YAAA,YACAK,OACA3iC,MAAAiiC,EAAA5pC,KAAAvJ,QAEGmzC,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAA5pC,KAAAvJ,MAAA,aAAAmzC,EAAArW,cAAAqW,EAAA0F,aAAA1F,EAAA5pC,KAAAgI,YAAA+hC,EAAA,QACHE,YAAA,gBACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wCAAAR,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,KACHO,OACA7iB,KAAAmiB,EAAA5pC,KAAA0jC,sBACAvV,OAAA,WAEG4b,EAAA,OACHE,YAAA,qBACGL,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAA5pC,KAAAme,oBAAAyrB,EAAAM,GAAA,KAAAN,EAAA,aAAAG,EAAA,OACHE,YAAA,aACGF,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAA5oC,eAEG4oC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,yBAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAnnB,IACAue,MAAAuI,EAAA1oC,YAEG0oC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wBAAAR,EAAAS,QACFY,qB/Hy4YK,SAAU96C,EAAQC,GgI18YxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,UAAAG,EAAA,OAAAA,EAAA,KACAO,OACA7iB,KAAA,KAEA3E,IACAue,MAAA,SAAAkJ,GACAA,EAAA1X,iBACA+W,EAAA5kC,mBAGG+kC,EAAA,KACHE,YAAA,kCACGL,EAAAS,MACFY,qBhIg9YK,SAAU96C,EAAQC,GiI99YxBD,EAAAC,SAAgB2J,OAAA,WAAmB,GAAA6vC,GAAA1lB,KAAa2lB,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAA,EAAA,OAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,+BAAAL,EAAA,SACAE,YAAA,SACAK,OACAmB,IAAA,oBAEG1B,EAAA,UACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,SACAe,WAAA,aAEAV,YAAA,iBACAK,OACA7pC,GAAA,kBAEAqiB,IACA4oB,OAAA,SAAAnB,GACA,GAAAoB,GAAA32B,MAAAimB,UAAAzY,OAAAopB,KAAArB,EAAApc,OAAAjwB,QAAA,SAAA2tC,GACA,MAAAA,GAAArV,WACSl8B,IAAA,SAAAuxC,GACT,GAAA7kC,GAAA,UAAA6kC,KAAAC,OAAAD,EAAA90C,KACA,OAAAiQ,IAEA4iC,GAAApT,SAAA+T,EAAApc,OAAA4d,SAAAJ,IAAA,MAGG/B,EAAAwB,GAAAxB,EAAA,yBAAAjiB,GACH,MAAAoiB,GAAA,UACApiB,OACAzJ,gBAAAyJ,EAAA,GACAhK,MAAAgK,EAAA,IAEAijB,UACA7zC,MAAA4wB,KAEKiiB,EAAAM,GAAAN,EAAAO,GAAAxiB,EAAA,UACFiiB,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,uBACGL,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,UACHE,YAAA,MACAnnB,IACAue,MAAAuI,EAAA1I,sBAEG0I,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACAnnB,IACAue,MAAAuI,EAAAtI,eAEGsI,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAM,GAAA,KAAAN,EAAA,qBAAAG,EAAA,KACHE,YAAA,mBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uCAAAR,EAAAS,OAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,oBACGF,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,aAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,aACAe,WAAA,iBAEAV,YAAA,iBACAK,OACA7pC,GAAA,UACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,cAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA1J,aAAAqK,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,aACAe,WAAA,iBAEAV,YAAA,iBACAK,OACA7pC,GAAA,YACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,cAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA1J,aAAAqK,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,aAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,cACAe,WAAA,kBAEAV,YAAA,iBACAK,OACA7pC,GAAA,UACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,eAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAzJ,cAAAoK,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,cACAe,WAAA,kBAEAV,YAAA,iBACAK,OACA7pC,GAAA,YACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,eAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAzJ,cAAAoK,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,eAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,iBACAK,OACA7pC,GAAA,YACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAxJ,eAAAmK,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,iBACAK,OACA7pC,GAAA,cACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAxJ,eAAAmK,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,eAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,iBACAK,OACA7pC,GAAA,YACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAvJ,eAAAkK,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,iBACAK,OACA7pC,GAAA,cACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAvJ,eAAAkK,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,cAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,qBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,cACAe,WAAA,kBAEAV,YAAA,iBACAK,OACA7pC,GAAA,WACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,eAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAtJ,cAAAiK,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,cACAe,WAAA,kBAEAV,YAAA,iBACAK,OACA7pC,GAAA,aACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,eAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAtJ,cAAAiK,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,eAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,sBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,iBACAK,OACA7pC,GAAA,YACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAArJ,eAAAgK,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,iBACAK,OACA7pC,GAAA,cACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAArJ,eAAAgK,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,gBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,uBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,gBACAe,WAAA,oBAEAV,YAAA,iBACAK,OACA7pC,GAAA,aACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,iBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAApJ,gBAAA+J,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,gBACAe,WAAA,oBAEAV,YAAA,iBACAK,OACA7pC,GAAA,eACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,iBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAApJ,gBAAA+J,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAK,OACAmB,IAAA,iBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wBAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,iBACAe,WAAA,qBAEAV,YAAA,iBACAK,OACA7pC,GAAA,cACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,kBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAnJ,iBAAA8J,EAAApc,OAAAp3B,WAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA;AACA3zC,MAAA6yC,EAAA,iBACAe,WAAA,qBAEAV,YAAA,iBACAK,OACA7pC,GAAA,gBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,kBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAnJ,iBAAA8J,EAAApc,OAAAp3B,eAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,qBACGF,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,2BAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,eAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,0BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,kBACAK,OACA7pC,GAAA,YACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAAlJ,eAAA6J,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,eACAe,WAAA,mBAEAV,YAAA,kBACAK,OACA7pC,GAAA,cACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,gBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAlJ,eAAA6J,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,iBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,iBACAe,WAAA,qBAEAV,YAAA,kBACAK,OACA7pC,GAAA,cACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,kBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAAjJ,iBAAA4J,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,iBACAe,WAAA,qBAEAV,YAAA,kBACAK,OACA7pC,GAAA,gBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,kBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAjJ,iBAAA4J,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,iBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,4BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,iBACAe,WAAA,qBAEAV,YAAA,kBACAK,OACA7pC,GAAA,cACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,kBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAAhJ,iBAAA2J,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,iBACAe,WAAA,qBAEAV,YAAA,kBACAK,OACA7pC,GAAA,gBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,kBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAAhJ,iBAAA2J,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,kBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,6BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,kBACAe,WAAA,sBAEAV,YAAA,kBACAK,OACA7pC,GAAA,eACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,mBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAA/I,kBAAA0J,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,kBACAe,WAAA,sBAEAV,YAAA,kBACAK,OACA7pC,GAAA,iBACA2W,KAAA,SAEAwzB,UACA7zC,MAAA6yC,EAAA,mBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA/I,kBAAA0J,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,qBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,gCAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,qBACAe,WAAA,yBAEAV,YAAA,kBACAK,OACA7pC,GAAA,kBACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,sBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAA9I,qBAAAyJ,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,qBACAe,WAAA,yBAEAV,YAAA,kBACAK,OACA7pC,GAAA,oBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,sBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA9I,qBAAAyJ,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,sBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,iCAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,sBACAe,WAAA,0BAEAV,YAAA,kBACAK,OACA7pC,GAAA,oBACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,uBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAA7I,sBAAAwJ,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,sBACAe,WAAA,0BAEAV,YAAA,kBACAK,OACA7pC,GAAA,qBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,uBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA7I,sBAAAwJ,EAAApc,OAAAp3B,aAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAK,OACAmB,IAAA,mBAEG7B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,8BAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,mBACAe,WAAA,uBAEAV,YAAA,kBACAK,OACA7pC,GAAA,gBACA2W,KAAA,QACAM,IAAA,MAEAkzB,UACA7zC,MAAA6yC,EAAA,oBAEA9mB,IACA4tB,IAAA,SAAAnG,GACAX,EAAA5I,mBAAAuJ,EAAApc,OAAAp3B,UAGG6yC,EAAAM,GAAA,KAAAH,EAAA,SACHU,aACAh0C,KAAA,QACAi0C,QAAA,UACA3zC,MAAA6yC,EAAA,mBACAe,WAAA,uBAEAV,YAAA,kBACAK,OACA7pC,GAAA,kBACA2W,KAAA,QAEAwzB,UACA7zC,MAAA6yC,EAAA,oBAEA9mB,IACAsG,MAAA,SAAAmhB,GACAA,EAAApc,OAAA6c,YACApB,EAAA5I,mBAAAuJ,EAAApc,OAAAp3B,eAGG6yC,EAAAM,GAAA,KAAAH,EAAA,OACHpiB,OACAgpB,cAAA/G,EAAAlJ,eAAA,KACAkQ,gBAAAhH,EAAAjJ,iBAAA,KACAkQ,gBAAAjH,EAAAhJ,iBAAA,KACAkQ,iBAAAlH,EAAA/I,kBAAA,KACAkQ,oBAAAnH,EAAA9I,qBAAA,KACAkQ,kBAAApH,EAAA5I,mBAAA,KACAiQ,qBAAArH,EAAA7I,sBAAA,QAEGgJ,EAAA,OACHE,YAAA,gBACGF,EAAA,OACHE,YAAA,gBACAtiB,OACAupB,mBAAAtH,EAAAzJ,cACAxiB,MAAAisB,EAAAxJ,kBAEGwJ,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,mCACAtiB,OACAupB,mBAAAtH,EAAA1J,aACAviB,MAAAisB,EAAAxJ,kBAEG2J,EAAA,OACHE,YAAA,SACAtiB,OACAwpB,gBAAAvH,EAAA/I,kBAAA,QAEG+I,EAAAM,GAAA,uCAAAN,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,mDAAAH,EAAA,KACHpiB,OACAhK,MAAAisB,EAAAvJ,kBAEGuJ,EAAAM,GAAA,sBAAAN,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,aACAtiB,OACAhK,MAAAisB,EAAArJ,kBAEGqJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,eACAtiB,OACAhK,MAAAisB,EAAApJ,mBAEGoJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,cACAtiB,OACAhK,MAAAisB,EAAAtJ,iBAEGsJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,YACAtiB,OACAhK,MAAAisB,EAAAnJ,oBAEGmJ,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACAtiB,OACAupB,mBAAAtH,EAAAzJ,cACAxiB,MAAAisB,EAAAxJ,kBAEGwJ,EAAAM,GAAA,kBAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACAnnB,IACAue,MAAAuI,EAAA9H,kBAEG8H,EAAAM,GAAAN,EAAAO,GAAAP,EAAAQ,GAAA,wBACFa","file":"static/js/app.d3eba781c5f30aabbb47.js","sourcesContent":["webpackJsonp([2,0],[\n/* 0 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tvar _keys = __webpack_require__(111);\n\t\n\tvar _keys2 = _interopRequireDefault(_keys);\n\t\n\tvar _vue = __webpack_require__(68);\n\t\n\tvar _vue2 = _interopRequireDefault(_vue);\n\t\n\tvar _vueRouter = __webpack_require__(544);\n\t\n\tvar _vueRouter2 = _interopRequireDefault(_vueRouter);\n\t\n\tvar _vuex = __webpack_require__(547);\n\t\n\tvar _vuex2 = _interopRequireDefault(_vuex);\n\t\n\tvar _App = __webpack_require__(480);\n\t\n\tvar _App2 = _interopRequireDefault(_App);\n\t\n\tvar _public_timeline = __webpack_require__(497);\n\t\n\tvar _public_timeline2 = _interopRequireDefault(_public_timeline);\n\t\n\tvar _public_and_external_timeline = __webpack_require__(496);\n\t\n\tvar _public_and_external_timeline2 = _interopRequireDefault(_public_and_external_timeline);\n\t\n\tvar _friends_timeline = __webpack_require__(487);\n\t\n\tvar _friends_timeline2 = _interopRequireDefault(_friends_timeline);\n\t\n\tvar _tag_timeline = __webpack_require__(502);\n\t\n\tvar _tag_timeline2 = _interopRequireDefault(_tag_timeline);\n\t\n\tvar _conversationPage = __webpack_require__(483);\n\t\n\tvar _conversationPage2 = _interopRequireDefault(_conversationPage);\n\t\n\tvar _mentions = __webpack_require__(492);\n\t\n\tvar _mentions2 = _interopRequireDefault(_mentions);\n\t\n\tvar _user_profile = __webpack_require__(505);\n\t\n\tvar _user_profile2 = _interopRequireDefault(_user_profile);\n\t\n\tvar _settings = __webpack_require__(500);\n\t\n\tvar _settings2 = _interopRequireDefault(_settings);\n\t\n\tvar _registration = __webpack_require__(498);\n\t\n\tvar _registration2 = _interopRequireDefault(_registration);\n\t\n\tvar _user_settings = __webpack_require__(506);\n\t\n\tvar _user_settings2 = _interopRequireDefault(_user_settings);\n\t\n\tvar _follow_requests = __webpack_require__(486);\n\t\n\tvar _follow_requests2 = _interopRequireDefault(_follow_requests);\n\t\n\tvar _statuses = __webpack_require__(104);\n\t\n\tvar _statuses2 = _interopRequireDefault(_statuses);\n\t\n\tvar _users = __webpack_require__(178);\n\t\n\tvar _users2 = _interopRequireDefault(_users);\n\t\n\tvar _api = __webpack_require__(175);\n\t\n\tvar _api2 = _interopRequireDefault(_api);\n\t\n\tvar _config = __webpack_require__(177);\n\t\n\tvar _config2 = _interopRequireDefault(_config);\n\t\n\tvar _chat = __webpack_require__(176);\n\t\n\tvar _chat2 = _interopRequireDefault(_chat);\n\t\n\tvar _vueTimeago = __webpack_require__(546);\n\t\n\tvar _vueTimeago2 = _interopRequireDefault(_vueTimeago);\n\t\n\tvar _vueI18n = __webpack_require__(479);\n\t\n\tvar _vueI18n2 = _interopRequireDefault(_vueI18n);\n\t\n\tvar _persisted_state = __webpack_require__(174);\n\t\n\tvar _persisted_state2 = _interopRequireDefault(_persisted_state);\n\t\n\tvar _messages = __webpack_require__(103);\n\t\n\tvar _messages2 = _interopRequireDefault(_messages);\n\t\n\tvar _vueChatScroll = __webpack_require__(478);\n\t\n\tvar _vueChatScroll2 = _interopRequireDefault(_vueChatScroll);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar currentLocale = (window.navigator.language || 'en').split('-')[0];\n\t\n\t_vue2.default.use(_vuex2.default);\n\t_vue2.default.use(_vueRouter2.default);\n\t_vue2.default.use(_vueTimeago2.default, {\n\t locale: currentLocale === 'ja' ? 'ja' : 'en',\n\t locales: {\n\t 'en': __webpack_require__(307),\n\t 'ja': __webpack_require__(308)\n\t }\n\t});\n\t_vue2.default.use(_vueI18n2.default);\n\t_vue2.default.use(_vueChatScroll2.default);\n\t\n\tvar persistedStateOptions = {\n\t paths: ['config.collapseMessageWithSubject', 'config.hideAttachments', 'config.hideAttachmentsInConv', 'config.hideNsfw', 'config.replyVisibility', 'config.autoLoad', 'config.hoverPreview', 'config.streaming', 'config.muteWords', 'config.customTheme', 'config.highlight', 'config.loopVideo', 'config.loopVideoSilentOnly', 'config.pauseOnUnfocused', 'config.stopGifs', 'config.interfaceLanguage', 'users.lastLoginName', 'statuses.notifications.maxSavedId']\n\t};\n\t\n\tvar store = new _vuex2.default.Store({\n\t modules: {\n\t statuses: _statuses2.default,\n\t users: _users2.default,\n\t api: _api2.default,\n\t config: _config2.default,\n\t chat: _chat2.default\n\t },\n\t plugins: [(0, _persisted_state2.default)(persistedStateOptions)],\n\t strict: false });\n\t\n\tvar i18n = new _vueI18n2.default({\n\t locale: currentLocale,\n\t fallbackLocale: 'en',\n\t messages: _messages2.default\n\t});\n\t\n\twindow.fetch('/api/statusnet/config.json').then(function (res) {\n\t return res.json();\n\t}).then(function (data) {\n\t var _data$site = data.site,\n\t name = _data$site.name,\n\t registrationClosed = _data$site.closed,\n\t textlimit = _data$site.textlimit,\n\t server = _data$site.server;\n\t\n\t\n\t store.dispatch('setOption', { name: 'name', value: name });\n\t store.dispatch('setOption', { name: 'registrationOpen', value: registrationClosed === '0' });\n\t store.dispatch('setOption', { name: 'textlimit', value: parseInt(textlimit) });\n\t store.dispatch('setOption', { name: 'server', value: server });\n\t\n\t var apiConfig = data.site.pleromafe;\n\t\n\t window.fetch('/static/config.json').then(function (res) {\n\t return res.json();\n\t }).then(function (data) {\n\t var staticConfig = data;\n\t\n\t var theme = apiConfig.theme || staticConfig.theme;\n\t var background = apiConfig.background || staticConfig.background;\n\t var logo = apiConfig.logo || staticConfig.logo;\n\t var redirectRootNoLogin = apiConfig.redirectRootNoLogin || staticConfig.redirectRootNoLogin;\n\t var redirectRootLogin = apiConfig.redirectRootLogin || staticConfig.redirectRootLogin;\n\t var chatDisabled = apiConfig.chatDisabled || staticConfig.chatDisabled;\n\t var showWhoToFollowPanel = apiConfig.showWhoToFollowPanel || staticConfig.showWhoToFollowPanel;\n\t var whoToFollowProvider = apiConfig.whoToFollowProvider || staticConfig.whoToFollowProvider;\n\t var whoToFollowLink = apiConfig.whoToFollowLink || staticConfig.whoToFollowLink;\n\t var showInstanceSpecificPanel = apiConfig.showInstanceSpecificPanel || staticConfig.showInstanceSpecificPanel;\n\t var scopeOptionsEnabled = apiConfig.scopeOptionsEnabled || staticConfig.scopeOptionsEnabled;\n\t var collapseMessageWithSubject = apiConfig.collapseMessageWithSubject || staticConfig.collapseMessageWithSubject;\n\t\n\t store.dispatch('setOption', { name: 'theme', value: theme });\n\t store.dispatch('setOption', { name: 'background', value: background });\n\t store.dispatch('setOption', { name: 'logo', value: logo });\n\t store.dispatch('setOption', { name: 'showWhoToFollowPanel', value: showWhoToFollowPanel });\n\t store.dispatch('setOption', { name: 'whoToFollowProvider', value: whoToFollowProvider });\n\t store.dispatch('setOption', { name: 'whoToFollowLink', value: whoToFollowLink });\n\t store.dispatch('setOption', { name: 'showInstanceSpecificPanel', value: showInstanceSpecificPanel });\n\t store.dispatch('setOption', { name: 'scopeOptionsEnabled', value: scopeOptionsEnabled });\n\t store.dispatch('setOption', { name: 'collapseMessageWithSubject', value: collapseMessageWithSubject });\n\t if (chatDisabled) {\n\t store.dispatch('disableChat');\n\t }\n\t\n\t var routes = [{ name: 'root',\n\t path: '/',\n\t redirect: function redirect(to) {\n\t return (store.state.users.currentUser ? redirectRootLogin : redirectRootNoLogin) || '/main/all';\n\t } }, { path: '/main/all', component: _public_and_external_timeline2.default }, { path: '/main/public', component: _public_timeline2.default }, { path: '/main/friends', component: _friends_timeline2.default }, { path: '/tag/:tag', component: _tag_timeline2.default }, { name: 'conversation', path: '/notice/:id', component: _conversationPage2.default, meta: { dontScroll: true } }, { name: 'user-profile', path: '/users/:id', component: _user_profile2.default }, { name: 'mentions', path: '/:username/mentions', component: _mentions2.default }, { name: 'settings', path: '/settings', component: _settings2.default }, { name: 'registration', path: '/registration', component: _registration2.default }, { name: 'registration', path: '/registration/:token', component: _registration2.default }, { name: 'friend-requests', path: '/friend-requests', component: _follow_requests2.default }, { name: 'user-settings', path: '/user-settings', component: _user_settings2.default }];\n\t\n\t var router = new _vueRouter2.default({\n\t mode: 'history',\n\t routes: routes,\n\t scrollBehavior: function scrollBehavior(to, from, savedPosition) {\n\t if (to.matched.some(function (m) {\n\t return m.meta.dontScroll;\n\t })) {\n\t return false;\n\t }\n\t return savedPosition || { x: 0, y: 0 };\n\t }\n\t });\n\t\n\t new _vue2.default({\n\t router: router,\n\t store: store,\n\t i18n: i18n,\n\t el: '#app',\n\t render: function render(h) {\n\t return h(_App2.default);\n\t }\n\t });\n\t });\n\t});\n\t\n\twindow.fetch('/static/terms-of-service.html').then(function (res) {\n\t return res.text();\n\t}).then(function (html) {\n\t store.dispatch('setOption', { name: 'tos', value: html });\n\t});\n\t\n\twindow.fetch('/api/pleroma/emoji.json').then(function (res) {\n\t return res.json().then(function (values) {\n\t var emoji = (0, _keys2.default)(values).map(function (key) {\n\t return { shortcode: key, image_url: values[key] };\n\t });\n\t store.dispatch('setOption', { name: 'customEmoji', value: emoji });\n\t store.dispatch('setOption', { name: 'pleromaBackend', value: true });\n\t }, function (failure) {\n\t store.dispatch('setOption', { name: 'pleromaBackend', value: false });\n\t });\n\t}, function (error) {\n\t return console.log(error);\n\t});\n\t\n\twindow.fetch('/static/emoji.json').then(function (res) {\n\t return res.json();\n\t}).then(function (values) {\n\t var emoji = (0, _keys2.default)(values).map(function (key) {\n\t return { shortcode: key, image_url: false, 'utf': values[key] };\n\t });\n\t store.dispatch('setOption', { name: 'emoji', value: emoji });\n\t});\n\t\n\twindow.fetch('/instance/panel.html').then(function (res) {\n\t return res.text();\n\t}).then(function (html) {\n\t store.dispatch('setOption', { name: 'instanceSpecificPanelContent', value: html });\n\t});\n\t\n\twindow.fetch('/nodeinfo/2.0.json').then(function (res) {\n\t return res.json();\n\t}).then(function (data) {\n\t var suggestions = data.metadata.suggestions;\n\t store.dispatch('setOption', { name: 'suggestionsEnabled', value: suggestions.enabled });\n\t store.dispatch('setOption', { name: 'suggestionsWeb', value: suggestions.web });\n\t});\n\n/***/ }),\n/* 1 */,\n/* 2 */,\n/* 3 */,\n/* 4 */,\n/* 5 */,\n/* 6 */,\n/* 7 */,\n/* 8 */,\n/* 9 */,\n/* 10 */,\n/* 11 */,\n/* 12 */,\n/* 13 */,\n/* 14 */,\n/* 15 */,\n/* 16 */,\n/* 17 */,\n/* 18 */,\n/* 19 */,\n/* 20 */,\n/* 21 */,\n/* 22 */,\n/* 23 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _map2 = __webpack_require__(28);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _each2 = __webpack_require__(63);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\t__webpack_require__(548);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar LOGIN_URL = '/api/account/verify_credentials.json';\n\tvar FRIENDS_TIMELINE_URL = '/api/statuses/friends_timeline.json';\n\tvar ALL_FOLLOWING_URL = '/api/qvitter/allfollowing';\n\tvar PUBLIC_TIMELINE_URL = '/api/statuses/public_timeline.json';\n\tvar PUBLIC_AND_EXTERNAL_TIMELINE_URL = '/api/statuses/public_and_external_timeline.json';\n\tvar TAG_TIMELINE_URL = '/api/statusnet/tags/timeline';\n\tvar FAVORITE_URL = '/api/favorites/create';\n\tvar UNFAVORITE_URL = '/api/favorites/destroy';\n\tvar RETWEET_URL = '/api/statuses/retweet';\n\tvar UNRETWEET_URL = '/api/statuses/unretweet';\n\tvar STATUS_UPDATE_URL = '/api/statuses/update.json';\n\tvar STATUS_DELETE_URL = '/api/statuses/destroy';\n\tvar STATUS_URL = '/api/statuses/show';\n\tvar MEDIA_UPLOAD_URL = '/api/statusnet/media/upload';\n\tvar CONVERSATION_URL = '/api/statusnet/conversation';\n\tvar MENTIONS_URL = '/api/statuses/mentions.json';\n\tvar FOLLOWERS_URL = '/api/statuses/followers.json';\n\tvar FRIENDS_URL = '/api/statuses/friends.json';\n\tvar FOLLOWING_URL = '/api/friendships/create.json';\n\tvar UNFOLLOWING_URL = '/api/friendships/destroy.json';\n\tvar QVITTER_USER_PREF_URL = '/api/qvitter/set_profile_pref.json';\n\tvar REGISTRATION_URL = '/api/account/register.json';\n\tvar AVATAR_UPDATE_URL = '/api/qvitter/update_avatar.json';\n\tvar BG_UPDATE_URL = '/api/qvitter/update_background_image.json';\n\tvar BANNER_UPDATE_URL = '/api/account/update_profile_banner.json';\n\tvar PROFILE_UPDATE_URL = '/api/account/update_profile.json';\n\tvar EXTERNAL_PROFILE_URL = '/api/externalprofile/show.json';\n\tvar QVITTER_USER_TIMELINE_URL = '/api/qvitter/statuses/user_timeline.json';\n\tvar QVITTER_USER_NOTIFICATIONS_URL = '/api/qvitter/statuses/notifications.json';\n\tvar BLOCKING_URL = '/api/blocks/create.json';\n\tvar UNBLOCKING_URL = '/api/blocks/destroy.json';\n\tvar USER_URL = '/api/users/show.json';\n\tvar FOLLOW_IMPORT_URL = '/api/pleroma/follow_import';\n\tvar DELETE_ACCOUNT_URL = '/api/pleroma/delete_account';\n\tvar CHANGE_PASSWORD_URL = '/api/pleroma/change_password';\n\tvar FOLLOW_REQUESTS_URL = '/api/pleroma/friend_requests';\n\tvar APPROVE_USER_URL = '/api/pleroma/friendships/approve';\n\tvar DENY_USER_URL = '/api/pleroma/friendships/deny';\n\tvar SUGGESTIONS_URL = '/api/v1/suggestions';\n\t\n\tvar oldfetch = window.fetch;\n\t\n\tvar fetch = function fetch(url, options) {\n\t options = options || {};\n\t var baseUrl = '';\n\t var fullUrl = baseUrl + url;\n\t options.credentials = 'same-origin';\n\t return oldfetch(fullUrl, options);\n\t};\n\t\n\tvar utoa = function utoa(str) {\n\t return btoa(encodeURIComponent(str).replace(/%([0-9A-F]{2})/g, function (match, p1) {\n\t return String.fromCharCode('0x' + p1);\n\t }));\n\t};\n\t\n\tvar updateAvatar = function updateAvatar(_ref) {\n\t var credentials = _ref.credentials,\n\t params = _ref.params;\n\t\n\t var url = AVATAR_UPDATE_URL;\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar updateBg = function updateBg(_ref2) {\n\t var credentials = _ref2.credentials,\n\t params = _ref2.params;\n\t\n\t var url = BG_UPDATE_URL;\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar updateBanner = function updateBanner(_ref3) {\n\t var credentials = _ref3.credentials,\n\t params = _ref3.params;\n\t\n\t var url = BANNER_UPDATE_URL;\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar updateProfile = function updateProfile(_ref4) {\n\t var credentials = _ref4.credentials,\n\t params = _ref4.params;\n\t\n\t var url = PROFILE_UPDATE_URL;\n\t\n\t console.log(params);\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (key === 'description' || key === 'locked' || value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar register = function register(params) {\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t\n\t return fetch(REGISTRATION_URL, {\n\t method: 'POST',\n\t body: form\n\t });\n\t};\n\t\n\tvar authHeaders = function authHeaders(user) {\n\t if (user && user.username && user.password) {\n\t return { 'Authorization': 'Basic ' + utoa(user.username + ':' + user.password) };\n\t } else {\n\t return {};\n\t }\n\t};\n\t\n\tvar externalProfile = function externalProfile(_ref5) {\n\t var profileUrl = _ref5.profileUrl,\n\t credentials = _ref5.credentials;\n\t\n\t var url = EXTERNAL_PROFILE_URL + '?profileurl=' + profileUrl;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'GET'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar followUser = function followUser(_ref6) {\n\t var id = _ref6.id,\n\t credentials = _ref6.credentials;\n\t\n\t var url = FOLLOWING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar unfollowUser = function unfollowUser(_ref7) {\n\t var id = _ref7.id,\n\t credentials = _ref7.credentials;\n\t\n\t var url = UNFOLLOWING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar blockUser = function blockUser(_ref8) {\n\t var id = _ref8.id,\n\t credentials = _ref8.credentials;\n\t\n\t var url = BLOCKING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar unblockUser = function unblockUser(_ref9) {\n\t var id = _ref9.id,\n\t credentials = _ref9.credentials;\n\t\n\t var url = UNBLOCKING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar approveUser = function approveUser(_ref10) {\n\t var id = _ref10.id,\n\t credentials = _ref10.credentials;\n\t\n\t var url = APPROVE_USER_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar denyUser = function denyUser(_ref11) {\n\t var id = _ref11.id,\n\t credentials = _ref11.credentials;\n\t\n\t var url = DENY_USER_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchUser = function fetchUser(_ref12) {\n\t var id = _ref12.id,\n\t credentials = _ref12.credentials;\n\t\n\t var url = USER_URL + '?user_id=' + id;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchFriends = function fetchFriends(_ref13) {\n\t var id = _ref13.id,\n\t credentials = _ref13.credentials;\n\t\n\t var url = FRIENDS_URL + '?user_id=' + id;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchFollowers = function fetchFollowers(_ref14) {\n\t var id = _ref14.id,\n\t credentials = _ref14.credentials;\n\t\n\t var url = FOLLOWERS_URL + '?user_id=' + id;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchAllFollowing = function fetchAllFollowing(_ref15) {\n\t var username = _ref15.username,\n\t credentials = _ref15.credentials;\n\t\n\t var url = ALL_FOLLOWING_URL + '/' + username + '.json';\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchFollowRequests = function fetchFollowRequests(_ref16) {\n\t var credentials = _ref16.credentials;\n\t\n\t var url = FOLLOW_REQUESTS_URL;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchConversation = function fetchConversation(_ref17) {\n\t var id = _ref17.id,\n\t credentials = _ref17.credentials;\n\t\n\t var url = CONVERSATION_URL + '/' + id + '.json?count=100';\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchStatus = function fetchStatus(_ref18) {\n\t var id = _ref18.id,\n\t credentials = _ref18.credentials;\n\t\n\t var url = STATUS_URL + '/' + id + '.json';\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar setUserMute = function setUserMute(_ref19) {\n\t var id = _ref19.id,\n\t credentials = _ref19.credentials,\n\t _ref19$muted = _ref19.muted,\n\t muted = _ref19$muted === undefined ? true : _ref19$muted;\n\t\n\t var form = new FormData();\n\t\n\t var muteInteger = muted ? 1 : 0;\n\t\n\t form.append('namespace', 'qvitter');\n\t form.append('data', muteInteger);\n\t form.append('topic', 'mute:' + id);\n\t\n\t return fetch(QVITTER_USER_PREF_URL, {\n\t method: 'POST',\n\t headers: authHeaders(credentials),\n\t body: form\n\t });\n\t};\n\t\n\tvar fetchTimeline = function fetchTimeline(_ref20) {\n\t var timeline = _ref20.timeline,\n\t credentials = _ref20.credentials,\n\t _ref20$since = _ref20.since,\n\t since = _ref20$since === undefined ? false : _ref20$since,\n\t _ref20$until = _ref20.until,\n\t until = _ref20$until === undefined ? false : _ref20$until,\n\t _ref20$userId = _ref20.userId,\n\t userId = _ref20$userId === undefined ? false : _ref20$userId,\n\t _ref20$tag = _ref20.tag,\n\t tag = _ref20$tag === undefined ? false : _ref20$tag;\n\t\n\t var timelineUrls = {\n\t public: PUBLIC_TIMELINE_URL,\n\t friends: FRIENDS_TIMELINE_URL,\n\t mentions: MENTIONS_URL,\n\t notifications: QVITTER_USER_NOTIFICATIONS_URL,\n\t 'publicAndExternal': PUBLIC_AND_EXTERNAL_TIMELINE_URL,\n\t user: QVITTER_USER_TIMELINE_URL,\n\t\n\t own: QVITTER_USER_TIMELINE_URL,\n\t tag: TAG_TIMELINE_URL\n\t };\n\t\n\t var url = timelineUrls[timeline];\n\t\n\t var params = [];\n\t\n\t if (since) {\n\t params.push(['since_id', since]);\n\t }\n\t if (until) {\n\t params.push(['max_id', until]);\n\t }\n\t if (userId) {\n\t params.push(['user_id', userId]);\n\t }\n\t if (tag) {\n\t url += '/' + tag + '.json';\n\t }\n\t\n\t params.push(['count', 20]);\n\t\n\t var queryString = (0, _map3.default)(params, function (param) {\n\t return param[0] + '=' + param[1];\n\t }).join('&');\n\t url += '?' + queryString;\n\t\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar verifyCredentials = function verifyCredentials(user) {\n\t return fetch(LOGIN_URL, {\n\t method: 'POST',\n\t headers: authHeaders(user)\n\t });\n\t};\n\t\n\tvar favorite = function favorite(_ref21) {\n\t var id = _ref21.id,\n\t credentials = _ref21.credentials;\n\t\n\t return fetch(FAVORITE_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar unfavorite = function unfavorite(_ref22) {\n\t var id = _ref22.id,\n\t credentials = _ref22.credentials;\n\t\n\t return fetch(UNFAVORITE_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar retweet = function retweet(_ref23) {\n\t var id = _ref23.id,\n\t credentials = _ref23.credentials;\n\t\n\t return fetch(RETWEET_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar unretweet = function unretweet(_ref24) {\n\t var id = _ref24.id,\n\t credentials = _ref24.credentials;\n\t\n\t return fetch(UNRETWEET_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar postStatus = function postStatus(_ref25) {\n\t var credentials = _ref25.credentials,\n\t status = _ref25.status,\n\t spoilerText = _ref25.spoilerText,\n\t visibility = _ref25.visibility,\n\t sensitive = _ref25.sensitive,\n\t mediaIds = _ref25.mediaIds,\n\t inReplyToStatusId = _ref25.inReplyToStatusId;\n\t\n\t var idsText = mediaIds.join(',');\n\t var form = new FormData();\n\t\n\t form.append('status', status);\n\t form.append('source', 'Pleroma FE');\n\t if (spoilerText) form.append('spoiler_text', spoilerText);\n\t if (visibility) form.append('visibility', visibility);\n\t if (sensitive) form.append('sensitive', sensitive);\n\t form.append('media_ids', idsText);\n\t if (inReplyToStatusId) {\n\t form.append('in_reply_to_status_id', inReplyToStatusId);\n\t }\n\t\n\t return fetch(STATUS_UPDATE_URL, {\n\t body: form,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t });\n\t};\n\t\n\tvar deleteStatus = function deleteStatus(_ref26) {\n\t var id = _ref26.id,\n\t credentials = _ref26.credentials;\n\t\n\t return fetch(STATUS_DELETE_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar uploadMedia = function uploadMedia(_ref27) {\n\t var formData = _ref27.formData,\n\t credentials = _ref27.credentials;\n\t\n\t return fetch(MEDIA_UPLOAD_URL, {\n\t body: formData,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.text();\n\t }).then(function (text) {\n\t return new DOMParser().parseFromString(text, 'application/xml');\n\t });\n\t};\n\t\n\tvar followImport = function followImport(_ref28) {\n\t var params = _ref28.params,\n\t credentials = _ref28.credentials;\n\t\n\t return fetch(FOLLOW_IMPORT_URL, {\n\t body: params,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.ok;\n\t });\n\t};\n\t\n\tvar deleteAccount = function deleteAccount(_ref29) {\n\t var credentials = _ref29.credentials,\n\t password = _ref29.password;\n\t\n\t var form = new FormData();\n\t\n\t form.append('password', password);\n\t\n\t return fetch(DELETE_ACCOUNT_URL, {\n\t body: form,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.json();\n\t });\n\t};\n\t\n\tvar changePassword = function changePassword(_ref30) {\n\t var credentials = _ref30.credentials,\n\t password = _ref30.password,\n\t newPassword = _ref30.newPassword,\n\t newPasswordConfirmation = _ref30.newPasswordConfirmation;\n\t\n\t var form = new FormData();\n\t\n\t form.append('password', password);\n\t form.append('new_password', newPassword);\n\t form.append('new_password_confirmation', newPasswordConfirmation);\n\t\n\t return fetch(CHANGE_PASSWORD_URL, {\n\t body: form,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.json();\n\t });\n\t};\n\t\n\tvar fetchMutes = function fetchMutes(_ref31) {\n\t var credentials = _ref31.credentials;\n\t\n\t var url = '/api/qvitter/mutes.json';\n\t\n\t return fetch(url, {\n\t headers: authHeaders(credentials)\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar suggestions = function suggestions(_ref32) {\n\t var credentials = _ref32.credentials;\n\t\n\t return fetch(SUGGESTIONS_URL, {\n\t headers: authHeaders(credentials)\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar apiService = {\n\t verifyCredentials: verifyCredentials,\n\t fetchTimeline: fetchTimeline,\n\t fetchConversation: fetchConversation,\n\t fetchStatus: fetchStatus,\n\t fetchFriends: fetchFriends,\n\t fetchFollowers: fetchFollowers,\n\t followUser: followUser,\n\t unfollowUser: unfollowUser,\n\t blockUser: blockUser,\n\t unblockUser: unblockUser,\n\t fetchUser: fetchUser,\n\t favorite: favorite,\n\t unfavorite: unfavorite,\n\t retweet: retweet,\n\t unretweet: unretweet,\n\t postStatus: postStatus,\n\t deleteStatus: deleteStatus,\n\t uploadMedia: uploadMedia,\n\t fetchAllFollowing: fetchAllFollowing,\n\t setUserMute: setUserMute,\n\t fetchMutes: fetchMutes,\n\t register: register,\n\t updateAvatar: updateAvatar,\n\t updateBg: updateBg,\n\t updateProfile: updateProfile,\n\t updateBanner: updateBanner,\n\t externalProfile: externalProfile,\n\t followImport: followImport,\n\t deleteAccount: deleteAccount,\n\t changePassword: changePassword,\n\t fetchFollowRequests: fetchFollowRequests,\n\t approveUser: approveUser,\n\t denyUser: denyUser,\n\t suggestions: suggestions\n\t};\n\t\n\texports.default = apiService;\n\n/***/ }),\n/* 24 */,\n/* 25 */,\n/* 26 */,\n/* 27 */,\n/* 28 */,\n/* 29 */,\n/* 30 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(298)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(210),\n\t /* template */\n\t __webpack_require__(535),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 31 */,\n/* 32 */,\n/* 33 */,\n/* 34 */,\n/* 35 */,\n/* 36 */,\n/* 37 */,\n/* 38 */,\n/* 39 */,\n/* 40 */,\n/* 41 */,\n/* 42 */,\n/* 43 */,\n/* 44 */,\n/* 45 */,\n/* 46 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(283)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(212),\n\t /* template */\n\t __webpack_require__(511),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 47 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.rgbstr2hex = exports.hex2rgb = exports.rgb2hex = undefined;\n\t\n\tvar _slicedToArray2 = __webpack_require__(112);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _map4 = __webpack_require__(28);\n\t\n\tvar _map5 = _interopRequireDefault(_map4);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar rgb2hex = function rgb2hex(r, g, b) {\n\t var _map2 = (0, _map5.default)([r, g, b], function (val) {\n\t val = Math.ceil(val);\n\t val = val < 0 ? 0 : val;\n\t val = val > 255 ? 255 : val;\n\t return val;\n\t });\n\t\n\t var _map3 = (0, _slicedToArray3.default)(_map2, 3);\n\t\n\t r = _map3[0];\n\t g = _map3[1];\n\t b = _map3[2];\n\t\n\t return '#' + ((1 << 24) + (r << 16) + (g << 8) + b).toString(16).slice(1);\n\t};\n\t\n\tvar hex2rgb = function hex2rgb(hex) {\n\t var result = /^#?([a-f\\d]{2})([a-f\\d]{2})([a-f\\d]{2})$/i.exec(hex);\n\t return result ? {\n\t r: parseInt(result[1], 16),\n\t g: parseInt(result[2], 16),\n\t b: parseInt(result[3], 16)\n\t } : null;\n\t};\n\t\n\tvar rgbstr2hex = function rgbstr2hex(rgb) {\n\t if (rgb[0] === '#') {\n\t return rgb;\n\t }\n\t rgb = rgb.match(/\\d+/g);\n\t return '#' + ((Number(rgb[0]) << 16) + (Number(rgb[1]) << 8) + Number(rgb[2])).toString(16);\n\t};\n\t\n\texports.rgb2hex = rgb2hex;\n\texports.hex2rgb = hex2rgb;\n\texports.rgbstr2hex = rgbstr2hex;\n\n/***/ }),\n/* 48 */,\n/* 49 */,\n/* 50 */,\n/* 51 */,\n/* 52 */,\n/* 53 */,\n/* 54 */,\n/* 55 */,\n/* 56 */,\n/* 57 */,\n/* 58 */,\n/* 59 */,\n/* 60 */,\n/* 61 */,\n/* 62 */,\n/* 63 */,\n/* 64 */,\n/* 65 */,\n/* 66 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(288)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(205),\n\t /* template */\n\t __webpack_require__(520),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 67 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(302)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(207),\n\t /* template */\n\t __webpack_require__(540),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 68 */,\n/* 69 */,\n/* 70 */,\n/* 71 */,\n/* 72 */,\n/* 73 */,\n/* 74 */,\n/* 75 */,\n/* 76 */,\n/* 77 */,\n/* 78 */,\n/* 79 */,\n/* 80 */,\n/* 81 */,\n/* 82 */,\n/* 83 */,\n/* 84 */,\n/* 85 */,\n/* 86 */,\n/* 87 */,\n/* 88 */,\n/* 89 */,\n/* 90 */,\n/* 91 */,\n/* 92 */,\n/* 93 */,\n/* 94 */,\n/* 95 */,\n/* 96 */,\n/* 97 */,\n/* 98 */,\n/* 99 */,\n/* 100 */,\n/* 101 */,\n/* 102 */,\n/* 103 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar de = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Lokaler Chat',\n\t timeline: 'Zeitleiste',\n\t mentions: 'Erwähnungen',\n\t public_tl: 'Lokale Zeitleiste',\n\t twkn: 'Das gesamte Netzwerk'\n\t },\n\t user_card: {\n\t follows_you: 'Folgt dir!',\n\t following: 'Folgst du!',\n\t follow: 'Folgen',\n\t blocked: 'Blockiert!',\n\t block: 'Blockieren',\n\t statuses: 'Beiträge',\n\t mute: 'Stummschalten',\n\t muted: 'Stummgeschaltet',\n\t followers: 'Folgende',\n\t followees: 'Folgt',\n\t per_day: 'pro Tag',\n\t remote_follow: 'Remote Follow'\n\t },\n\t timeline: {\n\t show_new: 'Zeige Neuere',\n\t error_fetching: 'Fehler beim Laden',\n\t up_to_date: 'Aktuell',\n\t load_older: 'Lade ältere Beiträge',\n\t conversation: 'Unterhaltung',\n\t collapse: 'Einklappen',\n\t repeated: 'wiederholte'\n\t },\n\t settings: {\n\t user_settings: 'Benutzereinstellungen',\n\t name_bio: 'Name & Bio',\n\t name: 'Name',\n\t bio: 'Bio',\n\t avatar: 'Avatar',\n\t current_avatar: 'Dein derzeitiger Avatar',\n\t set_new_avatar: 'Setze neuen Avatar',\n\t profile_banner: 'Profil Banner',\n\t current_profile_banner: 'Dein derzeitiger Profil Banner',\n\t set_new_profile_banner: 'Setze neuen Profil Banner',\n\t profile_background: 'Profil Hintergrund',\n\t set_new_profile_background: 'Setze neuen Profil Hintergrund',\n\t settings: 'Einstellungen',\n\t theme: 'Farbschema',\n\t presets: 'Voreinstellungen',\n\t export_theme: 'Aktuelles Theme exportieren',\n\t import_theme: 'Gespeichertes Theme laden',\n\t invalid_theme_imported: 'Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.',\n\t theme_help: 'Benutze HTML Farbcodes (#rrggbb) um dein Farbschema anzupassen',\n\t radii_help: 'Kantenrundung (in Pixel) der Oberfläche anpassen',\n\t background: 'Hintergrund',\n\t foreground: 'Vordergrund',\n\t text: 'Text',\n\t links: 'Links',\n\t cBlue: 'Blau (Antworten, Folgt dir)',\n\t cRed: 'Rot (Abbrechen)',\n\t cOrange: 'Orange (Favorisieren)',\n\t cGreen: 'Grün (Retweet)',\n\t btnRadius: 'Buttons',\n\t inputRadius: 'Eingabefelder',\n\t panelRadius: 'Panel',\n\t avatarRadius: 'Avatare',\n\t avatarAltRadius: 'Avatare (Benachrichtigungen)',\n\t tooltipRadius: 'Tooltips/Warnungen',\n\t attachmentRadius: 'Anhänge',\n\t filtering: 'Filter',\n\t filtering_explanation: 'Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.',\n\t attachments: 'Anhänge',\n\t hide_attachments_in_tl: 'Anhänge in der Zeitleiste ausblenden',\n\t hide_attachments_in_convo: 'Anhänge in Unterhaltungen ausblenden',\n\t nsfw_clickthrough: 'Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind',\n\t stop_gifs: 'Play-on-hover GIFs',\n\t autoload: 'Aktiviere automatisches Laden von älteren Beiträgen beim scrollen',\n\t streaming: 'Aktiviere automatisches Laden (Streaming) von neuen Beiträgen',\n\t reply_link_preview: 'Aktiviere reply-link Vorschau bei Maus-Hover',\n\t follow_import: 'Folgeliste importieren',\n\t import_followers_from_a_csv_file: 'Importiere Kontakte, denen du folgen möchtest, aus einer CSV-Datei',\n\t follows_imported: 'Folgeliste importiert! Die Bearbeitung kann eine Zeit lang dauern.',\n\t follow_import_error: 'Fehler beim importieren der Folgeliste',\n\t delete_account: 'Account löschen',\n\t delete_account_description: 'Lösche deinen Account und alle deine Nachrichten dauerhaft.',\n\t delete_account_instructions: 'Tippe dein Passwort unten in das Feld ein um die Löschung deines Accounts zu bestätigen.',\n\t delete_account_error: 'Es ist ein Fehler beim löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.',\n\t follow_export: 'Folgeliste exportieren',\n\t follow_export_processing: 'In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.',\n\t follow_export_button: 'Liste (.csv) erstellen',\n\t change_password: 'Passwort ändern',\n\t current_password: 'Aktuelles Passwort',\n\t new_password: 'Neues Passwort',\n\t confirm_new_password: 'Neues Passwort bestätigen',\n\t changed_password: 'Passwort erfolgreich geändert!',\n\t change_password_error: 'Es gab ein Problem bei der Änderung des Passworts.'\n\t },\n\t notifications: {\n\t notifications: 'Benachrichtigungen',\n\t read: 'Gelesen!',\n\t followed_you: 'folgt dir',\n\t favorited_you: 'favorisierte deine Nachricht',\n\t repeated_you: 'wiederholte deine Nachricht'\n\t },\n\t login: {\n\t login: 'Anmelden',\n\t username: 'Benutzername',\n\t placeholder: 'z.B. lain',\n\t password: 'Passwort',\n\t register: 'Registrieren',\n\t logout: 'Abmelden'\n\t },\n\t registration: {\n\t registration: 'Registrierung',\n\t fullname: 'Angezeigter Name',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Passwort bestätigen'\n\t },\n\t post_status: {\n\t posting: 'Veröffentlichen',\n\t default: 'Sitze gerade im Hofbräuhaus.',\n\t account_not_locked_warning: 'Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.',\n\t account_not_locked_warning_link: 'gesperrt',\n\t direct_warning: 'Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.',\n\t scope: {\n\t public: 'Öffentlich - Beitrag an öffentliche Zeitleisten',\n\t unlisted: 'Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen',\n\t private: 'Nur Folgende - Beitrag nur an Folgende',\n\t direct: 'Direkt - Beitrag nur an erwähnte Profile'\n\t }\n\t },\n\t finder: {\n\t find_user: 'Finde Benutzer',\n\t error_fetching_user: 'Fehler beim Suchen des Benutzers'\n\t },\n\t general: {\n\t submit: 'Absenden',\n\t apply: 'Anwenden'\n\t },\n\t user_profile: {\n\t timeline_title: 'Beiträge'\n\t }\n\t};\n\t\n\tvar fi = {\n\t nav: {\n\t timeline: 'Aikajana',\n\t mentions: 'Maininnat',\n\t public_tl: 'Julkinen Aikajana',\n\t twkn: 'Koko Tunnettu Verkosto'\n\t },\n\t user_card: {\n\t follows_you: 'Seuraa sinua!',\n\t following: 'Seuraat!',\n\t follow: 'Seuraa',\n\t statuses: 'Viestit',\n\t mute: 'Hiljennä',\n\t muted: 'Hiljennetty',\n\t followers: 'Seuraajat',\n\t followees: 'Seuraa',\n\t per_day: 'päivässä'\n\t },\n\t timeline: {\n\t show_new: 'Näytä uudet',\n\t error_fetching: 'Virhe ladatessa viestejä',\n\t up_to_date: 'Ajantasalla',\n\t load_older: 'Lataa vanhempia viestejä',\n\t conversation: 'Keskustelu',\n\t collapse: 'Sulje',\n\t repeated: 'toisti'\n\t },\n\t settings: {\n\t user_settings: 'Käyttäjän asetukset',\n\t name_bio: 'Nimi ja kuvaus',\n\t name: 'Nimi',\n\t bio: 'Kuvaus',\n\t avatar: 'Profiilikuva',\n\t current_avatar: 'Nykyinen profiilikuvasi',\n\t set_new_avatar: 'Aseta uusi profiilikuva',\n\t profile_banner: 'Juliste',\n\t current_profile_banner: 'Nykyinen julisteesi',\n\t set_new_profile_banner: 'Aseta uusi juliste',\n\t profile_background: 'Taustakuva',\n\t set_new_profile_background: 'Aseta uusi taustakuva',\n\t settings: 'Asetukset',\n\t theme: 'Teema',\n\t presets: 'Valmiit teemat',\n\t theme_help: 'Käytä heksadesimaalivärejä muokataksesi väriteemaasi.',\n\t background: 'Tausta',\n\t foreground: 'Korostus',\n\t text: 'Teksti',\n\t links: 'Linkit',\n\t filtering: 'Suodatus',\n\t filtering_explanation: 'Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.',\n\t attachments: 'Liitteet',\n\t hide_attachments_in_tl: 'Piilota liitteet aikajanalla',\n\t hide_attachments_in_convo: 'Piilota liitteet keskusteluissa',\n\t nsfw_clickthrough: 'Piilota NSFW liitteet klikkauksen taakse.',\n\t autoload: 'Lataa vanhempia viestejä automaattisesti ruudun pohjalla',\n\t streaming: 'Näytä uudet viestit automaattisesti ollessasi ruudun huipulla',\n\t reply_link_preview: 'Keskusteluiden vastauslinkkien esikatselu'\n\t },\n\t notifications: {\n\t notifications: 'Ilmoitukset',\n\t read: 'Lue!',\n\t followed_you: 'seuraa sinua',\n\t favorited_you: 'tykkäsi viestistäsi',\n\t repeated_you: 'toisti viestisi'\n\t },\n\t login: {\n\t login: 'Kirjaudu sisään',\n\t username: 'Käyttäjänimi',\n\t placeholder: 'esim. lain',\n\t password: 'Salasana',\n\t register: 'Rekisteröidy',\n\t logout: 'Kirjaudu ulos'\n\t },\n\t registration: {\n\t registration: 'Rekisteröityminen',\n\t fullname: 'Koko nimi',\n\t email: 'Sähköposti',\n\t bio: 'Kuvaus',\n\t password_confirm: 'Salasanan vahvistaminen'\n\t },\n\t post_status: {\n\t posting: 'Lähetetään',\n\t default: 'Tulin juuri saunasta.'\n\t },\n\t finder: {\n\t find_user: 'Hae käyttäjä',\n\t error_fetching_user: 'Virhe hakiessa käyttäjää'\n\t },\n\t general: {\n\t submit: 'Lähetä',\n\t apply: 'Aseta'\n\t }\n\t};\n\t\n\tvar en = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Local Chat',\n\t timeline: 'Timeline',\n\t mentions: 'Mentions',\n\t public_tl: 'Public Timeline',\n\t twkn: 'The Whole Known Network',\n\t friend_requests: 'Follow Requests'\n\t },\n\t user_card: {\n\t follows_you: 'Follows you!',\n\t following: 'Following!',\n\t follow: 'Follow',\n\t blocked: 'Blocked!',\n\t block: 'Block',\n\t statuses: 'Statuses',\n\t mute: 'Mute',\n\t muted: 'Muted',\n\t followers: 'Followers',\n\t followees: 'Following',\n\t per_day: 'per day',\n\t remote_follow: 'Remote follow',\n\t approve: 'Approve',\n\t deny: 'Deny'\n\t },\n\t timeline: {\n\t show_new: 'Show new',\n\t error_fetching: 'Error fetching updates',\n\t up_to_date: 'Up-to-date',\n\t load_older: 'Load older statuses',\n\t conversation: 'Conversation',\n\t collapse: 'Collapse',\n\t repeated: 'repeated'\n\t },\n\t settings: {\n\t user_settings: 'User Settings',\n\t name_bio: 'Name & Bio',\n\t name: 'Name',\n\t bio: 'Bio',\n\t avatar: 'Avatar',\n\t current_avatar: 'Your current avatar',\n\t set_new_avatar: 'Set new avatar',\n\t profile_banner: 'Profile Banner',\n\t current_profile_banner: 'Your current profile banner',\n\t set_new_profile_banner: 'Set new profile banner',\n\t profile_background: 'Profile Background',\n\t set_new_profile_background: 'Set new profile background',\n\t settings: 'Settings',\n\t theme: 'Theme',\n\t presets: 'Presets',\n\t export_theme: 'Export current theme',\n\t import_theme: 'Load saved theme',\n\t theme_help: 'Use hex color codes (#rrggbb) to customize your color theme.',\n\t invalid_theme_imported: 'The selected file is not a supported Pleroma theme. No changes to your theme were made.',\n\t radii_help: 'Set up interface edge rounding (in pixels)',\n\t background: 'Background',\n\t foreground: 'Foreground',\n\t text: 'Text',\n\t links: 'Links',\n\t cBlue: 'Blue (Reply, follow)',\n\t cRed: 'Red (Cancel)',\n\t cOrange: 'Orange (Favorite)',\n\t cGreen: 'Green (Retweet)',\n\t btnRadius: 'Buttons',\n\t inputRadius: 'Input fields',\n\t panelRadius: 'Panels',\n\t avatarRadius: 'Avatars',\n\t avatarAltRadius: 'Avatars (Notifications)',\n\t tooltipRadius: 'Tooltips/alerts',\n\t attachmentRadius: 'Attachments',\n\t filtering: 'Filtering',\n\t filtering_explanation: 'All statuses containing these words will be muted, one per line',\n\t attachments: 'Attachments',\n\t hide_attachments_in_tl: 'Hide attachments in timeline',\n\t hide_attachments_in_convo: 'Hide attachments in conversations',\n\t nsfw_clickthrough: 'Enable clickthrough NSFW attachment hiding',\n\t collapse_subject: 'Collapse posts with subjects',\n\t stop_gifs: 'Play-on-hover GIFs',\n\t autoload: 'Enable automatic loading when scrolled to the bottom',\n\t streaming: 'Enable automatic streaming of new posts when scrolled to the top',\n\t pause_on_unfocused: 'Pause streaming when tab is not focused',\n\t loop_video: 'Loop videos',\n\t loop_video_silent_only: 'Loop only videos without sound (i.e. Mastodon\\'s \"gifs\")',\n\t reply_link_preview: 'Enable reply-link preview on mouse hover',\n\t reply_visibility_all: 'Show all replies',\n\t reply_visibility_following: 'Only show replies directed at me or users I\\'m following',\n\t reply_visibility_self: 'Only show replies directed at me',\n\t follow_import: 'Follow import',\n\t import_followers_from_a_csv_file: 'Import follows from a csv file',\n\t follows_imported: 'Follows imported! Processing them will take a while.',\n\t follow_import_error: 'Error importing followers',\n\t delete_account: 'Delete Account',\n\t delete_account_description: 'Permanently delete your account and all your messages.',\n\t delete_account_instructions: 'Type your password in the input below to confirm account deletion.',\n\t delete_account_error: 'There was an issue deleting your account. If this persists please contact your instance administrator.',\n\t follow_export: 'Follow export',\n\t follow_export_processing: 'Processing, you\\'ll soon be asked to download your file',\n\t follow_export_button: 'Export your follows to a csv file',\n\t change_password: 'Change Password',\n\t current_password: 'Current password',\n\t new_password: 'New password',\n\t confirm_new_password: 'Confirm new password',\n\t changed_password: 'Password changed successfully!',\n\t change_password_error: 'There was an issue changing your password.',\n\t lock_account_description: 'Restrict your account to approved followers only',\n\t limited_availability: 'Unavailable in your browser',\n\t default_vis: 'Default visibility scope',\n\t profile_tab: 'Profile',\n\t security_tab: 'Security',\n\t data_import_export_tab: 'Data Import / Export',\n\t interfaceLanguage: 'Interface language'\n\t },\n\t notifications: {\n\t notifications: 'Notifications',\n\t read: 'Read!',\n\t followed_you: 'followed you',\n\t favorited_you: 'favorited your status',\n\t repeated_you: 'repeated your status',\n\t broken_favorite: 'Unknown status, searching for it...',\n\t load_older: 'Load older notifications'\n\t },\n\t login: {\n\t login: 'Log in',\n\t username: 'Username',\n\t placeholder: 'e.g. lain',\n\t password: 'Password',\n\t register: 'Register',\n\t logout: 'Log out'\n\t },\n\t registration: {\n\t registration: 'Registration',\n\t fullname: 'Display name',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Password confirmation',\n\t token: 'Invite token'\n\t },\n\t post_status: {\n\t posting: 'Posting',\n\t content_warning: 'Subject (optional)',\n\t default: 'Just landed in L.A.',\n\t account_not_locked_warning: 'Your account is not {0}. Anyone can follow you to view your follower-only posts.',\n\t account_not_locked_warning_link: 'locked',\n\t direct_warning: 'This post will only be visible to all the mentioned users.',\n\t attachments_sensitive: 'Attachments marked sensitive',\n\t attachments_not_sensitive: 'Attachments not marked sensitive',\n\t scope: {\n\t public: 'Public - Post to public timelines',\n\t unlisted: 'Unlisted - Do not post to public timelines',\n\t private: 'Followers-only - Post to followers only',\n\t direct: 'Direct - Post to mentioned users only'\n\t }\n\t },\n\t finder: {\n\t find_user: 'Find user',\n\t error_fetching_user: 'Error fetching user'\n\t },\n\t general: {\n\t submit: 'Submit',\n\t apply: 'Apply'\n\t },\n\t user_profile: {\n\t timeline_title: 'User Timeline'\n\t },\n\t who_to_follow: {\n\t who_to_follow: 'Who to follow',\n\t more: 'More'\n\t }\n\t};\n\t\n\tvar eo = {\n\t chat: {\n\t title: 'Babilo'\n\t },\n\t nav: {\n\t chat: 'Loka babilo',\n\t timeline: 'Tempovido',\n\t mentions: 'Mencioj',\n\t public_tl: 'Publika tempovido',\n\t twkn: 'Tuta konata reto'\n\t },\n\t user_card: {\n\t follows_you: 'Abonas vin!',\n\t following: 'Abonanta!',\n\t follow: 'Aboni',\n\t blocked: 'Barita!',\n\t block: 'Bari',\n\t statuses: 'Statoj',\n\t mute: 'Silentigi',\n\t muted: 'Silentigita',\n\t followers: 'Abonantoj',\n\t followees: 'Abonatoj',\n\t per_day: 'tage',\n\t remote_follow: 'Fora abono'\n\t },\n\t timeline: {\n\t show_new: 'Montri novajn',\n\t error_fetching: 'Eraro ĝisdatigante',\n\t up_to_date: 'Ĝisdata',\n\t load_older: 'Enlegi pli malnovajn statojn',\n\t conversation: 'Interparolo',\n\t collapse: 'Maletendi',\n\t repeated: 'ripetata'\n\t },\n\t settings: {\n\t user_settings: 'Uzulaj agordoj',\n\t name_bio: 'Nomo kaj prio',\n\t name: 'Nomo',\n\t bio: 'Prio',\n\t avatar: 'Profilbildo',\n\t current_avatar: 'Via nuna profilbildo',\n\t set_new_avatar: 'Agordi novan profilbildon',\n\t profile_banner: 'Profila rubando',\n\t current_profile_banner: 'Via nuna profila rubando',\n\t set_new_profile_banner: 'Agordi novan profilan rubandon',\n\t profile_background: 'Profila fono',\n\t set_new_profile_background: 'Agordi novan profilan fonon',\n\t settings: 'Agordoj',\n\t theme: 'Haŭto',\n\t presets: 'Antaŭmetaĵoj',\n\t theme_help: 'Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran haŭton.',\n\t radii_help: 'Agordi fasadan rondigon de randoj (rastrumere)',\n\t background: 'Fono',\n\t foreground: 'Malfono',\n\t text: 'Teksto',\n\t links: 'Ligiloj',\n\t cBlue: 'Blua (Respondo, abono)',\n\t cRed: 'Ruĝa (Nuligo)',\n\t cOrange: 'Orange (Ŝato)',\n\t cGreen: 'Verda (Kunhavigo)',\n\t btnRadius: 'Butonoj',\n\t panelRadius: 'Paneloj',\n\t avatarRadius: 'Profilbildoj',\n\t avatarAltRadius: 'Profilbildoj (Sciigoj)',\n\t tooltipRadius: 'Ŝpruchelpiloj/avertoj',\n\t attachmentRadius: 'Kunsendaĵoj',\n\t filtering: 'Filtrado',\n\t filtering_explanation: 'Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie',\n\t attachments: 'Kunsendaĵoj',\n\t hide_attachments_in_tl: 'Kaŝi kunsendaĵojn en tempovido',\n\t hide_attachments_in_convo: 'Kaŝi kunsendaĵojn en interparoloj',\n\t nsfw_clickthrough: 'Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj',\n\t stop_gifs: 'Movi GIF-bildojn dum ŝvebo',\n\t autoload: 'Ŝalti memfaran enlegadon ĉe subo de paĝo',\n\t streaming: 'Ŝalti memfaran fluigon de novaj afiŝoj ĉe supro de paĝo',\n\t reply_link_preview: 'Ŝalti respond-ligilan antaŭvidon dum ŝvebo',\n\t follow_import: 'Abona enporto',\n\t import_followers_from_a_csv_file: 'Enporti abonojn de CSV-dosiero',\n\t follows_imported: 'Abonoj enportiĝis! Traktado daŭros iom.',\n\t follow_import_error: 'Eraro enportante abonojn'\n\t },\n\t notifications: {\n\t notifications: 'Sciigoj',\n\t read: 'Legita!',\n\t followed_you: 'ekabonis vin',\n\t favorited_you: 'ŝatis vian staton',\n\t repeated_you: 'ripetis vian staton'\n\t },\n\t login: {\n\t login: 'Saluti',\n\t username: 'Salutnomo',\n\t placeholder: 'ekz. lain',\n\t password: 'Pasvorto',\n\t register: 'Registriĝi',\n\t logout: 'Adiaŭi'\n\t },\n\t registration: {\n\t registration: 'Registriĝo',\n\t fullname: 'Vidiga nomo',\n\t email: 'Retpoŝtadreso',\n\t bio: 'Prio',\n\t password_confirm: 'Konfirmo de pasvorto'\n\t },\n\t post_status: {\n\t posting: 'Afiŝanta',\n\t default: 'Ĵus alvenis la universalan kongreson!'\n\t },\n\t finder: {\n\t find_user: 'Trovi uzulon',\n\t error_fetching_user: 'Eraro alportante uzulon'\n\t },\n\t general: {\n\t submit: 'Sendi',\n\t apply: 'Apliki'\n\t },\n\t user_profile: {\n\t timeline_title: 'Uzula tempovido'\n\t }\n\t};\n\t\n\tvar et = {\n\t nav: {\n\t timeline: 'Ajajoon',\n\t mentions: 'Mainimised',\n\t public_tl: 'Avalik Ajajoon',\n\t twkn: 'Kogu Teadaolev Võrgustik'\n\t },\n\t user_card: {\n\t follows_you: 'Jälgib sind!',\n\t following: 'Jälgin!',\n\t follow: 'Jälgi',\n\t blocked: 'Blokeeritud!',\n\t block: 'Blokeeri',\n\t statuses: 'Staatuseid',\n\t mute: 'Vaigista',\n\t muted: 'Vaigistatud',\n\t followers: 'Jälgijaid',\n\t followees: 'Jälgitavaid',\n\t per_day: 'päevas'\n\t },\n\t timeline: {\n\t show_new: 'Näita uusi',\n\t error_fetching: 'Viga uuenduste laadimisel',\n\t up_to_date: 'Uuendatud',\n\t load_older: 'Kuva vanemaid staatuseid',\n\t conversation: 'Vestlus'\n\t },\n\t settings: {\n\t user_settings: 'Kasutaja sätted',\n\t name_bio: 'Nimi ja Bio',\n\t name: 'Nimi',\n\t bio: 'Bio',\n\t avatar: 'Profiilipilt',\n\t current_avatar: 'Sinu praegune profiilipilt',\n\t set_new_avatar: 'Vali uus profiilipilt',\n\t profile_banner: 'Profiilibänner',\n\t current_profile_banner: 'Praegune profiilibänner',\n\t set_new_profile_banner: 'Vali uus profiilibänner',\n\t profile_background: 'Profiilitaust',\n\t set_new_profile_background: 'Vali uus profiilitaust',\n\t settings: 'Sätted',\n\t theme: 'Teema',\n\t filtering: 'Sisu filtreerimine',\n\t filtering_explanation: 'Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.',\n\t attachments: 'Manused',\n\t hide_attachments_in_tl: 'Peida manused ajajoonel',\n\t hide_attachments_in_convo: 'Peida manused vastlustes',\n\t nsfw_clickthrough: 'Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha',\n\t autoload: 'Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud',\n\t reply_link_preview: 'Luba algpostituse kuvamine vastustes'\n\t },\n\t notifications: {\n\t notifications: 'Teavitused',\n\t read: 'Loe!',\n\t followed_you: 'alustas sinu jälgimist'\n\t },\n\t login: {\n\t login: 'Logi sisse',\n\t username: 'Kasutajanimi',\n\t placeholder: 'nt lain',\n\t password: 'Parool',\n\t register: 'Registreeru',\n\t logout: 'Logi välja'\n\t },\n\t registration: {\n\t registration: 'Registreerimine',\n\t fullname: 'Kuvatav nimi',\n\t email: 'E-post',\n\t bio: 'Bio',\n\t password_confirm: 'Parooli kinnitamine'\n\t },\n\t post_status: {\n\t posting: 'Postitan',\n\t default: 'Just sõitsin elektrirongiga Tallinnast Pääskülla.'\n\t },\n\t finder: {\n\t find_user: 'Otsi kasutajaid',\n\t error_fetching_user: 'Viga kasutaja leidmisel'\n\t },\n\t general: {\n\t submit: 'Postita'\n\t }\n\t};\n\t\n\tvar hu = {\n\t nav: {\n\t timeline: 'Idővonal',\n\t mentions: 'Említéseim',\n\t public_tl: 'Publikus Idővonal',\n\t twkn: 'Az Egész Ismert Hálózat'\n\t },\n\t user_card: {\n\t follows_you: 'Követ téged!',\n\t following: 'Követve!',\n\t follow: 'Követ',\n\t blocked: 'Letiltva!',\n\t block: 'Letilt',\n\t statuses: 'Állapotok',\n\t mute: 'Némít',\n\t muted: 'Némított',\n\t followers: 'Követők',\n\t followees: 'Követettek',\n\t per_day: 'naponta'\n\t },\n\t timeline: {\n\t show_new: 'Újak mutatása',\n\t error_fetching: 'Hiba a frissítések beszerzésénél',\n\t up_to_date: 'Naprakész',\n\t load_older: 'Régebbi állapotok betöltése',\n\t conversation: 'Társalgás'\n\t },\n\t settings: {\n\t user_settings: 'Felhasználói beállítások',\n\t name_bio: 'Név és Bio',\n\t name: 'Név',\n\t bio: 'Bio',\n\t avatar: 'Avatár',\n\t current_avatar: 'Jelenlegi avatár',\n\t set_new_avatar: 'Új avatár',\n\t profile_banner: 'Profil Banner',\n\t current_profile_banner: 'Jelenlegi profil banner',\n\t set_new_profile_banner: 'Új profil banner',\n\t profile_background: 'Profil háttérkép',\n\t set_new_profile_background: 'Új profil háttér beállítása',\n\t settings: 'Beállítások',\n\t theme: 'Téma',\n\t filtering: 'Szűrés',\n\t filtering_explanation: 'Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy',\n\t attachments: 'Csatolmányok',\n\t hide_attachments_in_tl: 'Csatolmányok elrejtése az idővonalon',\n\t hide_attachments_in_convo: 'Csatolmányok elrejtése a társalgásokban',\n\t nsfw_clickthrough: 'NSFW átkattintási tartalom elrejtésének engedélyezése',\n\t autoload: 'Autoatikus betöltés engedélyezése lap aljára görgetéskor',\n\t reply_link_preview: 'Válasz-link előzetes mutatása egér rátételkor'\n\t },\n\t notifications: {\n\t notifications: 'Értesítések',\n\t read: 'Olvasva!',\n\t followed_you: 'követ téged'\n\t },\n\t login: {\n\t login: 'Bejelentkezés',\n\t username: 'Felhasználó név',\n\t placeholder: 'e.g. lain',\n\t password: 'Jelszó',\n\t register: 'Feliratkozás',\n\t logout: 'Kijelentkezés'\n\t },\n\t registration: {\n\t registration: 'Feliratkozás',\n\t fullname: 'Teljes név',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Jelszó megerősítése'\n\t },\n\t post_status: {\n\t posting: 'Küldés folyamatban',\n\t default: 'Most érkeztem L.A.-be'\n\t },\n\t finder: {\n\t find_user: 'Felhasználó keresése',\n\t error_fetching_user: 'Hiba felhasználó beszerzésével'\n\t },\n\t general: {\n\t submit: 'Elküld'\n\t }\n\t};\n\t\n\tvar ro = {\n\t nav: {\n\t timeline: 'Cronologie',\n\t mentions: 'Menționări',\n\t public_tl: 'Cronologie Publică',\n\t twkn: 'Toată Reșeaua Cunoscută'\n\t },\n\t user_card: {\n\t follows_you: 'Te urmărește!',\n\t following: 'Urmărit!',\n\t follow: 'Urmărește',\n\t blocked: 'Blocat!',\n\t block: 'Blochează',\n\t statuses: 'Stări',\n\t mute: 'Pune pe mut',\n\t muted: 'Pus pe mut',\n\t followers: 'Următori',\n\t followees: 'Urmărește',\n\t per_day: 'pe zi'\n\t },\n\t timeline: {\n\t show_new: 'Arată cele noi',\n\t error_fetching: 'Erare la preluarea actualizărilor',\n\t up_to_date: 'La zi',\n\t load_older: 'Încarcă stări mai vechi',\n\t conversation: 'Conversație'\n\t },\n\t settings: {\n\t user_settings: 'Setările utilizatorului',\n\t name_bio: 'Nume și Bio',\n\t name: 'Nume',\n\t bio: 'Bio',\n\t avatar: 'Avatar',\n\t current_avatar: 'Avatarul curent',\n\t set_new_avatar: 'Setează avatar nou',\n\t profile_banner: 'Banner de profil',\n\t current_profile_banner: 'Bannerul curent al profilului',\n\t set_new_profile_banner: 'Setează banner nou la profil',\n\t profile_background: 'Fundalul de profil',\n\t set_new_profile_background: 'Setează fundal nou',\n\t settings: 'Setări',\n\t theme: 'Temă',\n\t filtering: 'Filtru',\n\t filtering_explanation: 'Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie',\n\t attachments: 'Atașamente',\n\t hide_attachments_in_tl: 'Ascunde atașamentele în cronologie',\n\t hide_attachments_in_convo: 'Ascunde atașamentele în conversații',\n\t nsfw_clickthrough: 'Permite ascunderea al atașamentelor NSFW',\n\t autoload: 'Permite încărcarea automată când scrolat la capăt',\n\t reply_link_preview: 'Permite previzualizarea linkului de răspuns la planarea de mouse'\n\t },\n\t notifications: {\n\t notifications: 'Notificări',\n\t read: 'Citit!',\n\t followed_you: 'te-a urmărit'\n\t },\n\t login: {\n\t login: 'Loghează',\n\t username: 'Nume utilizator',\n\t placeholder: 'd.e. lain',\n\t password: 'Parolă',\n\t register: 'Înregistrare',\n\t logout: 'Deloghează'\n\t },\n\t registration: {\n\t registration: 'Îregistrare',\n\t fullname: 'Numele întreg',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Cofirmă parola'\n\t },\n\t post_status: {\n\t posting: 'Postează',\n\t default: 'Nu de mult am aterizat în L.A.'\n\t },\n\t finder: {\n\t find_user: 'Găsește utilizator',\n\t error_fetching_user: 'Eroare la preluarea utilizatorului'\n\t },\n\t general: {\n\t submit: 'trimite'\n\t }\n\t};\n\t\n\tvar ja = {\n\t chat: {\n\t title: 'チャット'\n\t },\n\t nav: {\n\t chat: 'ローカルチャット',\n\t timeline: 'タイムライン',\n\t mentions: 'メンション',\n\t public_tl: 'パブリックタイムライン',\n\t twkn: 'つながっているすべてのネットワーク',\n\t friend_requests: 'Follow Requests'\n\t },\n\t user_card: {\n\t follows_you: 'フォローされました!',\n\t following: 'フォローしています!',\n\t follow: 'フォロー',\n\t blocked: 'ブロックしています!',\n\t block: 'ブロック',\n\t statuses: 'ステータス',\n\t mute: 'ミュート',\n\t muted: 'ミュートしています!',\n\t followers: 'フォロワー',\n\t followees: 'フォロー',\n\t per_day: '/日',\n\t remote_follow: 'リモートフォロー',\n\t approve: 'Approve',\n\t deny: 'Deny'\n\t },\n\t timeline: {\n\t show_new: 'よみこみ',\n\t error_fetching: 'よみこみがエラーになりました。',\n\t up_to_date: 'さいしん',\n\t load_older: 'ふるいステータス',\n\t conversation: 'スレッド',\n\t collapse: 'たたむ',\n\t repeated: 'リピート'\n\t },\n\t settings: {\n\t user_settings: 'ユーザーせってい',\n\t name_bio: 'なまえとプロフィール',\n\t name: 'なまえ',\n\t bio: 'プロフィール',\n\t avatar: 'アバター',\n\t current_avatar: 'いまのアバター',\n\t set_new_avatar: 'あたらしいアバターをせっていする',\n\t profile_banner: 'プロフィールバナー',\n\t current_profile_banner: 'いまのプロフィールバナー',\n\t set_new_profile_banner: 'あたらしいプロフィールバナーを設定する',\n\t profile_background: 'プロフィールのバックグラウンド',\n\t set_new_profile_background: 'あたらしいプロフィールのバックグラウンドをせっていする',\n\t settings: 'せってい',\n\t theme: 'テーマ',\n\t presets: 'プリセット',\n\t theme_help: 'カラーテーマをカスタマイズできます。',\n\t radii_help: 'インターフェースのまるさをせっていする。',\n\t background: 'バックグラウンド',\n\t foreground: 'フォアグラウンド',\n\t text: 'もじ',\n\t links: 'リンク',\n\t cBlue: 'あお (リプライ, フォロー)',\n\t cRed: 'あか (キャンセル)',\n\t cOrange: 'オレンジ (おきにいり)',\n\t cGreen: 'みどり (リピート)',\n\t btnRadius: 'ボタン',\n\t inputRadius: 'Input fields',\n\t panelRadius: 'パネル',\n\t avatarRadius: 'アバター',\n\t avatarAltRadius: 'アバター (つうち)',\n\t tooltipRadius: 'ツールチップ/アラート',\n\t attachmentRadius: 'ファイル',\n\t filtering: 'フィルタリング',\n\t filtering_explanation: 'これらのことばをふくむすべてのものがミュートされます。1行に1つのことばをかいてください。',\n\t attachments: 'ファイル',\n\t hide_attachments_in_tl: 'タイムラインのファイルをかくす。',\n\t hide_attachments_in_convo: 'スレッドのファイルをかくす。',\n\t nsfw_clickthrough: 'NSFWなファイルをかくす。',\n\t stop_gifs: 'カーソルをかさねたとき、GIFをうごかす。',\n\t autoload: 'したにスクロールしたとき、じどうてきによみこむ。',\n\t streaming: 'うえまでスクロールしたとき、じどうてきにストリーミングする。',\n\t reply_link_preview: 'カーソルをかさねたとき、リプライのプレビューをみる。',\n\t follow_import: 'フォローインポート',\n\t import_followers_from_a_csv_file: 'CSVファイルからフォローをインポートする。',\n\t follows_imported: 'フォローがインポートされました! すこしじかんがかかるかもしれません。',\n\t follow_import_error: 'フォローのインポートがエラーになりました。',\n\t delete_account: 'アカウントをけす',\n\t delete_account_description: 'あなたのアカウントとメッセージが、きえます。',\n\t delete_account_instructions: 'ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。',\n\t delete_account_error: 'アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。',\n\t follow_export: 'フォローのエクスポート',\n\t follow_export_processing: 'おまちください。まもなくファイルをダウンロードできます。',\n\t follow_export_button: 'エクスポート',\n\t change_password: 'パスワードをかえる',\n\t current_password: 'いまのパスワード',\n\t new_password: 'あたらしいパスワード',\n\t confirm_new_password: 'あたらしいパスワードのかくにん',\n\t changed_password: 'パスワードが、かわりました!',\n\t change_password_error: 'パスワードをかえることが、できなかったかもしれません。',\n\t lock_account_description: 'あなたがみとめたひとだけ、あなたのアカウントをフォローできます。'\n\t },\n\t notifications: {\n\t notifications: 'つうち',\n\t read: 'よんだ!',\n\t followed_you: 'フォローされました',\n\t favorited_you: 'あなたのステータスがおきにいりされました',\n\t repeated_you: 'あなたのステータスがリピートされました'\n\t },\n\t login: {\n\t login: 'ログイン',\n\t username: 'ユーザーめい',\n\t placeholder: 'れい: lain',\n\t password: 'パスワード',\n\t register: 'はじめる',\n\t logout: 'ログアウト'\n\t },\n\t registration: {\n\t registration: 'はじめる',\n\t fullname: 'スクリーンネーム',\n\t email: 'Eメール',\n\t bio: 'プロフィール',\n\t password_confirm: 'パスワードのかくにん'\n\t },\n\t post_status: {\n\t posting: 'とうこう',\n\t content_warning: 'せつめい (かかなくてもよい)',\n\t default: 'はねだくうこうに、つきました。',\n\t account_not_locked_warning: 'あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。',\n\t account_not_locked_warning_link: 'ロックされたアカウント',\n\t direct_warning: 'このステータスは、メンションされたユーザーだけが、よむことができます。',\n\t scope: {\n\t public: 'パブリック - パブリックタイムラインにとどきます。',\n\t unlisted: 'アンリステッド - パブリックタイムラインにとどきません。',\n\t private: 'フォロワーげんてい - フォロワーのみにとどきます。',\n\t direct: 'ダイレクト - メンションされたユーザーのみにとどきます。'\n\t }\n\t },\n\t finder: {\n\t find_user: 'ユーザーをさがす',\n\t error_fetching_user: 'ユーザーけんさくがエラーになりました。'\n\t },\n\t general: {\n\t submit: 'そうしん',\n\t apply: 'てきよう'\n\t },\n\t user_profile: {\n\t timeline_title: 'ユーザータイムライン'\n\t },\n\t who_to_follow: {\n\t who_to_follow: 'おすすめユーザー',\n\t more: 'くわしく'\n\t }\n\t};\n\t\n\tvar fr = {\n\t nav: {\n\t chat: 'Chat local',\n\t timeline: 'Journal',\n\t mentions: 'Notifications',\n\t public_tl: 'Statuts locaux',\n\t twkn: 'Le réseau connu'\n\t },\n\t user_card: {\n\t follows_you: 'Vous suit !',\n\t following: 'Suivi !',\n\t follow: 'Suivre',\n\t blocked: 'Bloqué',\n\t block: 'Bloquer',\n\t statuses: 'Statuts',\n\t mute: 'Masquer',\n\t muted: 'Masqué',\n\t followers: 'Vous suivent',\n\t followees: 'Suivis',\n\t per_day: 'par jour',\n\t remote_follow: 'Suivre d\\'une autre instance'\n\t },\n\t timeline: {\n\t show_new: 'Afficher plus',\n\t error_fetching: 'Erreur en cherchant les mises à jour',\n\t up_to_date: 'À jour',\n\t load_older: 'Afficher plus',\n\t conversation: 'Conversation',\n\t collapse: 'Fermer',\n\t repeated: 'a partagé'\n\t },\n\t settings: {\n\t user_settings: 'Paramètres utilisateur',\n\t name_bio: 'Nom & Bio',\n\t name: 'Nom',\n\t bio: 'Biographie',\n\t avatar: 'Avatar',\n\t current_avatar: 'Avatar actuel',\n\t set_new_avatar: 'Changer d\\'avatar',\n\t profile_banner: 'Bannière de profil',\n\t current_profile_banner: 'Bannière de profil actuelle',\n\t set_new_profile_banner: 'Changer de bannière',\n\t profile_background: 'Image de fond',\n\t set_new_profile_background: 'Changer d\\'image de fond',\n\t settings: 'Paramètres',\n\t theme: 'Thème',\n\t filtering: 'Filtre',\n\t filtering_explanation: 'Tous les statuts contenant ces mots seront masqués. Un mot par ligne.',\n\t attachments: 'Pièces jointes',\n\t hide_attachments_in_tl: 'Masquer les pièces jointes dans le journal',\n\t hide_attachments_in_convo: 'Masquer les pièces jointes dans les conversations',\n\t nsfw_clickthrough: 'Masquer les images marquées comme contenu adulte ou sensible',\n\t autoload: 'Charger la suite automatiquement une fois le bas de la page atteint',\n\t reply_link_preview: 'Afficher un aperçu lors du survol de liens vers une réponse',\n\t presets: 'Thèmes prédéfinis',\n\t theme_help: 'Spécifiez des codes couleur hexadécimaux (#aabbcc) pour personnaliser les couleurs du thème',\n\t background: 'Arrière-plan',\n\t foreground: 'Premier plan',\n\t text: 'Texte',\n\t links: 'Liens',\n\t streaming: 'Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page',\n\t follow_import: 'Importer des abonnements',\n\t import_followers_from_a_csv_file: 'Importer des abonnements depuis un fichier csv',\n\t follows_imported: 'Abonnements importés ! Le traitement peut prendre un moment.',\n\t follow_import_error: 'Erreur lors de l\\'importation des abonnements.',\n\t follow_export: 'Exporter les abonnements',\n\t follow_export_button: 'Exporter les abonnements en csv',\n\t follow_export_processing: 'Exportation en cours…',\n\t cBlue: 'Bleu (Répondre, suivre)',\n\t cRed: 'Rouge (Annuler)',\n\t cOrange: 'Orange (Aimer)',\n\t cGreen: 'Vert (Partager)',\n\t btnRadius: 'Boutons',\n\t panelRadius: 'Fenêtres',\n\t inputRadius: 'Champs de texte',\n\t avatarRadius: 'Avatars',\n\t avatarAltRadius: 'Avatars (Notifications)',\n\t tooltipRadius: 'Info-bulles/alertes ',\n\t attachmentRadius: 'Pièces jointes',\n\t radii_help: 'Vous pouvez ici choisir le niveau d\\'arrondi des angles de l\\'interface (en pixels)',\n\t stop_gifs: 'N\\'animer les GIFS que lors du survol du curseur de la souris',\n\t change_password: 'Modifier son mot de passe',\n\t current_password: 'Mot de passe actuel',\n\t new_password: 'Nouveau mot de passe',\n\t confirm_new_password: 'Confirmation du nouveau mot de passe',\n\t delete_account: 'Supprimer le compte',\n\t delete_account_description: 'Supprimer définitivement votre compte et tous vos statuts.',\n\t delete_account_instructions: 'Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.',\n\t delete_account_error: 'Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l\\'administrateur de cette instance.'\n\t },\n\t notifications: {\n\t notifications: 'Notifications',\n\t read: 'Lu !',\n\t followed_you: 'a commencé à vous suivre',\n\t favorited_you: 'a aimé votre statut',\n\t repeated_you: 'a partagé votre statut'\n\t },\n\t login: {\n\t login: 'Connexion',\n\t username: 'Identifiant',\n\t placeholder: 'p.e. lain',\n\t password: 'Mot de passe',\n\t register: 'S\\'inscrire',\n\t logout: 'Déconnexion'\n\t },\n\t registration: {\n\t registration: 'Inscription',\n\t fullname: 'Pseudonyme',\n\t email: 'Adresse email',\n\t bio: 'Biographie',\n\t password_confirm: 'Confirmation du mot de passe'\n\t },\n\t post_status: {\n\t posting: 'Envoi en cours',\n\t default: 'Écrivez ici votre prochain statut.',\n\t account_not_locked_warning: 'Votre compte n’est pas {0}. N’importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.',\n\t account_not_locked_warning_link: 'verrouillé',\n\t direct_warning: 'Ce message sera visible à toutes les personnes mentionnées.',\n\t scope: {\n\t public: 'Publique - Afficher dans les fils publics',\n\t unlisted: 'Non-Listé - Ne pas afficher dans les fils publics',\n\t private: 'Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets',\n\t direct: 'Direct - N’envoyer qu’aux personnes mentionnées'\n\t }\n\t },\n\t finder: {\n\t find_user: 'Chercher un utilisateur',\n\t error_fetching_user: 'Erreur lors de la recherche de l\\'utilisateur'\n\t },\n\t general: {\n\t submit: 'Envoyer',\n\t apply: 'Appliquer'\n\t },\n\t user_profile: {\n\t timeline_title: 'Journal de l\\'utilisateur'\n\t }\n\t};\n\t\n\tvar it = {\n\t nav: {\n\t timeline: 'Sequenza temporale',\n\t mentions: 'Menzioni',\n\t public_tl: 'Sequenza temporale pubblica',\n\t twkn: 'L\\'intiera rete conosciuta'\n\t },\n\t user_card: {\n\t follows_you: 'Ti segue!',\n\t following: 'Lo stai seguendo!',\n\t follow: 'Segui',\n\t statuses: 'Messaggi',\n\t mute: 'Ammutolisci',\n\t muted: 'Ammutoliti',\n\t followers: 'Chi ti segue',\n\t followees: 'Chi stai seguendo',\n\t per_day: 'al giorno'\n\t },\n\t timeline: {\n\t show_new: 'Mostra nuovi',\n\t error_fetching: 'Errori nel prelievo aggiornamenti',\n\t up_to_date: 'Aggiornato',\n\t load_older: 'Carica messaggi più vecchi'\n\t },\n\t settings: {\n\t user_settings: 'Configurazione dell\\'utente',\n\t name_bio: 'Nome & Introduzione',\n\t name: 'Nome',\n\t bio: 'Introduzione',\n\t avatar: 'Avatar',\n\t current_avatar: 'Il tuo attuale avatar',\n\t set_new_avatar: 'Scegli un nuovo avatar',\n\t profile_banner: 'Sfondo del tuo profilo',\n\t current_profile_banner: 'Sfondo attuale',\n\t set_new_profile_banner: 'Scegli un nuovo sfondo per il tuo profilo',\n\t profile_background: 'Sfondo della tua pagina',\n\t set_new_profile_background: 'Scegli un nuovo sfondo per la tua pagina',\n\t settings: 'Settaggi',\n\t theme: 'Tema',\n\t filtering: 'Filtri',\n\t filtering_explanation: 'Filtra via le notifiche che contengono le seguenti parole (inserisci rigo per rigo le parole di innesco)',\n\t attachments: 'Allegati',\n\t hide_attachments_in_tl: 'Nascondi gli allegati presenti nella sequenza temporale',\n\t hide_attachments_in_convo: 'Nascondi gli allegati presenti nelle conversazioni',\n\t nsfw_clickthrough: 'Abilita la trasparenza degli allegati NSFW',\n\t autoload: 'Abilita caricamento automatico quando si raggiunge il fondo schermo',\n\t reply_link_preview: 'Ability il reply-link preview al passaggio del mouse'\n\t },\n\t notifications: {\n\t notifications: 'Notifiche',\n\t read: 'Leggi!',\n\t followed_you: 'ti ha seguito'\n\t },\n\t general: {\n\t submit: 'Invia'\n\t }\n\t};\n\t\n\tvar oc = {\n\t chat: {\n\t title: 'Messatjariá'\n\t },\n\t nav: {\n\t chat: 'Chat local',\n\t timeline: 'Flux d’actualitat',\n\t mentions: 'Notificacions',\n\t public_tl: 'Estatuts locals',\n\t twkn: 'Lo malhum conegut'\n\t },\n\t user_card: {\n\t follows_you: 'Vos sèc !',\n\t following: 'Seguit !',\n\t follow: 'Seguir',\n\t blocked: 'Blocat',\n\t block: 'Blocar',\n\t statuses: 'Estatuts',\n\t mute: 'Amagar',\n\t muted: 'Amagat',\n\t followers: 'Seguidors',\n\t followees: 'Abonaments',\n\t per_day: 'per jorn',\n\t remote_follow: 'Seguir a distància'\n\t },\n\t timeline: {\n\t show_new: 'Ne veire mai',\n\t error_fetching: 'Error en cercant de mesas a jorn',\n\t up_to_date: 'A jorn',\n\t load_older: 'Ne veire mai',\n\t conversation: 'Conversacion',\n\t collapse: 'Tampar',\n\t repeated: 'repetit'\n\t },\n\t settings: {\n\t user_settings: 'Paramètres utilizaire',\n\t name_bio: 'Nom & Bio',\n\t name: 'Nom',\n\t bio: 'Biografia',\n\t avatar: 'Avatar',\n\t current_avatar: 'Vòstre avatar actual',\n\t set_new_avatar: 'Cambiar l’avatar',\n\t profile_banner: 'Bandièra del perfil',\n\t current_profile_banner: 'Bandièra actuala del perfil',\n\t set_new_profile_banner: 'Cambiar de bandièra',\n\t profile_background: 'Imatge de fons',\n\t set_new_profile_background: 'Cambiar l’imatge de fons',\n\t settings: 'Paramètres',\n\t theme: 'Tèma',\n\t presets: 'Pre-enregistrats',\n\t theme_help: 'Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.',\n\t radii_help: 'Configurar los caires arredondits de l’interfàcia (en pixèls)',\n\t background: 'Rèire plan',\n\t foreground: 'Endavant',\n\t text: 'Tèxte',\n\t links: 'Ligams',\n\t cBlue: 'Blau (Respondre, seguir)',\n\t cRed: 'Roge (Anullar)',\n\t cOrange: 'Irange (Metre en favorit)',\n\t cGreen: 'Verd (Repartajar)',\n\t inputRadius: 'Camps tèxte',\n\t btnRadius: 'Botons',\n\t panelRadius: 'Panèls',\n\t avatarRadius: 'Avatars',\n\t avatarAltRadius: 'Avatars (Notificacions)',\n\t tooltipRadius: 'Astúcias/Alèrta',\n\t attachmentRadius: 'Pèças juntas',\n\t filtering: 'Filtre',\n\t filtering_explanation: 'Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha.',\n\t attachments: 'Pèças juntas',\n\t hide_attachments_in_tl: 'Rescondre las pèças juntas',\n\t hide_attachments_in_convo: 'Rescondre las pèças juntas dins las conversacions',\n\t nsfw_clickthrough: 'Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles',\n\t stop_gifs: 'Lançar los GIFs al subrevòl',\n\t autoload: 'Activar lo cargament automatic un còp arribat al cap de la pagina',\n\t streaming: 'Activar lo cargament automatic dels novèls estatus en anar amont',\n\t reply_link_preview: 'Activar l’apercebut en passar la mirga',\n\t follow_import: 'Importar los abonaments',\n\t import_followers_from_a_csv_file: 'Importar los seguidors d’un fichièr csv',\n\t follows_imported: 'Seguidors importats. Lo tractament pòt trigar una estona.',\n\t follow_import_error: 'Error en important los seguidors'\n\t },\n\t notifications: {\n\t notifications: 'Notficacions',\n\t read: 'Legit !',\n\t followed_you: 'vos sèc',\n\t favorited_you: 'a aimat vòstre estatut',\n\t repeated_you: 'a repetit your vòstre estatut'\n\t },\n\t login: {\n\t login: 'Connexion',\n\t username: 'Nom d’utilizaire',\n\t placeholder: 'e.g. lain',\n\t password: 'Senhal',\n\t register: 'Se marcar',\n\t logout: 'Desconnexion'\n\t },\n\t registration: {\n\t registration: 'Inscripcion',\n\t fullname: 'Nom complèt',\n\t email: 'Adreça de corrièl',\n\t bio: 'Biografia',\n\t password_confirm: 'Confirmar lo senhal'\n\t },\n\t post_status: {\n\t posting: 'Mandadís',\n\t default: 'Escrivètz aquí vòstre estatut.'\n\t },\n\t finder: {\n\t find_user: 'Cercar un utilizaire',\n\t error_fetching_user: 'Error pendent la recèrca d’un utilizaire'\n\t },\n\t general: {\n\t submit: 'Mandar',\n\t apply: 'Aplicar'\n\t },\n\t user_profile: {\n\t timeline_title: 'Flux utilizaire'\n\t }\n\t};\n\t\n\tvar pl = {\n\t chat: {\n\t title: 'Czat'\n\t },\n\t nav: {\n\t chat: 'Lokalny czat',\n\t timeline: 'Oś czasu',\n\t mentions: 'Wzmianki',\n\t public_tl: 'Publiczna oś czasu',\n\t twkn: 'Cała znana sieć'\n\t },\n\t user_card: {\n\t follows_you: 'Obserwuje cię!',\n\t following: 'Obserwowany!',\n\t follow: 'Obserwuj',\n\t blocked: 'Zablokowany!',\n\t block: 'Zablokuj',\n\t statuses: 'Statusy',\n\t mute: 'Wycisz',\n\t muted: 'Wyciszony',\n\t followers: 'Obserwujący',\n\t followees: 'Obserwowani',\n\t per_day: 'dziennie',\n\t remote_follow: 'Zdalna obserwacja'\n\t },\n\t timeline: {\n\t show_new: 'Pokaż nowe',\n\t error_fetching: 'Błąd pobierania',\n\t up_to_date: 'Na bieżąco',\n\t load_older: 'Załaduj starsze statusy',\n\t conversation: 'Rozmowa',\n\t collapse: 'Zwiń',\n\t repeated: 'powtórzono'\n\t },\n\t settings: {\n\t user_settings: 'Ustawienia użytkownika',\n\t name_bio: 'Imię i bio',\n\t name: 'Imię',\n\t bio: 'Bio',\n\t avatar: 'Awatar',\n\t current_avatar: 'Twój obecny awatar',\n\t set_new_avatar: 'Ustaw nowy awatar',\n\t profile_banner: 'Banner profilu',\n\t current_profile_banner: 'Twój obecny banner profilu',\n\t set_new_profile_banner: 'Ustaw nowy banner profilu',\n\t profile_background: 'Tło profilu',\n\t set_new_profile_background: 'Ustaw nowe tło profilu',\n\t settings: 'Ustawienia',\n\t theme: 'Motyw',\n\t presets: 'Gotowe motywy',\n\t theme_help: 'Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.',\n\t radii_help: 'Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)',\n\t background: 'Tło',\n\t foreground: 'Pierwszy plan',\n\t text: 'Tekst',\n\t links: 'Łącza',\n\t cBlue: 'Niebieski (odpowiedz, obserwuj)',\n\t cRed: 'Czerwony (anuluj)',\n\t cOrange: 'Pomarańczowy (ulubione)',\n\t cGreen: 'Zielony (powtórzenia)',\n\t btnRadius: 'Przyciski',\n\t inputRadius: 'Pola tekstowe',\n\t panelRadius: 'Panele',\n\t avatarRadius: 'Awatary',\n\t avatarAltRadius: 'Awatary (powiadomienia)',\n\t tooltipRadius: 'Etykiety/alerty',\n\t attachmentRadius: 'Załączniki',\n\t filtering: 'Filtrowanie',\n\t filtering_explanation: 'Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.',\n\t attachments: 'Załączniki',\n\t hide_attachments_in_tl: 'Ukryj załączniki w osi czasu',\n\t hide_attachments_in_convo: 'Ukryj załączniki w rozmowach',\n\t nsfw_clickthrough: 'Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)',\n\t stop_gifs: 'Odtwarzaj GIFy po najechaniu kursorem',\n\t autoload: 'Włącz automatyczne ładowanie po przewinięciu do końca strony',\n\t streaming: 'Włącz automatycznie strumieniowanie nowych postów gdy na początku strony',\n\t reply_link_preview: 'Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi',\n\t follow_import: 'Import obserwowanych',\n\t import_followers_from_a_csv_file: 'Importuj obserwowanych z pliku CSV',\n\t follows_imported: 'Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.',\n\t follow_import_error: 'Błąd przy importowaniu obserwowanych',\n\t delete_account: 'Usuń konto',\n\t delete_account_description: 'Trwale usuń konto i wszystkie posty.',\n\t delete_account_instructions: 'Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.',\n\t delete_account_error: 'Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.',\n\t follow_export: 'Eksport obserwowanych',\n\t follow_export_processing: 'Przetwarzanie, wkrótce twój plik zacznie się ściągać.',\n\t follow_export_button: 'Eksportuj swoją listę obserwowanych do pliku CSV',\n\t change_password: 'Zmień hasło',\n\t current_password: 'Obecne hasło',\n\t new_password: 'Nowe hasło',\n\t confirm_new_password: 'Potwierdź nowe hasło',\n\t changed_password: 'Hasło zmienione poprawnie!',\n\t change_password_error: 'Podczas zmiany hasła wystąpił problem.'\n\t },\n\t notifications: {\n\t notifications: 'Powiadomienia',\n\t read: 'Przeczytane!',\n\t followed_you: 'obserwuje cię',\n\t favorited_you: 'dodał twój status do ulubionych',\n\t repeated_you: 'powtórzył twój status'\n\t },\n\t login: {\n\t login: 'Zaloguj',\n\t username: 'Użytkownik',\n\t placeholder: 'n.p. lain',\n\t password: 'Hasło',\n\t register: 'Zarejestruj',\n\t logout: 'Wyloguj'\n\t },\n\t registration: {\n\t registration: 'Rejestracja',\n\t fullname: 'Wyświetlana nazwa profilu',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Potwierdzenie hasła'\n\t },\n\t post_status: {\n\t posting: 'Wysyłanie',\n\t default: 'Właśnie wróciłem z kościoła'\n\t },\n\t finder: {\n\t find_user: 'Znajdź użytkownika',\n\t error_fetching_user: 'Błąd przy pobieraniu profilu'\n\t },\n\t general: {\n\t submit: 'Wyślij',\n\t apply: 'Zastosuj'\n\t },\n\t user_profile: {\n\t timeline_title: 'Oś czasu użytkownika'\n\t }\n\t};\n\t\n\tvar es = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Chat Local',\n\t timeline: 'Línea Temporal',\n\t mentions: 'Menciones',\n\t public_tl: 'Línea Temporal Pública',\n\t twkn: 'Toda La Red Conocida'\n\t },\n\t user_card: {\n\t follows_you: '¡Te sigue!',\n\t following: '¡Siguiendo!',\n\t follow: 'Seguir',\n\t blocked: '¡Bloqueado!',\n\t block: 'Bloquear',\n\t statuses: 'Estados',\n\t mute: 'Silenciar',\n\t muted: 'Silenciado',\n\t followers: 'Seguidores',\n\t followees: 'Siguiendo',\n\t per_day: 'por día',\n\t remote_follow: 'Seguir'\n\t },\n\t timeline: {\n\t show_new: 'Mostrar lo nuevo',\n\t error_fetching: 'Error al cargar las actualizaciones',\n\t up_to_date: 'Actualizado',\n\t load_older: 'Cargar actualizaciones anteriores',\n\t conversation: 'Conversación'\n\t },\n\t settings: {\n\t user_settings: 'Ajustes de Usuario',\n\t name_bio: 'Nombre y Biografía',\n\t name: 'Nombre',\n\t bio: 'Biografía',\n\t avatar: 'Avatar',\n\t current_avatar: 'Tu avatar actual',\n\t set_new_avatar: 'Cambiar avatar',\n\t profile_banner: 'Cabecera del perfil',\n\t current_profile_banner: 'Cabecera actual',\n\t set_new_profile_banner: 'Cambiar cabecera',\n\t profile_background: 'Fondo del Perfil',\n\t set_new_profile_background: 'Cambiar fondo del perfil',\n\t settings: 'Ajustes',\n\t theme: 'Tema',\n\t presets: 'Por defecto',\n\t theme_help: 'Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.',\n\t background: 'Segundo plano',\n\t foreground: 'Primer plano',\n\t text: 'Texto',\n\t links: 'Links',\n\t filtering: 'Filtros',\n\t filtering_explanation: 'Todos los estados que contengan estas palabras serán silenciados, una por línea',\n\t attachments: 'Adjuntos',\n\t hide_attachments_in_tl: 'Ocultar adjuntos en la línea temporal',\n\t hide_attachments_in_convo: 'Ocultar adjuntos en las conversaciones',\n\t nsfw_clickthrough: 'Activar el clic para ocultar los adjuntos NSFW',\n\t autoload: 'Activar carga automática al llegar al final de la página',\n\t streaming: 'Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior',\n\t reply_link_preview: 'Activar la previsualización del enlace de responder al pasar el ratón por encima',\n\t follow_import: 'Importar personas que tú sigues',\n\t import_followers_from_a_csv_file: 'Importar personas que tú sigues apartir de un archivo csv',\n\t follows_imported: '¡Importado! Procesarlos llevará tiempo.',\n\t follow_import_error: 'Error al importal el archivo'\n\t },\n\t notifications: {\n\t notifications: 'Notificaciones',\n\t read: '¡Leído!',\n\t followed_you: 'empezó a seguirte'\n\t },\n\t login: {\n\t login: 'Identificación',\n\t username: 'Usuario',\n\t placeholder: 'p.ej. lain',\n\t password: 'Contraseña',\n\t register: 'Registrar',\n\t logout: 'Salir'\n\t },\n\t registration: {\n\t registration: 'Registro',\n\t fullname: 'Nombre a mostrar',\n\t email: 'Correo electrónico',\n\t bio: 'Biografía',\n\t password_confirm: 'Confirmación de contraseña'\n\t },\n\t post_status: {\n\t posting: 'Publicando',\n\t default: 'Acabo de aterrizar en L.A.'\n\t },\n\t finder: {\n\t find_user: 'Encontrar usuario',\n\t error_fetching_user: 'Error al buscar usuario'\n\t },\n\t general: {\n\t submit: 'Enviar',\n\t apply: 'Aplicar'\n\t }\n\t};\n\t\n\tvar pt = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Chat Local',\n\t timeline: 'Linha do tempo',\n\t mentions: 'Menções',\n\t public_tl: 'Linha do tempo pública',\n\t twkn: 'Toda a rede conhecida'\n\t },\n\t user_card: {\n\t follows_you: 'Segue você!',\n\t following: 'Seguindo!',\n\t follow: 'Seguir',\n\t blocked: 'Bloqueado!',\n\t block: 'Bloquear',\n\t statuses: 'Postagens',\n\t mute: 'Silenciar',\n\t muted: 'Silenciado',\n\t followers: 'Seguidores',\n\t followees: 'Seguindo',\n\t per_day: 'por dia',\n\t remote_follow: 'Seguidor Remoto'\n\t },\n\t timeline: {\n\t show_new: 'Mostrar novas',\n\t error_fetching: 'Erro buscando atualizações',\n\t up_to_date: 'Atualizado',\n\t load_older: 'Carregar postagens antigas',\n\t conversation: 'Conversa'\n\t },\n\t settings: {\n\t user_settings: 'Configurações de Usuário',\n\t name_bio: 'Nome & Biografia',\n\t name: 'Nome',\n\t bio: 'Biografia',\n\t avatar: 'Avatar',\n\t current_avatar: 'Seu avatar atual',\n\t set_new_avatar: 'Alterar avatar',\n\t profile_banner: 'Capa de perfil',\n\t current_profile_banner: 'Sua capa de perfil atual',\n\t set_new_profile_banner: 'Alterar capa de perfil',\n\t profile_background: 'Plano de fundo de perfil',\n\t set_new_profile_background: 'Alterar o plano de fundo de perfil',\n\t settings: 'Configurações',\n\t theme: 'Tema',\n\t presets: 'Predefinições',\n\t theme_help: 'Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.',\n\t background: 'Plano de Fundo',\n\t foreground: 'Primeiro Plano',\n\t text: 'Texto',\n\t links: 'Links',\n\t filtering: 'Filtragem',\n\t filtering_explanation: 'Todas as postagens contendo estas palavras serão silenciadas, uma por linha.',\n\t attachments: 'Anexos',\n\t hide_attachments_in_tl: 'Ocultar anexos na linha do tempo.',\n\t hide_attachments_in_convo: 'Ocultar anexos em conversas',\n\t nsfw_clickthrough: 'Habilitar clique para ocultar anexos NSFW',\n\t autoload: 'Habilitar carregamento automático quando a rolagem chegar ao fim.',\n\t streaming: 'Habilitar o fluxo automático de postagens quando ao topo da página',\n\t reply_link_preview: 'Habilitar a pré-visualização de link de respostas ao passar o mouse.',\n\t follow_import: 'Importar seguidas',\n\t import_followers_from_a_csv_file: 'Importe seguidores a partir de um arquivo CSV',\n\t follows_imported: 'Seguidores importados! O processamento pode demorar um pouco.',\n\t follow_import_error: 'Erro ao importar seguidores'\n\t },\n\t notifications: {\n\t notifications: 'Notificações',\n\t read: 'Ler!',\n\t followed_you: 'seguiu você'\n\t },\n\t login: {\n\t login: 'Entrar',\n\t username: 'Usuário',\n\t placeholder: 'p.e. lain',\n\t password: 'Senha',\n\t register: 'Registrar',\n\t logout: 'Sair'\n\t },\n\t registration: {\n\t registration: 'Registro',\n\t fullname: 'Nome para exibição',\n\t email: 'Correio eletrônico',\n\t bio: 'Biografia',\n\t password_confirm: 'Confirmação de senha'\n\t },\n\t post_status: {\n\t posting: 'Publicando',\n\t default: 'Acabo de aterrizar em L.A.'\n\t },\n\t finder: {\n\t find_user: 'Buscar usuário',\n\t error_fetching_user: 'Erro procurando usuário'\n\t },\n\t general: {\n\t submit: 'Enviar',\n\t apply: 'Aplicar'\n\t }\n\t};\n\t\n\tvar ru = {\n\t chat: {\n\t title: 'Чат'\n\t },\n\t nav: {\n\t chat: 'Локальный чат',\n\t timeline: 'Лента',\n\t mentions: 'Упоминания',\n\t public_tl: 'Публичная лента',\n\t twkn: 'Федеративная лента'\n\t },\n\t user_card: {\n\t follows_you: 'Читает вас',\n\t following: 'Читаю',\n\t follow: 'Читать',\n\t blocked: 'Заблокирован',\n\t block: 'Заблокировать',\n\t statuses: 'Статусы',\n\t mute: 'Игнорировать',\n\t muted: 'Игнорирую',\n\t followers: 'Читатели',\n\t followees: 'Читаемые',\n\t per_day: 'в день',\n\t remote_follow: 'Читать удалённо'\n\t },\n\t timeline: {\n\t show_new: 'Показать новые',\n\t error_fetching: 'Ошибка при обновлении',\n\t up_to_date: 'Обновлено',\n\t load_older: 'Загрузить старые статусы',\n\t conversation: 'Разговор',\n\t collapse: 'Свернуть',\n\t repeated: 'повторил(а)'\n\t },\n\t settings: {\n\t user_settings: 'Настройки пользователя',\n\t name_bio: 'Имя и описание',\n\t name: 'Имя',\n\t bio: 'Описание',\n\t avatar: 'Аватар',\n\t current_avatar: 'Текущий аватар',\n\t set_new_avatar: 'Загрузить новый аватар',\n\t profile_banner: 'Баннер профиля',\n\t current_profile_banner: 'Текущий баннер профиля',\n\t set_new_profile_banner: 'Загрузить новый баннер профиля',\n\t profile_background: 'Фон профиля',\n\t set_new_profile_background: 'Загрузить новый фон профиля',\n\t settings: 'Настройки',\n\t theme: 'Тема',\n\t export_theme: 'Экспортировать текущую тему',\n\t import_theme: 'Загрузить сохранённую тему',\n\t presets: 'Пресеты',\n\t theme_help: 'Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.',\n\t radii_help: 'Округление краёв элементов интерфейса (в пикселях)',\n\t background: 'Фон',\n\t foreground: 'Передний план',\n\t text: 'Текст',\n\t links: 'Ссылки',\n\t cBlue: 'Ответить, читать',\n\t cRed: 'Отменить',\n\t cOrange: 'Нравится',\n\t cGreen: 'Повторить',\n\t btnRadius: 'Кнопки',\n\t inputRadius: 'Поля ввода',\n\t panelRadius: 'Панели',\n\t avatarRadius: 'Аватары',\n\t avatarAltRadius: 'Аватары в уведомлениях',\n\t tooltipRadius: 'Всплывающие подсказки/уведомления',\n\t attachmentRadius: 'Прикреплённые файлы',\n\t filtering: 'Фильтрация',\n\t filtering_explanation: 'Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке',\n\t attachments: 'Вложения',\n\t hide_attachments_in_tl: 'Прятать вложения в ленте',\n\t hide_attachments_in_convo: 'Прятать вложения в разговорах',\n\t stop_gifs: 'Проигрывать GIF анимации только при наведении',\n\t nsfw_clickthrough: 'Включить скрытие NSFW вложений',\n\t autoload: 'Включить автоматическую загрузку при прокрутке вниз',\n\t streaming: 'Включить автоматическую загрузку новых сообщений при прокрутке вверх',\n\t pause_on_unfocused: 'Приостановить загрузку когда вкладка не в фокусе',\n\t loop_video: 'Зациливать видео',\n\t loop_video_silent_only: 'Зацикливать только беззвучные видео (т.е. \"гифки\" с Mastodon)',\n\t reply_link_preview: 'Включить предварительный просмотр ответа при наведении мыши',\n\t follow_import: 'Импортировать читаемых',\n\t import_followers_from_a_csv_file: 'Импортировать читаемых из файла .csv',\n\t follows_imported: 'Список читаемых импортирован. Обработка займёт некоторое время..',\n\t follow_import_error: 'Ошибка при импортировании читаемых.',\n\t delete_account: 'Удалить аккаунт',\n\t delete_account_description: 'Удалить ваш аккаунт и все ваши сообщения.',\n\t delete_account_instructions: 'Введите ваш пароль в поле ниже для подтверждения удаления.',\n\t delete_account_error: 'Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.',\n\t follow_export: 'Экспортировать читаемых',\n\t follow_export_processing: 'Ведётся обработка, скоро вам будет предложено загрузить файл',\n\t follow_export_button: 'Экспортировать читаемых в файл .csv',\n\t change_password: 'Сменить пароль',\n\t current_password: 'Текущий пароль',\n\t new_password: 'Новый пароль',\n\t confirm_new_password: 'Подтверждение нового пароля',\n\t changed_password: 'Пароль изменён успешно.',\n\t change_password_error: 'Произошла ошибка при попытке изменить пароль.',\n\t lock_account_description: 'Аккаунт доступен только подтверждённым подписчикам',\n\t limited_availability: 'Не доступно в вашем браузере',\n\t profile_tab: 'Профиль',\n\t security_tab: 'Безопасность',\n\t data_import_export_tab: 'Импорт / Экспорт данных',\n\t collapse_subject: 'Сворачивать посты с темой',\n\t interfaceLanguage: 'Язык интерфейса'\n\t },\n\t notifications: {\n\t notifications: 'Уведомления',\n\t read: 'Прочесть',\n\t followed_you: 'начал(а) читать вас',\n\t favorited_you: 'нравится ваш статус',\n\t repeated_you: 'повторил(а) ваш статус',\n\t broken_favorite: 'Неизвестный статус, ищем...',\n\t load_older: 'Загрузить старые уведомления'\n\t },\n\t login: {\n\t login: 'Войти',\n\t username: 'Имя пользователя',\n\t placeholder: 'e.c. lain',\n\t password: 'Пароль',\n\t register: 'Зарегистрироваться',\n\t logout: 'Выйти'\n\t },\n\t registration: {\n\t registration: 'Регистрация',\n\t fullname: 'Отображаемое имя',\n\t email: 'Email',\n\t bio: 'Описание',\n\t password_confirm: 'Подтверждение пароля',\n\t token: 'Код приглашения'\n\t },\n\t post_status: {\n\t posting: 'Отправляется',\n\t default: 'Что нового?'\n\t },\n\t finder: {\n\t find_user: 'Найти пользователя',\n\t error_fetching_user: 'Пользователь не найден'\n\t },\n\t general: {\n\t submit: 'Отправить',\n\t apply: 'Применить'\n\t },\n\t user_profile: {\n\t timeline_title: 'Лента пользователя'\n\t }\n\t};\n\tvar nb = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Lokal Chat',\n\t timeline: 'Tidslinje',\n\t mentions: 'Nevnt',\n\t public_tl: 'Offentlig Tidslinje',\n\t twkn: 'Det hele kjente nettverket'\n\t },\n\t user_card: {\n\t follows_you: 'Følger deg!',\n\t following: 'Følger!',\n\t follow: 'Følg',\n\t blocked: 'Blokkert!',\n\t block: 'Blokker',\n\t statuses: 'Statuser',\n\t mute: 'Demp',\n\t muted: 'Dempet',\n\t followers: 'Følgere',\n\t followees: 'Følger',\n\t per_day: 'per dag',\n\t remote_follow: 'Følg eksternt'\n\t },\n\t timeline: {\n\t show_new: 'Vis nye',\n\t error_fetching: 'Feil ved henting av oppdateringer',\n\t up_to_date: 'Oppdatert',\n\t load_older: 'Last eldre statuser',\n\t conversation: 'Samtale',\n\t collapse: 'Sammenfold',\n\t repeated: 'gjentok'\n\t },\n\t settings: {\n\t user_settings: 'Brukerinstillinger',\n\t name_bio: 'Navn & Biografi',\n\t name: 'Navn',\n\t bio: 'Biografi',\n\t avatar: 'Profilbilde',\n\t current_avatar: 'Ditt nåværende profilbilde',\n\t set_new_avatar: 'Rediger profilbilde',\n\t profile_banner: 'Profil-banner',\n\t current_profile_banner: 'Din nåværende profil-banner',\n\t set_new_profile_banner: 'Sett ny profil-banner',\n\t profile_background: 'Profil-bakgrunn',\n\t set_new_profile_background: 'Rediger profil-bakgrunn',\n\t settings: 'Innstillinger',\n\t theme: 'Tema',\n\t presets: 'Forhåndsdefinerte fargekoder',\n\t theme_help: 'Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.',\n\t radii_help: 'Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)',\n\t background: 'Bakgrunn',\n\t foreground: 'Framgrunn',\n\t text: 'Tekst',\n\t links: 'Linker',\n\t cBlue: 'Blå (Svar, følg)',\n\t cRed: 'Rød (Avbryt)',\n\t cOrange: 'Oransje (Lik)',\n\t cGreen: 'Grønn (Gjenta)',\n\t btnRadius: 'Knapper',\n\t panelRadius: 'Panel',\n\t avatarRadius: 'Profilbilde',\n\t avatarAltRadius: 'Profilbilde (Varslinger)',\n\t tooltipRadius: 'Verktøytips/advarsler',\n\t attachmentRadius: 'Vedlegg',\n\t filtering: 'Filtrering',\n\t filtering_explanation: 'Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje',\n\t attachments: 'Vedlegg',\n\t hide_attachments_in_tl: 'Gjem vedlegg på tidslinje',\n\t hide_attachments_in_convo: 'Gjem vedlegg i samtaler',\n\t nsfw_clickthrough: 'Krev trykk for å vise statuser som kan være upassende',\n\t stop_gifs: 'Spill av GIFs når du holder over dem',\n\t autoload: 'Automatisk lasting når du blar ned til bunnen',\n\t streaming: 'Automatisk strømming av nye statuser når du har bladd til toppen',\n\t reply_link_preview: 'Vis en forhåndsvisning når du holder musen over svar til en status',\n\t follow_import: 'Importer følginger',\n\t import_followers_from_a_csv_file: 'Importer følginger fra en csv fil',\n\t follows_imported: 'Følginger imported! Det vil ta litt tid å behandle de.',\n\t follow_import_error: 'Feil ved importering av følginger.'\n\t },\n\t notifications: {\n\t notifications: 'Varslinger',\n\t read: 'Les!',\n\t followed_you: 'fulgte deg',\n\t favorited_you: 'likte din status',\n\t repeated_you: 'Gjentok din status'\n\t },\n\t login: {\n\t login: 'Logg inn',\n\t username: 'Brukernavn',\n\t placeholder: 'f. eks lain',\n\t password: 'Passord',\n\t register: 'Registrer',\n\t logout: 'Logg ut'\n\t },\n\t registration: {\n\t registration: 'Registrering',\n\t fullname: 'Visningsnavn',\n\t email: 'Epost-adresse',\n\t bio: 'Biografi',\n\t password_confirm: 'Bekreft passord'\n\t },\n\t post_status: {\n\t posting: 'Publiserer',\n\t default: 'Landet akkurat i L.A.'\n\t },\n\t finder: {\n\t find_user: 'Finn bruker',\n\t error_fetching_user: 'Feil ved henting av bruker'\n\t },\n\t general: {\n\t submit: 'Legg ut',\n\t apply: 'Bruk'\n\t },\n\t user_profile: {\n\t timeline_title: 'Bruker-tidslinje'\n\t }\n\t};\n\t\n\tvar he = {\n\t chat: {\n\t title: 'צ\\'אט'\n\t },\n\t nav: {\n\t chat: 'צ\\'אט מקומי',\n\t timeline: 'ציר הזמן',\n\t mentions: 'אזכורים',\n\t public_tl: 'ציר הזמן הציבורי',\n\t twkn: 'כל הרשת הידועה'\n\t },\n\t user_card: {\n\t follows_you: 'עוקב אחריך!',\n\t following: 'עוקב!',\n\t follow: 'עקוב',\n\t blocked: 'חסום!',\n\t block: 'חסימה',\n\t statuses: 'סטטוסים',\n\t mute: 'השתק',\n\t muted: 'מושתק',\n\t followers: 'עוקבים',\n\t followees: 'נעקבים',\n\t per_day: 'ליום',\n\t remote_follow: 'עקיבה מרחוק'\n\t },\n\t timeline: {\n\t show_new: 'הראה חדש',\n\t error_fetching: 'שגיאה בהבאת הודעות',\n\t up_to_date: 'עדכני',\n\t load_older: 'טען סטטוסים חדשים',\n\t conversation: 'שיחה',\n\t collapse: 'מוטט',\n\t repeated: 'חזר'\n\t },\n\t settings: {\n\t user_settings: 'הגדרות משתמש',\n\t name_bio: 'שם ואודות',\n\t name: 'שם',\n\t bio: 'אודות',\n\t avatar: 'תמונת פרופיל',\n\t current_avatar: 'תמונת הפרופיל הנוכחית שלך',\n\t set_new_avatar: 'קבע תמונת פרופיל חדשה',\n\t profile_banner: 'כרזת הפרופיל',\n\t current_profile_banner: 'כרזת הפרופיל הנוכחית שלך',\n\t set_new_profile_banner: 'קבע כרזת פרופיל חדשה',\n\t profile_background: 'רקע הפרופיל',\n\t set_new_profile_background: 'קבע רקע פרופיל חדש',\n\t settings: 'הגדרות',\n\t theme: 'תמה',\n\t presets: 'ערכים קבועים מראש',\n\t theme_help: 'השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.',\n\t radii_help: 'קבע מראש עיגול פינות לממשק (בפיקסלים)',\n\t background: 'רקע',\n\t foreground: 'חזית',\n\t text: 'טקסט',\n\t links: 'לינקים',\n\t cBlue: 'כחול (תגובה, עקיבה)',\n\t cRed: 'אדום (ביטול)',\n\t cOrange: 'כתום (לייק)',\n\t cGreen: 'ירוק (חזרה)',\n\t btnRadius: 'כפתורים',\n\t inputRadius: 'שדות קלט',\n\t panelRadius: 'פאנלים',\n\t avatarRadius: 'תמונות פרופיל',\n\t avatarAltRadius: 'תמונות פרופיל (התראות)',\n\t tooltipRadius: 'טולטיפ \\\\ התראות',\n\t attachmentRadius: 'צירופים',\n\t filtering: 'סינון',\n\t filtering_explanation: 'כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה',\n\t attachments: 'צירופים',\n\t hide_attachments_in_tl: 'החבא צירופים בציר הזמן',\n\t hide_attachments_in_convo: 'החבא צירופים בשיחות',\n\t nsfw_clickthrough: 'החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר',\n\t stop_gifs: 'נגן-בעת-ריחוף GIFs',\n\t autoload: 'החל טעינה אוטומטית בגלילה לתחתית הדף',\n\t streaming: 'החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף',\n\t reply_link_preview: 'החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר',\n\t follow_import: 'יבוא עקיבות',\n\t import_followers_from_a_csv_file: 'ייבא את הנעקבים שלך מקובץ csv',\n\t follows_imported: 'נעקבים יובאו! ייקח זמן מה לעבד אותם.',\n\t follow_import_error: 'שגיאה בייבוא נעקבים.',\n\t delete_account: 'מחק משתמש',\n\t delete_account_description: 'מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.',\n\t delete_account_instructions: 'הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.',\n\t delete_account_error: 'הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.',\n\t follow_export: 'יצוא עקיבות',\n\t follow_export_processing: 'טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך',\n\t follow_export_button: 'ייצא את הנעקבים שלך לקובץ csv',\n\t change_password: 'שנה סיסמה',\n\t current_password: 'סיסמה נוכחית',\n\t new_password: 'סיסמה חדשה',\n\t confirm_new_password: 'אשר סיסמה',\n\t changed_password: 'סיסמה שונתה בהצלחה!',\n\t change_password_error: 'הייתה בעיה בשינוי סיסמתך.'\n\t },\n\t notifications: {\n\t notifications: 'התראות',\n\t read: 'קרא!',\n\t followed_you: 'עקב אחריך!',\n\t favorited_you: 'אהב את הסטטוס שלך',\n\t repeated_you: 'חזר על הסטטוס שלך'\n\t },\n\t login: {\n\t login: 'התחבר',\n\t username: 'שם המשתמש',\n\t placeholder: 'למשל lain',\n\t password: 'סיסמה',\n\t register: 'הירשם',\n\t logout: 'התנתק'\n\t },\n\t registration: {\n\t registration: 'הרשמה',\n\t fullname: 'שם תצוגה',\n\t email: 'אימייל',\n\t bio: 'אודות',\n\t password_confirm: 'אישור סיסמה'\n\t },\n\t post_status: {\n\t posting: 'מפרסם',\n\t default: 'הרגע נחת ב-ל.א.'\n\t },\n\t finder: {\n\t find_user: 'מציאת משתמש',\n\t error_fetching_user: 'שגיאה במציאת משתמש'\n\t },\n\t general: {\n\t submit: 'שלח',\n\t apply: 'החל'\n\t },\n\t user_profile: {\n\t timeline_title: 'ציר זמן המשתמש'\n\t }\n\t};\n\t\n\tvar messages = {\n\t de: de,\n\t fi: fi,\n\t en: en,\n\t eo: eo,\n\t et: et,\n\t hu: hu,\n\t ro: ro,\n\t ja: ja,\n\t fr: fr,\n\t it: it,\n\t oc: oc,\n\t pl: pl,\n\t es: es,\n\t pt: pt,\n\t ru: ru,\n\t nb: nb,\n\t he: he\n\t};\n\t\n\texports.default = messages;\n\n/***/ }),\n/* 104 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.mutations = exports.findMaxId = exports.statusType = exports.prepareStatus = exports.defaultState = undefined;\n\t\n\tvar _set = __webpack_require__(224);\n\t\n\tvar _set2 = _interopRequireDefault(_set);\n\t\n\tvar _isArray2 = __webpack_require__(3);\n\t\n\tvar _isArray3 = _interopRequireDefault(_isArray2);\n\t\n\tvar _last2 = __webpack_require__(166);\n\t\n\tvar _last3 = _interopRequireDefault(_last2);\n\t\n\tvar _merge2 = __webpack_require__(167);\n\t\n\tvar _merge3 = _interopRequireDefault(_merge2);\n\t\n\tvar _minBy2 = __webpack_require__(452);\n\t\n\tvar _minBy3 = _interopRequireDefault(_minBy2);\n\t\n\tvar _maxBy2 = __webpack_require__(450);\n\t\n\tvar _maxBy3 = _interopRequireDefault(_maxBy2);\n\t\n\tvar _flatten2 = __webpack_require__(442);\n\t\n\tvar _flatten3 = _interopRequireDefault(_flatten2);\n\t\n\tvar _find2 = __webpack_require__(64);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _each2 = __webpack_require__(63);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\tvar _toInteger2 = __webpack_require__(22);\n\t\n\tvar _toInteger3 = _interopRequireDefault(_toInteger2);\n\t\n\tvar _sortBy2 = __webpack_require__(101);\n\t\n\tvar _sortBy3 = _interopRequireDefault(_sortBy2);\n\t\n\tvar _slice2 = __webpack_require__(459);\n\t\n\tvar _slice3 = _interopRequireDefault(_slice2);\n\t\n\tvar _remove2 = __webpack_require__(458);\n\t\n\tvar _remove3 = _interopRequireDefault(_remove2);\n\t\n\tvar _includes2 = __webpack_require__(446);\n\t\n\tvar _includes3 = _interopRequireDefault(_includes2);\n\t\n\tvar _vue = __webpack_require__(68);\n\t\n\tvar _apiService = __webpack_require__(23);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar emptyTl = function emptyTl() {\n\t return {\n\t statuses: [],\n\t statusesObject: {},\n\t faves: [],\n\t visibleStatuses: [],\n\t visibleStatusesObject: {},\n\t newStatusCount: 0,\n\t maxId: 0,\n\t minVisibleId: 0,\n\t loading: false,\n\t followers: [],\n\t friends: [],\n\t viewing: 'statuses',\n\t flushMarker: 0\n\t };\n\t};\n\t\n\tvar defaultState = exports.defaultState = {\n\t allStatuses: [],\n\t allStatusesObject: {},\n\t maxId: 0,\n\t notifications: {\n\t desktopNotificationSilence: true,\n\t maxId: 0,\n\t maxSavedId: 0,\n\t minId: Number.POSITIVE_INFINITY,\n\t data: [],\n\t error: false,\n\t brokenFavorites: {}\n\t },\n\t favorites: new _set2.default(),\n\t error: false,\n\t timelines: {\n\t mentions: emptyTl(),\n\t public: emptyTl(),\n\t user: emptyTl(),\n\t own: emptyTl(),\n\t publicAndExternal: emptyTl(),\n\t friends: emptyTl(),\n\t tag: emptyTl()\n\t }\n\t};\n\t\n\tvar isNsfw = function isNsfw(status) {\n\t var nsfwRegex = /#nsfw/i;\n\t return (0, _includes3.default)(status.tags, 'nsfw') || !!status.text.match(nsfwRegex);\n\t};\n\t\n\tvar prepareStatus = exports.prepareStatus = function prepareStatus(status) {\n\t if (status.nsfw === undefined) {\n\t status.nsfw = isNsfw(status);\n\t if (status.retweeted_status) {\n\t status.nsfw = status.retweeted_status.nsfw;\n\t }\n\t }\n\t\n\t status.deleted = false;\n\t\n\t status.attachments = status.attachments || [];\n\t\n\t return status;\n\t};\n\t\n\tvar statusType = exports.statusType = function statusType(status) {\n\t if (status.is_post_verb) {\n\t return 'status';\n\t }\n\t\n\t if (status.retweeted_status) {\n\t return 'retweet';\n\t }\n\t\n\t if (typeof status.uri === 'string' && status.uri.match(/(fave|objectType=Favourite)/) || typeof status.text === 'string' && status.text.match(/favorited/)) {\n\t return 'favorite';\n\t }\n\t\n\t if (status.text.match(/deleted notice {{tag/) || status.qvitter_delete_notice) {\n\t return 'deletion';\n\t }\n\t\n\t if (status.text.match(/started following/)) {\n\t return 'follow';\n\t }\n\t\n\t return 'unknown';\n\t};\n\t\n\tvar findMaxId = exports.findMaxId = function findMaxId() {\n\t for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n\t args[_key] = arguments[_key];\n\t }\n\t\n\t return ((0, _maxBy3.default)((0, _flatten3.default)(args), 'id') || {}).id;\n\t};\n\t\n\tvar mergeOrAdd = function mergeOrAdd(arr, obj, item) {\n\t var oldItem = obj[item.id];\n\t\n\t if (oldItem) {\n\t (0, _merge3.default)(oldItem, item);\n\t\n\t oldItem.attachments.splice(oldItem.attachments.length);\n\t return { item: oldItem, new: false };\n\t } else {\n\t prepareStatus(item);\n\t arr.push(item);\n\t obj[item.id] = item;\n\t return { item: item, new: true };\n\t }\n\t};\n\t\n\tvar sortTimeline = function sortTimeline(timeline) {\n\t timeline.visibleStatuses = (0, _sortBy3.default)(timeline.visibleStatuses, function (_ref) {\n\t var id = _ref.id;\n\t return -id;\n\t });\n\t timeline.statuses = (0, _sortBy3.default)(timeline.statuses, function (_ref2) {\n\t var id = _ref2.id;\n\t return -id;\n\t });\n\t timeline.minVisibleId = ((0, _last3.default)(timeline.visibleStatuses) || {}).id;\n\t return timeline;\n\t};\n\t\n\tvar addNewStatuses = function addNewStatuses(state, _ref3) {\n\t var statuses = _ref3.statuses,\n\t _ref3$showImmediately = _ref3.showImmediately,\n\t showImmediately = _ref3$showImmediately === undefined ? false : _ref3$showImmediately,\n\t timeline = _ref3.timeline,\n\t _ref3$user = _ref3.user,\n\t user = _ref3$user === undefined ? {} : _ref3$user,\n\t _ref3$noIdUpdate = _ref3.noIdUpdate,\n\t noIdUpdate = _ref3$noIdUpdate === undefined ? false : _ref3$noIdUpdate;\n\t\n\t if (!(0, _isArray3.default)(statuses)) {\n\t return false;\n\t }\n\t\n\t var allStatuses = state.allStatuses;\n\t var allStatusesObject = state.allStatusesObject;\n\t var timelineObject = state.timelines[timeline];\n\t\n\t var maxNew = statuses.length > 0 ? (0, _maxBy3.default)(statuses, 'id').id : 0;\n\t var older = timeline && maxNew < timelineObject.maxId;\n\t\n\t if (timeline && !noIdUpdate && statuses.length > 0 && !older) {\n\t timelineObject.maxId = maxNew;\n\t }\n\t\n\t var addStatus = function addStatus(status, showImmediately) {\n\t var addToTimeline = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : true;\n\t\n\t var result = mergeOrAdd(allStatuses, allStatusesObject, status);\n\t status = result.item;\n\t\n\t var brokenFavorites = state.notifications.brokenFavorites[status.id] || [];\n\t brokenFavorites.forEach(function (fav) {\n\t fav.status = status;\n\t });\n\t delete state.notifications.brokenFavorites[status.id];\n\t\n\t if (result.new) {\n\t if (statusType(status) === 'status' && (0, _find3.default)(status.attentions, { id: user.id })) {\n\t var mentions = state.timelines.mentions;\n\t\n\t if (timelineObject !== mentions) {\n\t mergeOrAdd(mentions.statuses, mentions.statusesObject, status);\n\t mentions.newStatusCount += 1;\n\t\n\t sortTimeline(mentions);\n\t }\n\t }\n\t }\n\t\n\t var resultForCurrentTimeline = void 0;\n\t\n\t if (timeline && addToTimeline) {\n\t resultForCurrentTimeline = mergeOrAdd(timelineObject.statuses, timelineObject.statusesObject, status);\n\t }\n\t\n\t if (timeline && showImmediately) {\n\t mergeOrAdd(timelineObject.visibleStatuses, timelineObject.visibleStatusesObject, status);\n\t } else if (timeline && addToTimeline && resultForCurrentTimeline.new) {\n\t timelineObject.newStatusCount += 1;\n\t }\n\t\n\t return status;\n\t };\n\t\n\t var favoriteStatus = function favoriteStatus(favorite, counter) {\n\t var status = (0, _find3.default)(allStatuses, { id: (0, _toInteger3.default)(favorite.in_reply_to_status_id) });\n\t if (status) {\n\t status.fave_num += 1;\n\t\n\t if (favorite.user.id === user.id) {\n\t status.favorited = true;\n\t }\n\t }\n\t return status;\n\t };\n\t\n\t var processors = {\n\t 'status': function status(_status) {\n\t addStatus(_status, showImmediately);\n\t },\n\t 'retweet': function retweet(status) {\n\t var retweetedStatus = addStatus(status.retweeted_status, false, false);\n\t\n\t var retweet = void 0;\n\t\n\t if (timeline && (0, _find3.default)(timelineObject.statuses, function (s) {\n\t if (s.retweeted_status) {\n\t return s.id === retweetedStatus.id || s.retweeted_status.id === retweetedStatus.id;\n\t } else {\n\t return s.id === retweetedStatus.id;\n\t }\n\t })) {\n\t retweet = addStatus(status, false, false);\n\t } else {\n\t retweet = addStatus(status, showImmediately);\n\t }\n\t\n\t retweet.retweeted_status = retweetedStatus;\n\t },\n\t 'favorite': function favorite(_favorite) {\n\t if (!state.favorites.has(_favorite.id)) {\n\t state.favorites.add(_favorite.id);\n\t favoriteStatus(_favorite);\n\t }\n\t },\n\t 'deletion': function deletion(_deletion) {\n\t var uri = _deletion.uri;\n\t\n\t var status = (0, _find3.default)(allStatuses, { uri: uri });\n\t if (!status) {\n\t return;\n\t }\n\t\n\t (0, _remove3.default)(state.notifications.data, function (_ref4) {\n\t var id = _ref4.action.id;\n\t return id === status.id;\n\t });\n\t\n\t (0, _remove3.default)(allStatuses, { uri: uri });\n\t if (timeline) {\n\t (0, _remove3.default)(timelineObject.statuses, { uri: uri });\n\t (0, _remove3.default)(timelineObject.visibleStatuses, { uri: uri });\n\t }\n\t },\n\t 'default': function _default(unknown) {\n\t console.log('unknown status type');\n\t console.log(unknown);\n\t }\n\t };\n\t\n\t (0, _each3.default)(statuses, function (status) {\n\t var type = statusType(status);\n\t var processor = processors[type] || processors['default'];\n\t processor(status);\n\t });\n\t\n\t if (timeline) {\n\t sortTimeline(timelineObject);\n\t if ((older || timelineObject.minVisibleId <= 0) && statuses.length > 0) {\n\t timelineObject.minVisibleId = (0, _minBy3.default)(statuses, 'id').id;\n\t }\n\t }\n\t};\n\t\n\tvar addNewNotifications = function addNewNotifications(state, _ref5) {\n\t var dispatch = _ref5.dispatch,\n\t notifications = _ref5.notifications,\n\t older = _ref5.older;\n\t\n\t var allStatuses = state.allStatuses;\n\t var allStatusesObject = state.allStatusesObject;\n\t (0, _each3.default)(notifications, function (notification) {\n\t var result = mergeOrAdd(allStatuses, allStatusesObject, notification.notice);\n\t var action = result.item;\n\t\n\t if (!(0, _find3.default)(state.notifications.data, function (oldNotification) {\n\t return oldNotification.action.id === action.id;\n\t })) {\n\t state.notifications.maxId = Math.max(notification.id, state.notifications.maxId);\n\t state.notifications.minId = Math.min(notification.id, state.notifications.minId);\n\t\n\t var fresh = !older && !notification.is_seen && notification.id > state.notifications.maxSavedId;\n\t var status = notification.ntype === 'like' ? (0, _find3.default)(allStatuses, { id: action.in_reply_to_status_id }) : action;\n\t\n\t var _result = {\n\t type: notification.ntype,\n\t status: status,\n\t action: action,\n\t\n\t seen: !fresh\n\t };\n\t\n\t if (notification.ntype === 'like' && !status) {\n\t var broken = state.notifications.brokenFavorites[action.in_reply_to_status_id];\n\t if (broken) {\n\t broken.push(_result);\n\t } else {\n\t dispatch('fetchOldPost', { postId: action.in_reply_to_status_id });\n\t broken = [_result];\n\t state.notifications.brokenFavorites[action.in_reply_to_status_id] = broken;\n\t }\n\t }\n\t\n\t state.notifications.data.push(_result);\n\t\n\t if ('Notification' in window && window.Notification.permission === 'granted') {\n\t var title = action.user.name;\n\t var _result2 = {};\n\t _result2.icon = action.user.profile_image_url;\n\t _result2.body = action.text;\n\t if (action.attachments && action.attachments.length > 0 && !action.nsfw && action.attachments[0].mimetype.startsWith('image/')) {\n\t _result2.image = action.attachments[0].url;\n\t }\n\t\n\t if (fresh && !state.notifications.desktopNotificationSilence) {\n\t var _notification = new window.Notification(title, _result2);\n\t\n\t setTimeout(_notification.close.bind(_notification), 5000);\n\t }\n\t }\n\t }\n\t });\n\t};\n\t\n\tvar mutations = exports.mutations = {\n\t addNewStatuses: addNewStatuses,\n\t addNewNotifications: addNewNotifications,\n\t showNewStatuses: function showNewStatuses(state, _ref6) {\n\t var timeline = _ref6.timeline;\n\t\n\t var oldTimeline = state.timelines[timeline];\n\t\n\t oldTimeline.newStatusCount = 0;\n\t oldTimeline.visibleStatuses = (0, _slice3.default)(oldTimeline.statuses, 0, 50);\n\t oldTimeline.minVisibleId = (0, _last3.default)(oldTimeline.visibleStatuses).id;\n\t oldTimeline.visibleStatusesObject = {};\n\t (0, _each3.default)(oldTimeline.visibleStatuses, function (status) {\n\t oldTimeline.visibleStatusesObject[status.id] = status;\n\t });\n\t },\n\t clearTimeline: function clearTimeline(state, _ref7) {\n\t var timeline = _ref7.timeline;\n\t\n\t state.timelines[timeline] = emptyTl();\n\t },\n\t setFavorited: function setFavorited(state, _ref8) {\n\t var status = _ref8.status,\n\t value = _ref8.value;\n\t\n\t var newStatus = state.allStatusesObject[status.id];\n\t newStatus.favorited = value;\n\t },\n\t setRetweeted: function setRetweeted(state, _ref9) {\n\t var status = _ref9.status,\n\t value = _ref9.value;\n\t\n\t var newStatus = state.allStatusesObject[status.id];\n\t newStatus.repeated = value;\n\t },\n\t setDeleted: function setDeleted(state, _ref10) {\n\t var status = _ref10.status;\n\t\n\t var newStatus = state.allStatusesObject[status.id];\n\t newStatus.deleted = true;\n\t },\n\t setLoading: function setLoading(state, _ref11) {\n\t var timeline = _ref11.timeline,\n\t value = _ref11.value;\n\t\n\t state.timelines[timeline].loading = value;\n\t },\n\t setNsfw: function setNsfw(state, _ref12) {\n\t var id = _ref12.id,\n\t nsfw = _ref12.nsfw;\n\t\n\t var newStatus = state.allStatusesObject[id];\n\t newStatus.nsfw = nsfw;\n\t },\n\t setError: function setError(state, _ref13) {\n\t var value = _ref13.value;\n\t\n\t state.error = value;\n\t },\n\t setNotificationsError: function setNotificationsError(state, _ref14) {\n\t var value = _ref14.value;\n\t\n\t state.notifications.error = value;\n\t },\n\t setNotificationsSilence: function setNotificationsSilence(state, _ref15) {\n\t var value = _ref15.value;\n\t\n\t state.notifications.desktopNotificationSilence = value;\n\t },\n\t setProfileView: function setProfileView(state, _ref16) {\n\t var v = _ref16.v;\n\t\n\t state.timelines['user'].viewing = v;\n\t },\n\t addFriends: function addFriends(state, _ref17) {\n\t var friends = _ref17.friends;\n\t\n\t state.timelines['user'].friends = friends;\n\t },\n\t addFollowers: function addFollowers(state, _ref18) {\n\t var followers = _ref18.followers;\n\t\n\t state.timelines['user'].followers = followers;\n\t },\n\t markNotificationsAsSeen: function markNotificationsAsSeen(state, notifications) {\n\t (0, _vue.set)(state.notifications, 'maxSavedId', state.notifications.maxId);\n\t (0, _each3.default)(notifications, function (notification) {\n\t notification.seen = true;\n\t });\n\t },\n\t queueFlush: function queueFlush(state, _ref19) {\n\t var timeline = _ref19.timeline,\n\t id = _ref19.id;\n\t\n\t state.timelines[timeline].flushMarker = id;\n\t }\n\t};\n\t\n\tvar statuses = {\n\t state: defaultState,\n\t actions: {\n\t addNewStatuses: function addNewStatuses(_ref20, _ref21) {\n\t var rootState = _ref20.rootState,\n\t commit = _ref20.commit;\n\t var statuses = _ref21.statuses,\n\t _ref21$showImmediatel = _ref21.showImmediately,\n\t showImmediately = _ref21$showImmediatel === undefined ? false : _ref21$showImmediatel,\n\t _ref21$timeline = _ref21.timeline,\n\t timeline = _ref21$timeline === undefined ? false : _ref21$timeline,\n\t _ref21$noIdUpdate = _ref21.noIdUpdate,\n\t noIdUpdate = _ref21$noIdUpdate === undefined ? false : _ref21$noIdUpdate;\n\t\n\t commit('addNewStatuses', { statuses: statuses, showImmediately: showImmediately, timeline: timeline, noIdUpdate: noIdUpdate, user: rootState.users.currentUser });\n\t },\n\t addNewNotifications: function addNewNotifications(_ref22, _ref23) {\n\t var rootState = _ref22.rootState,\n\t commit = _ref22.commit,\n\t dispatch = _ref22.dispatch;\n\t var notifications = _ref23.notifications,\n\t older = _ref23.older;\n\t\n\t commit('addNewNotifications', { dispatch: dispatch, notifications: notifications, older: older });\n\t },\n\t setError: function setError(_ref24, _ref25) {\n\t var rootState = _ref24.rootState,\n\t commit = _ref24.commit;\n\t var value = _ref25.value;\n\t\n\t commit('setError', { value: value });\n\t },\n\t setNotificationsError: function setNotificationsError(_ref26, _ref27) {\n\t var rootState = _ref26.rootState,\n\t commit = _ref26.commit;\n\t var value = _ref27.value;\n\t\n\t commit('setNotificationsError', { value: value });\n\t },\n\t setNotificationsSilence: function setNotificationsSilence(_ref28, _ref29) {\n\t var rootState = _ref28.rootState,\n\t commit = _ref28.commit;\n\t var value = _ref29.value;\n\t\n\t commit('setNotificationsSilence', { value: value });\n\t },\n\t addFriends: function addFriends(_ref30, _ref31) {\n\t var rootState = _ref30.rootState,\n\t commit = _ref30.commit;\n\t var friends = _ref31.friends;\n\t\n\t commit('addFriends', { friends: friends });\n\t },\n\t addFollowers: function addFollowers(_ref32, _ref33) {\n\t var rootState = _ref32.rootState,\n\t commit = _ref32.commit;\n\t var followers = _ref33.followers;\n\t\n\t commit('addFollowers', { followers: followers });\n\t },\n\t deleteStatus: function deleteStatus(_ref34, status) {\n\t var rootState = _ref34.rootState,\n\t commit = _ref34.commit;\n\t\n\t commit('setDeleted', { status: status });\n\t _apiService2.default.deleteStatus({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t favorite: function favorite(_ref35, status) {\n\t var rootState = _ref35.rootState,\n\t commit = _ref35.commit;\n\t\n\t commit('setFavorited', { status: status, value: true });\n\t _apiService2.default.favorite({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t unfavorite: function unfavorite(_ref36, status) {\n\t var rootState = _ref36.rootState,\n\t commit = _ref36.commit;\n\t\n\t commit('setFavorited', { status: status, value: false });\n\t _apiService2.default.unfavorite({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t retweet: function retweet(_ref37, status) {\n\t var rootState = _ref37.rootState,\n\t commit = _ref37.commit;\n\t\n\t commit('setRetweeted', { status: status, value: true });\n\t _apiService2.default.retweet({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t unretweet: function unretweet(_ref38, status) {\n\t var rootState = _ref38.rootState,\n\t commit = _ref38.commit;\n\t\n\t commit('setRetweeted', { status: status, value: false });\n\t _apiService2.default.unretweet({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t queueFlush: function queueFlush(_ref39, _ref40) {\n\t var rootState = _ref39.rootState,\n\t commit = _ref39.commit;\n\t var timeline = _ref40.timeline,\n\t id = _ref40.id;\n\t\n\t commit('queueFlush', { timeline: timeline, id: id });\n\t }\n\t },\n\t mutations: mutations\n\t};\n\t\n\texports.default = statuses;\n\n/***/ }),\n/* 105 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _apiService = __webpack_require__(23);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tvar _timeline_fetcherService = __webpack_require__(108);\n\t\n\tvar _timeline_fetcherService2 = _interopRequireDefault(_timeline_fetcherService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar backendInteractorService = function backendInteractorService(credentials) {\n\t var fetchStatus = function fetchStatus(_ref) {\n\t var id = _ref.id;\n\t\n\t return _apiService2.default.fetchStatus({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchConversation = function fetchConversation(_ref2) {\n\t var id = _ref2.id;\n\t\n\t return _apiService2.default.fetchConversation({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchFriends = function fetchFriends(_ref3) {\n\t var id = _ref3.id;\n\t\n\t return _apiService2.default.fetchFriends({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchFollowers = function fetchFollowers(_ref4) {\n\t var id = _ref4.id;\n\t\n\t return _apiService2.default.fetchFollowers({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchAllFollowing = function fetchAllFollowing(_ref5) {\n\t var username = _ref5.username;\n\t\n\t return _apiService2.default.fetchAllFollowing({ username: username, credentials: credentials });\n\t };\n\t\n\t var fetchUser = function fetchUser(_ref6) {\n\t var id = _ref6.id;\n\t\n\t return _apiService2.default.fetchUser({ id: id, credentials: credentials });\n\t };\n\t\n\t var followUser = function followUser(id) {\n\t return _apiService2.default.followUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var unfollowUser = function unfollowUser(id) {\n\t return _apiService2.default.unfollowUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var blockUser = function blockUser(id) {\n\t return _apiService2.default.blockUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var unblockUser = function unblockUser(id) {\n\t return _apiService2.default.unblockUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var approveUser = function approveUser(id) {\n\t return _apiService2.default.approveUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var denyUser = function denyUser(id) {\n\t return _apiService2.default.denyUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var startFetching = function startFetching(_ref7) {\n\t var timeline = _ref7.timeline,\n\t store = _ref7.store,\n\t _ref7$userId = _ref7.userId,\n\t userId = _ref7$userId === undefined ? false : _ref7$userId;\n\t\n\t return _timeline_fetcherService2.default.startFetching({ timeline: timeline, store: store, credentials: credentials, userId: userId });\n\t };\n\t\n\t var fetchOldPost = function fetchOldPost(_ref8) {\n\t var store = _ref8.store,\n\t postId = _ref8.postId;\n\t\n\t return _timeline_fetcherService2.default.fetchAndUpdate({\n\t store: store,\n\t credentials: credentials,\n\t timeline: 'own',\n\t older: true,\n\t until: postId + 1\n\t });\n\t };\n\t\n\t var setUserMute = function setUserMute(_ref9) {\n\t var id = _ref9.id,\n\t _ref9$muted = _ref9.muted,\n\t muted = _ref9$muted === undefined ? true : _ref9$muted;\n\t\n\t return _apiService2.default.setUserMute({ id: id, muted: muted, credentials: credentials });\n\t };\n\t\n\t var fetchMutes = function fetchMutes() {\n\t return _apiService2.default.fetchMutes({ credentials: credentials });\n\t };\n\t var fetchFollowRequests = function fetchFollowRequests() {\n\t return _apiService2.default.fetchFollowRequests({ credentials: credentials });\n\t };\n\t\n\t var register = function register(params) {\n\t return _apiService2.default.register(params);\n\t };\n\t var updateAvatar = function updateAvatar(_ref10) {\n\t var params = _ref10.params;\n\t return _apiService2.default.updateAvatar({ credentials: credentials, params: params });\n\t };\n\t var updateBg = function updateBg(_ref11) {\n\t var params = _ref11.params;\n\t return _apiService2.default.updateBg({ credentials: credentials, params: params });\n\t };\n\t var updateBanner = function updateBanner(_ref12) {\n\t var params = _ref12.params;\n\t return _apiService2.default.updateBanner({ credentials: credentials, params: params });\n\t };\n\t var updateProfile = function updateProfile(_ref13) {\n\t var params = _ref13.params;\n\t return _apiService2.default.updateProfile({ credentials: credentials, params: params });\n\t };\n\t\n\t var externalProfile = function externalProfile(profileUrl) {\n\t return _apiService2.default.externalProfile({ profileUrl: profileUrl, credentials: credentials });\n\t };\n\t var followImport = function followImport(_ref14) {\n\t var params = _ref14.params;\n\t return _apiService2.default.followImport({ params: params, credentials: credentials });\n\t };\n\t\n\t var deleteAccount = function deleteAccount(_ref15) {\n\t var password = _ref15.password;\n\t return _apiService2.default.deleteAccount({ credentials: credentials, password: password });\n\t };\n\t var changePassword = function changePassword(_ref16) {\n\t var password = _ref16.password,\n\t newPassword = _ref16.newPassword,\n\t newPasswordConfirmation = _ref16.newPasswordConfirmation;\n\t return _apiService2.default.changePassword({ credentials: credentials, password: password, newPassword: newPassword, newPasswordConfirmation: newPasswordConfirmation });\n\t };\n\t\n\t var backendInteractorServiceInstance = {\n\t fetchStatus: fetchStatus,\n\t fetchConversation: fetchConversation,\n\t fetchFriends: fetchFriends,\n\t fetchFollowers: fetchFollowers,\n\t followUser: followUser,\n\t unfollowUser: unfollowUser,\n\t blockUser: blockUser,\n\t unblockUser: unblockUser,\n\t fetchUser: fetchUser,\n\t fetchAllFollowing: fetchAllFollowing,\n\t verifyCredentials: _apiService2.default.verifyCredentials,\n\t startFetching: startFetching,\n\t fetchOldPost: fetchOldPost,\n\t setUserMute: setUserMute,\n\t fetchMutes: fetchMutes,\n\t register: register,\n\t updateAvatar: updateAvatar,\n\t updateBg: updateBg,\n\t updateBanner: updateBanner,\n\t updateProfile: updateProfile,\n\t externalProfile: externalProfile,\n\t followImport: followImport,\n\t deleteAccount: deleteAccount,\n\t changePassword: changePassword,\n\t fetchFollowRequests: fetchFollowRequests,\n\t approveUser: approveUser,\n\t denyUser: denyUser\n\t };\n\t\n\t return backendInteractorServiceInstance;\n\t};\n\t\n\texports.default = backendInteractorService;\n\n/***/ }),\n/* 106 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar fileType = function fileType(typeString) {\n\t var type = 'unknown';\n\t\n\t if (typeString.match(/text\\/html/)) {\n\t type = 'html';\n\t }\n\t\n\t if (typeString.match(/image/)) {\n\t type = 'image';\n\t }\n\t\n\t if (typeString.match(/video\\/(webm|mp4)/)) {\n\t type = 'video';\n\t }\n\t\n\t if (typeString.match(/audio|ogg/)) {\n\t type = 'audio';\n\t }\n\t\n\t return type;\n\t};\n\t\n\tvar fileTypeService = {\n\t fileType: fileType\n\t};\n\t\n\texports.default = fileTypeService;\n\n/***/ }),\n/* 107 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _map2 = __webpack_require__(28);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _apiService = __webpack_require__(23);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar postStatus = function postStatus(_ref) {\n\t var store = _ref.store,\n\t status = _ref.status,\n\t spoilerText = _ref.spoilerText,\n\t visibility = _ref.visibility,\n\t sensitive = _ref.sensitive,\n\t _ref$media = _ref.media,\n\t media = _ref$media === undefined ? [] : _ref$media,\n\t _ref$inReplyToStatusI = _ref.inReplyToStatusId,\n\t inReplyToStatusId = _ref$inReplyToStatusI === undefined ? undefined : _ref$inReplyToStatusI;\n\t\n\t var mediaIds = (0, _map3.default)(media, 'id');\n\t\n\t return _apiService2.default.postStatus({ credentials: store.state.users.currentUser.credentials, status: status, spoilerText: spoilerText, visibility: visibility, sensitive: sensitive, mediaIds: mediaIds, inReplyToStatusId: inReplyToStatusId }).then(function (data) {\n\t return data.json();\n\t }).then(function (data) {\n\t if (!data.error) {\n\t store.dispatch('addNewStatuses', {\n\t statuses: [data],\n\t timeline: 'friends',\n\t showImmediately: true,\n\t noIdUpdate: true });\n\t }\n\t return data;\n\t }).catch(function (err) {\n\t return {\n\t error: err.message\n\t };\n\t });\n\t};\n\t\n\tvar uploadMedia = function uploadMedia(_ref2) {\n\t var store = _ref2.store,\n\t formData = _ref2.formData;\n\t\n\t var credentials = store.state.users.currentUser.credentials;\n\t\n\t return _apiService2.default.uploadMedia({ credentials: credentials, formData: formData }).then(function (xml) {\n\t var link = xml.getElementsByTagName('link');\n\t\n\t if (link.length === 0) {\n\t link = xml.getElementsByTagName('atom:link');\n\t }\n\t\n\t link = link[0];\n\t\n\t var mediaData = {\n\t id: xml.getElementsByTagName('media_id')[0].textContent,\n\t url: xml.getElementsByTagName('media_url')[0].textContent,\n\t image: link.getAttribute('href'),\n\t mimetype: link.getAttribute('type')\n\t };\n\t\n\t return mediaData;\n\t });\n\t};\n\t\n\tvar statusPosterService = {\n\t postStatus: postStatus,\n\t uploadMedia: uploadMedia\n\t};\n\t\n\texports.default = statusPosterService;\n\n/***/ }),\n/* 108 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _camelCase2 = __webpack_require__(435);\n\t\n\tvar _camelCase3 = _interopRequireDefault(_camelCase2);\n\t\n\tvar _apiService = __webpack_require__(23);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar update = function update(_ref) {\n\t var store = _ref.store,\n\t statuses = _ref.statuses,\n\t timeline = _ref.timeline,\n\t showImmediately = _ref.showImmediately;\n\t\n\t var ccTimeline = (0, _camelCase3.default)(timeline);\n\t\n\t store.dispatch('setError', { value: false });\n\t\n\t store.dispatch('addNewStatuses', {\n\t timeline: ccTimeline,\n\t statuses: statuses,\n\t showImmediately: showImmediately\n\t });\n\t};\n\t\n\tvar fetchAndUpdate = function fetchAndUpdate(_ref2) {\n\t var store = _ref2.store,\n\t credentials = _ref2.credentials,\n\t _ref2$timeline = _ref2.timeline,\n\t timeline = _ref2$timeline === undefined ? 'friends' : _ref2$timeline,\n\t _ref2$older = _ref2.older,\n\t older = _ref2$older === undefined ? false : _ref2$older,\n\t _ref2$showImmediately = _ref2.showImmediately,\n\t showImmediately = _ref2$showImmediately === undefined ? false : _ref2$showImmediately,\n\t _ref2$userId = _ref2.userId,\n\t userId = _ref2$userId === undefined ? false : _ref2$userId,\n\t _ref2$tag = _ref2.tag,\n\t tag = _ref2$tag === undefined ? false : _ref2$tag,\n\t until = _ref2.until;\n\t\n\t var args = { timeline: timeline, credentials: credentials };\n\t var rootState = store.rootState || store.state;\n\t var timelineData = rootState.statuses.timelines[(0, _camelCase3.default)(timeline)];\n\t\n\t if (older) {\n\t args['until'] = until || timelineData.minVisibleId;\n\t } else {\n\t args['since'] = timelineData.maxId;\n\t }\n\t\n\t args['userId'] = userId;\n\t args['tag'] = tag;\n\t\n\t return _apiService2.default.fetchTimeline(args).then(function (statuses) {\n\t if (!older && statuses.length >= 20 && !timelineData.loading) {\n\t store.dispatch('queueFlush', { timeline: timeline, id: timelineData.maxId });\n\t }\n\t update({ store: store, statuses: statuses, timeline: timeline, showImmediately: showImmediately });\n\t }, function () {\n\t return store.dispatch('setError', { value: true });\n\t });\n\t};\n\t\n\tvar startFetching = function startFetching(_ref3) {\n\t var _ref3$timeline = _ref3.timeline,\n\t timeline = _ref3$timeline === undefined ? 'friends' : _ref3$timeline,\n\t credentials = _ref3.credentials,\n\t store = _ref3.store,\n\t _ref3$userId = _ref3.userId,\n\t userId = _ref3$userId === undefined ? false : _ref3$userId,\n\t _ref3$tag = _ref3.tag,\n\t tag = _ref3$tag === undefined ? false : _ref3$tag;\n\t\n\t var rootState = store.rootState || store.state;\n\t var timelineData = rootState.statuses.timelines[(0, _camelCase3.default)(timeline)];\n\t var showImmediately = timelineData.visibleStatuses.length === 0;\n\t fetchAndUpdate({ timeline: timeline, credentials: credentials, store: store, showImmediately: showImmediately, userId: userId, tag: tag });\n\t var boundFetchAndUpdate = function boundFetchAndUpdate() {\n\t return fetchAndUpdate({ timeline: timeline, credentials: credentials, store: store, userId: userId, tag: tag });\n\t };\n\t return setInterval(boundFetchAndUpdate, 10000);\n\t};\n\tvar timelineFetcher = {\n\t fetchAndUpdate: fetchAndUpdate,\n\t startFetching: startFetching\n\t};\n\t\n\texports.default = timelineFetcher;\n\n/***/ }),\n/* 109 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.highlightStyle = exports.highlightClass = undefined;\n\t\n\tvar _color_convert = __webpack_require__(47);\n\t\n\tvar highlightStyle = function highlightStyle(prefs) {\n\t if (prefs === undefined) return;\n\t var color = prefs.color,\n\t type = prefs.type;\n\t\n\t if (typeof color !== 'string') return;\n\t var rgb = (0, _color_convert.hex2rgb)(color);\n\t if (rgb == null) return;\n\t var solidColor = 'rgb(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ')';\n\t var tintColor = 'rgba(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ', .1)';\n\t var tintColor2 = 'rgba(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ', .2)';\n\t if (type === 'striped') {\n\t return {\n\t backgroundImage: ['repeating-linear-gradient(-45deg,', tintColor + ' ,', tintColor + ' 20px,', tintColor2 + ' 20px,', tintColor2 + ' 40px'].join(' '),\n\t backgroundPosition: '0 0'\n\t };\n\t } else if (type === 'solid') {\n\t return {\n\t backgroundColor: tintColor2\n\t };\n\t } else if (type === 'side') {\n\t return {\n\t backgroundImage: ['linear-gradient(to right,', solidColor + ' ,', solidColor + ' 2px,', 'transparent 6px'].join(' '),\n\t backgroundPosition: '0 0'\n\t };\n\t }\n\t};\n\t\n\tvar highlightClass = function highlightClass(user) {\n\t return 'USER____' + user.screen_name.replace(/\\./g, '_').replace(/@/g, '_AT_');\n\t};\n\t\n\texports.highlightClass = highlightClass;\n\texports.highlightStyle = highlightStyle;\n\n/***/ }),\n/* 110 */,\n/* 111 */,\n/* 112 */,\n/* 113 */,\n/* 114 */,\n/* 115 */,\n/* 116 */,\n/* 117 */,\n/* 118 */,\n/* 119 */,\n/* 120 */,\n/* 121 */,\n/* 122 */,\n/* 123 */,\n/* 124 */,\n/* 125 */,\n/* 126 */,\n/* 127 */,\n/* 128 */,\n/* 129 */,\n/* 130 */,\n/* 131 */,\n/* 132 */,\n/* 133 */,\n/* 134 */,\n/* 135 */,\n/* 136 */,\n/* 137 */,\n/* 138 */,\n/* 139 */,\n/* 140 */,\n/* 141 */,\n/* 142 */,\n/* 143 */,\n/* 144 */,\n/* 145 */,\n/* 146 */,\n/* 147 */,\n/* 148 */,\n/* 149 */,\n/* 150 */,\n/* 151 */,\n/* 152 */,\n/* 153 */,\n/* 154 */,\n/* 155 */,\n/* 156 */,\n/* 157 */,\n/* 158 */,\n/* 159 */,\n/* 160 */,\n/* 161 */,\n/* 162 */,\n/* 163 */,\n/* 164 */,\n/* 165 */,\n/* 166 */,\n/* 167 */,\n/* 168 */,\n/* 169 */,\n/* 170 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(187),\n\t /* template */\n\t __webpack_require__(529),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 171 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(299)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(199),\n\t /* template */\n\t __webpack_require__(536),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 172 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(305)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(208),\n\t /* template */\n\t __webpack_require__(543),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 173 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(303)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(211),\n\t /* template */\n\t __webpack_require__(541),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 174 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _typeof2 = __webpack_require__(228);\n\t\n\tvar _typeof3 = _interopRequireDefault(_typeof2);\n\t\n\tvar _each2 = __webpack_require__(63);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\tvar _throttle2 = __webpack_require__(463);\n\t\n\tvar _throttle3 = _interopRequireDefault(_throttle2);\n\t\n\texports.default = createPersistedState;\n\t\n\tvar _lodash = __webpack_require__(320);\n\t\n\tvar _lodash2 = _interopRequireDefault(_lodash);\n\t\n\tvar _objectPath = __webpack_require__(472);\n\t\n\tvar _objectPath2 = _interopRequireDefault(_objectPath);\n\t\n\tvar _localforage = __webpack_require__(309);\n\t\n\tvar _localforage2 = _interopRequireDefault(_localforage);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar loaded = false;\n\t\n\tvar defaultReducer = function defaultReducer(state, paths) {\n\t return paths.length === 0 ? state : paths.reduce(function (substate, path) {\n\t _objectPath2.default.set(substate, path, _objectPath2.default.get(state, path));\n\t return substate;\n\t }, {});\n\t};\n\t\n\tvar defaultStorage = function () {\n\t return _localforage2.default;\n\t}();\n\t\n\tvar defaultSetState = function defaultSetState(key, state, storage) {\n\t if (!loaded) {\n\t console.log('waiting for old state to be loaded...');\n\t } else {\n\t return storage.setItem(key, state);\n\t }\n\t};\n\t\n\tfunction createPersistedState() {\n\t var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n\t _ref$key = _ref.key,\n\t key = _ref$key === undefined ? 'vuex-lz' : _ref$key,\n\t _ref$paths = _ref.paths,\n\t paths = _ref$paths === undefined ? [] : _ref$paths,\n\t _ref$getState = _ref.getState,\n\t getState = _ref$getState === undefined ? function (key, storage) {\n\t var value = storage.getItem(key);\n\t return value;\n\t } : _ref$getState,\n\t _ref$setState = _ref.setState,\n\t setState = _ref$setState === undefined ? (0, _throttle3.default)(defaultSetState, 60000) : _ref$setState,\n\t _ref$reducer = _ref.reducer,\n\t reducer = _ref$reducer === undefined ? defaultReducer : _ref$reducer,\n\t _ref$storage = _ref.storage,\n\t storage = _ref$storage === undefined ? defaultStorage : _ref$storage,\n\t _ref$subscriber = _ref.subscriber,\n\t subscriber = _ref$subscriber === undefined ? function (store) {\n\t return function (handler) {\n\t return store.subscribe(handler);\n\t };\n\t } : _ref$subscriber;\n\t\n\t return function (store) {\n\t getState(key, storage).then(function (savedState) {\n\t try {\n\t if ((typeof savedState === 'undefined' ? 'undefined' : (0, _typeof3.default)(savedState)) === 'object') {\n\t var usersState = savedState.users || {};\n\t usersState.usersObject = {};\n\t var users = usersState.users || [];\n\t (0, _each3.default)(users, function (user) {\n\t usersState.usersObject[user.id] = user;\n\t });\n\t savedState.users = usersState;\n\t\n\t store.replaceState((0, _lodash2.default)({}, store.state, savedState));\n\t }\n\t if (store.state.config.customTheme) {\n\t window.themeLoaded = true;\n\t store.dispatch('setOption', {\n\t name: 'customTheme',\n\t value: store.state.config.customTheme\n\t });\n\t }\n\t if (store.state.users.lastLoginName) {\n\t store.dispatch('loginUser', { username: store.state.users.lastLoginName, password: 'xxx' });\n\t }\n\t loaded = true;\n\t } catch (e) {\n\t console.log(\"Couldn't load state\");\n\t loaded = true;\n\t }\n\t });\n\t\n\t subscriber(store)(function (mutation, state) {\n\t try {\n\t setState(key, reducer(state, paths), storage);\n\t } catch (e) {\n\t console.log(\"Couldn't persist state:\");\n\t console.log(e);\n\t }\n\t });\n\t };\n\t}\n\n/***/ }),\n/* 175 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _isArray2 = __webpack_require__(3);\n\t\n\tvar _isArray3 = _interopRequireDefault(_isArray2);\n\t\n\tvar _backend_interactor_service = __webpack_require__(105);\n\t\n\tvar _backend_interactor_service2 = _interopRequireDefault(_backend_interactor_service);\n\t\n\tvar _phoenix = __webpack_require__(473);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar api = {\n\t state: {\n\t backendInteractor: (0, _backend_interactor_service2.default)(),\n\t fetchers: {},\n\t socket: null,\n\t chatDisabled: false,\n\t followRequests: []\n\t },\n\t mutations: {\n\t setBackendInteractor: function setBackendInteractor(state, backendInteractor) {\n\t state.backendInteractor = backendInteractor;\n\t },\n\t addFetcher: function addFetcher(state, _ref) {\n\t var timeline = _ref.timeline,\n\t fetcher = _ref.fetcher;\n\t\n\t state.fetchers[timeline] = fetcher;\n\t },\n\t removeFetcher: function removeFetcher(state, _ref2) {\n\t var timeline = _ref2.timeline;\n\t\n\t delete state.fetchers[timeline];\n\t },\n\t setSocket: function setSocket(state, socket) {\n\t state.socket = socket;\n\t },\n\t setChatDisabled: function setChatDisabled(state, value) {\n\t state.chatDisabled = value;\n\t },\n\t setFollowRequests: function setFollowRequests(state, value) {\n\t state.followRequests = value;\n\t }\n\t },\n\t actions: {\n\t startFetching: function startFetching(store, timeline) {\n\t var userId = false;\n\t\n\t if ((0, _isArray3.default)(timeline)) {\n\t userId = timeline[1];\n\t timeline = timeline[0];\n\t }\n\t\n\t if (!store.state.fetchers[timeline]) {\n\t var fetcher = store.state.backendInteractor.startFetching({ timeline: timeline, store: store, userId: userId });\n\t store.commit('addFetcher', { timeline: timeline, fetcher: fetcher });\n\t }\n\t },\n\t fetchOldPost: function fetchOldPost(store, _ref3) {\n\t var postId = _ref3.postId;\n\t\n\t store.state.backendInteractor.fetchOldPost({ store: store, postId: postId });\n\t },\n\t stopFetching: function stopFetching(store, timeline) {\n\t var fetcher = store.state.fetchers[timeline];\n\t window.clearInterval(fetcher);\n\t store.commit('removeFetcher', { timeline: timeline });\n\t },\n\t initializeSocket: function initializeSocket(store, token) {\n\t if (!store.state.chatDisabled) {\n\t var socket = new _phoenix.Socket('/socket', { params: { token: token } });\n\t socket.connect();\n\t store.dispatch('initializeChat', socket);\n\t }\n\t },\n\t disableChat: function disableChat(store) {\n\t store.commit('setChatDisabled', true);\n\t },\n\t removeFollowRequest: function removeFollowRequest(store, request) {\n\t var requests = store.state.followRequests.filter(function (it) {\n\t return it !== request;\n\t });\n\t store.commit('setFollowRequests', requests);\n\t }\n\t }\n\t};\n\t\n\texports.default = api;\n\n/***/ }),\n/* 176 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar chat = {\n\t state: {\n\t messages: [],\n\t channel: { state: '' }\n\t },\n\t mutations: {\n\t setChannel: function setChannel(state, channel) {\n\t state.channel = channel;\n\t },\n\t addMessage: function addMessage(state, message) {\n\t state.messages.push(message);\n\t state.messages = state.messages.slice(-19, 20);\n\t },\n\t setMessages: function setMessages(state, messages) {\n\t state.messages = messages.slice(-19, 20);\n\t }\n\t },\n\t actions: {\n\t initializeChat: function initializeChat(store, socket) {\n\t var channel = socket.channel('chat:public');\n\t channel.on('new_msg', function (msg) {\n\t store.commit('addMessage', msg);\n\t });\n\t channel.on('messages', function (_ref) {\n\t var messages = _ref.messages;\n\t\n\t store.commit('setMessages', messages);\n\t });\n\t channel.join();\n\t store.commit('setChannel', channel);\n\t }\n\t }\n\t};\n\t\n\texports.default = chat;\n\n/***/ }),\n/* 177 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _vue = __webpack_require__(68);\n\t\n\tvar _style_setter = __webpack_require__(181);\n\t\n\tvar _style_setter2 = _interopRequireDefault(_style_setter);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar browserLocale = (window.navigator.language || 'en').split('-')[0];\n\t\n\tvar defaultState = {\n\t name: 'Pleroma FE',\n\t colors: {},\n\t collapseMessageWithSubject: false,\n\t hideAttachments: false,\n\t hideAttachmentsInConv: false,\n\t hideNsfw: true,\n\t loopVideo: true,\n\t loopVideoSilentOnly: true,\n\t autoLoad: true,\n\t streaming: false,\n\t hoverPreview: true,\n\t pauseOnUnfocused: true,\n\t stopGifs: false,\n\t replyVisibility: 'all',\n\t muteWords: [],\n\t highlight: {},\n\t interfaceLanguage: browserLocale\n\t};\n\t\n\tvar config = {\n\t state: defaultState,\n\t mutations: {\n\t setOption: function setOption(state, _ref) {\n\t var name = _ref.name,\n\t value = _ref.value;\n\t\n\t (0, _vue.set)(state, name, value);\n\t },\n\t setHighlight: function setHighlight(state, _ref2) {\n\t var user = _ref2.user,\n\t color = _ref2.color,\n\t type = _ref2.type;\n\t\n\t var data = this.state.config.highlight[user];\n\t if (color || type) {\n\t (0, _vue.set)(state.highlight, user, { color: color || data.color, type: type || data.type });\n\t } else {\n\t (0, _vue.delete)(state.highlight, user);\n\t }\n\t }\n\t },\n\t actions: {\n\t setPageTitle: function setPageTitle(_ref3) {\n\t var state = _ref3.state;\n\t var option = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : '';\n\t\n\t document.title = option + ' ' + state.name;\n\t },\n\t setHighlight: function setHighlight(_ref4, _ref5) {\n\t var commit = _ref4.commit,\n\t dispatch = _ref4.dispatch;\n\t var user = _ref5.user,\n\t color = _ref5.color,\n\t type = _ref5.type;\n\t\n\t commit('setHighlight', { user: user, color: color, type: type });\n\t },\n\t setOption: function setOption(_ref6, _ref7) {\n\t var commit = _ref6.commit,\n\t dispatch = _ref6.dispatch;\n\t var name = _ref7.name,\n\t value = _ref7.value;\n\t\n\t commit('setOption', { name: name, value: value });\n\t switch (name) {\n\t case 'name':\n\t dispatch('setPageTitle');\n\t break;\n\t case 'theme':\n\t _style_setter2.default.setPreset(value, commit);\n\t break;\n\t case 'customTheme':\n\t _style_setter2.default.setColors(value, commit);\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = config;\n\n/***/ }),\n/* 178 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.defaultState = exports.mutations = exports.mergeOrAdd = undefined;\n\t\n\tvar _promise = __webpack_require__(223);\n\t\n\tvar _promise2 = _interopRequireDefault(_promise);\n\t\n\tvar _merge2 = __webpack_require__(167);\n\t\n\tvar _merge3 = _interopRequireDefault(_merge2);\n\t\n\tvar _each2 = __webpack_require__(63);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\tvar _map2 = __webpack_require__(28);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _compact2 = __webpack_require__(437);\n\t\n\tvar _compact3 = _interopRequireDefault(_compact2);\n\t\n\tvar _backend_interactor_service = __webpack_require__(105);\n\t\n\tvar _backend_interactor_service2 = _interopRequireDefault(_backend_interactor_service);\n\t\n\tvar _vue = __webpack_require__(68);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar mergeOrAdd = exports.mergeOrAdd = function mergeOrAdd(arr, obj, item) {\n\t if (!item) {\n\t return false;\n\t }\n\t var oldItem = obj[item.id];\n\t if (oldItem) {\n\t (0, _merge3.default)(oldItem, item);\n\t return { item: oldItem, new: false };\n\t } else {\n\t arr.push(item);\n\t obj[item.id] = item;\n\t return { item: item, new: true };\n\t }\n\t};\n\t\n\tvar mutations = exports.mutations = {\n\t setMuted: function setMuted(state, _ref) {\n\t var id = _ref.user.id,\n\t muted = _ref.muted;\n\t\n\t var user = state.usersObject[id];\n\t (0, _vue.set)(user, 'muted', muted);\n\t },\n\t setCurrentUser: function setCurrentUser(state, user) {\n\t state.lastLoginName = user.screen_name;\n\t state.currentUser = (0, _merge3.default)(state.currentUser || {}, user);\n\t },\n\t clearCurrentUser: function clearCurrentUser(state) {\n\t state.currentUser = false;\n\t state.lastLoginName = false;\n\t },\n\t beginLogin: function beginLogin(state) {\n\t state.loggingIn = true;\n\t },\n\t endLogin: function endLogin(state) {\n\t state.loggingIn = false;\n\t },\n\t addNewUsers: function addNewUsers(state, users) {\n\t (0, _each3.default)(users, function (user) {\n\t return mergeOrAdd(state.users, state.usersObject, user);\n\t });\n\t },\n\t setUserForStatus: function setUserForStatus(state, status) {\n\t status.user = state.usersObject[status.user.id];\n\t },\n\t setColor: function setColor(state, _ref2) {\n\t var id = _ref2.user.id,\n\t highlighted = _ref2.highlighted;\n\t\n\t var user = state.usersObject[id];\n\t (0, _vue.set)(user, 'highlight', highlighted);\n\t }\n\t};\n\t\n\tvar defaultState = exports.defaultState = {\n\t lastLoginName: false,\n\t currentUser: false,\n\t loggingIn: false,\n\t users: [],\n\t usersObject: {}\n\t};\n\t\n\tvar users = {\n\t state: defaultState,\n\t mutations: mutations,\n\t actions: {\n\t fetchUser: function fetchUser(store, id) {\n\t store.rootState.api.backendInteractor.fetchUser({ id: id }).then(function (user) {\n\t return store.commit('addNewUsers', user);\n\t });\n\t },\n\t addNewStatuses: function addNewStatuses(store, _ref3) {\n\t var statuses = _ref3.statuses;\n\t\n\t var users = (0, _map3.default)(statuses, 'user');\n\t var retweetedUsers = (0, _compact3.default)((0, _map3.default)(statuses, 'retweeted_status.user'));\n\t store.commit('addNewUsers', users);\n\t store.commit('addNewUsers', retweetedUsers);\n\t\n\t (0, _each3.default)(statuses, function (status) {\n\t store.commit('setUserForStatus', status);\n\t });\n\t\n\t (0, _each3.default)((0, _compact3.default)((0, _map3.default)(statuses, 'retweeted_status')), function (status) {\n\t store.commit('setUserForStatus', status);\n\t });\n\t },\n\t logout: function logout(store) {\n\t store.commit('clearCurrentUser');\n\t store.dispatch('stopFetching', 'friends');\n\t store.commit('setBackendInteractor', (0, _backend_interactor_service2.default)());\n\t },\n\t loginUser: function loginUser(store, userCredentials) {\n\t return new _promise2.default(function (resolve, reject) {\n\t var commit = store.commit;\n\t commit('beginLogin');\n\t store.rootState.api.backendInteractor.verifyCredentials(userCredentials).then(function (response) {\n\t if (response.ok) {\n\t response.json().then(function (user) {\n\t user.credentials = userCredentials;\n\t commit('setCurrentUser', user);\n\t commit('addNewUsers', [user]);\n\t\n\t commit('setBackendInteractor', (0, _backend_interactor_service2.default)(userCredentials));\n\t\n\t if (user.token) {\n\t store.dispatch('initializeSocket', user.token);\n\t }\n\t\n\t store.dispatch('startFetching', 'friends');\n\t\n\t store.dispatch('startFetching', ['own', user.id]);\n\t\n\t store.rootState.api.backendInteractor.fetchMutes().then(function (mutedUsers) {\n\t (0, _each3.default)(mutedUsers, function (user) {\n\t user.muted = true;\n\t });\n\t store.commit('addNewUsers', mutedUsers);\n\t });\n\t\n\t if ('Notification' in window && window.Notification.permission === 'default') {\n\t window.Notification.requestPermission();\n\t }\n\t\n\t store.rootState.api.backendInteractor.fetchFriends().then(function (friends) {\n\t return commit('addNewUsers', friends);\n\t });\n\t });\n\t } else {\n\t commit('endLogin');\n\t if (response.status === 401) {\n\t reject('Wrong username or password');\n\t } else {\n\t reject('An error occurred, please try again');\n\t }\n\t }\n\t commit('endLogin');\n\t resolve();\n\t }).catch(function (error) {\n\t console.log(error);\n\t commit('endLogin');\n\t reject('Failed to connect to server, try again');\n\t });\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = users;\n\n/***/ }),\n/* 179 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.splitIntoWords = exports.addPositionToWords = exports.wordAtPosition = exports.replaceWord = undefined;\n\t\n\tvar _find2 = __webpack_require__(64);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _reduce2 = __webpack_require__(168);\n\t\n\tvar _reduce3 = _interopRequireDefault(_reduce2);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar replaceWord = exports.replaceWord = function replaceWord(str, toReplace, replacement) {\n\t return str.slice(0, toReplace.start) + replacement + str.slice(toReplace.end);\n\t};\n\t\n\tvar wordAtPosition = exports.wordAtPosition = function wordAtPosition(str, pos) {\n\t var words = splitIntoWords(str);\n\t var wordsWithPosition = addPositionToWords(words);\n\t\n\t return (0, _find3.default)(wordsWithPosition, function (_ref) {\n\t var start = _ref.start,\n\t end = _ref.end;\n\t return start <= pos && end > pos;\n\t });\n\t};\n\t\n\tvar addPositionToWords = exports.addPositionToWords = function addPositionToWords(words) {\n\t return (0, _reduce3.default)(words, function (result, word) {\n\t var data = {\n\t word: word,\n\t start: 0,\n\t end: word.length\n\t };\n\t\n\t if (result.length > 0) {\n\t var previous = result.pop();\n\t\n\t data.start += previous.end;\n\t data.end += previous.end;\n\t\n\t result.push(previous);\n\t }\n\t\n\t result.push(data);\n\t\n\t return result;\n\t }, []);\n\t};\n\t\n\tvar splitIntoWords = exports.splitIntoWords = function splitIntoWords(str) {\n\t var regex = /\\b/;\n\t var triggers = /[@#:]+$/;\n\t\n\t var split = str.split(regex);\n\t\n\t var words = (0, _reduce3.default)(split, function (result, word) {\n\t if (result.length > 0) {\n\t var previous = result.pop();\n\t var matches = previous.match(triggers);\n\t if (matches) {\n\t previous = previous.replace(triggers, '');\n\t word = matches[0] + word;\n\t }\n\t result.push(previous);\n\t }\n\t result.push(word);\n\t\n\t return result;\n\t }, []);\n\t\n\t return words;\n\t};\n\t\n\tvar completion = {\n\t wordAtPosition: wordAtPosition,\n\t addPositionToWords: addPositionToWords,\n\t splitIntoWords: splitIntoWords,\n\t replaceWord: replaceWord\n\t};\n\t\n\texports.default = completion;\n\n/***/ }),\n/* 180 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _apiService = __webpack_require__(23);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar update = function update(_ref) {\n\t var store = _ref.store,\n\t notifications = _ref.notifications,\n\t older = _ref.older;\n\t\n\t store.dispatch('setNotificationsError', { value: false });\n\t\n\t store.dispatch('addNewNotifications', { notifications: notifications, older: older });\n\t};\n\t\n\tvar fetchAndUpdate = function fetchAndUpdate(_ref2) {\n\t var store = _ref2.store,\n\t credentials = _ref2.credentials,\n\t _ref2$older = _ref2.older,\n\t older = _ref2$older === undefined ? false : _ref2$older;\n\t\n\t var args = { credentials: credentials };\n\t var rootState = store.rootState || store.state;\n\t var timelineData = rootState.statuses.notifications;\n\t\n\t if (older) {\n\t if (timelineData.minId !== Number.POSITIVE_INFINITY) {\n\t args['until'] = timelineData.minId;\n\t }\n\t } else {\n\t args['since'] = timelineData.maxId;\n\t }\n\t\n\t args['timeline'] = 'notifications';\n\t\n\t return _apiService2.default.fetchTimeline(args).then(function (notifications) {\n\t update({ store: store, notifications: notifications, older: older });\n\t }, function () {\n\t return store.dispatch('setNotificationsError', { value: true });\n\t }).catch(function () {\n\t return store.dispatch('setNotificationsError', { value: true });\n\t });\n\t};\n\t\n\tvar startFetching = function startFetching(_ref3) {\n\t var credentials = _ref3.credentials,\n\t store = _ref3.store;\n\t\n\t fetchAndUpdate({ credentials: credentials, store: store });\n\t var boundFetchAndUpdate = function boundFetchAndUpdate() {\n\t return fetchAndUpdate({ credentials: credentials, store: store });\n\t };\n\t\n\t setTimeout(function () {\n\t return store.dispatch('setNotificationsSilence', false);\n\t }, 10000);\n\t return setInterval(boundFetchAndUpdate, 10000);\n\t};\n\t\n\tvar notificationsFetcher = {\n\t fetchAndUpdate: fetchAndUpdate,\n\t startFetching: startFetching\n\t};\n\t\n\texports.default = notificationsFetcher;\n\n/***/ }),\n/* 181 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _slicedToArray2 = __webpack_require__(112);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _entries = __webpack_require__(221);\n\t\n\tvar _entries2 = _interopRequireDefault(_entries);\n\t\n\tvar _times2 = __webpack_require__(464);\n\t\n\tvar _times3 = _interopRequireDefault(_times2);\n\t\n\tvar _color_convert = __webpack_require__(47);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar setStyle = function setStyle(href, commit) {\n\t var head = document.head;\n\t var body = document.body;\n\t body.style.display = 'none';\n\t var cssEl = document.createElement('link');\n\t cssEl.setAttribute('rel', 'stylesheet');\n\t cssEl.setAttribute('href', href);\n\t head.appendChild(cssEl);\n\t\n\t var setDynamic = function setDynamic() {\n\t var baseEl = document.createElement('div');\n\t body.appendChild(baseEl);\n\t\n\t var colors = {};\n\t (0, _times3.default)(16, function (n) {\n\t var name = 'base0' + n.toString(16).toUpperCase();\n\t baseEl.setAttribute('class', name);\n\t var color = window.getComputedStyle(baseEl).getPropertyValue('color');\n\t colors[name] = color;\n\t });\n\t\n\t commit('setOption', { name: 'colors', value: colors });\n\t\n\t body.removeChild(baseEl);\n\t\n\t var styleEl = document.createElement('style');\n\t head.appendChild(styleEl);\n\t\n\t\n\t body.style.display = 'initial';\n\t };\n\t\n\t cssEl.addEventListener('load', setDynamic);\n\t};\n\t\n\tvar setColors = function setColors(col, commit) {\n\t var head = document.head;\n\t var body = document.body;\n\t body.style.display = 'none';\n\t\n\t var styleEl = document.createElement('style');\n\t head.appendChild(styleEl);\n\t var styleSheet = styleEl.sheet;\n\t\n\t var isDark = col.text.r + col.text.g + col.text.b > col.bg.r + col.bg.g + col.bg.b;\n\t var colors = {};\n\t var radii = {};\n\t\n\t var mod = isDark ? -10 : 10;\n\t\n\t colors.bg = (0, _color_convert.rgb2hex)(col.bg.r, col.bg.g, col.bg.b);\n\t colors.lightBg = (0, _color_convert.rgb2hex)((col.bg.r + col.fg.r) / 2, (col.bg.g + col.fg.g) / 2, (col.bg.b + col.fg.b) / 2);\n\t colors.btn = (0, _color_convert.rgb2hex)(col.fg.r, col.fg.g, col.fg.b);\n\t colors.input = 'rgba(' + col.fg.r + ', ' + col.fg.g + ', ' + col.fg.b + ', .5)';\n\t colors.border = (0, _color_convert.rgb2hex)(col.fg.r - mod, col.fg.g - mod, col.fg.b - mod);\n\t colors.faint = 'rgba(' + col.text.r + ', ' + col.text.g + ', ' + col.text.b + ', .5)';\n\t colors.fg = (0, _color_convert.rgb2hex)(col.text.r, col.text.g, col.text.b);\n\t colors.lightFg = (0, _color_convert.rgb2hex)(col.text.r - mod * 5, col.text.g - mod * 5, col.text.b - mod * 5);\n\t\n\t colors['base07'] = (0, _color_convert.rgb2hex)(col.text.r - mod * 2, col.text.g - mod * 2, col.text.b - mod * 2);\n\t\n\t colors.link = (0, _color_convert.rgb2hex)(col.link.r, col.link.g, col.link.b);\n\t colors.icon = (0, _color_convert.rgb2hex)((col.bg.r + col.text.r) / 2, (col.bg.g + col.text.g) / 2, (col.bg.b + col.text.b) / 2);\n\t\n\t colors.cBlue = col.cBlue && (0, _color_convert.rgb2hex)(col.cBlue.r, col.cBlue.g, col.cBlue.b);\n\t colors.cRed = col.cRed && (0, _color_convert.rgb2hex)(col.cRed.r, col.cRed.g, col.cRed.b);\n\t colors.cGreen = col.cGreen && (0, _color_convert.rgb2hex)(col.cGreen.r, col.cGreen.g, col.cGreen.b);\n\t colors.cOrange = col.cOrange && (0, _color_convert.rgb2hex)(col.cOrange.r, col.cOrange.g, col.cOrange.b);\n\t\n\t colors.cAlertRed = col.cRed && 'rgba(' + col.cRed.r + ', ' + col.cRed.g + ', ' + col.cRed.b + ', .5)';\n\t\n\t radii.btnRadius = col.btnRadius;\n\t radii.inputRadius = col.inputRadius;\n\t radii.panelRadius = col.panelRadius;\n\t radii.avatarRadius = col.avatarRadius;\n\t radii.avatarAltRadius = col.avatarAltRadius;\n\t radii.tooltipRadius = col.tooltipRadius;\n\t radii.attachmentRadius = col.attachmentRadius;\n\t\n\t styleSheet.toString();\n\t styleSheet.insertRule('body { ' + (0, _entries2.default)(colors).filter(function (_ref) {\n\t var _ref2 = (0, _slicedToArray3.default)(_ref, 2),\n\t k = _ref2[0],\n\t v = _ref2[1];\n\t\n\t return v;\n\t }).map(function (_ref3) {\n\t var _ref4 = (0, _slicedToArray3.default)(_ref3, 2),\n\t k = _ref4[0],\n\t v = _ref4[1];\n\t\n\t return '--' + k + ': ' + v;\n\t }).join(';') + ' }', 'index-max');\n\t styleSheet.insertRule('body { ' + (0, _entries2.default)(radii).filter(function (_ref5) {\n\t var _ref6 = (0, _slicedToArray3.default)(_ref5, 2),\n\t k = _ref6[0],\n\t v = _ref6[1];\n\t\n\t return v;\n\t }).map(function (_ref7) {\n\t var _ref8 = (0, _slicedToArray3.default)(_ref7, 2),\n\t k = _ref8[0],\n\t v = _ref8[1];\n\t\n\t return '--' + k + ': ' + v + 'px';\n\t }).join(';') + ' }', 'index-max');\n\t body.style.display = 'initial';\n\t\n\t commit('setOption', { name: 'colors', value: colors });\n\t commit('setOption', { name: 'radii', value: radii });\n\t commit('setOption', { name: 'customTheme', value: col });\n\t};\n\t\n\tvar setPreset = function setPreset(val, commit) {\n\t window.fetch('/static/styles.json').then(function (data) {\n\t return data.json();\n\t }).then(function (themes) {\n\t var theme = themes[val] ? themes[val] : themes['pleroma-dark'];\n\t var bgRgb = (0, _color_convert.hex2rgb)(theme[1]);\n\t var fgRgb = (0, _color_convert.hex2rgb)(theme[2]);\n\t var textRgb = (0, _color_convert.hex2rgb)(theme[3]);\n\t var linkRgb = (0, _color_convert.hex2rgb)(theme[4]);\n\t\n\t var cRedRgb = (0, _color_convert.hex2rgb)(theme[5] || '#FF0000');\n\t var cGreenRgb = (0, _color_convert.hex2rgb)(theme[6] || '#00FF00');\n\t var cBlueRgb = (0, _color_convert.hex2rgb)(theme[7] || '#0000FF');\n\t var cOrangeRgb = (0, _color_convert.hex2rgb)(theme[8] || '#E3FF00');\n\t\n\t var col = {\n\t bg: bgRgb,\n\t fg: fgRgb,\n\t text: textRgb,\n\t link: linkRgb,\n\t cRed: cRedRgb,\n\t cBlue: cBlueRgb,\n\t cGreen: cGreenRgb,\n\t cOrange: cOrangeRgb\n\t };\n\t\n\t if (!window.themeLoaded) {\n\t setColors(col, commit);\n\t }\n\t });\n\t};\n\t\n\tvar StyleSetter = {\n\t setStyle: setStyle,\n\t setPreset: setPreset,\n\t setColors: setColors\n\t};\n\t\n\texports.default = StyleSetter;\n\n/***/ }),\n/* 182 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _keys = __webpack_require__(111);\n\t\n\tvar _keys2 = _interopRequireDefault(_keys);\n\t\n\tvar _map2 = __webpack_require__(28);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _messages = __webpack_require__(103);\n\t\n\tvar _messages2 = _interopRequireDefault(_messages);\n\t\n\tvar _iso = __webpack_require__(306);\n\t\n\tvar _iso2 = _interopRequireDefault(_iso);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\texports.default = {\n\t computed: {\n\t languageCodes: function languageCodes() {\n\t return (0, _keys2.default)(_messages2.default);\n\t },\n\t languageNames: function languageNames() {\n\t return (0, _map3.default)(this.languageCodes, _iso2.default.getName);\n\t },\n\t\n\t\n\t language: {\n\t get: function get() {\n\t return this.$store.state.config.interfaceLanguage;\n\t },\n\t set: function set(val) {\n\t this.$store.dispatch('setOption', { name: 'interfaceLanguage', value: val });\n\t this.$i18n.locale = val;\n\t }\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 183 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_panel = __webpack_require__(504);\n\t\n\tvar _user_panel2 = _interopRequireDefault(_user_panel);\n\t\n\tvar _nav_panel = __webpack_require__(493);\n\t\n\tvar _nav_panel2 = _interopRequireDefault(_nav_panel);\n\t\n\tvar _notifications = __webpack_require__(495);\n\t\n\tvar _notifications2 = _interopRequireDefault(_notifications);\n\t\n\tvar _user_finder = __webpack_require__(503);\n\t\n\tvar _user_finder2 = _interopRequireDefault(_user_finder);\n\t\n\tvar _who_to_follow_panel = __webpack_require__(507);\n\t\n\tvar _who_to_follow_panel2 = _interopRequireDefault(_who_to_follow_panel);\n\t\n\tvar _instance_specific_panel = __webpack_require__(488);\n\t\n\tvar _instance_specific_panel2 = _interopRequireDefault(_instance_specific_panel);\n\t\n\tvar _chat_panel = __webpack_require__(482);\n\t\n\tvar _chat_panel2 = _interopRequireDefault(_chat_panel);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\texports.default = {\n\t name: 'app',\n\t components: {\n\t UserPanel: _user_panel2.default,\n\t NavPanel: _nav_panel2.default,\n\t Notifications: _notifications2.default,\n\t UserFinder: _user_finder2.default,\n\t WhoToFollowPanel: _who_to_follow_panel2.default,\n\t InstanceSpecificPanel: _instance_specific_panel2.default,\n\t ChatPanel: _chat_panel2.default\n\t },\n\t data: function data() {\n\t return {\n\t mobileActivePanel: 'timeline'\n\t };\n\t },\n\t created: function created() {\n\t this.$i18n.locale = this.$store.state.config.interfaceLanguage;\n\t },\n\t\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t background: function background() {\n\t return this.currentUser.background_image || this.$store.state.config.background;\n\t },\n\t logoStyle: function logoStyle() {\n\t return { 'background-image': 'url(' + this.$store.state.config.logo + ')' };\n\t },\n\t style: function style() {\n\t return { 'background-image': 'url(' + this.background + ')' };\n\t },\n\t sitename: function sitename() {\n\t return this.$store.state.config.name;\n\t },\n\t chat: function chat() {\n\t return this.$store.state.chat.channel.state === 'joined';\n\t },\n\t suggestionsEnabled: function suggestionsEnabled() {\n\t return this.$store.state.config.suggestionsEnabled;\n\t },\n\t showInstanceSpecificPanel: function showInstanceSpecificPanel() {\n\t return this.$store.state.config.showInstanceSpecificPanel;\n\t }\n\t },\n\t methods: {\n\t activatePanel: function activatePanel(panelName) {\n\t this.mobileActivePanel = panelName;\n\t },\n\t scrollToTop: function scrollToTop() {\n\t window.scrollTo(0, 0);\n\t },\n\t logout: function logout() {\n\t this.$store.dispatch('logout');\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 184 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stillImage = __webpack_require__(67);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _nsfw = __webpack_require__(477);\n\t\n\tvar _nsfw2 = _interopRequireDefault(_nsfw);\n\t\n\tvar _file_typeService = __webpack_require__(106);\n\t\n\tvar _file_typeService2 = _interopRequireDefault(_file_typeService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Attachment = {\n\t props: ['attachment', 'nsfw', 'statusId', 'size'],\n\t data: function data() {\n\t return {\n\t nsfwImage: _nsfw2.default,\n\t hideNsfwLocal: this.$store.state.config.hideNsfw,\n\t loopVideo: this.$store.state.config.loopVideo,\n\t showHidden: false,\n\t loading: false,\n\t img: this.type === 'image' && document.createElement('img')\n\t };\n\t },\n\t\n\t components: {\n\t StillImage: _stillImage2.default\n\t },\n\t computed: {\n\t type: function type() {\n\t return _file_typeService2.default.fileType(this.attachment.mimetype);\n\t },\n\t hidden: function hidden() {\n\t return this.nsfw && this.hideNsfwLocal && !this.showHidden;\n\t },\n\t isEmpty: function isEmpty() {\n\t return this.type === 'html' && !this.attachment.oembed || this.type === 'unknown';\n\t },\n\t isSmall: function isSmall() {\n\t return this.size === 'small';\n\t },\n\t fullwidth: function fullwidth() {\n\t return _file_typeService2.default.fileType(this.attachment.mimetype) === 'html';\n\t }\n\t },\n\t methods: {\n\t linkClicked: function linkClicked(_ref) {\n\t var target = _ref.target;\n\t\n\t if (target.tagName === 'A') {\n\t window.open(target.href, '_blank');\n\t }\n\t },\n\t toggleHidden: function toggleHidden() {\n\t var _this = this;\n\t\n\t if (this.img) {\n\t if (this.img.onload) {\n\t this.img.onload();\n\t } else {\n\t this.loading = true;\n\t this.img.src = this.attachment.url;\n\t this.img.onload = function () {\n\t _this.loading = false;\n\t _this.showHidden = !_this.showHidden;\n\t };\n\t }\n\t } else {\n\t this.showHidden = !this.showHidden;\n\t }\n\t },\n\t onVideoDataLoad: function onVideoDataLoad(e) {\n\t if (typeof e.srcElement.webkitAudioDecodedByteCount !== 'undefined') {\n\t if (e.srcElement.webkitAudioDecodedByteCount > 0) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t } else if (typeof e.srcElement.mozHasAudio !== 'undefined') {\n\t if (e.srcElement.mozHasAudio) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t } else if (typeof e.srcElement.audioTracks !== 'undefined') {\n\t if (e.srcElement.audioTracks.length > 0) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Attachment;\n\n/***/ }),\n/* 185 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar chatPanel = {\n\t data: function data() {\n\t return {\n\t currentMessage: '',\n\t channel: null,\n\t collapsed: true\n\t };\n\t },\n\t\n\t computed: {\n\t messages: function messages() {\n\t return this.$store.state.chat.messages;\n\t }\n\t },\n\t methods: {\n\t submit: function submit(message) {\n\t this.$store.state.chat.channel.push('new_msg', { text: message }, 10000);\n\t this.currentMessage = '';\n\t },\n\t togglePanel: function togglePanel() {\n\t this.collapsed = !this.collapsed;\n\t }\n\t }\n\t};\n\t\n\texports.default = chatPanel;\n\n/***/ }),\n/* 186 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _toInteger2 = __webpack_require__(22);\n\t\n\tvar _toInteger3 = _interopRequireDefault(_toInteger2);\n\t\n\tvar _find2 = __webpack_require__(64);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _conversation = __webpack_require__(170);\n\t\n\tvar _conversation2 = _interopRequireDefault(_conversation);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar conversationPage = {\n\t components: {\n\t Conversation: _conversation2.default\n\t },\n\t computed: {\n\t statusoid: function statusoid() {\n\t var id = (0, _toInteger3.default)(this.$route.params.id);\n\t var statuses = this.$store.state.statuses.allStatuses;\n\t var status = (0, _find3.default)(statuses, { id: id });\n\t\n\t return status;\n\t }\n\t }\n\t};\n\t\n\texports.default = conversationPage;\n\n/***/ }),\n/* 187 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _sortBy2 = __webpack_require__(101);\n\t\n\tvar _sortBy3 = _interopRequireDefault(_sortBy2);\n\t\n\tvar _filter2 = __webpack_require__(43);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _reduce2 = __webpack_require__(168);\n\t\n\tvar _reduce3 = _interopRequireDefault(_reduce2);\n\t\n\tvar _statuses = __webpack_require__(104);\n\t\n\tvar _status = __webpack_require__(66);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar sortAndFilterConversation = function sortAndFilterConversation(conversation) {\n\t conversation = (0, _filter3.default)(conversation, function (status) {\n\t return (0, _statuses.statusType)(status) !== 'retweet';\n\t });\n\t return (0, _sortBy3.default)(conversation, 'id');\n\t};\n\t\n\tvar conversation = {\n\t data: function data() {\n\t return {\n\t highlight: null\n\t };\n\t },\n\t\n\t props: ['statusoid', 'collapsable'],\n\t computed: {\n\t status: function status() {\n\t return this.statusoid;\n\t },\n\t conversation: function conversation() {\n\t if (!this.status) {\n\t return false;\n\t }\n\t\n\t var conversationId = this.status.statusnet_conversation_id;\n\t var statuses = this.$store.state.statuses.allStatuses;\n\t var conversation = (0, _filter3.default)(statuses, { statusnet_conversation_id: conversationId });\n\t return sortAndFilterConversation(conversation);\n\t },\n\t replies: function replies() {\n\t var i = 1;\n\t return (0, _reduce3.default)(this.conversation, function (result, _ref) {\n\t var id = _ref.id,\n\t in_reply_to_status_id = _ref.in_reply_to_status_id;\n\t\n\t var irid = Number(in_reply_to_status_id);\n\t if (irid) {\n\t result[irid] = result[irid] || [];\n\t result[irid].push({\n\t name: '#' + i,\n\t id: id\n\t });\n\t }\n\t i++;\n\t return result;\n\t }, {});\n\t }\n\t },\n\t components: {\n\t Status: _status2.default\n\t },\n\t created: function created() {\n\t this.fetchConversation();\n\t },\n\t\n\t watch: {\n\t '$route': 'fetchConversation'\n\t },\n\t methods: {\n\t fetchConversation: function fetchConversation() {\n\t var _this = this;\n\t\n\t if (this.status) {\n\t var conversationId = this.status.statusnet_conversation_id;\n\t this.$store.state.api.backendInteractor.fetchConversation({ id: conversationId }).then(function (statuses) {\n\t return _this.$store.dispatch('addNewStatuses', { statuses: statuses });\n\t }).then(function () {\n\t return _this.setHighlight(_this.statusoid.id);\n\t });\n\t } else {\n\t var id = this.$route.params.id;\n\t this.$store.state.api.backendInteractor.fetchStatus({ id: id }).then(function (status) {\n\t return _this.$store.dispatch('addNewStatuses', { statuses: [status] });\n\t }).then(function () {\n\t return _this.fetchConversation();\n\t });\n\t }\n\t },\n\t getReplies: function getReplies(id) {\n\t id = Number(id);\n\t return this.replies[id] || [];\n\t },\n\t focused: function focused(id) {\n\t if (this.statusoid.retweeted_status) {\n\t return id === this.statusoid.retweeted_status.id;\n\t } else {\n\t return id === this.statusoid.id;\n\t }\n\t },\n\t setHighlight: function setHighlight(id) {\n\t this.highlight = Number(id);\n\t }\n\t }\n\t};\n\t\n\texports.default = conversation;\n\n/***/ }),\n/* 188 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar DeleteButton = {\n\t props: ['status'],\n\t methods: {\n\t deleteStatus: function deleteStatus() {\n\t var confirmed = window.confirm('Do you really want to delete this status?');\n\t if (confirmed) {\n\t this.$store.dispatch('deleteStatus', { id: this.status.id });\n\t }\n\t }\n\t },\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t canDelete: function canDelete() {\n\t return this.currentUser && this.currentUser.rights.delete_others_notice || this.status.user.id === this.currentUser.id;\n\t }\n\t }\n\t};\n\t\n\texports.default = DeleteButton;\n\n/***/ }),\n/* 189 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar FavoriteButton = {\n\t props: ['status', 'loggedIn'],\n\t data: function data() {\n\t return {\n\t animated: false\n\t };\n\t },\n\t\n\t methods: {\n\t favorite: function favorite() {\n\t var _this = this;\n\t\n\t if (!this.status.favorited) {\n\t this.$store.dispatch('favorite', { id: this.status.id });\n\t } else {\n\t this.$store.dispatch('unfavorite', { id: this.status.id });\n\t }\n\t this.animated = true;\n\t setTimeout(function () {\n\t _this.animated = false;\n\t }, 500);\n\t }\n\t },\n\t computed: {\n\t classes: function classes() {\n\t return {\n\t 'icon-star-empty': !this.status.favorited,\n\t 'icon-star': this.status.favorited,\n\t 'animate-spin': this.animated\n\t };\n\t }\n\t }\n\t};\n\t\n\texports.default = FavoriteButton;\n\n/***/ }),\n/* 190 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_card = __webpack_require__(173);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar FollowRequests = {\n\t components: {\n\t UserCard: _user_card2.default\n\t },\n\t created: function created() {\n\t this.updateRequests();\n\t },\n\t\n\t computed: {\n\t requests: function requests() {\n\t return this.$store.state.api.followRequests;\n\t }\n\t },\n\t methods: {\n\t updateRequests: function updateRequests() {\n\t var _this = this;\n\t\n\t this.$store.state.api.backendInteractor.fetchFollowRequests().then(function (requests) {\n\t _this.$store.commit('setFollowRequests', requests);\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = FollowRequests;\n\n/***/ }),\n/* 191 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(30);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar FriendsTimeline = {\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.friends;\n\t }\n\t }\n\t};\n\t\n\texports.default = FriendsTimeline;\n\n/***/ }),\n/* 192 */\n/***/ (function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar InstanceSpecificPanel = {\n\t computed: {\n\t instanceSpecificPanelContent: function instanceSpecificPanelContent() {\n\t return this.$store.state.config.instanceSpecificPanelContent;\n\t }\n\t }\n\t};\n\t\n\texports.default = InstanceSpecificPanel;\n\n/***/ }),\n/* 193 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar LoginForm = {\n\t data: function data() {\n\t return {\n\t user: {},\n\t authError: false\n\t };\n\t },\n\t computed: {\n\t loggingIn: function loggingIn() {\n\t return this.$store.state.users.loggingIn;\n\t },\n\t registrationOpen: function registrationOpen() {\n\t return this.$store.state.config.registrationOpen;\n\t }\n\t },\n\t methods: {\n\t submit: function submit() {\n\t var _this = this;\n\t\n\t this.$store.dispatch('loginUser', this.user).then(function () {}, function (error) {\n\t _this.authError = error;\n\t _this.user.username = '';\n\t _this.user.password = '';\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = LoginForm;\n\n/***/ }),\n/* 194 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status_posterService = __webpack_require__(107);\n\t\n\tvar _status_posterService2 = _interopRequireDefault(_status_posterService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar mediaUpload = {\n\t mounted: function mounted() {\n\t var _this = this;\n\t\n\t var input = this.$el.querySelector('input');\n\t\n\t input.addEventListener('change', function (_ref) {\n\t var target = _ref.target;\n\t\n\t var file = target.files[0];\n\t _this.uploadFile(file);\n\t });\n\t },\n\t data: function data() {\n\t return {\n\t uploading: false\n\t };\n\t },\n\t\n\t methods: {\n\t uploadFile: function uploadFile(file) {\n\t var self = this;\n\t var store = this.$store;\n\t var formData = new FormData();\n\t formData.append('media', file);\n\t\n\t self.$emit('uploading');\n\t self.uploading = true;\n\t\n\t _status_posterService2.default.uploadMedia({ store: store, formData: formData }).then(function (fileData) {\n\t self.$emit('uploaded', fileData);\n\t self.uploading = false;\n\t }, function (error) {\n\t self.$emit('upload-failed');\n\t self.uploading = false;\n\t });\n\t },\n\t fileDrop: function fileDrop(e) {\n\t if (e.dataTransfer.files.length > 0) {\n\t e.preventDefault();\n\t this.uploadFile(e.dataTransfer.files[0]);\n\t }\n\t },\n\t fileDrag: function fileDrag(e) {\n\t var types = e.dataTransfer.types;\n\t if (types.contains('Files')) {\n\t e.dataTransfer.dropEffect = 'copy';\n\t } else {\n\t e.dataTransfer.dropEffect = 'none';\n\t }\n\t }\n\t },\n\t props: ['dropFiles'],\n\t watch: {\n\t 'dropFiles': function dropFiles(fileInfos) {\n\t if (!this.uploading) {\n\t this.uploadFile(fileInfos[0]);\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = mediaUpload;\n\n/***/ }),\n/* 195 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(30);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Mentions = {\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.mentions;\n\t }\n\t },\n\t components: {\n\t Timeline: _timeline2.default\n\t }\n\t};\n\t\n\texports.default = Mentions;\n\n/***/ }),\n/* 196 */\n/***/ (function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar NavPanel = {\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t chat: function chat() {\n\t return this.$store.state.chat.channel;\n\t }\n\t }\n\t};\n\t\n\texports.default = NavPanel;\n\n/***/ }),\n/* 197 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status = __webpack_require__(66);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _stillImage = __webpack_require__(67);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _user_card_content = __webpack_require__(46);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _user_highlighter = __webpack_require__(109);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Notification = {\n\t data: function data() {\n\t return {\n\t userExpanded: false\n\t };\n\t },\n\t\n\t props: ['notification'],\n\t components: {\n\t Status: _status2.default, StillImage: _stillImage2.default, UserCardContent: _user_card_content2.default\n\t },\n\t methods: {\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t }\n\t },\n\t computed: {\n\t userClass: function userClass() {\n\t return (0, _user_highlighter.highlightClass)(this.notification.action.user);\n\t },\n\t userStyle: function userStyle() {\n\t var highlight = this.$store.state.config.highlight;\n\t var user = this.notification.action.user;\n\t return (0, _user_highlighter.highlightStyle)(highlight[user.screen_name]);\n\t }\n\t }\n\t};\n\t\n\texports.default = Notification;\n\n/***/ }),\n/* 198 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _filter2 = __webpack_require__(43);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _sortBy2 = __webpack_require__(101);\n\t\n\tvar _sortBy3 = _interopRequireDefault(_sortBy2);\n\t\n\tvar _notification = __webpack_require__(494);\n\t\n\tvar _notification2 = _interopRequireDefault(_notification);\n\t\n\tvar _notifications_fetcherService = __webpack_require__(180);\n\t\n\tvar _notifications_fetcherService2 = _interopRequireDefault(_notifications_fetcherService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Notifications = {\n\t created: function created() {\n\t var store = this.$store;\n\t var credentials = store.state.users.currentUser.credentials;\n\t\n\t _notifications_fetcherService2.default.startFetching({ store: store, credentials: credentials });\n\t },\n\t\n\t computed: {\n\t notifications: function notifications() {\n\t return this.$store.state.statuses.notifications.data;\n\t },\n\t error: function error() {\n\t return this.$store.state.statuses.notifications.error;\n\t },\n\t unseenNotifications: function unseenNotifications() {\n\t return (0, _filter3.default)(this.notifications, function (_ref) {\n\t var seen = _ref.seen;\n\t return !seen;\n\t });\n\t },\n\t visibleNotifications: function visibleNotifications() {\n\t var sortedNotifications = (0, _sortBy3.default)(this.notifications, function (_ref2) {\n\t var action = _ref2.action;\n\t return -action.id;\n\t });\n\t sortedNotifications = (0, _sortBy3.default)(sortedNotifications, 'seen');\n\t return sortedNotifications;\n\t },\n\t unseenCount: function unseenCount() {\n\t return this.unseenNotifications.length;\n\t }\n\t },\n\t components: {\n\t Notification: _notification2.default\n\t },\n\t watch: {\n\t unseenCount: function unseenCount(count) {\n\t if (count > 0) {\n\t this.$store.dispatch('setPageTitle', '(' + count + ')');\n\t } else {\n\t this.$store.dispatch('setPageTitle', '');\n\t }\n\t }\n\t },\n\t methods: {\n\t markAsSeen: function markAsSeen() {\n\t this.$store.commit('markNotificationsAsSeen', this.visibleNotifications);\n\t },\n\t fetchOlderNotifications: function fetchOlderNotifications() {\n\t var store = this.$store;\n\t var credentials = store.state.users.currentUser.credentials;\n\t _notifications_fetcherService2.default.fetchAndUpdate({\n\t store: store,\n\t credentials: credentials,\n\t older: true\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = Notifications;\n\n/***/ }),\n/* 199 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _toConsumableArray2 = __webpack_require__(227);\n\t\n\tvar _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2);\n\t\n\tvar _uniqBy2 = __webpack_require__(468);\n\t\n\tvar _uniqBy3 = _interopRequireDefault(_uniqBy2);\n\t\n\tvar _map2 = __webpack_require__(28);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _reject2 = __webpack_require__(457);\n\t\n\tvar _reject3 = _interopRequireDefault(_reject2);\n\t\n\tvar _filter2 = __webpack_require__(43);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _take2 = __webpack_require__(462);\n\t\n\tvar _take3 = _interopRequireDefault(_take2);\n\t\n\tvar _status_posterService = __webpack_require__(107);\n\t\n\tvar _status_posterService2 = _interopRequireDefault(_status_posterService);\n\t\n\tvar _media_upload = __webpack_require__(491);\n\t\n\tvar _media_upload2 = _interopRequireDefault(_media_upload);\n\t\n\tvar _file_typeService = __webpack_require__(106);\n\t\n\tvar _file_typeService2 = _interopRequireDefault(_file_typeService);\n\t\n\tvar _completion = __webpack_require__(179);\n\t\n\tvar _completion2 = _interopRequireDefault(_completion);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar buildMentionsString = function buildMentionsString(_ref, currentUser) {\n\t var user = _ref.user,\n\t attentions = _ref.attentions;\n\t\n\t var allAttentions = [].concat((0, _toConsumableArray3.default)(attentions));\n\t\n\t allAttentions.unshift(user);\n\t\n\t allAttentions = (0, _uniqBy3.default)(allAttentions, 'id');\n\t allAttentions = (0, _reject3.default)(allAttentions, { id: currentUser.id });\n\t\n\t var mentions = (0, _map3.default)(allAttentions, function (attention) {\n\t return '@' + attention.screen_name;\n\t });\n\t\n\t return mentions.join(' ') + ' ';\n\t};\n\t\n\tvar PostStatusForm = {\n\t props: ['replyTo', 'repliedUser', 'attentions', 'messageScope', 'subject'],\n\t components: {\n\t MediaUpload: _media_upload2.default\n\t },\n\t mounted: function mounted() {\n\t this.resize(this.$refs.textarea);\n\t\n\t if (this.replyTo) {\n\t this.$refs.textarea.focus();\n\t }\n\t },\n\t data: function data() {\n\t var preset = this.$route.query.message;\n\t var statusText = preset || '';\n\t\n\t if (this.replyTo) {\n\t var currentUser = this.$store.state.users.currentUser;\n\t statusText = buildMentionsString({ user: this.repliedUser, attentions: this.attentions }, currentUser);\n\t }\n\t\n\t return {\n\t dropFiles: [],\n\t submitDisabled: false,\n\t error: null,\n\t posting: false,\n\t highlighted: 0,\n\t newStatus: {\n\t spoilerText: this.subject,\n\t status: statusText,\n\t nsfw: false,\n\t files: [],\n\t visibility: this.messageScope || this.$store.state.users.currentUser.default_scope\n\t },\n\t caret: 0\n\t };\n\t },\n\t\n\t computed: {\n\t vis: function vis() {\n\t return {\n\t public: { selected: this.newStatus.visibility === 'public' },\n\t unlisted: { selected: this.newStatus.visibility === 'unlisted' },\n\t private: { selected: this.newStatus.visibility === 'private' },\n\t direct: { selected: this.newStatus.visibility === 'direct' }\n\t };\n\t },\n\t candidates: function candidates() {\n\t var _this = this;\n\t\n\t var firstchar = this.textAtCaret.charAt(0);\n\t if (firstchar === '@') {\n\t var matchedUsers = (0, _filter3.default)(this.users, function (user) {\n\t return String(user.name + user.screen_name).toUpperCase().match(_this.textAtCaret.slice(1).toUpperCase());\n\t });\n\t if (matchedUsers.length <= 0) {\n\t return false;\n\t }\n\t\n\t return (0, _map3.default)((0, _take3.default)(matchedUsers, 5), function (_ref2, index) {\n\t var screen_name = _ref2.screen_name,\n\t name = _ref2.name,\n\t profile_image_url_original = _ref2.profile_image_url_original;\n\t return {\n\t screen_name: '@' + screen_name,\n\t name: name,\n\t img: profile_image_url_original,\n\t highlighted: index === _this.highlighted\n\t };\n\t });\n\t } else if (firstchar === ':') {\n\t if (this.textAtCaret === ':') {\n\t return;\n\t }\n\t var matchedEmoji = (0, _filter3.default)(this.emoji.concat(this.customEmoji), function (emoji) {\n\t return emoji.shortcode.match(_this.textAtCaret.slice(1));\n\t });\n\t if (matchedEmoji.length <= 0) {\n\t return false;\n\t }\n\t return (0, _map3.default)((0, _take3.default)(matchedEmoji, 5), function (_ref3, index) {\n\t var shortcode = _ref3.shortcode,\n\t image_url = _ref3.image_url,\n\t utf = _ref3.utf;\n\t return {\n\t screen_name: ':' + shortcode + ':',\n\t name: '',\n\t utf: utf || '',\n\t\n\t img: utf ? '' : _this.$store.state.config.server + image_url,\n\t highlighted: index === _this.highlighted\n\t };\n\t });\n\t } else {\n\t return false;\n\t }\n\t },\n\t textAtCaret: function textAtCaret() {\n\t return (this.wordAtCaret || {}).word || '';\n\t },\n\t wordAtCaret: function wordAtCaret() {\n\t var word = _completion2.default.wordAtPosition(this.newStatus.status, this.caret - 1) || {};\n\t return word;\n\t },\n\t users: function users() {\n\t return this.$store.state.users.users;\n\t },\n\t emoji: function emoji() {\n\t return this.$store.state.config.emoji || [];\n\t },\n\t customEmoji: function customEmoji() {\n\t return this.$store.state.config.customEmoji || [];\n\t },\n\t statusLength: function statusLength() {\n\t return this.newStatus.status.length;\n\t },\n\t statusLengthLimit: function statusLengthLimit() {\n\t return this.$store.state.config.textlimit;\n\t },\n\t hasStatusLengthLimit: function hasStatusLengthLimit() {\n\t return this.statusLengthLimit > 0;\n\t },\n\t charactersLeft: function charactersLeft() {\n\t return this.statusLengthLimit - this.statusLength;\n\t },\n\t isOverLengthLimit: function isOverLengthLimit() {\n\t return this.hasStatusLengthLimit && this.statusLength > this.statusLengthLimit;\n\t },\n\t scopeOptionsEnabled: function scopeOptionsEnabled() {\n\t return this.$store.state.config.scopeOptionsEnabled;\n\t }\n\t },\n\t methods: {\n\t replace: function replace(replacement) {\n\t this.newStatus.status = _completion2.default.replaceWord(this.newStatus.status, this.wordAtCaret, replacement);\n\t var el = this.$el.querySelector('textarea');\n\t el.focus();\n\t this.caret = 0;\n\t },\n\t replaceCandidate: function replaceCandidate(e) {\n\t var len = this.candidates.length || 0;\n\t if (this.textAtCaret === ':' || e.ctrlKey) {\n\t return;\n\t }\n\t if (len > 0) {\n\t e.preventDefault();\n\t var candidate = this.candidates[this.highlighted];\n\t var replacement = candidate.utf || candidate.screen_name + ' ';\n\t this.newStatus.status = _completion2.default.replaceWord(this.newStatus.status, this.wordAtCaret, replacement);\n\t var el = this.$el.querySelector('textarea');\n\t el.focus();\n\t this.caret = 0;\n\t this.highlighted = 0;\n\t }\n\t },\n\t cycleBackward: function cycleBackward(e) {\n\t var len = this.candidates.length || 0;\n\t if (len > 0) {\n\t e.preventDefault();\n\t this.highlighted -= 1;\n\t if (this.highlighted < 0) {\n\t this.highlighted = this.candidates.length - 1;\n\t }\n\t } else {\n\t this.highlighted = 0;\n\t }\n\t },\n\t cycleForward: function cycleForward(e) {\n\t var len = this.candidates.length || 0;\n\t if (len > 0) {\n\t if (e.shiftKey) {\n\t return;\n\t }\n\t e.preventDefault();\n\t this.highlighted += 1;\n\t if (this.highlighted >= len) {\n\t this.highlighted = 0;\n\t }\n\t } else {\n\t this.highlighted = 0;\n\t }\n\t },\n\t setCaret: function setCaret(_ref4) {\n\t var selectionStart = _ref4.target.selectionStart;\n\t\n\t this.caret = selectionStart;\n\t },\n\t postStatus: function postStatus(newStatus) {\n\t var _this2 = this;\n\t\n\t if (this.posting) {\n\t return;\n\t }\n\t if (this.submitDisabled) {\n\t return;\n\t }\n\t\n\t if (this.newStatus.status === '') {\n\t if (this.newStatus.files.length > 0) {\n\t this.newStatus.status = '\\u200B';\n\t } else {\n\t this.error = 'Cannot post an empty status with no files';\n\t return;\n\t }\n\t }\n\t\n\t this.posting = true;\n\t _status_posterService2.default.postStatus({\n\t status: newStatus.status,\n\t spoilerText: newStatus.spoilerText || null,\n\t visibility: newStatus.visibility,\n\t sensitive: newStatus.nsfw,\n\t media: newStatus.files,\n\t store: this.$store,\n\t inReplyToStatusId: this.replyTo\n\t }).then(function (data) {\n\t if (!data.error) {\n\t _this2.newStatus = {\n\t status: '',\n\t files: [],\n\t visibility: newStatus.visibility\n\t };\n\t _this2.$emit('posted');\n\t var el = _this2.$el.querySelector('textarea');\n\t el.style.height = '16px';\n\t _this2.error = null;\n\t } else {\n\t _this2.error = data.error;\n\t }\n\t _this2.posting = false;\n\t });\n\t },\n\t addMediaFile: function addMediaFile(fileInfo) {\n\t this.newStatus.files.push(fileInfo);\n\t this.enableSubmit();\n\t },\n\t removeMediaFile: function removeMediaFile(fileInfo) {\n\t var index = this.newStatus.files.indexOf(fileInfo);\n\t this.newStatus.files.splice(index, 1);\n\t },\n\t disableSubmit: function disableSubmit() {\n\t this.submitDisabled = true;\n\t },\n\t enableSubmit: function enableSubmit() {\n\t this.submitDisabled = false;\n\t },\n\t type: function type(fileInfo) {\n\t return _file_typeService2.default.fileType(fileInfo.mimetype);\n\t },\n\t paste: function paste(e) {\n\t if (e.clipboardData.files.length > 0) {\n\t this.dropFiles = [e.clipboardData.files[0]];\n\t }\n\t },\n\t fileDrop: function fileDrop(e) {\n\t if (e.dataTransfer.files.length > 0) {\n\t e.preventDefault();\n\t this.dropFiles = e.dataTransfer.files;\n\t }\n\t },\n\t fileDrag: function fileDrag(e) {\n\t e.dataTransfer.dropEffect = 'copy';\n\t },\n\t resize: function resize(e) {\n\t if (!e.target) {\n\t return;\n\t }\n\t var vertPadding = Number(window.getComputedStyle(e.target)['padding-top'].substr(0, 1)) + Number(window.getComputedStyle(e.target)['padding-bottom'].substr(0, 1));\n\t e.target.style.height = 'auto';\n\t e.target.style.height = e.target.scrollHeight - vertPadding + 'px';\n\t if (e.target.value === '') {\n\t e.target.style.height = '16px';\n\t }\n\t },\n\t clearError: function clearError() {\n\t this.error = null;\n\t },\n\t changeVis: function changeVis(visibility) {\n\t this.newStatus.visibility = visibility;\n\t }\n\t }\n\t};\n\t\n\texports.default = PostStatusForm;\n\n/***/ }),\n/* 200 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(30);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar PublicAndExternalTimeline = {\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.publicAndExternal;\n\t }\n\t },\n\t created: function created() {\n\t this.$store.dispatch('startFetching', 'publicAndExternal');\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'publicAndExternal');\n\t }\n\t};\n\t\n\texports.default = PublicAndExternalTimeline;\n\n/***/ }),\n/* 201 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(30);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar PublicTimeline = {\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.public;\n\t }\n\t },\n\t created: function created() {\n\t this.$store.dispatch('startFetching', 'public');\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'public');\n\t }\n\t};\n\t\n\texports.default = PublicTimeline;\n\n/***/ }),\n/* 202 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar registration = {\n\t data: function data() {\n\t return {\n\t user: {},\n\t error: false,\n\t registering: false\n\t };\n\t },\n\t created: function created() {\n\t if (!this.$store.state.config.registrationOpen && !this.token || !!this.$store.state.users.currentUser) {\n\t this.$router.push('/main/all');\n\t }\n\t\n\t if (this.$store.state.config.registrationOpen && this.token) {\n\t this.$router.push('/registration');\n\t }\n\t },\n\t\n\t computed: {\n\t termsofservice: function termsofservice() {\n\t return this.$store.state.config.tos;\n\t },\n\t token: function token() {\n\t return this.$route.params.token;\n\t }\n\t },\n\t methods: {\n\t submit: function submit() {\n\t var _this = this;\n\t\n\t this.registering = true;\n\t this.user.nickname = this.user.username;\n\t this.user.token = this.token;\n\t this.$store.state.api.backendInteractor.register(this.user).then(function (response) {\n\t if (response.ok) {\n\t _this.$store.dispatch('loginUser', _this.user);\n\t _this.$router.push('/main/all');\n\t _this.registering = false;\n\t } else {\n\t _this.registering = false;\n\t response.json().then(function (data) {\n\t _this.error = data.error;\n\t });\n\t }\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = registration;\n\n/***/ }),\n/* 203 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar RetweetButton = {\n\t props: ['status', 'loggedIn', 'visibility'],\n\t data: function data() {\n\t return {\n\t animated: false\n\t };\n\t },\n\t\n\t methods: {\n\t retweet: function retweet() {\n\t var _this = this;\n\t\n\t if (!this.status.repeated) {\n\t this.$store.dispatch('retweet', { id: this.status.id });\n\t } else {\n\t this.$store.dispatch('unretweet', { id: this.status.id });\n\t }\n\t this.animated = true;\n\t setTimeout(function () {\n\t _this.animated = false;\n\t }, 500);\n\t }\n\t },\n\t computed: {\n\t classes: function classes() {\n\t return {\n\t 'retweeted': this.status.repeated,\n\t 'retweeted-empty': !this.status.repeated,\n\t 'animate-spin': this.animated\n\t };\n\t }\n\t }\n\t};\n\t\n\texports.default = RetweetButton;\n\n/***/ }),\n/* 204 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _getOwnPropertyDescriptor = __webpack_require__(222);\n\t\n\tvar _getOwnPropertyDescriptor2 = _interopRequireDefault(_getOwnPropertyDescriptor);\n\t\n\tvar _trim2 = __webpack_require__(467);\n\t\n\tvar _trim3 = _interopRequireDefault(_trim2);\n\t\n\tvar _filter2 = __webpack_require__(43);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _style_switcher = __webpack_require__(172);\n\t\n\tvar _style_switcher2 = _interopRequireDefault(_style_switcher);\n\t\n\tvar _interface_language_switcher = __webpack_require__(489);\n\t\n\tvar _interface_language_switcher2 = _interopRequireDefault(_interface_language_switcher);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar settings = {\n\t data: function data() {\n\t return {\n\t hideAttachmentsLocal: this.$store.state.config.hideAttachments,\n\t hideAttachmentsInConvLocal: this.$store.state.config.hideAttachmentsInConv,\n\t hideNsfwLocal: this.$store.state.config.hideNsfw,\n\t replyVisibilityLocal: this.$store.state.config.replyVisibility,\n\t loopVideoLocal: this.$store.state.config.loopVideo,\n\t loopVideoSilentOnlyLocal: this.$store.state.config.loopVideoSilentOnly,\n\t muteWordsString: this.$store.state.config.muteWords.join('\\n'),\n\t autoLoadLocal: this.$store.state.config.autoLoad,\n\t streamingLocal: this.$store.state.config.streaming,\n\t pauseOnUnfocusedLocal: this.$store.state.config.pauseOnUnfocused,\n\t hoverPreviewLocal: this.$store.state.config.hoverPreview,\n\t collapseMessageWithSubjectLocal: this.$store.state.config.collapseMessageWithSubject,\n\t stopGifs: this.$store.state.config.stopGifs,\n\t loopSilentAvailable: (0, _getOwnPropertyDescriptor2.default)(HTMLVideoElement.prototype, 'mozHasAudio') || (0, _getOwnPropertyDescriptor2.default)(HTMLMediaElement.prototype, 'webkitAudioDecodedByteCount') || (0, _getOwnPropertyDescriptor2.default)(HTMLMediaElement.prototype, 'audioTracks')\n\t };\n\t },\n\t\n\t components: {\n\t StyleSwitcher: _style_switcher2.default,\n\t InterfaceLanguageSwitcher: _interface_language_switcher2.default\n\t },\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser;\n\t }\n\t },\n\t watch: {\n\t hideAttachmentsLocal: function hideAttachmentsLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hideAttachments', value: value });\n\t },\n\t hideAttachmentsInConvLocal: function hideAttachmentsInConvLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hideAttachmentsInConv', value: value });\n\t },\n\t hideNsfwLocal: function hideNsfwLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hideNsfw', value: value });\n\t },\n\t replyVisibilityLocal: function replyVisibilityLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'replyVisibility', value: value });\n\t },\n\t loopVideoLocal: function loopVideoLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'loopVideo', value: value });\n\t },\n\t loopVideoSilentOnlyLocal: function loopVideoSilentOnlyLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'loopVideoSilentOnly', value: value });\n\t },\n\t autoLoadLocal: function autoLoadLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'autoLoad', value: value });\n\t },\n\t streamingLocal: function streamingLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'streaming', value: value });\n\t },\n\t pauseOnUnfocusedLocal: function pauseOnUnfocusedLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'pauseOnUnfocused', value: value });\n\t },\n\t hoverPreviewLocal: function hoverPreviewLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hoverPreview', value: value });\n\t },\n\t muteWordsString: function muteWordsString(value) {\n\t value = (0, _filter3.default)(value.split('\\n'), function (word) {\n\t return (0, _trim3.default)(word).length > 0;\n\t });\n\t this.$store.dispatch('setOption', { name: 'muteWords', value: value });\n\t },\n\t collapseMessageWithSubjectLocal: function collapseMessageWithSubjectLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'collapseMessageWithSubject', value: value });\n\t },\n\t stopGifs: function stopGifs(value) {\n\t this.$store.dispatch('setOption', { name: 'stopGifs', value: value });\n\t }\n\t }\n\t};\n\t\n\texports.default = settings;\n\n/***/ }),\n/* 205 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _find2 = __webpack_require__(64);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _filter2 = __webpack_require__(43);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _attachment = __webpack_require__(481);\n\t\n\tvar _attachment2 = _interopRequireDefault(_attachment);\n\t\n\tvar _favorite_button = __webpack_require__(485);\n\t\n\tvar _favorite_button2 = _interopRequireDefault(_favorite_button);\n\t\n\tvar _retweet_button = __webpack_require__(499);\n\t\n\tvar _retweet_button2 = _interopRequireDefault(_retweet_button);\n\t\n\tvar _delete_button = __webpack_require__(484);\n\t\n\tvar _delete_button2 = _interopRequireDefault(_delete_button);\n\t\n\tvar _post_status_form = __webpack_require__(171);\n\t\n\tvar _post_status_form2 = _interopRequireDefault(_post_status_form);\n\t\n\tvar _user_card_content = __webpack_require__(46);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _stillImage = __webpack_require__(67);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _user_highlighter = __webpack_require__(109);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Status = {\n\t name: 'Status',\n\t props: ['statusoid', 'expandable', 'inConversation', 'focused', 'highlight', 'compact', 'replies', 'noReplyLinks', 'noHeading', 'inlineExpanded'],\n\t data: function data() {\n\t return {\n\t replying: false,\n\t expanded: false,\n\t unmuted: false,\n\t userExpanded: false,\n\t preview: null,\n\t showPreview: false,\n\t showingTall: false,\n\t expandingSubject: !this.$store.state.config.collapseMessageWithSubject\n\t };\n\t },\n\t\n\t computed: {\n\t muteWords: function muteWords() {\n\t return this.$store.state.config.muteWords;\n\t },\n\t repeaterClass: function repeaterClass() {\n\t var user = this.statusoid.user;\n\t return (0, _user_highlighter.highlightClass)(user);\n\t },\n\t userClass: function userClass() {\n\t var user = this.retweet ? this.statusoid.retweeted_status.user : this.statusoid.user;\n\t return (0, _user_highlighter.highlightClass)(user);\n\t },\n\t repeaterStyle: function repeaterStyle() {\n\t var user = this.statusoid.user;\n\t var highlight = this.$store.state.config.highlight;\n\t return (0, _user_highlighter.highlightStyle)(highlight[user.screen_name]);\n\t },\n\t userStyle: function userStyle() {\n\t if (this.noHeading) return;\n\t var user = this.retweet ? this.statusoid.retweeted_status.user : this.statusoid.user;\n\t var highlight = this.$store.state.config.highlight;\n\t return (0, _user_highlighter.highlightStyle)(highlight[user.screen_name]);\n\t },\n\t hideAttachments: function hideAttachments() {\n\t return this.$store.state.config.hideAttachments && !this.inConversation || this.$store.state.config.hideAttachmentsInConv && this.inConversation;\n\t },\n\t retweet: function retweet() {\n\t return !!this.statusoid.retweeted_status;\n\t },\n\t retweeter: function retweeter() {\n\t return this.statusoid.user.name;\n\t },\n\t retweeterHtml: function retweeterHtml() {\n\t return this.statusoid.user.name_html;\n\t },\n\t status: function status() {\n\t if (this.retweet) {\n\t return this.statusoid.retweeted_status;\n\t } else {\n\t return this.statusoid;\n\t }\n\t },\n\t loggedIn: function loggedIn() {\n\t return !!this.$store.state.users.currentUser;\n\t },\n\t muteWordHits: function muteWordHits() {\n\t var statusText = this.status.text.toLowerCase();\n\t var hits = (0, _filter3.default)(this.muteWords, function (muteWord) {\n\t return statusText.includes(muteWord.toLowerCase());\n\t });\n\t\n\t return hits;\n\t },\n\t muted: function muted() {\n\t return !this.unmuted && (this.status.user.muted || this.muteWordHits.length > 0);\n\t },\n\t isFocused: function isFocused() {\n\t if (this.focused) {\n\t return true;\n\t } else if (!this.inConversation) {\n\t return false;\n\t }\n\t\n\t return this.status.id === this.highlight;\n\t },\n\t tallStatus: function tallStatus() {\n\t var lengthScore = this.status.statusnet_html.split(/ 20;\n\t },\n\t isReply: function isReply() {\n\t if (this.status.in_reply_to_status_id) {\n\t return true;\n\t }\n\t\n\t if (this.status.visibility === 'private') {\n\t var textBody = this.status.text;\n\t if (this.status.summary !== null) {\n\t textBody = textBody.substring(this.status.summary.length, textBody.length);\n\t }\n\t return textBody.startsWith('@');\n\t }\n\t return false;\n\t },\n\t hideReply: function hideReply() {\n\t if (this.$store.state.config.replyVisibility === 'all') {\n\t return false;\n\t }\n\t if (this.inlineExpanded || this.expanded || this.inConversation || !this.isReply) {\n\t return false;\n\t }\n\t if (this.status.user.id === this.$store.state.users.currentUser.id) {\n\t return false;\n\t }\n\t if (this.status.activity_type === 'repeat') {\n\t return false;\n\t }\n\t var checkFollowing = this.$store.state.config.replyVisibility === 'following';\n\t for (var i = 0; i < this.status.attentions.length; ++i) {\n\t if (this.status.user.id === this.status.attentions[i].id) {\n\t continue;\n\t }\n\t if (checkFollowing && this.status.attentions[i].following) {\n\t return false;\n\t }\n\t if (this.status.attentions[i].id === this.$store.state.users.currentUser.id) {\n\t return false;\n\t }\n\t }\n\t return this.status.attentions.length > 0;\n\t },\n\t hideSubjectStatus: function hideSubjectStatus() {\n\t if (this.tallStatus && !this.$store.state.config.collapseMessageWithSubject) {\n\t return false;\n\t }\n\t return !this.expandingSubject && this.status.summary;\n\t },\n\t hideTallStatus: function hideTallStatus() {\n\t if (this.status.summary && this.$store.state.config.collapseMessageWithSubject) {\n\t return false;\n\t }\n\t if (this.showingTall) {\n\t return false;\n\t }\n\t return this.tallStatus;\n\t },\n\t showingMore: function showingMore() {\n\t return this.showingTall || this.status.summary && this.expandingSubject;\n\t },\n\t nsfwClickthrough: function nsfwClickthrough() {\n\t if (!this.status.nsfw) {\n\t return false;\n\t }\n\t if (this.status.summary && this.$store.state.config.collapseMessageWithSubject) {\n\t return false;\n\t }\n\t return true;\n\t },\n\t replySubject: function replySubject() {\n\t if (this.status.summary && !this.status.summary.match(/^re[: ]/i)) {\n\t return 're: '.concat(this.status.summary);\n\t }\n\t return this.status.summary;\n\t },\n\t attachmentSize: function attachmentSize() {\n\t if (this.$store.state.config.hideAttachments && !this.inConversation || this.$store.state.config.hideAttachmentsInConv && this.inConversation) {\n\t return 'hide';\n\t } else if (this.compact) {\n\t return 'small';\n\t }\n\t return 'normal';\n\t }\n\t },\n\t components: {\n\t Attachment: _attachment2.default,\n\t FavoriteButton: _favorite_button2.default,\n\t RetweetButton: _retweet_button2.default,\n\t DeleteButton: _delete_button2.default,\n\t PostStatusForm: _post_status_form2.default,\n\t UserCardContent: _user_card_content2.default,\n\t StillImage: _stillImage2.default\n\t },\n\t methods: {\n\t visibilityIcon: function visibilityIcon(visibility) {\n\t switch (visibility) {\n\t case 'private':\n\t return 'icon-lock';\n\t case 'unlisted':\n\t return 'icon-lock-open-alt';\n\t case 'direct':\n\t return 'icon-mail-alt';\n\t default:\n\t return 'icon-globe';\n\t }\n\t },\n\t linkClicked: function linkClicked(_ref) {\n\t var target = _ref.target;\n\t\n\t if (target.tagName === 'SPAN') {\n\t target = target.parentNode;\n\t }\n\t if (target.tagName === 'A') {\n\t window.open(target.href, '_blank');\n\t }\n\t },\n\t toggleReplying: function toggleReplying() {\n\t this.replying = !this.replying;\n\t },\n\t gotoOriginal: function gotoOriginal(id) {\n\t if (this.inConversation) {\n\t this.$emit('goto', id);\n\t }\n\t },\n\t toggleExpanded: function toggleExpanded() {\n\t this.$emit('toggleExpanded');\n\t },\n\t toggleMute: function toggleMute() {\n\t this.unmuted = !this.unmuted;\n\t },\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t },\n\t toggleShowMore: function toggleShowMore() {\n\t if (this.showingTall) {\n\t this.showingTall = false;\n\t } else if (this.expandingSubject) {\n\t this.expandingSubject = false;\n\t } else if (this.hideTallStatus) {\n\t this.showingTall = true;\n\t } else if (this.hideSubjectStatus) {\n\t this.expandingSubject = true;\n\t }\n\t },\n\t replyEnter: function replyEnter(id, event) {\n\t var _this = this;\n\t\n\t this.showPreview = true;\n\t var targetId = Number(id);\n\t var statuses = this.$store.state.statuses.allStatuses;\n\t\n\t if (!this.preview) {\n\t this.preview = (0, _find3.default)(statuses, { 'id': targetId });\n\t\n\t if (!this.preview) {\n\t this.$store.state.api.backendInteractor.fetchStatus({ id: id }).then(function (status) {\n\t _this.preview = status;\n\t });\n\t }\n\t } else if (this.preview.id !== targetId) {\n\t this.preview = (0, _find3.default)(statuses, { 'id': targetId });\n\t }\n\t },\n\t replyLeave: function replyLeave() {\n\t this.showPreview = false;\n\t }\n\t },\n\t watch: {\n\t 'highlight': function highlight(id) {\n\t id = Number(id);\n\t if (this.status.id === id) {\n\t var rect = this.$el.getBoundingClientRect();\n\t if (rect.top < 100) {\n\t window.scrollBy(0, rect.top - 200);\n\t } else if (rect.bottom > window.innerHeight - 50) {\n\t window.scrollBy(0, rect.bottom - window.innerHeight + 50);\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Status;\n\n/***/ }),\n/* 206 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status = __webpack_require__(66);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _conversation = __webpack_require__(170);\n\t\n\tvar _conversation2 = _interopRequireDefault(_conversation);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar statusOrConversation = {\n\t props: ['statusoid'],\n\t data: function data() {\n\t return {\n\t expanded: false\n\t };\n\t },\n\t\n\t components: {\n\t Status: _status2.default,\n\t Conversation: _conversation2.default\n\t },\n\t methods: {\n\t toggleExpanded: function toggleExpanded() {\n\t this.expanded = !this.expanded;\n\t }\n\t }\n\t};\n\t\n\texports.default = statusOrConversation;\n\n/***/ }),\n/* 207 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar StillImage = {\n\t props: ['src', 'referrerpolicy', 'mimetype'],\n\t data: function data() {\n\t return {\n\t stopGifs: this.$store.state.config.stopGifs\n\t };\n\t },\n\t\n\t computed: {\n\t animated: function animated() {\n\t return this.stopGifs && (this.mimetype === 'image/gif' || this.src.endsWith('.gif'));\n\t }\n\t },\n\t methods: {\n\t onLoad: function onLoad() {\n\t var canvas = this.$refs.canvas;\n\t if (!canvas) return;\n\t canvas.getContext('2d').drawImage(this.$refs.src, 1, 1, canvas.width, canvas.height);\n\t }\n\t }\n\t};\n\t\n\texports.default = StillImage;\n\n/***/ }),\n/* 208 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stringify = __webpack_require__(110);\n\t\n\tvar _stringify2 = _interopRequireDefault(_stringify);\n\t\n\tvar _color_convert = __webpack_require__(47);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\texports.default = {\n\t data: function data() {\n\t return {\n\t availableStyles: [],\n\t selected: this.$store.state.config.theme,\n\t invalidThemeImported: false,\n\t bgColorLocal: '',\n\t btnColorLocal: '',\n\t textColorLocal: '',\n\t linkColorLocal: '',\n\t redColorLocal: '',\n\t blueColorLocal: '',\n\t greenColorLocal: '',\n\t orangeColorLocal: '',\n\t btnRadiusLocal: '',\n\t inputRadiusLocal: '',\n\t panelRadiusLocal: '',\n\t avatarRadiusLocal: '',\n\t avatarAltRadiusLocal: '',\n\t attachmentRadiusLocal: '',\n\t tooltipRadiusLocal: ''\n\t };\n\t },\n\t created: function created() {\n\t var self = this;\n\t\n\t window.fetch('/static/styles.json').then(function (data) {\n\t return data.json();\n\t }).then(function (themes) {\n\t self.availableStyles = themes;\n\t });\n\t },\n\t mounted: function mounted() {\n\t this.normalizeLocalState(this.$store.state.config.colors, this.$store.state.config.radii);\n\t },\n\t\n\t methods: {\n\t exportCurrentTheme: function exportCurrentTheme() {\n\t var stringified = (0, _stringify2.default)({\n\t _pleroma_theme_version: 1,\n\t colors: this.$store.state.config.colors,\n\t radii: this.$store.state.config.radii\n\t }, null, 2);\n\t var e = document.createElement('a');\n\t e.setAttribute('download', 'pleroma_theme.json');\n\t e.setAttribute('href', 'data:application/json;base64,' + window.btoa(stringified));\n\t e.style.display = 'none';\n\t\n\t document.body.appendChild(e);\n\t e.click();\n\t document.body.removeChild(e);\n\t },\n\t importTheme: function importTheme() {\n\t var _this = this;\n\t\n\t this.invalidThemeImported = false;\n\t var filePicker = document.createElement('input');\n\t filePicker.setAttribute('type', 'file');\n\t filePicker.setAttribute('accept', '.json');\n\t\n\t filePicker.addEventListener('change', function (event) {\n\t if (event.target.files[0]) {\n\t var reader = new FileReader();\n\t reader.onload = function (_ref) {\n\t var target = _ref.target;\n\t\n\t try {\n\t var parsed = JSON.parse(target.result);\n\t if (parsed._pleroma_theme_version === 1) {\n\t _this.normalizeLocalState(parsed.colors, parsed.radii);\n\t } else {\n\t _this.invalidThemeImported = true;\n\t }\n\t } catch (e) {\n\t _this.invalidThemeImported = true;\n\t }\n\t };\n\t reader.readAsText(event.target.files[0]);\n\t }\n\t });\n\t\n\t document.body.appendChild(filePicker);\n\t filePicker.click();\n\t document.body.removeChild(filePicker);\n\t },\n\t setCustomTheme: function setCustomTheme() {\n\t if (!this.bgColorLocal && !this.btnColorLocal && !this.linkColorLocal) {}\n\t\n\t var rgb = function rgb(hex) {\n\t var result = /^#?([a-f\\d]{2})([a-f\\d]{2})([a-f\\d]{2})$/i.exec(hex);\n\t return result ? {\n\t r: parseInt(result[1], 16),\n\t g: parseInt(result[2], 16),\n\t b: parseInt(result[3], 16)\n\t } : null;\n\t };\n\t var bgRgb = rgb(this.bgColorLocal);\n\t var btnRgb = rgb(this.btnColorLocal);\n\t var textRgb = rgb(this.textColorLocal);\n\t var linkRgb = rgb(this.linkColorLocal);\n\t\n\t var redRgb = rgb(this.redColorLocal);\n\t var blueRgb = rgb(this.blueColorLocal);\n\t var greenRgb = rgb(this.greenColorLocal);\n\t var orangeRgb = rgb(this.orangeColorLocal);\n\t\n\t if (bgRgb && btnRgb && linkRgb) {\n\t this.$store.dispatch('setOption', {\n\t name: 'customTheme',\n\t value: {\n\t fg: btnRgb,\n\t bg: bgRgb,\n\t text: textRgb,\n\t link: linkRgb,\n\t cRed: redRgb,\n\t cBlue: blueRgb,\n\t cGreen: greenRgb,\n\t cOrange: orangeRgb,\n\t btnRadius: this.btnRadiusLocal,\n\t inputRadius: this.inputRadiusLocal,\n\t panelRadius: this.panelRadiusLocal,\n\t avatarRadius: this.avatarRadiusLocal,\n\t avatarAltRadius: this.avatarAltRadiusLocal,\n\t tooltipRadius: this.tooltipRadiusLocal,\n\t attachmentRadius: this.attachmentRadiusLocal\n\t } });\n\t }\n\t },\n\t normalizeLocalState: function normalizeLocalState(colors, radii) {\n\t this.bgColorLocal = (0, _color_convert.rgbstr2hex)(colors.bg);\n\t this.btnColorLocal = (0, _color_convert.rgbstr2hex)(colors.btn);\n\t this.textColorLocal = (0, _color_convert.rgbstr2hex)(colors.fg);\n\t this.linkColorLocal = (0, _color_convert.rgbstr2hex)(colors.link);\n\t\n\t this.redColorLocal = (0, _color_convert.rgbstr2hex)(colors.cRed);\n\t this.blueColorLocal = (0, _color_convert.rgbstr2hex)(colors.cBlue);\n\t this.greenColorLocal = (0, _color_convert.rgbstr2hex)(colors.cGreen);\n\t this.orangeColorLocal = (0, _color_convert.rgbstr2hex)(colors.cOrange);\n\t\n\t this.btnRadiusLocal = radii.btnRadius || 4;\n\t this.inputRadiusLocal = radii.inputRadius || 4;\n\t this.panelRadiusLocal = radii.panelRadius || 10;\n\t this.avatarRadiusLocal = radii.avatarRadius || 5;\n\t this.avatarAltRadiusLocal = radii.avatarAltRadius || 50;\n\t this.tooltipRadiusLocal = radii.tooltipRadius || 2;\n\t this.attachmentRadiusLocal = radii.attachmentRadius || 5;\n\t }\n\t },\n\t watch: {\n\t selected: function selected() {\n\t this.bgColorLocal = this.selected[1];\n\t this.btnColorLocal = this.selected[2];\n\t this.textColorLocal = this.selected[3];\n\t this.linkColorLocal = this.selected[4];\n\t this.redColorLocal = this.selected[5];\n\t this.greenColorLocal = this.selected[6];\n\t this.blueColorLocal = this.selected[7];\n\t this.orangeColorLocal = this.selected[8];\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 209 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(30);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar TagTimeline = {\n\t created: function created() {\n\t this.$store.commit('clearTimeline', { timeline: 'tag' });\n\t this.$store.dispatch('startFetching', { 'tag': this.tag });\n\t },\n\t\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t tag: function tag() {\n\t return this.$route.params.tag;\n\t },\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.tag;\n\t }\n\t },\n\t watch: {\n\t tag: function tag() {\n\t this.$store.commit('clearTimeline', { timeline: 'tag' });\n\t this.$store.dispatch('startFetching', { 'tag': this.tag });\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'tag');\n\t }\n\t};\n\t\n\texports.default = TagTimeline;\n\n/***/ }),\n/* 210 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status = __webpack_require__(66);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _timeline_fetcherService = __webpack_require__(108);\n\t\n\tvar _timeline_fetcherService2 = _interopRequireDefault(_timeline_fetcherService);\n\t\n\tvar _status_or_conversation = __webpack_require__(501);\n\t\n\tvar _status_or_conversation2 = _interopRequireDefault(_status_or_conversation);\n\t\n\tvar _user_card = __webpack_require__(173);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Timeline = {\n\t props: ['timeline', 'timelineName', 'title', 'userId', 'tag'],\n\t data: function data() {\n\t return {\n\t paused: false,\n\t unfocused: false\n\t };\n\t },\n\t\n\t computed: {\n\t timelineError: function timelineError() {\n\t return this.$store.state.statuses.error;\n\t },\n\t followers: function followers() {\n\t return this.timeline.followers;\n\t },\n\t friends: function friends() {\n\t return this.timeline.friends;\n\t },\n\t viewing: function viewing() {\n\t return this.timeline.viewing;\n\t },\n\t newStatusCount: function newStatusCount() {\n\t return this.timeline.newStatusCount;\n\t },\n\t newStatusCountStr: function newStatusCountStr() {\n\t if (this.timeline.flushMarker !== 0) {\n\t return '';\n\t } else {\n\t return ' (' + this.newStatusCount + ')';\n\t }\n\t }\n\t },\n\t components: {\n\t Status: _status2.default,\n\t StatusOrConversation: _status_or_conversation2.default,\n\t UserCard: _user_card2.default\n\t },\n\t created: function created() {\n\t var store = this.$store;\n\t var credentials = store.state.users.currentUser.credentials;\n\t var showImmediately = this.timeline.visibleStatuses.length === 0;\n\t\n\t window.addEventListener('scroll', this.scrollLoad);\n\t\n\t _timeline_fetcherService2.default.fetchAndUpdate({\n\t store: store,\n\t credentials: credentials,\n\t timeline: this.timelineName,\n\t showImmediately: showImmediately,\n\t userId: this.userId,\n\t tag: this.tag\n\t });\n\t\n\t if (this.timelineName === 'user') {\n\t this.fetchFriends();\n\t this.fetchFollowers();\n\t }\n\t },\n\t mounted: function mounted() {\n\t if (typeof document.hidden !== 'undefined') {\n\t document.addEventListener('visibilitychange', this.handleVisibilityChange, false);\n\t this.unfocused = document.hidden;\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t window.removeEventListener('scroll', this.scrollLoad);\n\t if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false);\n\t this.$store.commit('setLoading', { timeline: this.timelineName, value: false });\n\t },\n\t\n\t methods: {\n\t showNewStatuses: function showNewStatuses() {\n\t if (this.timeline.flushMarker !== 0) {\n\t this.$store.commit('clearTimeline', { timeline: this.timelineName });\n\t this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 });\n\t this.fetchOlderStatuses();\n\t } else {\n\t this.$store.commit('showNewStatuses', { timeline: this.timelineName });\n\t this.paused = false;\n\t }\n\t },\n\t fetchOlderStatuses: function fetchOlderStatuses() {\n\t var _this = this;\n\t\n\t var store = this.$store;\n\t var credentials = store.state.users.currentUser.credentials;\n\t store.commit('setLoading', { timeline: this.timelineName, value: true });\n\t _timeline_fetcherService2.default.fetchAndUpdate({\n\t store: store,\n\t credentials: credentials,\n\t timeline: this.timelineName,\n\t older: true,\n\t showImmediately: true,\n\t userId: this.userId,\n\t tag: this.tag\n\t }).then(function () {\n\t return store.commit('setLoading', { timeline: _this.timelineName, value: false });\n\t });\n\t },\n\t fetchFollowers: function fetchFollowers() {\n\t var _this2 = this;\n\t\n\t var id = this.userId;\n\t this.$store.state.api.backendInteractor.fetchFollowers({ id: id }).then(function (followers) {\n\t return _this2.$store.dispatch('addFollowers', { followers: followers });\n\t });\n\t },\n\t fetchFriends: function fetchFriends() {\n\t var _this3 = this;\n\t\n\t var id = this.userId;\n\t this.$store.state.api.backendInteractor.fetchFriends({ id: id }).then(function (friends) {\n\t return _this3.$store.dispatch('addFriends', { friends: friends });\n\t });\n\t },\n\t scrollLoad: function scrollLoad(e) {\n\t var bodyBRect = document.body.getBoundingClientRect();\n\t var height = Math.max(bodyBRect.height, -bodyBRect.y);\n\t if (this.timeline.loading === false && this.$store.state.config.autoLoad && this.$el.offsetHeight > 0 && window.innerHeight + window.pageYOffset >= height - 750) {\n\t this.fetchOlderStatuses();\n\t }\n\t },\n\t handleVisibilityChange: function handleVisibilityChange() {\n\t this.unfocused = document.hidden;\n\t }\n\t },\n\t watch: {\n\t newStatusCount: function newStatusCount(count) {\n\t if (!this.$store.state.config.streaming) {\n\t return;\n\t }\n\t if (count > 0) {\n\t if (window.pageYOffset < 15 && !this.paused && !(this.unfocused && this.$store.state.config.pauseOnUnfocused)) {\n\t this.showNewStatuses();\n\t } else {\n\t this.paused = true;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Timeline;\n\n/***/ }),\n/* 211 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_card_content = __webpack_require__(46);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserCard = {\n\t props: ['user', 'showFollows', 'showApproval'],\n\t data: function data() {\n\t return {\n\t userExpanded: false\n\t };\n\t },\n\t\n\t components: {\n\t UserCardContent: _user_card_content2.default\n\t },\n\t methods: {\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t },\n\t approveUser: function approveUser() {\n\t this.$store.state.api.backendInteractor.approveUser(this.user.id);\n\t this.$store.dispatch('removeFollowRequest', this.user);\n\t },\n\t denyUser: function denyUser() {\n\t this.$store.state.api.backendInteractor.denyUser(this.user.id);\n\t this.$store.dispatch('removeFollowRequest', this.user);\n\t }\n\t }\n\t};\n\t\n\texports.default = UserCard;\n\n/***/ }),\n/* 212 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stillImage = __webpack_require__(67);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _color_convert = __webpack_require__(47);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\texports.default = {\n\t props: ['user', 'switcher', 'selected', 'hideBio'],\n\t computed: {\n\t headingStyle: function headingStyle() {\n\t var color = this.$store.state.config.colors.bg;\n\t if (color) {\n\t var rgb = (0, _color_convert.hex2rgb)(color);\n\t var tintColor = 'rgba(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ', .5)';\n\t return {\n\t backgroundColor: 'rgb(' + Math.floor(rgb.r * 0.53) + ', ' + Math.floor(rgb.g * 0.56) + ', ' + Math.floor(rgb.b * 0.59) + ')',\n\t backgroundImage: ['linear-gradient(to bottom, ' + tintColor + ', ' + tintColor + ')', 'url(' + this.user.cover_photo + ')'].join(', ')\n\t };\n\t }\n\t },\n\t isOtherUser: function isOtherUser() {\n\t return this.user.id !== this.$store.state.users.currentUser.id;\n\t },\n\t subscribeUrl: function subscribeUrl() {\n\t var serverUrl = new URL(this.user.statusnet_profile_url);\n\t return serverUrl.protocol + '//' + serverUrl.host + '/main/ostatus';\n\t },\n\t loggedIn: function loggedIn() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t dailyAvg: function dailyAvg() {\n\t var days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000));\n\t return Math.round(this.user.statuses_count / days);\n\t },\n\t\n\t userHighlightType: {\n\t get: function get() {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t return data && data.type || 'disabled';\n\t },\n\t set: function set(type) {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t if (type !== 'disabled') {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: data && data.color || '#FFFFFF', type: type });\n\t } else {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined });\n\t }\n\t }\n\t },\n\t userHighlightColor: {\n\t get: function get() {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t return data && data.color;\n\t },\n\t set: function set(color) {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: color });\n\t }\n\t }\n\t },\n\t components: {\n\t StillImage: _stillImage2.default\n\t },\n\t methods: {\n\t followUser: function followUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.followUser(this.user.id).then(function (followedUser) {\n\t return store.commit('addNewUsers', [followedUser]);\n\t });\n\t },\n\t unfollowUser: function unfollowUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.unfollowUser(this.user.id).then(function (unfollowedUser) {\n\t return store.commit('addNewUsers', [unfollowedUser]);\n\t });\n\t },\n\t blockUser: function blockUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.blockUser(this.user.id).then(function (blockedUser) {\n\t return store.commit('addNewUsers', [blockedUser]);\n\t });\n\t },\n\t unblockUser: function unblockUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.unblockUser(this.user.id).then(function (unblockedUser) {\n\t return store.commit('addNewUsers', [unblockedUser]);\n\t });\n\t },\n\t toggleMute: function toggleMute() {\n\t var store = this.$store;\n\t store.commit('setMuted', { user: this.user, muted: !this.user.muted });\n\t store.state.api.backendInteractor.setUserMute(this.user);\n\t },\n\t setProfileView: function setProfileView(v) {\n\t if (this.switcher) {\n\t var store = this.$store;\n\t store.commit('setProfileView', { v: v });\n\t }\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 213 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar UserFinder = {\n\t data: function data() {\n\t return {\n\t username: undefined,\n\t hidden: true,\n\t error: false,\n\t loading: false\n\t };\n\t },\n\t methods: {\n\t findUser: function findUser(username) {\n\t var _this = this;\n\t\n\t username = username[0] === '@' ? username.slice(1) : username;\n\t this.loading = true;\n\t this.$store.state.api.backendInteractor.externalProfile(username).then(function (user) {\n\t _this.loading = false;\n\t _this.hidden = true;\n\t if (!user.error) {\n\t _this.$store.commit('addNewUsers', [user]);\n\t _this.$router.push({ name: 'user-profile', params: { id: user.id } });\n\t } else {\n\t _this.error = true;\n\t }\n\t });\n\t },\n\t toggleHidden: function toggleHidden() {\n\t this.hidden = !this.hidden;\n\t },\n\t dismissError: function dismissError() {\n\t this.error = false;\n\t }\n\t }\n\t};\n\t\n\texports.default = UserFinder;\n\n/***/ }),\n/* 214 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _login_form = __webpack_require__(490);\n\t\n\tvar _login_form2 = _interopRequireDefault(_login_form);\n\t\n\tvar _post_status_form = __webpack_require__(171);\n\t\n\tvar _post_status_form2 = _interopRequireDefault(_post_status_form);\n\t\n\tvar _user_card_content = __webpack_require__(46);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserPanel = {\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser;\n\t }\n\t },\n\t components: {\n\t LoginForm: _login_form2.default,\n\t PostStatusForm: _post_status_form2.default,\n\t UserCardContent: _user_card_content2.default\n\t }\n\t};\n\t\n\texports.default = UserPanel;\n\n/***/ }),\n/* 215 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_card_content = __webpack_require__(46);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _timeline = __webpack_require__(30);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserProfile = {\n\t created: function created() {\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.dispatch('startFetching', ['user', this.userId]);\n\t if (!this.$store.state.users.usersObject[this.userId]) {\n\t this.$store.dispatch('fetchUser', this.userId);\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'user');\n\t },\n\t\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.user;\n\t },\n\t userId: function userId() {\n\t return this.$route.params.id;\n\t },\n\t user: function user() {\n\t if (this.timeline.statuses[0]) {\n\t return this.timeline.statuses[0].user;\n\t } else {\n\t return this.$store.state.users.usersObject[this.userId] || false;\n\t }\n\t }\n\t },\n\t watch: {\n\t userId: function userId() {\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.dispatch('startFetching', ['user', this.userId]);\n\t }\n\t },\n\t components: {\n\t UserCardContent: _user_card_content2.default,\n\t Timeline: _timeline2.default\n\t }\n\t};\n\t\n\texports.default = UserProfile;\n\n/***/ }),\n/* 216 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stringify = __webpack_require__(110);\n\t\n\tvar _stringify2 = _interopRequireDefault(_stringify);\n\t\n\tvar _style_switcher = __webpack_require__(172);\n\t\n\tvar _style_switcher2 = _interopRequireDefault(_style_switcher);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserSettings = {\n\t data: function data() {\n\t return {\n\t newname: this.$store.state.users.currentUser.name,\n\t newbio: this.$store.state.users.currentUser.description,\n\t newlocked: this.$store.state.users.currentUser.locked,\n\t newdefaultScope: this.$store.state.users.currentUser.default_scope,\n\t followList: null,\n\t followImportError: false,\n\t followsImported: false,\n\t enableFollowsExport: true,\n\t uploading: [false, false, false, false],\n\t previews: [null, null, null],\n\t deletingAccount: false,\n\t deleteAccountConfirmPasswordInput: '',\n\t deleteAccountError: false,\n\t changePasswordInputs: ['', '', ''],\n\t changedPassword: false,\n\t changePasswordError: false,\n\t activeTab: 'profile'\n\t };\n\t },\n\t\n\t components: {\n\t StyleSwitcher: _style_switcher2.default\n\t },\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t pleromaBackend: function pleromaBackend() {\n\t return this.$store.state.config.pleromaBackend;\n\t },\n\t scopeOptionsEnabled: function scopeOptionsEnabled() {\n\t return this.$store.state.config.scopeOptionsEnabled;\n\t },\n\t vis: function vis() {\n\t return {\n\t public: { selected: this.newdefaultScope === 'public' },\n\t unlisted: { selected: this.newdefaultScope === 'unlisted' },\n\t private: { selected: this.newdefaultScope === 'private' },\n\t direct: { selected: this.newdefaultScope === 'direct' }\n\t };\n\t }\n\t },\n\t methods: {\n\t updateProfile: function updateProfile() {\n\t var _this = this;\n\t\n\t var name = this.newname;\n\t var description = this.newbio;\n\t var locked = this.newlocked;\n\t\n\t var default_scope = this.newdefaultScope;\n\t this.$store.state.api.backendInteractor.updateProfile({ params: { name: name, description: description, locked: locked, default_scope: default_scope } }).then(function (user) {\n\t if (!user.error) {\n\t _this.$store.commit('addNewUsers', [user]);\n\t _this.$store.commit('setCurrentUser', user);\n\t }\n\t });\n\t },\n\t changeVis: function changeVis(visibility) {\n\t this.newdefaultScope = visibility;\n\t },\n\t uploadFile: function uploadFile(slot, e) {\n\t var _this2 = this;\n\t\n\t var file = e.target.files[0];\n\t if (!file) {\n\t return;\n\t }\n\t\n\t var reader = new FileReader();\n\t reader.onload = function (_ref) {\n\t var target = _ref.target;\n\t\n\t var img = target.result;\n\t _this2.previews[slot] = img;\n\t _this2.$forceUpdate();\n\t };\n\t reader.readAsDataURL(file);\n\t },\n\t submitAvatar: function submitAvatar() {\n\t var _this3 = this;\n\t\n\t if (!this.previews[0]) {\n\t return;\n\t }\n\t\n\t var img = this.previews[0];\n\t\n\t var imginfo = new Image();\n\t var cropX = void 0,\n\t cropY = void 0,\n\t cropW = void 0,\n\t cropH = void 0;\n\t imginfo.src = img;\n\t if (imginfo.height > imginfo.width) {\n\t cropX = 0;\n\t cropW = imginfo.width;\n\t cropY = Math.floor((imginfo.height - imginfo.width) / 2);\n\t cropH = imginfo.width;\n\t } else {\n\t cropY = 0;\n\t cropH = imginfo.height;\n\t cropX = Math.floor((imginfo.width - imginfo.height) / 2);\n\t cropW = imginfo.height;\n\t }\n\t this.uploading[0] = true;\n\t this.$store.state.api.backendInteractor.updateAvatar({ params: { img: img, cropX: cropX, cropY: cropY, cropW: cropW, cropH: cropH } }).then(function (user) {\n\t if (!user.error) {\n\t _this3.$store.commit('addNewUsers', [user]);\n\t _this3.$store.commit('setCurrentUser', user);\n\t _this3.previews[0] = null;\n\t }\n\t _this3.uploading[0] = false;\n\t });\n\t },\n\t submitBanner: function submitBanner() {\n\t var _this4 = this;\n\t\n\t if (!this.previews[1]) {\n\t return;\n\t }\n\t\n\t var banner = this.previews[1];\n\t\n\t var imginfo = new Image();\n\t\n\t var offset_top = void 0,\n\t offset_left = void 0,\n\t width = void 0,\n\t height = void 0;\n\t imginfo.src = banner;\n\t width = imginfo.width;\n\t height = imginfo.height;\n\t offset_top = 0;\n\t offset_left = 0;\n\t this.uploading[1] = true;\n\t this.$store.state.api.backendInteractor.updateBanner({ params: { banner: banner, offset_top: offset_top, offset_left: offset_left, width: width, height: height } }).then(function (data) {\n\t if (!data.error) {\n\t var clone = JSON.parse((0, _stringify2.default)(_this4.$store.state.users.currentUser));\n\t clone.cover_photo = data.url;\n\t _this4.$store.commit('addNewUsers', [clone]);\n\t _this4.$store.commit('setCurrentUser', clone);\n\t _this4.previews[1] = null;\n\t }\n\t _this4.uploading[1] = false;\n\t });\n\t },\n\t submitBg: function submitBg() {\n\t var _this5 = this;\n\t\n\t if (!this.previews[2]) {\n\t return;\n\t }\n\t var img = this.previews[2];\n\t\n\t var imginfo = new Image();\n\t var cropX = void 0,\n\t cropY = void 0,\n\t cropW = void 0,\n\t cropH = void 0;\n\t imginfo.src = img;\n\t cropX = 0;\n\t cropY = 0;\n\t cropW = imginfo.width;\n\t cropH = imginfo.width;\n\t this.uploading[2] = true;\n\t this.$store.state.api.backendInteractor.updateBg({ params: { img: img, cropX: cropX, cropY: cropY, cropW: cropW, cropH: cropH } }).then(function (data) {\n\t if (!data.error) {\n\t var clone = JSON.parse((0, _stringify2.default)(_this5.$store.state.users.currentUser));\n\t clone.background_image = data.url;\n\t _this5.$store.commit('addNewUsers', [clone]);\n\t _this5.$store.commit('setCurrentUser', clone);\n\t _this5.previews[2] = null;\n\t }\n\t _this5.uploading[2] = false;\n\t });\n\t },\n\t importFollows: function importFollows() {\n\t var _this6 = this;\n\t\n\t this.uploading[3] = true;\n\t var followList = this.followList;\n\t this.$store.state.api.backendInteractor.followImport({ params: followList }).then(function (status) {\n\t if (status) {\n\t _this6.followsImported = true;\n\t } else {\n\t _this6.followImportError = true;\n\t }\n\t _this6.uploading[3] = false;\n\t });\n\t },\n\t exportPeople: function exportPeople(users, filename) {\n\t var UserAddresses = users.map(function (user) {\n\t if (user && user.is_local) {\n\t user.screen_name += '@' + location.hostname;\n\t }\n\t return user.screen_name;\n\t }).join('\\n');\n\t\n\t var fileToDownload = document.createElement('a');\n\t fileToDownload.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(UserAddresses));\n\t fileToDownload.setAttribute('download', filename);\n\t fileToDownload.style.display = 'none';\n\t document.body.appendChild(fileToDownload);\n\t fileToDownload.click();\n\t document.body.removeChild(fileToDownload);\n\t },\n\t exportFollows: function exportFollows() {\n\t var _this7 = this;\n\t\n\t this.enableFollowsExport = false;\n\t this.$store.state.api.backendInteractor.fetchFriends({ id: this.$store.state.users.currentUser.id }).then(function (friendList) {\n\t _this7.exportPeople(friendList, 'friends.csv');\n\t });\n\t },\n\t followListChange: function followListChange() {\n\t var formData = new FormData();\n\t formData.append('list', this.$refs.followlist.files[0]);\n\t this.followList = formData;\n\t },\n\t dismissImported: function dismissImported() {\n\t this.followsImported = false;\n\t this.followImportError = false;\n\t },\n\t confirmDelete: function confirmDelete() {\n\t this.deletingAccount = true;\n\t },\n\t deleteAccount: function deleteAccount() {\n\t var _this8 = this;\n\t\n\t this.$store.state.api.backendInteractor.deleteAccount({ password: this.deleteAccountConfirmPasswordInput }).then(function (res) {\n\t if (res.status === 'success') {\n\t _this8.$store.dispatch('logout');\n\t _this8.$router.push('/main/all');\n\t } else {\n\t _this8.deleteAccountError = res.error;\n\t }\n\t });\n\t },\n\t changePassword: function changePassword() {\n\t var _this9 = this;\n\t\n\t var params = {\n\t password: this.changePasswordInputs[0],\n\t newPassword: this.changePasswordInputs[1],\n\t newPasswordConfirmation: this.changePasswordInputs[2]\n\t };\n\t this.$store.state.api.backendInteractor.changePassword(params).then(function (res) {\n\t if (res.status === 'success') {\n\t _this9.changedPassword = true;\n\t _this9.changePasswordError = false;\n\t } else {\n\t _this9.changedPassword = false;\n\t _this9.changePasswordError = res.error;\n\t }\n\t });\n\t },\n\t activateTab: function activateTab(tabName) {\n\t this.activeTab = tabName;\n\t }\n\t }\n\t};\n\t\n\texports.default = UserSettings;\n\n/***/ }),\n/* 217 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _apiService = __webpack_require__(23);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction showWhoToFollow(panel, reply) {\n\t var users = reply;\n\t var cn;\n\t var index = 0;\n\t var random = Math.floor(Math.random() * 10);\n\t for (cn = random; cn < users.length; cn = cn + 10) {\n\t var user;\n\t user = users[cn];\n\t var img;\n\t if (user.avatar) {\n\t img = user.avatar;\n\t } else {\n\t img = '/images/avi.png';\n\t }\n\t var name = user.acct;\n\t if (index === 0) {\n\t panel.img1 = img;\n\t panel.name1 = name;\n\t panel.$store.state.api.backendInteractor.externalProfile(name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t panel.$store.commit('addNewUsers', [externalUser]);\n\t panel.id1 = externalUser.id;\n\t }\n\t });\n\t } else if (index === 1) {\n\t panel.img2 = img;\n\t panel.name2 = name;\n\t panel.$store.state.api.backendInteractor.externalProfile(name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t panel.$store.commit('addNewUsers', [externalUser]);\n\t panel.id2 = externalUser.id;\n\t }\n\t });\n\t } else if (index === 2) {\n\t panel.img3 = img;\n\t panel.name3 = name;\n\t panel.$store.state.api.backendInteractor.externalProfile(name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t panel.$store.commit('addNewUsers', [externalUser]);\n\t panel.id3 = externalUser.id;\n\t }\n\t });\n\t }\n\t index = index + 1;\n\t if (index > 2) {\n\t break;\n\t }\n\t }\n\t}\n\t\n\tfunction getWhoToFollow(panel) {\n\t var credentials = panel.$store.state.users.currentUser.credentials;\n\t if (credentials) {\n\t panel.name1 = 'Loading...';\n\t panel.name2 = 'Loading...';\n\t panel.name3 = 'Loading...';\n\t _apiService2.default.suggestions({ credentials: credentials }).then(function (reply) {\n\t showWhoToFollow(panel, reply);\n\t });\n\t }\n\t}\n\t\n\tvar WhoToFollowPanel = {\n\t data: function data() {\n\t return {\n\t img1: '/images/avi.png',\n\t name1: '',\n\t id1: 0,\n\t img2: '/images/avi.png',\n\t name2: '',\n\t id2: 0,\n\t img3: '/images/avi.png',\n\t name3: '',\n\t id3: 0\n\t };\n\t },\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser.screen_name;\n\t },\n\t moreUrl: function moreUrl() {\n\t var host = window.location.hostname;\n\t var user = this.user;\n\t var suggestionsWeb = this.$store.state.config.suggestionsWeb;\n\t var url;\n\t url = suggestionsWeb.replace(/{{host}}/g, encodeURIComponent(host));\n\t url = url.replace(/{{user}}/g, encodeURIComponent(user));\n\t return url;\n\t },\n\t suggestionsEnabled: function suggestionsEnabled() {\n\t return this.$store.state.config.suggestionsEnabled;\n\t }\n\t },\n\t watch: {\n\t user: function user(_user, oldUser) {\n\t if (this.suggestionsEnabled) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t },\n\t mounted: function mounted() {\n\t if (this.suggestionsEnabled) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t};\n\t\n\texports.default = WhoToFollowPanel;\n\n/***/ }),\n/* 218 */,\n/* 219 */,\n/* 220 */,\n/* 221 */,\n/* 222 */,\n/* 223 */,\n/* 224 */,\n/* 225 */,\n/* 226 */,\n/* 227 */,\n/* 228 */,\n/* 229 */,\n/* 230 */,\n/* 231 */,\n/* 232 */,\n/* 233 */,\n/* 234 */,\n/* 235 */,\n/* 236 */,\n/* 237 */,\n/* 238 */,\n/* 239 */,\n/* 240 */,\n/* 241 */,\n/* 242 */,\n/* 243 */,\n/* 244 */,\n/* 245 */,\n/* 246 */,\n/* 247 */,\n/* 248 */,\n/* 249 */,\n/* 250 */,\n/* 251 */,\n/* 252 */,\n/* 253 */,\n/* 254 */,\n/* 255 */,\n/* 256 */,\n/* 257 */,\n/* 258 */,\n/* 259 */,\n/* 260 */,\n/* 261 */,\n/* 262 */,\n/* 263 */,\n/* 264 */,\n/* 265 */,\n/* 266 */,\n/* 267 */,\n/* 268 */,\n/* 269 */,\n/* 270 */,\n/* 271 */,\n/* 272 */,\n/* 273 */,\n/* 274 */,\n/* 275 */,\n/* 276 */,\n/* 277 */,\n/* 278 */,\n/* 279 */,\n/* 280 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 281 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 282 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 283 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 284 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 285 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 286 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 287 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 288 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 289 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 290 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 291 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 292 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 293 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 294 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 295 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 296 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 297 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 298 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 299 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 300 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 301 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 302 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 303 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 304 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 305 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 306 */,\n/* 307 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"now\",[\"%ss\",\"%ss\"],[\"%smin\",\"%smin\"],[\"%sh\",\"%sh\"],[\"%sd\",\"%sd\"],[\"%sw\",\"%sw\"],[\"%smo\",\"%smo\"],[\"%sy\",\"%sy\"]]\n\n/***/ }),\n/* 308 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n/***/ }),\n/* 309 */,\n/* 310 */,\n/* 311 */,\n/* 312 */,\n/* 313 */,\n/* 314 */,\n/* 315 */,\n/* 316 */,\n/* 317 */,\n/* 318 */,\n/* 319 */,\n/* 320 */,\n/* 321 */,\n/* 322 */,\n/* 323 */,\n/* 324 */,\n/* 325 */,\n/* 326 */,\n/* 327 */,\n/* 328 */,\n/* 329 */,\n/* 330 */,\n/* 331 */,\n/* 332 */,\n/* 333 */,\n/* 334 */,\n/* 335 */,\n/* 336 */,\n/* 337 */,\n/* 338 */,\n/* 339 */,\n/* 340 */,\n/* 341 */,\n/* 342 */,\n/* 343 */,\n/* 344 */,\n/* 345 */,\n/* 346 */,\n/* 347 */,\n/* 348 */,\n/* 349 */,\n/* 350 */,\n/* 351 */,\n/* 352 */,\n/* 353 */,\n/* 354 */,\n/* 355 */,\n/* 356 */,\n/* 357 */,\n/* 358 */,\n/* 359 */,\n/* 360 */,\n/* 361 */,\n/* 362 */,\n/* 363 */,\n/* 364 */,\n/* 365 */,\n/* 366 */,\n/* 367 */,\n/* 368 */,\n/* 369 */,\n/* 370 */,\n/* 371 */,\n/* 372 */,\n/* 373 */,\n/* 374 */,\n/* 375 */,\n/* 376 */,\n/* 377 */,\n/* 378 */,\n/* 379 */,\n/* 380 */,\n/* 381 */,\n/* 382 */,\n/* 383 */,\n/* 384 */,\n/* 385 */,\n/* 386 */,\n/* 387 */,\n/* 388 */,\n/* 389 */,\n/* 390 */,\n/* 391 */,\n/* 392 */,\n/* 393 */,\n/* 394 */,\n/* 395 */,\n/* 396 */,\n/* 397 */,\n/* 398 */,\n/* 399 */,\n/* 400 */,\n/* 401 */,\n/* 402 */,\n/* 403 */,\n/* 404 */,\n/* 405 */,\n/* 406 */,\n/* 407 */,\n/* 408 */,\n/* 409 */,\n/* 410 */,\n/* 411 */,\n/* 412 */,\n/* 413 */,\n/* 414 */,\n/* 415 */,\n/* 416 */,\n/* 417 */,\n/* 418 */,\n/* 419 */,\n/* 420 */,\n/* 421 */,\n/* 422 */,\n/* 423 */,\n/* 424 */,\n/* 425 */,\n/* 426 */,\n/* 427 */,\n/* 428 */,\n/* 429 */,\n/* 430 */,\n/* 431 */,\n/* 432 */,\n/* 433 */,\n/* 434 */,\n/* 435 */,\n/* 436 */,\n/* 437 */,\n/* 438 */,\n/* 439 */,\n/* 440 */,\n/* 441 */,\n/* 442 */,\n/* 443 */,\n/* 444 */,\n/* 445 */,\n/* 446 */,\n/* 447 */,\n/* 448 */,\n/* 449 */,\n/* 450 */,\n/* 451 */,\n/* 452 */,\n/* 453 */,\n/* 454 */,\n/* 455 */,\n/* 456 */,\n/* 457 */,\n/* 458 */,\n/* 459 */,\n/* 460 */,\n/* 461 */,\n/* 462 */,\n/* 463 */,\n/* 464 */,\n/* 465 */,\n/* 466 */,\n/* 467 */,\n/* 468 */,\n/* 469 */,\n/* 470 */,\n/* 471 */,\n/* 472 */,\n/* 473 */,\n/* 474 */,\n/* 475 */,\n/* 476 */,\n/* 477 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__.p + \"static/img/nsfw.50fd83c.png\";\n\n/***/ }),\n/* 478 */,\n/* 479 */,\n/* 480 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(290)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(183),\n\t /* template */\n\t __webpack_require__(523),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 481 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(284)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(184),\n\t /* template */\n\t __webpack_require__(513),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 482 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(281)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(185),\n\t /* template */\n\t __webpack_require__(509),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 483 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(186),\n\t /* template */\n\t __webpack_require__(538),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 484 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(304)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(188),\n\t /* template */\n\t __webpack_require__(542),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 485 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(294)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(189),\n\t /* template */\n\t __webpack_require__(530),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 486 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(190),\n\t /* template */\n\t __webpack_require__(525),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 487 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(191),\n\t /* template */\n\t __webpack_require__(521),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 488 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(289)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(192),\n\t /* template */\n\t __webpack_require__(522),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 489 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(182),\n\t /* template */\n\t __webpack_require__(532),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 490 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(293)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(193),\n\t /* template */\n\t __webpack_require__(528),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 491 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(291)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(194),\n\t /* template */\n\t __webpack_require__(524),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 492 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(195),\n\t /* template */\n\t __webpack_require__(518),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 493 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(300)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(196),\n\t /* template */\n\t __webpack_require__(537),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 494 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(197),\n\t /* template */\n\t __webpack_require__(516),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 495 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(285)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(198),\n\t /* template */\n\t __webpack_require__(515),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 496 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(200),\n\t /* template */\n\t __webpack_require__(514),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 497 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(201),\n\t /* template */\n\t __webpack_require__(512),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 498 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(297)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(202),\n\t /* template */\n\t __webpack_require__(534),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 499 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(292)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(203),\n\t /* template */\n\t __webpack_require__(526),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 500 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(287)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(204),\n\t /* template */\n\t __webpack_require__(519),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 501 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(286)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(206),\n\t /* template */\n\t __webpack_require__(517),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 502 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(209),\n\t /* template */\n\t __webpack_require__(527),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 503 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(280)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(213),\n\t /* template */\n\t __webpack_require__(508),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 504 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(295)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(214),\n\t /* template */\n\t __webpack_require__(531),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 505 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(296)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(215),\n\t /* template */\n\t __webpack_require__(533),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 506 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(301)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(216),\n\t /* template */\n\t __webpack_require__(539),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 507 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(282)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(217),\n\t /* template */\n\t __webpack_require__(510),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 508 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('span', {\n\t staticClass: \"user-finder-container\"\n\t }, [(_vm.error) ? _c('span', {\n\t staticClass: \"alert error\"\n\t }, [_c('i', {\n\t staticClass: \"icon-cancel user-finder-icon\",\n\t on: {\n\t \"click\": _vm.dismissError\n\t }\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('finder.error_fetching_user')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.loading) ? _c('i', {\n\t staticClass: \"icon-spin4 user-finder-icon animate-spin-slow\"\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.hidden) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-user-plus user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t })]) : _c('span', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.username),\n\t expression: \"username\"\n\t }],\n\t staticClass: \"user-finder-input\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('finder.find_user'),\n\t \"id\": \"user-finder-input\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.username)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.findUser(_vm.username)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.username = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-cancel user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 509 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (!this.collapsed) ? _c('div', {\n\t staticClass: \"chat-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading chat-heading\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), _c('i', {\n\t staticClass: \"icon-cancel\",\n\t staticStyle: {\n\t \"float\": \"right\"\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t directives: [{\n\t name: \"chat-scroll\",\n\t rawName: \"v-chat-scroll\"\n\t }],\n\t staticClass: \"chat-window\"\n\t }, _vm._l((_vm.messages), function(message) {\n\t return _c('div', {\n\t key: message.id,\n\t staticClass: \"chat-message\"\n\t }, [_c('span', {\n\t staticClass: \"chat-avatar\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": message.author.avatar\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"chat-content\"\n\t }, [_c('router-link', {\n\t staticClass: \"chat-name\",\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: message.author.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(message.author.username) + \"\\n \")]), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('span', {\n\t staticClass: \"chat-text\"\n\t }, [_vm._v(\"\\n \" + _vm._s(message.text) + \"\\n \")])], 1)])\n\t })), _vm._v(\" \"), _c('div', {\n\t staticClass: \"chat-input\"\n\t }, [_c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.currentMessage),\n\t expression: \"currentMessage\"\n\t }],\n\t staticClass: \"chat-input-textarea\",\n\t attrs: {\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.currentMessage)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.submit(_vm.currentMessage)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.currentMessage = $event.target.value\n\t }\n\t }\n\t })])])]) : _c('div', {\n\t staticClass: \"chat-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading stub timeline-heading chat-heading\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_c('i', {\n\t staticClass: \"icon-comment-empty\"\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 510 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"who-to-follow-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default base01-background\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading base02-background base04\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body who-to-follow\"\n\t }, [_c('p', [_c('img', {\n\t attrs: {\n\t \"src\": _vm.img1\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.id1\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.name1))]), _c('br'), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.img2\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.id2\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.name2))]), _c('br'), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.img3\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.id3\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.name3))]), _c('br'), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.$store.state.config.logo\n\t }\n\t }), _vm._v(\" \"), _c('a', {\n\t attrs: {\n\t \"href\": _vm.moreUrl,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('who_to_follow.more')))])], 1)])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 511 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"profile-panel-background\",\n\t style: (_vm.headingStyle),\n\t attrs: {\n\t \"id\": \"heading\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"panel-heading text-center\"\n\t }, [_c('div', {\n\t staticClass: \"user-info\"\n\t }, [(!_vm.isOtherUser) ? _c('router-link', {\n\t staticStyle: {\n\t \"float\": \"right\",\n\t \"margin-top\": \"16px\"\n\t },\n\t attrs: {\n\t \"to\": \"/user-settings\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cog usersettings\"\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\n\t staticClass: \"floater\",\n\t attrs: {\n\t \"href\": _vm.user.statusnet_profile_url,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-link-ext usersettings\"\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"container\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.user.id\n\t }\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url_original\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"name-and-screen-name\"\n\t }, [(_vm.user.name_html) ? _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.name_html)\n\t }\n\t }) : _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"user-screen-name\",\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.user.id\n\t }\n\t }\n\t }\n\t }, [_c('span', [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))]), (_vm.user.locked) ? _c('span', [_c('i', {\n\t staticClass: \"icon icon-lock\"\n\t })]) : _vm._e(), _vm._v(\" \"), _c('span', {\n\t staticClass: \"dailyAvg\"\n\t }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))])])], 1)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-meta\"\n\t }, [(_vm.user.follows_you && _vm.loggedIn && _vm.isOtherUser) ? _c('div', {\n\t staticClass: \"following\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.switcher || _vm.isOtherUser) ? _c('div', {\n\t staticClass: \"floater\"\n\t }, [(_vm.userHighlightType !== 'disabled') ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightColor),\n\t expression: \"userHighlightColor\"\n\t }],\n\t staticClass: \"userHighlightText\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"id\": 'userHighlightColorTx' + _vm.user.id\n\t },\n\t domProps: {\n\t \"value\": (_vm.userHighlightColor)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.userHighlightColor = $event.target.value\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.userHighlightType !== 'disabled') ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightColor),\n\t expression: \"userHighlightColor\"\n\t }],\n\t staticClass: \"userHighlightCl\",\n\t attrs: {\n\t \"type\": \"color\",\n\t \"id\": 'userHighlightColor' + _vm.user.id\n\t },\n\t domProps: {\n\t \"value\": (_vm.userHighlightColor)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.userHighlightColor = $event.target.value\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('label', {\n\t staticClass: \"userHighlightSel select\",\n\t attrs: {\n\t \"for\": \"style-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightType),\n\t expression: \"userHighlightType\"\n\t }],\n\t staticClass: \"userHighlightSel\",\n\t attrs: {\n\t \"id\": 'userHighlightSel' + _vm.user.id\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.userHighlightType = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"disabled\"\n\t }\n\t }, [_vm._v(\"No highlight\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"solid\"\n\t }\n\t }, [_vm._v(\"Solid bg\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"striped\"\n\t }\n\t }, [_vm._v(\"Striped bg\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"side\"\n\t }\n\t }, [_vm._v(\"Side stripe\")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]) : _vm._e()]), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n\t staticClass: \"user-interactions\"\n\t }, [(_vm.loggedIn) ? _c('div', {\n\t staticClass: \"follow\"\n\t }, [(_vm.user.following) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t on: {\n\t \"click\": _vm.unfollowUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n\t on: {\n\t \"click\": _vm.followUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n\t staticClass: \"mute\"\n\t }, [(_vm.user.muted) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t on: {\n\t \"click\": _vm.toggleMute\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.muted')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.muted) ? _c('span', [_c('button', {\n\t on: {\n\t \"click\": _vm.toggleMute\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.mute')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (!_vm.loggedIn && _vm.user.is_local) ? _c('div', {\n\t staticClass: \"remote-follow\"\n\t }, [_c('form', {\n\t attrs: {\n\t \"method\": \"POST\",\n\t \"action\": _vm.subscribeUrl\n\t }\n\t }, [_c('input', {\n\t attrs: {\n\t \"type\": \"hidden\",\n\t \"name\": \"nickname\"\n\t },\n\t domProps: {\n\t \"value\": _vm.user.screen_name\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t attrs: {\n\t \"type\": \"hidden\",\n\t \"name\": \"profile\",\n\t \"value\": \"\"\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"remote-button\",\n\t attrs: {\n\t \"click\": \"submit\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.remote_follow')) + \"\\n \")])])]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _c('div', {\n\t staticClass: \"block\"\n\t }, [(_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t on: {\n\t \"click\": _vm.unblockUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.blocked')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n\t on: {\n\t \"click\": _vm.blockUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.block')) + \"\\n \")])]) : _vm._e()]) : _vm._e()]) : _vm._e()], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body profile-panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"user-counts\",\n\t class: {\n\t clickable: _vm.switcher\n\t }\n\t }, [_c('div', {\n\t staticClass: \"user-count\",\n\t class: {\n\t selected: _vm.selected === 'statuses'\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.setProfileView('statuses')\n\t }\n\t }\n\t }, [_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', {\n\t staticClass: \"user-count\",\n\t class: {\n\t selected: _vm.selected === 'friends'\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.setProfileView('friends')\n\t }\n\t }\n\t }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followees')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.friends_count))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-count\",\n\t class: {\n\t selected: _vm.selected === 'followers'\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.setProfileView('followers')\n\t }\n\t }\n\t }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followers')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.followers_count))])])]), _vm._v(\" \"), (!_vm.hideBio && _vm.user.description_html) ? _c('p', {\n\t staticClass: \"profile-bio\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.description_html)\n\t }\n\t }) : (!_vm.hideBio) ? _c('p', {\n\t staticClass: \"profile-bio\"\n\t }, [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 512 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.public_tl'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'public'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 513 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.size === 'hide') ? _c('div', [(_vm.type !== 'html') ? _c('a', {\n\t staticClass: \"placeholder\",\n\t attrs: {\n\t \"target\": \"_blank\",\n\t \"href\": _vm.attachment.url\n\t }\n\t }, [_vm._v(\"[\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\")]) : _vm._e()]) : _c('div', {\n\t directives: [{\n\t name: \"show\",\n\t rawName: \"v-show\",\n\t value: (!_vm.isEmpty),\n\t expression: \"!isEmpty\"\n\t }],\n\t staticClass: \"attachment\",\n\t class: ( _obj = {\n\t loading: _vm.loading,\n\t 'small-attachment': _vm.isSmall,\n\t 'fullwidth': _vm.fullwidth,\n\t 'nsfw-placeholder': _vm.hidden\n\t }, _obj[_vm.type] = true, _obj )\n\t }, [(_vm.hidden) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleHidden()\n\t }\n\t }\n\t }, [_c('img', {\n\t key: _vm.nsfwImage,\n\t attrs: {\n\t \"src\": _vm.nsfwImage\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.nsfw && _vm.hideNsfwLocal && !_vm.hidden) ? _c('div', {\n\t staticClass: \"hider\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleHidden()\n\t }\n\t }\n\t }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && !_vm.hidden) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t attrs: {\n\t \"href\": _vm.attachment.url,\n\t \"target\": \"_blank\",\n\t \"title\": _vm.attachment.description\n\t }\n\t }, [_c('StillImage', {\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"referrerpolicy\": \"no-referrer\",\n\t \"mimetype\": _vm.attachment.mimetype,\n\t \"src\": _vm.attachment.large_thumb_url || _vm.attachment.url\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video' && !_vm.hidden) ? _c('video', {\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"controls\": \"\",\n\t \"loop\": _vm.loopVideo\n\t },\n\t on: {\n\t \"loadeddata\": _vm.onVideoDataLoad\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n\t staticClass: \"oembed\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }, [(_vm.attachment.thumb_url) ? _c('div', {\n\t staticClass: \"image\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.attachment.thumb_url\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"text\"\n\t }, [_c('h1', [_c('a', {\n\t attrs: {\n\t \"href\": _vm.attachment.url\n\t }\n\t }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n\t }\n\t })])]) : _vm._e()])\n\t var _obj;\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 514 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.twkn'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'publicAndExternal'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 515 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"notifications\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [(_vm.unseenCount) ? _c('span', {\n\t staticClass: \"unseen-count\"\n\t }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\" \" + _vm._s(_vm.$t('notifications.notifications')))]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"loadmore-error alert error\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.unseenCount) ? _c('button', {\n\t staticClass: \"read-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.markAsSeen($event)\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.visibleNotifications), function(notification) {\n\t return _c('div', {\n\t key: notification.action.id,\n\t staticClass: \"notification\",\n\t class: {\n\t \"unseen\": !notification.seen\n\t }\n\t }, [_c('notification', {\n\t attrs: {\n\t \"notification\": notification\n\t }\n\t })], 1)\n\t })), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(!_vm.notifications.loading) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.fetchOlderNotifications()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.load_older')))])]) : _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(\"...\")])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 516 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.notification.type === 'mention') ? _c('status', {\n\t attrs: {\n\t \"compact\": true,\n\t \"statusoid\": _vm.notification.status\n\t }\n\t }) : _c('div', {\n\t staticClass: \"non-mention\",\n\t class: [_vm.userClass, {\n\t highlighted: _vm.userStyle\n\t }],\n\t style: ([_vm.userStyle])\n\t }, [_c('a', {\n\t staticClass: \"avatar-container\",\n\t attrs: {\n\t \"href\": _vm.notification.action.user.statusnet_profile_url\n\t },\n\t on: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar-compact\",\n\t attrs: {\n\t \"src\": _vm.notification.action.user.profile_image_url_original\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"notification-right\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard notification-usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.notification.action.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n\t staticClass: \"notification-details\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-action\"\n\t }, [(!!_vm.notification.action.user.name_html) ? _c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.notification.action.user.name_html)\n\t }\n\t }) : _c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'like') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-star lit\"\n\t }), _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', {\n\t staticClass: \"fa icon-retweet lit\"\n\t }), _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', {\n\t staticClass: \"fa icon-user-plus lit\"\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n\t staticClass: \"timeago\"\n\t }, [(_vm.notification.status) ? _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.notification.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.notification.action.created_at,\n\t \"auto-update\": 240\n\t }\n\t })], 1) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n\t staticClass: \"follow-text\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.notification.action.user.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"@\" + _vm._s(_vm.notification.action.user.screen_name))])], 1) : [(_vm.notification.status) ? _c('status', {\n\t staticClass: \"faint\",\n\t attrs: {\n\t \"compact\": true,\n\t \"statusoid\": _vm.notification.status,\n\t \"noHeading\": true\n\t }\n\t }) : _c('div', {\n\t staticClass: \"broken-favorite\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.broken_favorite')) + \"\\n \")])]], 2)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 517 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [(_vm.expanded) ? _c('conversation', {\n\t attrs: {\n\t \"collapsable\": true,\n\t \"statusoid\": _vm.statusoid\n\t },\n\t on: {\n\t \"toggleExpanded\": _vm.toggleExpanded\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (!_vm.expanded) ? _c('status', {\n\t attrs: {\n\t \"expandable\": true,\n\t \"inConversation\": false,\n\t \"focused\": false,\n\t \"statusoid\": _vm.statusoid\n\t },\n\t on: {\n\t \"toggleExpanded\": _vm.toggleExpanded\n\t }\n\t }) : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 518 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.mentions'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'mentions'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 519 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.theme')))]), _vm._v(\" \"), _c('style-switcher')], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.filtering')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.filtering_explanation')))]), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.muteWordsString),\n\t expression: \"muteWordsString\"\n\t }],\n\t attrs: {\n\t \"id\": \"muteWords\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.muteWordsString)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.muteWordsString = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('nav.timeline')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.collapseMessageWithSubjectLocal),\n\t expression: \"collapseMessageWithSubjectLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"collapseMessageWithSubject\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.collapseMessageWithSubjectLocal) ? _vm._i(_vm.collapseMessageWithSubjectLocal, null) > -1 : (_vm.collapseMessageWithSubjectLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.collapseMessageWithSubjectLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.collapseMessageWithSubjectLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.collapseMessageWithSubjectLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.collapseMessageWithSubjectLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"collapseMessageWithSubject\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.collapse_subject')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.streamingLocal),\n\t expression: \"streamingLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"streaming\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.streamingLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.streamingLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"streaming\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\",\n\t class: [{\n\t disabled: !_vm.streamingLocal\n\t }]\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.pauseOnUnfocusedLocal),\n\t expression: \"pauseOnUnfocusedLocal\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.streamingLocal,\n\t \"type\": \"checkbox\",\n\t \"id\": \"pauseOnUnfocused\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.pauseOnUnfocusedLocal) ? _vm._i(_vm.pauseOnUnfocusedLocal, null) > -1 : (_vm.pauseOnUnfocusedLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.pauseOnUnfocusedLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.pauseOnUnfocusedLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.pauseOnUnfocusedLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.pauseOnUnfocusedLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"pauseOnUnfocused\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.pause_on_unfocused')))])])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.autoLoadLocal),\n\t expression: \"autoLoadLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"autoload\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.autoLoadLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.autoLoadLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"autoload\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hoverPreviewLocal),\n\t expression: \"hoverPreviewLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hoverPreview\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hoverPreviewLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hoverPreviewLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hoverPreview\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])]), _vm._v(\" \"), _c('li', [_c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"replyVisibility\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.replyVisibilityLocal),\n\t expression: \"replyVisibilityLocal\"\n\t }],\n\t attrs: {\n\t \"id\": \"replyVisibility\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.replyVisibilityLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"all\",\n\t \"selected\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"following\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"self\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsLocal),\n\t expression: \"hideAttachmentsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachments\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachments\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsInConvLocal),\n\t expression: \"hideAttachmentsInConvLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachmentsInConv\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsInConvLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsInConvLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachmentsInConv\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideNsfwLocal),\n\t expression: \"hideNsfwLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideNsfw\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideNsfwLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideNsfwLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideNsfw\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.stopGifs),\n\t expression: \"stopGifs\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"stopGifs\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.stopGifs,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.stopGifs = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"stopGifs\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.loopVideoLocal),\n\t expression: \"loopVideoLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"loopVideo\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.loopVideoLocal) ? _vm._i(_vm.loopVideoLocal, null) > -1 : (_vm.loopVideoLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.loopVideoLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.loopVideoLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.loopVideoLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.loopVideoLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"loopVideo\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.loop_video')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\",\n\t class: [{\n\t disabled: !_vm.streamingLocal\n\t }]\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.loopVideoSilentOnlyLocal),\n\t expression: \"loopVideoSilentOnlyLocal\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.loopVideoLocal || !_vm.loopSilentAvailable,\n\t \"type\": \"checkbox\",\n\t \"id\": \"loopVideoSilentOnly\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.loopVideoSilentOnlyLocal) ? _vm._i(_vm.loopVideoSilentOnlyLocal, null) > -1 : (_vm.loopVideoSilentOnlyLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.loopVideoSilentOnlyLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.loopVideoSilentOnlyLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.loopVideoSilentOnlyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.loopVideoSilentOnlyLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"loopVideoSilentOnly\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.loop_video_silent_only')))]), _vm._v(\" \"), (!_vm.loopSilentAvailable) ? _c('div', {\n\t staticClass: \"unavailable\"\n\t }, [_c('i', {\n\t staticClass: \"icon-globe\"\n\t }), _vm._v(\"! \" + _vm._s(_vm.$t('settings.limited_availability')) + \"\\n \")]) : _vm._e()])])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.interfaceLanguage')))]), _vm._v(\" \"), _c('interface-language-switcher')], 1)])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 520 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (!_vm.hideReply) ? _c('div', {\n\t staticClass: \"status-el\",\n\t class: [{\n\t 'status-el_focused': _vm.isFocused\n\t }, {\n\t 'status-conversation': _vm.inlineExpanded\n\t }]\n\t }, [(_vm.muted && !_vm.noReplyLinks) ? [_c('div', {\n\t staticClass: \"media status container muted\"\n\t }, [_c('small', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.status.user.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.status.user.screen_name))])], 1), _vm._v(\" \"), _c('small', {\n\t staticClass: \"muteWords\"\n\t }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n\t staticClass: \"unmute\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-eye-off\"\n\t })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n\t staticClass: \"media container retweet-info\",\n\t class: [_vm.repeaterClass, {\n\t highlighted: _vm.repeaterStyle\n\t }],\n\t style: ([_vm.repeaterStyle])\n\t }, [(_vm.retweet) ? _c('StillImage', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.statusoid.user.profile_image_url_original\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-body faint\"\n\t }, [(_vm.retweeterHtml) ? _c('a', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"href\": _vm.statusoid.user.statusnet_profile_url,\n\t \"title\": '@' + _vm.statusoid.user.screen_name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.retweeterHtml)\n\t }\n\t }) : _c('a', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"href\": _vm.statusoid.user.statusnet_profile_url,\n\t \"title\": '@' + _vm.statusoid.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.retweeter))]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"fa icon-retweet retweeted\"\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media status\",\n\t class: [_vm.userClass, {\n\t highlighted: _vm.userStyle,\n\t 'is-retweet': _vm.retweet\n\t }],\n\t style: ([_vm.userStyle])\n\t }, [(!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-left\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": _vm.status.user.statusnet_profile_url\n\t },\n\t on: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar\",\n\t class: {\n\t 'avatar-compact': _vm.compact\n\t },\n\t attrs: {\n\t \"src\": _vm.status.user.profile_image_url_original\n\t }\n\t })], 1)]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-body\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard media-body\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.status.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-body container media-heading\"\n\t }, [_c('div', {\n\t staticClass: \"media-heading-left\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-links\"\n\t }, [(_vm.status.user.name_html) ? _c('h4', {\n\t staticClass: \"user-name\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.user.name_html)\n\t }\n\t }) : _c('h4', {\n\t staticClass: \"user-name\"\n\t }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"links\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.status.user.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.status.user.screen_name))]), _vm._v(\" \"), (_vm.status.in_reply_to_screen_name) ? _c('span', {\n\t staticClass: \"faint reply-info\"\n\t }, [_c('i', {\n\t staticClass: \"icon-right-open\"\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.status.in_reply_to_user_id\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.status.in_reply_to_screen_name) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.gotoOriginal(_vm.status.in_reply_to_status_id)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-reply\",\n\t on: {\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n\t staticClass: \"replies\"\n\t }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n\t return _c('small', {\n\t staticClass: \"reply-link\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.gotoOriginal(reply.id)\n\t },\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(reply.id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t }, [_vm._v(_vm._s(reply.name) + \" \")])])\n\t })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-heading-right\"\n\t }, [_c('router-link', {\n\t staticClass: \"timeago\",\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.status.created_at,\n\t \"auto-update\": 60\n\t }\n\t })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('div', {\n\t staticClass: \"visibility-icon\"\n\t }, [_c('i', {\n\t class: _vm.visibilityIcon(_vm.status.visibility)\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.status.is_local) ? _c('a', {\n\t staticClass: \"source_url\",\n\t attrs: {\n\t \"href\": _vm.status.external_url,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-link-ext-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleExpanded($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-plus-squared\"\n\t })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-eye-off\"\n\t })]) : _vm._e()], 2)]) : _vm._e(), _vm._v(\" \"), (_vm.showPreview) ? _c('div', {\n\t staticClass: \"status-preview-container\"\n\t }, [(_vm.preview) ? _c('status', {\n\t staticClass: \"status-preview\",\n\t attrs: {\n\t \"noReplyLinks\": true,\n\t \"statusoid\": _vm.preview,\n\t \"compact\": true\n\t }\n\t }) : _c('div', {\n\t staticClass: \"status-preview status-preview-loading\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t })])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-content-wrapper\",\n\t class: {\n\t 'tall-status': _vm.hideTallStatus\n\t }\n\t }, [(_vm.hideTallStatus) ? _c('a', {\n\t staticClass: \"tall-status-hider\",\n\t class: {\n\t 'tall-status-hider_focused': _vm.isFocused\n\t },\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (!_vm.hideSubjectStatus) ? _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }) : _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.summary)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.hideSubjectStatus) ? _c('a', {\n\t staticClass: \"cw-status-hider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (_vm.showingMore) ? _c('a', {\n\t staticClass: \"status-unhider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments && !_vm.hideSubjectStatus) ? _c('div', {\n\t staticClass: \"attachments media-body\"\n\t }, _vm._l((_vm.status.attachments), function(attachment) {\n\t return _c('attachment', {\n\t key: attachment.id,\n\t attrs: {\n\t \"size\": _vm.attachmentSize,\n\t \"status-id\": _vm.status.id,\n\t \"nsfw\": _vm.nsfwClickthrough,\n\t \"attachment\": attachment\n\t }\n\t })\n\t })) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading && !_vm.noReplyLinks) ? _c('div', {\n\t staticClass: \"status-actions media-body\"\n\t }, [(_vm.loggedIn) ? _c('div', [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleReplying($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-reply\",\n\t class: {\n\t 'icon-reply-active': _vm.replying\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n\t attrs: {\n\t \"visibility\": _vm.status.visibility,\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('favorite-button', {\n\t attrs: {\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('delete-button', {\n\t attrs: {\n\t \"status\": _vm.status\n\t }\n\t })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n\t staticClass: \"container\"\n\t }, [_c('div', {\n\t staticClass: \"reply-left\"\n\t }), _vm._v(\" \"), _c('post-status-form', {\n\t staticClass: \"reply-body\",\n\t attrs: {\n\t \"reply-to\": _vm.status.id,\n\t \"attentions\": _vm.status.attentions,\n\t \"repliedUser\": _vm.status.user,\n\t \"message-scope\": _vm.status.visibility,\n\t \"subject\": _vm.replySubject\n\t },\n\t on: {\n\t \"posted\": _vm.toggleReplying\n\t }\n\t })], 1) : _vm._e()]], 2) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 521 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.timeline'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'friends'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 522 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"instance-specific-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.instanceSpecificPanelContent)\n\t }\n\t })])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 523 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t style: (_vm.style),\n\t attrs: {\n\t \"id\": \"app\"\n\t }\n\t }, [_c('nav', {\n\t staticClass: \"container\",\n\t attrs: {\n\t \"id\": \"nav\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.scrollToTop()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"inner-nav\",\n\t style: (_vm.logoStyle)\n\t }, [_c('div', {\n\t staticClass: \"item\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'root'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.sitename))])], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"item right\"\n\t }, [_c('user-finder', {\n\t staticClass: \"nav-icon\"\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'settings'\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cog nav-icon\"\n\t })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.logout($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-logout nav-icon\",\n\t attrs: {\n\t \"title\": _vm.$t('login.logout')\n\t }\n\t })]) : _vm._e()], 1)])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"container\",\n\t attrs: {\n\t \"id\": \"content\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"panel-switcher\"\n\t }, [_c('button', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activatePanel('sidebar')\n\t }\n\t }\n\t }, [_vm._v(\"Sidebar\")]), _vm._v(\" \"), _c('button', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activatePanel('timeline')\n\t }\n\t }\n\t }, [_vm._v(\"Timeline\")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"sidebar-flexer\",\n\t class: {\n\t 'mobile-hidden': _vm.mobileActivePanel != 'sidebar'\n\t }\n\t }, [_c('div', {\n\t staticClass: \"sidebar-bounds\"\n\t }, [_c('div', {\n\t staticClass: \"sidebar-scroller\"\n\t }, [_c('div', {\n\t staticClass: \"sidebar\"\n\t }, [_c('user-panel'), _vm._v(\" \"), _c('nav-panel'), _vm._v(\" \"), (_vm.showInstanceSpecificPanel) ? _c('instance-specific-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._v(\" \"), _c('div', {\n\t staticClass: \"main\",\n\t class: {\n\t 'mobile-hidden': _vm.mobileActivePanel != 'timeline'\n\t }\n\t }, [_c('transition', {\n\t attrs: {\n\t \"name\": \"fade\"\n\t }\n\t }, [_c('router-view')], 1)], 1)]), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n\t staticClass: \"floating-chat mobile-hidden\"\n\t }) : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 524 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"media-upload\",\n\t on: {\n\t \"drop\": [function($event) {\n\t $event.preventDefault();\n\t }, _vm.fileDrop],\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t return _vm.fileDrag($event)\n\t }\n\t }\n\t }, [_c('label', {\n\t staticClass: \"btn btn-default\"\n\t }, [(_vm.uploading) ? _c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t }) : _vm._e(), _vm._v(\" \"), (!_vm.uploading) ? _c('i', {\n\t staticClass: \"icon-upload\"\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticStyle: {\n\t \"position\": \"fixed\",\n\t \"top\": \"-100em\"\n\t },\n\t attrs: {\n\t \"type\": \"file\"\n\t }\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 525 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.friend_requests')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.requests), function(request) {\n\t return _c('user-card', {\n\t key: request.id,\n\t attrs: {\n\t \"user\": request,\n\t \"showFollows\": false,\n\t \"showApproval\": true\n\t }\n\t })\n\t }))])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 526 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.loggedIn && _vm.visibility !== 'private' && _vm.visibility !== 'direct') ? _c('div', [_c('i', {\n\t staticClass: \"icon-retweet rt-active\",\n\t class: _vm.classes,\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.retweet()\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : (!_vm.loggedIn) ? _c('div', [_c('i', {\n\t staticClass: \"icon-retweet\",\n\t class: _vm.classes\n\t }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 527 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.tag,\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'tag',\n\t \"tag\": _vm.tag\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 528 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"login panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('login.login')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('form', {\n\t staticClass: \"login-form\",\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.submit(_vm.user)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"username\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.username),\n\t expression: \"user.username\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.loggingIn,\n\t \"id\": \"username\",\n\t \"placeholder\": _vm.$t('login.placeholder')\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.username)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"username\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"password\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.password),\n\t expression: \"user.password\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.loggingIn,\n\t \"id\": \"password\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.password)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"password\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"login-bottom\"\n\t }, [_c('div', [(_vm.registrationOpen) ? _c('router-link', {\n\t staticClass: \"register\",\n\t attrs: {\n\t \"to\": {\n\t name: 'registration'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.register')))]) : _vm._e()], 1), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.loggingIn,\n\t \"type\": \"submit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.login')))])])]), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(_vm._s(_vm.authError))])]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 529 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading conversation-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.conversation')) + \"\\n \"), (_vm.collapsable) ? _c('span', {\n\t staticStyle: {\n\t \"float\": \"right\"\n\t }\n\t }, [_c('small', [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.$emit('toggleExpanded')\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('timeline.collapse')))])])]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.conversation), function(status) {\n\t return _c('status', {\n\t key: status.id,\n\t staticClass: \"status-fadein\",\n\t attrs: {\n\t \"inlineExpanded\": _vm.collapsable,\n\t \"statusoid\": status,\n\t \"expandable\": false,\n\t \"focused\": _vm.focused(status.id),\n\t \"inConversation\": true,\n\t \"highlight\": _vm.highlight,\n\t \"replies\": _vm.getReplies(status.id)\n\t },\n\t on: {\n\t \"goto\": _vm.setHighlight\n\t }\n\t })\n\t }))])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 530 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.loggedIn) ? _c('div', [_c('i', {\n\t staticClass: \"favorite-button fav-active\",\n\t class: _vm.classes,\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.favorite()\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n\t staticClass: \"favorite-button\",\n\t class: _vm.classes\n\t }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 531 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"user-panel\"\n\t }, [(_vm.user) ? _c('div', {\n\t staticClass: \"panel panel-default\",\n\t staticStyle: {\n\t \"overflow\": \"visible\"\n\t }\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": false,\n\t \"hideBio\": true\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(_vm.user) ? _c('post-status-form') : _vm._e()], 1)], 1) : _vm._e(), _vm._v(\" \"), (!_vm.user) ? _c('login-form') : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 532 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [_c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"interface-language-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.language),\n\t expression: \"language\"\n\t }],\n\t attrs: {\n\t \"id\": \"interface-language-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.language = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.languageCodes), function(langCode, i) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": langCode\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.languageNames[i]) + \"\\n \")])\n\t })), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 533 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [(_vm.user) ? _c('div', {\n\t staticClass: \"user-profile panel panel-default\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": true,\n\t \"selected\": _vm.timeline.viewing\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('user_profile.timeline_title'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'user',\n\t \"user-id\": _vm.userId\n\t }\n\t })], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 534 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('registration.registration')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('form', {\n\t staticClass: \"registration-form\",\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.submit(_vm.user)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"container\"\n\t }, [_c('div', {\n\t staticClass: \"text-fields\"\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"username\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.username),\n\t expression: \"user.username\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"username\",\n\t \"placeholder\": \"e.g. lain\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.username)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"username\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"fullname\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.fullname')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.fullname),\n\t expression: \"user.fullname\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"fullname\",\n\t \"placeholder\": \"e.g. Lain Iwakura\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.fullname)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"fullname\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"email\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.email')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.email),\n\t expression: \"user.email\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"email\",\n\t \"type\": \"email\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.email)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"email\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"bio\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.bio')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.bio),\n\t expression: \"user.bio\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"bio\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.bio)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"bio\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"password\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.password),\n\t expression: \"user.password\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"password\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.password)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"password\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"password_confirmation\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.password_confirm')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.confirm),\n\t expression: \"user.confirm\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"password_confirmation\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.confirm)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"confirm\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.token) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"token\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.token')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.token),\n\t expression: \"token\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": \"true\",\n\t \"id\": \"token\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.token)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.token = $event.target.value\n\t }\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"type\": \"submit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"terms-of-service\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.termsofservice)\n\t }\n\t })]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(_vm._s(_vm.error))])]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 535 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.viewing == 'statuses') ? _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _vm._v(\" \"), (_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('button', {\n\t staticClass: \"loadmore-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.showNewStatuses($event)\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.timelineError) ? _c('div', {\n\t staticClass: \"loadmore-error alert error\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n\t staticClass: \"loadmore-text\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.up_to_date')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.timeline.visibleStatuses), function(status) {\n\t return _c('status-or-conversation', {\n\t key: status.id,\n\t staticClass: \"status-fadein\",\n\t attrs: {\n\t \"statusoid\": status\n\t }\n\t })\n\t }))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(!_vm.timeline.loading) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.fetchOlderStatuses()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(_vm._s(_vm.$t('timeline.load_older')))])]) : _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(\"...\")])])]) : (_vm.viewing == 'followers') ? _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followers')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.followers), function(follower) {\n\t return _c('user-card', {\n\t key: follower.id,\n\t attrs: {\n\t \"user\": follower,\n\t \"showFollows\": false\n\t }\n\t })\n\t }))])]) : (_vm.viewing == 'friends') ? _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followees')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.friends), function(friend) {\n\t return _c('user-card', {\n\t key: friend.id,\n\t attrs: {\n\t \"user\": friend,\n\t \"showFollows\": true\n\t }\n\t })\n\t }))])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 536 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"post-status-form\"\n\t }, [_c('form', {\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.postStatus(_vm.newStatus)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [(!this.$store.state.users.currentUser.locked && this.newStatus.visibility == 'private') ? _c('i18n', {\n\t staticClass: \"visibility-notice\",\n\t attrs: {\n\t \"path\": \"post_status.account_not_locked_warning\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/user-settings\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.account_not_locked_warning_link')))])], 1) : _vm._e(), _vm._v(\" \"), (this.newStatus.visibility == 'direct') ? _c('p', {\n\t staticClass: \"visibility-notice\"\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.direct_warning')))]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.spoilerText),\n\t expression: \"newStatus.spoilerText\"\n\t }],\n\t staticClass: \"form-cw\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"placeholder\": _vm.$t('post_status.content_warning')\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.spoilerText)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.status),\n\t expression: \"newStatus.status\"\n\t }],\n\t ref: \"textarea\",\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('post_status.default'),\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.status)\n\t },\n\t on: {\n\t \"click\": _vm.setCaret,\n\t \"keyup\": [_vm.setCaret, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t if (!$event.ctrlKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"keydown\": [function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key, [\"Down\", \"ArrowDown\"])) { return null; }\n\t return _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key, [\"Up\", \"ArrowUp\"])) { return null; }\n\t return _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n\t if (!$event.shiftKey) { return null; }\n\t return _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n\t return _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t return _vm.replaceCandidate($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t if (!$event.metaKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"drop\": _vm.fileDrop,\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t return _vm.fileDrag($event)\n\t },\n\t \"input\": [function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n\t }, _vm.resize],\n\t \"paste\": _vm.paste\n\t }\n\t }), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', {\n\t staticClass: \"visibility-tray\"\n\t }, [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.direct')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.private')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.unlisted')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.public')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })]) : _vm._e()], 1), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n\t staticStyle: {\n\t \"position\": \"relative\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete-panel\"\n\t }, _vm._l((_vm.candidates), function(candidate) {\n\t return _c('div', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete\",\n\t class: {\n\t highlighted: candidate.highlighted\n\t }\n\t }, [(candidate.img) ? _c('span', [_c('img', {\n\t attrs: {\n\t \"src\": candidate.img\n\t }\n\t })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n\t }))]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-bottom\"\n\t }, [_c('media-upload', {\n\t attrs: {\n\t \"drop-files\": _vm.dropFiles\n\t },\n\t on: {\n\t \"uploading\": _vm.disableSubmit,\n\t \"uploaded\": _vm.addMediaFile,\n\t \"upload-failed\": _vm.enableSubmit\n\t }\n\t }), _vm._v(\" \"), (_vm.isOverLengthLimit) ? _c('p', {\n\t staticClass: \"error\"\n\t }, [_vm._v(_vm._s(_vm.charactersLeft))]) : (_vm.hasStatusLengthLimit) ? _c('p', {\n\t staticClass: \"faint\"\n\t }, [_vm._v(_vm._s(_vm.charactersLeft))]) : _vm._e(), _vm._v(\" \"), (_vm.posting) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.posting')))]) : (_vm.isOverLengthLimit) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.submitDisabled,\n\t \"type\": \"submit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))])], 1), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.error) + \"\\n \"), _c('i', {\n\t staticClass: \"icon-cancel\",\n\t on: {\n\t \"click\": _vm.clearError\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"attachments\"\n\t }, _vm._l((_vm.newStatus.files), function(file) {\n\t return _c('div', {\n\t staticClass: \"media-upload-wrapper\"\n\t }, [_c('i', {\n\t staticClass: \"fa icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.removeMediaFile(file)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-upload-container attachment\"\n\t }, [(_vm.type(file) === 'image') ? _c('img', {\n\t staticClass: \"thumbnail media-upload\",\n\t attrs: {\n\t \"src\": file.image\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n\t attrs: {\n\t \"href\": file.image\n\t }\n\t }, [_vm._v(_vm._s(file.url))]) : _vm._e()])])\n\t })), _vm._v(\" \"), (_vm.newStatus.files.length > 0) ? _c('div', {\n\t staticClass: \"upload_settings\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.nsfw),\n\t expression: \"newStatus.nsfw\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"filesSensitive\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newStatus.nsfw) ? _vm._i(_vm.newStatus.nsfw, null) > -1 : (_vm.newStatus.nsfw)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newStatus.nsfw,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.newStatus, \"nsfw\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.newStatus.nsfw) ? _c('label', {\n\t attrs: {\n\t \"for\": \"filesSensitive\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.attachments_sensitive')))]) : _c('label', {\n\t attrs: {\n\t \"for\": \"filesSensitive\"\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.$t('post_status.attachments_not_sensitive'))\n\t }\n\t })]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 537 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"nav-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('ul', [(_vm.currentUser) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/main/friends\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'mentions',\n\t params: {\n\t username: _vm.currentUser.screen_name\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.mentions\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/friend-requests\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.friend_requests\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/main/public\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.public_tl\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/main/all\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1)])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 538 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('conversation', {\n\t attrs: {\n\t \"collapsable\": false,\n\t \"statusoid\": _vm.statusoid\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 539 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.user_settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body profile-edit\"\n\t }, [_c('div', {\n\t staticClass: \"tab-switcher\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activateTab('profile')\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.profile_tab')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activateTab('security')\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.security_tab')))]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activateTab('data_import_export')\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.data_import_export_tab')))]) : _vm._e()]), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newname),\n\t expression: \"newname\"\n\t }],\n\t staticClass: \"name-changer\",\n\t attrs: {\n\t \"id\": \"username\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.newname)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.newname = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.bio')))]), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newbio),\n\t expression: \"newbio\"\n\t }],\n\t staticClass: \"bio\",\n\t domProps: {\n\t \"value\": (_vm.newbio)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.newbio = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newlocked),\n\t expression: \"newlocked\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-locked\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newlocked) ? _vm._i(_vm.newlocked, null) > -1 : (_vm.newlocked)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newlocked,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.newlocked = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.newlocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.newlocked = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-locked\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('label', {\n\t attrs: {\n\t \"for\": \"default-vis\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.default_vis')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"visibility-tray\",\n\t attrs: {\n\t \"id\": \"default-vis\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.newname.length <= 0\n\t },\n\t on: {\n\t \"click\": _vm.updateProfile\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))])]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.avatar')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_avatar')))]), _vm._v(\" \"), _c('img', {\n\t staticClass: \"old-avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url_original\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_avatar')))]), _vm._v(\" \"), (_vm.previews[0]) ? _c('img', {\n\t staticClass: \"new-avatar\",\n\t attrs: {\n\t \"src\": _vm.previews[0]\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t _vm.uploadFile(0, $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[0]) ? _c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t }) : (_vm.previews[0]) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.submitAvatar\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_banner')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_profile_banner')))]), _vm._v(\" \"), _c('img', {\n\t staticClass: \"banner\",\n\t attrs: {\n\t \"src\": _vm.user.cover_photo\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_banner')))]), _vm._v(\" \"), (_vm.previews[1]) ? _c('img', {\n\t staticClass: \"banner\",\n\t attrs: {\n\t \"src\": _vm.previews[1]\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t _vm.uploadFile(1, $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[1]) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.previews[1]) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.submitBanner\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_background')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_background')))]), _vm._v(\" \"), (_vm.previews[2]) ? _c('img', {\n\t staticClass: \"bg\",\n\t attrs: {\n\t \"src\": _vm.previews[2]\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t _vm.uploadFile(2, $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[2]) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.previews[2]) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.submitBg\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'security') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.changePasswordInputs[0]),\n\t expression: \"changePasswordInputs[0]\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.changePasswordInputs[0])\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.changePasswordInputs, 0, $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.new_password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.changePasswordInputs[1]),\n\t expression: \"changePasswordInputs[1]\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.changePasswordInputs[1])\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.changePasswordInputs, 1, $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.confirm_new_password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.changePasswordInputs[2]),\n\t expression: \"changePasswordInputs[2]\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.changePasswordInputs[2])\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.changePasswordInputs, 2, $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.changePassword\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.changedPassword) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.changed_password')))]) : (_vm.changePasswordError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.change_password_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.changePasswordError) ? _c('p', [_vm._v(_vm._s(_vm.changePasswordError))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.pleromaBackend && _vm.activeTab == 'data_import_export') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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('form', {\n\t model: {\n\t value: (_vm.followImportForm),\n\t callback: function($$v) {\n\t _vm.followImportForm = $$v\n\t },\n\t expression: \"followImportForm\"\n\t }\n\t }, [_c('input', {\n\t ref: \"followlist\",\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": _vm.followListChange\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[3]) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.importFollows\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.followsImported) ? _c('div', [_c('i', {\n\t staticClass: \"icon-cross\",\n\t on: {\n\t \"click\": _vm.dismissImported\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follows_imported')))])]) : (_vm.followImportError) ? _c('div', [_c('i', {\n\t staticClass: \"icon-cross\",\n\t on: {\n\t \"click\": _vm.dismissImported\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follow_import_error')))])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.enableFollowsExport && _vm.activeTab == 'data_import_export') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.exportFollows\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.follow_export_button')))])]) : (_vm.activeTab == 'data_import_export') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export_processing')))])]) : _vm._e(), _vm._v(\" \"), _c('hr'), _vm._v(\" \"), (_vm.activeTab == 'security') ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _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', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.deleteAccountConfirmPasswordInput),\n\t expression: \"deleteAccountConfirmPasswordInput\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.deleteAccountConfirmPasswordInput)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.deleteAccountConfirmPasswordInput = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.deleteAccount\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.confirmDelete\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 540 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"still-image\",\n\t class: {\n\t animated: _vm.animated\n\t }\n\t }, [(_vm.animated) ? _c('canvas', {\n\t ref: \"canvas\"\n\t }) : _vm._e(), _vm._v(\" \"), _c('img', {\n\t ref: \"src\",\n\t attrs: {\n\t \"src\": _vm.src,\n\t \"referrerpolicy\": _vm.referrerpolicy\n\t },\n\t on: {\n\t \"load\": _vm.onLoad\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 541 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"card\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t }\n\t }, [_c('img', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _c('div', {\n\t staticClass: \"name-and-screen-name\"\n\t }, [(_vm.user.name_html) ? _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_c('span', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.name_html)\n\t }\n\t }), _vm._v(\" \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]) : _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('a', {\n\t attrs: {\n\t \"href\": _vm.user.statusnet_profile_url,\n\t \"target\": \"blank\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"user-screen-name\"\n\t }, [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))])])]), _vm._v(\" \"), (_vm.showApproval) ? _c('div', {\n\t staticClass: \"approval\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.approveUser\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('user_card.approve')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.denyUser\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('user_card.deny')))])]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 542 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.canDelete) ? _c('div', [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.deleteStatus()\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cancel delete-status\"\n\t })])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 543 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [_c('div', [_vm._v(_vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"style-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected),\n\t expression: \"selected\"\n\t }],\n\t staticClass: \"style-switcher\",\n\t attrs: {\n\t \"id\": \"style-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.availableStyles), function(style) {\n\t return _c('option', {\n\t style: ({\n\t backgroundColor: style[1],\n\t color: style[3]\n\t }),\n\t domProps: {\n\t \"value\": style\n\t }\n\t }, [_vm._v(_vm._s(style[0]))])\n\t })), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]), _vm._v(\" \"), _c('div', [_c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.exportCurrentTheme\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.export_theme')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.importTheme\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.import_theme')))]), _vm._v(\" \"), (_vm.invalidThemeImported) ? _c('p', {\n\t staticClass: \"import-warning\"\n\t }, [_vm._v(_vm._s(_vm.$t('settings.invalid_theme_imported')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-container\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"bgcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.background')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.bgColorLocal),\n\t expression: \"bgColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"bgcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.bgColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.bgColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.bgColorLocal),\n\t expression: \"bgColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"bgcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.bgColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.bgColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"fgcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.foreground')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnColorLocal),\n\t expression: \"btnColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"fgcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.btnColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnColorLocal),\n\t expression: \"btnColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"fgcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.btnColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"textcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.text')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.textColorLocal),\n\t expression: \"textColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"textcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.textColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.textColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.textColorLocal),\n\t expression: \"textColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"textcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.textColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.textColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"linkcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.links')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.linkColorLocal),\n\t expression: \"linkColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"linkcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.linkColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.linkColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.linkColorLocal),\n\t expression: \"linkColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"linkcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.linkColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.linkColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"redcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cRed')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.redColorLocal),\n\t expression: \"redColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"redcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.redColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.redColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.redColorLocal),\n\t expression: \"redColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"redcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.redColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.redColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"bluecolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cBlue')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.blueColorLocal),\n\t expression: \"blueColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"bluecolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.blueColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.blueColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.blueColorLocal),\n\t expression: \"blueColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"bluecolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.blueColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.blueColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"greencolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cGreen')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.greenColorLocal),\n\t expression: \"greenColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"greencolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.greenColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.greenColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.greenColorLocal),\n\t expression: \"greenColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"greencolor-t\",\n\t \"type\": \"green\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.greenColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.greenColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"orangecolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cOrange')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.orangeColorLocal),\n\t expression: \"orangeColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"orangecolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.orangeColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.orangeColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.orangeColorLocal),\n\t expression: \"orangeColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"orangecolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.orangeColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.orangeColorLocal = $event.target.value\n\t }\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-container\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"btnradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.btnRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnRadiusLocal),\n\t expression: \"btnRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"btnradius\",\n\t \"type\": \"range\",\n\t \"max\": \"16\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.btnRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnRadiusLocal),\n\t expression: \"btnRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"btnradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.btnRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"inputradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.inputRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.inputRadiusLocal),\n\t expression: \"inputRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"inputradius\",\n\t \"type\": \"range\",\n\t \"max\": \"16\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.inputRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.inputRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.inputRadiusLocal),\n\t expression: \"inputRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"inputradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.inputRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.inputRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"panelradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.panelRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.panelRadiusLocal),\n\t expression: \"panelRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"panelradius\",\n\t \"type\": \"range\",\n\t \"max\": \"50\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.panelRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.panelRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.panelRadiusLocal),\n\t expression: \"panelRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"panelradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.panelRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.panelRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"avatarradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.avatarRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarRadiusLocal),\n\t expression: \"avatarRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"avatarradius\",\n\t \"type\": \"range\",\n\t \"max\": \"28\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.avatarRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarRadiusLocal),\n\t expression: \"avatarRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"avatarradius-t\",\n\t \"type\": \"green\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.avatarRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"avataraltradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.avatarAltRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarAltRadiusLocal),\n\t expression: \"avatarAltRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"avataraltradius\",\n\t \"type\": \"range\",\n\t \"max\": \"28\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarAltRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.avatarAltRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarAltRadiusLocal),\n\t expression: \"avatarAltRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"avataraltradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarAltRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.avatarAltRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"attachmentradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.attachmentRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.attachmentRadiusLocal),\n\t expression: \"attachmentRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"attachmentrradius\",\n\t \"type\": \"range\",\n\t \"max\": \"50\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.attachmentRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.attachmentRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.attachmentRadiusLocal),\n\t expression: \"attachmentRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"attachmentradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.attachmentRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.attachmentRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"tooltipradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.tooltipRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.tooltipRadiusLocal),\n\t expression: \"tooltipRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"tooltipradius\",\n\t \"type\": \"range\",\n\t \"max\": \"20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.tooltipRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.tooltipRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.tooltipRadiusLocal),\n\t expression: \"tooltipRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"tooltipradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.tooltipRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.tooltipRadiusLocal = $event.target.value\n\t }\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t style: ({\n\t '--btnRadius': _vm.btnRadiusLocal + 'px',\n\t '--inputRadius': _vm.inputRadiusLocal + 'px',\n\t '--panelRadius': _vm.panelRadiusLocal + 'px',\n\t '--avatarRadius': _vm.avatarRadiusLocal + 'px',\n\t '--avatarAltRadius': _vm.avatarAltRadiusLocal + 'px',\n\t '--tooltipRadius': _vm.tooltipRadiusLocal + 'px',\n\t '--attachmentRadius': _vm.attachmentRadiusLocal + 'px'\n\t })\n\t }, [_c('div', {\n\t staticClass: \"panel dummy\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\",\n\t style: ({\n\t 'background-color': _vm.btnColorLocal,\n\t 'color': _vm.textColorLocal\n\t })\n\t }, [_vm._v(\"Preview\")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body theme-preview-content\",\n\t style: ({\n\t 'background-color': _vm.bgColorLocal,\n\t 'color': _vm.textColorLocal\n\t })\n\t }, [_c('div', {\n\t staticClass: \"avatar\",\n\t style: ({\n\t 'border-radius': _vm.avatarRadiusLocal + 'px'\n\t })\n\t }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('h4', [_vm._v(\"Content\")]), _vm._v(\" \"), _c('br'), _vm._v(\"\\n A bunch of more content and\\n \"), _c('a', {\n\t style: ({\n\t color: _vm.linkColorLocal\n\t })\n\t }, [_vm._v(\"a nice lil' link\")]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-reply\",\n\t style: ({\n\t color: _vm.blueColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-retweet\",\n\t style: ({\n\t color: _vm.greenColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-cancel\",\n\t style: ({\n\t color: _vm.redColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-star\",\n\t style: ({\n\t color: _vm.orangeColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t style: ({\n\t 'background-color': _vm.btnColorLocal,\n\t 'color': _vm.textColorLocal\n\t })\n\t }, [_vm._v(\"Button\")])])])]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.setCustomTheme\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.apply')))])])\n\t},staticRenderFns: []}\n\n/***/ })\n]);\n\n\n// WEBPACK FOOTER //\n// static/js/app.d3eba781c5f30aabbb47.js","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport Vuex from 'vuex'\nimport App from './App.vue'\nimport 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 ConversationPage from './components/conversation-page/conversation-page.vue'\nimport Mentions from './components/mentions/mentions.vue'\nimport UserProfile from './components/user_profile/user_profile.vue'\nimport Settings from './components/settings/settings.vue'\nimport Registration from './components/registration/registration.vue'\nimport UserSettings from './components/user_settings/user_settings.vue'\nimport FollowRequests from './components/follow_requests/follow_requests.vue'\n\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'\n\nimport VueTimeago from 'vue-timeago'\nimport VueI18n from 'vue-i18n'\n\nimport createPersistedState from './lib/persisted_state.js'\n\nimport messages from './i18n/messages.js'\n\nimport VueChatScroll from 'vue-chat-scroll'\n\nconst currentLocale = (window.navigator.language || 'en').split('-')[0]\n\nVue.use(Vuex)\nVue.use(VueRouter)\nVue.use(VueTimeago, {\n locale: currentLocale === 'ja' ? 'ja' : 'en',\n locales: {\n 'en': require('../static/timeago-en.json'),\n 'ja': require('../static/timeago-ja.json')\n }\n})\nVue.use(VueI18n)\nVue.use(VueChatScroll)\n\nconst persistedStateOptions = {\n paths: [\n 'config.collapseMessageWithSubject',\n 'config.hideAttachments',\n 'config.hideAttachmentsInConv',\n 'config.hideNsfw',\n 'config.replyVisibility',\n 'config.autoLoad',\n 'config.hoverPreview',\n 'config.streaming',\n 'config.muteWords',\n 'config.customTheme',\n 'config.highlight',\n 'config.loopVideo',\n 'config.loopVideoSilentOnly',\n 'config.pauseOnUnfocused',\n 'config.stopGifs',\n 'config.interfaceLanguage',\n 'users.lastLoginName',\n 'statuses.notifications.maxSavedId'\n ]\n}\n\nconst store = new Vuex.Store({\n modules: {\n statuses: statusesModule,\n users: usersModule,\n api: apiModule,\n config: configModule,\n chat: chatModule\n },\n plugins: [createPersistedState(persistedStateOptions)],\n strict: false // Socket modifies itself, let's ignore this for now.\n // strict: process.env.NODE_ENV !== 'production'\n})\n\nconst i18n = new VueI18n({\n // By default, use the browser locale, we will update it if neccessary\n locale: currentLocale,\n fallbackLocale: 'en',\n messages\n})\n\nwindow.fetch('/api/statusnet/config.json')\n .then((res) => res.json())\n .then((data) => {\n const {name, closed: registrationClosed, textlimit, server} = data.site\n\n store.dispatch('setOption', { name: 'name', value: name })\n store.dispatch('setOption', { name: 'registrationOpen', value: (registrationClosed === '0') })\n store.dispatch('setOption', { name: 'textlimit', value: parseInt(textlimit) })\n store.dispatch('setOption', { name: 'server', value: server })\n\n var apiConfig = data.site.pleromafe\n\n window.fetch('/static/config.json')\n .then((res) => res.json())\n .then((data) => {\n var staticConfig = data\n\n var theme = (apiConfig.theme || staticConfig.theme)\n var background = (apiConfig.background || staticConfig.background)\n var logo = (apiConfig.logo || staticConfig.logo)\n var redirectRootNoLogin = (apiConfig.redirectRootNoLogin || staticConfig.redirectRootNoLogin)\n var redirectRootLogin = (apiConfig.redirectRootLogin || staticConfig.redirectRootLogin)\n var chatDisabled = (apiConfig.chatDisabled || staticConfig.chatDisabled)\n var showWhoToFollowPanel = (apiConfig.showWhoToFollowPanel || staticConfig.showWhoToFollowPanel)\n var whoToFollowProvider = (apiConfig.whoToFollowProvider || staticConfig.whoToFollowProvider)\n var whoToFollowLink = (apiConfig.whoToFollowLink || staticConfig.whoToFollowLink)\n var showInstanceSpecificPanel = (apiConfig.showInstanceSpecificPanel || staticConfig.showInstanceSpecificPanel)\n var scopeOptionsEnabled = (apiConfig.scopeOptionsEnabled || staticConfig.scopeOptionsEnabled)\n var collapseMessageWithSubject = (apiConfig.collapseMessageWithSubject || staticConfig.collapseMessageWithSubject)\n\n store.dispatch('setOption', { name: 'theme', value: theme })\n store.dispatch('setOption', { name: 'background', value: background })\n store.dispatch('setOption', { name: 'logo', value: logo })\n store.dispatch('setOption', { name: 'showWhoToFollowPanel', value: showWhoToFollowPanel })\n store.dispatch('setOption', { name: 'whoToFollowProvider', value: whoToFollowProvider })\n store.dispatch('setOption', { name: 'whoToFollowLink', value: whoToFollowLink })\n store.dispatch('setOption', { name: 'showInstanceSpecificPanel', value: showInstanceSpecificPanel })\n store.dispatch('setOption', { name: 'scopeOptionsEnabled', value: scopeOptionsEnabled })\n store.dispatch('setOption', { name: 'collapseMessageWithSubject', value: collapseMessageWithSubject })\n if (chatDisabled) {\n store.dispatch('disableChat')\n }\n\n const routes = [\n { name: 'root',\n path: '/',\n redirect: to => {\n return (store.state.users.currentUser ? redirectRootLogin : redirectRootNoLogin) || '/main/all'\n }},\n { path: '/main/all', component: PublicAndExternalTimeline },\n { path: '/main/public', component: PublicTimeline },\n { path: '/main/friends', component: FriendsTimeline },\n { path: '/tag/:tag', component: TagTimeline },\n { name: 'conversation', path: '/notice/:id', component: ConversationPage, meta: { dontScroll: true } },\n { name: 'user-profile', path: '/users/:id', component: UserProfile },\n { name: 'mentions', path: '/:username/mentions', component: Mentions },\n { name: 'settings', path: '/settings', component: Settings },\n { name: 'registration', path: '/registration', component: Registration },\n { name: 'registration', path: '/registration/:token', component: Registration },\n { name: 'friend-requests', path: '/friend-requests', component: FollowRequests },\n { name: 'user-settings', path: '/user-settings', component: UserSettings }\n ]\n\n const router = new VueRouter({\n mode: 'history',\n routes,\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 new Vue({\n router,\n store,\n i18n,\n el: '#app',\n render: h => h(App)\n })\n })\n })\n\nwindow.fetch('/static/terms-of-service.html')\n .then((res) => res.text())\n .then((html) => {\n store.dispatch('setOption', { name: 'tos', value: html })\n })\n\nwindow.fetch('/api/pleroma/emoji.json')\n .then(\n (res) => res.json()\n .then(\n (values) => {\n const emoji = Object.keys(values).map((key) => {\n return { shortcode: key, image_url: values[key] }\n })\n store.dispatch('setOption', { name: 'customEmoji', value: emoji })\n store.dispatch('setOption', { name: 'pleromaBackend', value: true })\n },\n (failure) => {\n store.dispatch('setOption', { name: 'pleromaBackend', value: false })\n }\n ),\n (error) => console.log(error)\n )\n\nwindow.fetch('/static/emoji.json')\n .then((res) => res.json())\n .then((values) => {\n const emoji = Object.keys(values).map((key) => {\n return { shortcode: key, image_url: false, 'utf': values[key] }\n })\n store.dispatch('setOption', { name: 'emoji', value: emoji })\n })\n\nwindow.fetch('/instance/panel.html')\n .then((res) => res.text())\n .then((html) => {\n store.dispatch('setOption', { name: 'instanceSpecificPanelContent', value: html })\n })\n\nwindow.fetch('/nodeinfo/2.0.json')\n .then((res) => res.json())\n .then((data) => {\n const suggestions = data.metadata.suggestions\n store.dispatch('setOption', { name: 'suggestionsEnabled', value: suggestions.enabled })\n store.dispatch('setOption', { name: 'suggestionsWeb', value: suggestions.web })\n })\n\n\n\n// WEBPACK FOOTER //\n// ./src/main.js","/* eslint-env browser */\nconst LOGIN_URL = '/api/account/verify_credentials.json'\nconst FRIENDS_TIMELINE_URL = '/api/statuses/friends_timeline.json'\nconst ALL_FOLLOWING_URL = '/api/qvitter/allfollowing'\nconst PUBLIC_TIMELINE_URL = '/api/statuses/public_timeline.json'\nconst PUBLIC_AND_EXTERNAL_TIMELINE_URL = '/api/statuses/public_and_external_timeline.json'\nconst TAG_TIMELINE_URL = '/api/statusnet/tags/timeline'\nconst FAVORITE_URL = '/api/favorites/create'\nconst UNFAVORITE_URL = '/api/favorites/destroy'\nconst RETWEET_URL = '/api/statuses/retweet'\nconst UNRETWEET_URL = '/api/statuses/unretweet'\nconst STATUS_UPDATE_URL = '/api/statuses/update.json'\nconst STATUS_DELETE_URL = '/api/statuses/destroy'\nconst STATUS_URL = '/api/statuses/show'\nconst MEDIA_UPLOAD_URL = '/api/statusnet/media/upload'\nconst CONVERSATION_URL = '/api/statusnet/conversation'\nconst MENTIONS_URL = '/api/statuses/mentions.json'\nconst FOLLOWERS_URL = '/api/statuses/followers.json'\nconst FRIENDS_URL = '/api/statuses/friends.json'\nconst FOLLOWING_URL = '/api/friendships/create.json'\nconst UNFOLLOWING_URL = '/api/friendships/destroy.json'\nconst QVITTER_USER_PREF_URL = '/api/qvitter/set_profile_pref.json'\nconst REGISTRATION_URL = '/api/account/register.json'\nconst AVATAR_UPDATE_URL = '/api/qvitter/update_avatar.json'\nconst BG_UPDATE_URL = '/api/qvitter/update_background_image.json'\nconst BANNER_UPDATE_URL = '/api/account/update_profile_banner.json'\nconst PROFILE_UPDATE_URL = '/api/account/update_profile.json'\nconst EXTERNAL_PROFILE_URL = '/api/externalprofile/show.json'\nconst QVITTER_USER_TIMELINE_URL = '/api/qvitter/statuses/user_timeline.json'\nconst QVITTER_USER_NOTIFICATIONS_URL = '/api/qvitter/statuses/notifications.json'\nconst BLOCKING_URL = '/api/blocks/create.json'\nconst UNBLOCKING_URL = '/api/blocks/destroy.json'\nconst USER_URL = '/api/users/show.json'\nconst FOLLOW_IMPORT_URL = '/api/pleroma/follow_import'\nconst DELETE_ACCOUNT_URL = '/api/pleroma/delete_account'\nconst CHANGE_PASSWORD_URL = '/api/pleroma/change_password'\nconst FOLLOW_REQUESTS_URL = '/api/pleroma/friend_requests'\nconst APPROVE_USER_URL = '/api/pleroma/friendships/approve'\nconst DENY_USER_URL = '/api/pleroma/friendships/deny'\nconst SUGGESTIONS_URL = '/api/v1/suggestions'\n\nimport { each, map } from 'lodash'\nimport 'whatwg-fetch'\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\n// from https://developer.mozilla.org/en-US/docs/Web/API/WindowBase64/Base64_encoding_and_decoding\nlet utoa = (str) => {\n // first we use encodeURIComponent to get percent-encoded UTF-8,\n // then we convert the percent encodings into raw bytes which\n // can be fed into btoa.\n return btoa(encodeURIComponent(str)\n .replace(/%([0-9A-F]{2})/g,\n (match, p1) => { return String.fromCharCode('0x' + p1) }))\n}\n\n// Params\n// cropH\n// cropW\n// cropX\n// cropY\n// img (base 64 encodend data url)\nconst updateAvatar = ({credentials, params}) => {\n let url = AVATAR_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst updateBg = ({credentials, params}) => {\n let url = BG_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\n// Params\n// height\n// width\n// offset_left\n// offset_top\n// banner (base 64 encodend data url)\nconst updateBanner = ({credentials, params}) => {\n let url = BANNER_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\n// Params\n// name\n// url\n// location\n// description\nconst updateProfile = ({credentials, params}) => {\n let url = PROFILE_UPDATE_URL\n\n console.log(params)\n\n const form = new FormData()\n\n each(params, (value, key) => {\n /* Always include description and locked, because it might be empty or false */\n if (key === 'description' || key === 'locked' || value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\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) => {\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n\n return fetch(REGISTRATION_URL, {\n method: 'POST',\n body: form\n })\n}\n\nconst authHeaders = (user) => {\n if (user && user.username && user.password) {\n return { 'Authorization': `Basic ${utoa(`${user.username}:${user.password}`)}` }\n } else {\n return { }\n }\n}\n\nconst externalProfile = ({profileUrl, credentials}) => {\n let url = `${EXTERNAL_PROFILE_URL}?profileurl=${profileUrl}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\n\nconst followUser = ({id, credentials}) => {\n let url = `${FOLLOWING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unfollowUser = ({id, credentials}) => {\n let url = `${UNFOLLOWING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst blockUser = ({id, credentials}) => {\n let url = `${BLOCKING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unblockUser = ({id, credentials}) => {\n let url = `${UNBLOCKING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst approveUser = ({id, credentials}) => {\n let url = `${APPROVE_USER_URL}?user_id=${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 = `${DENY_USER_URL}?user_id=${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 = `${USER_URL}?user_id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchFriends = ({id, credentials}) => {\n let url = `${FRIENDS_URL}?user_id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchFollowers = ({id, credentials}) => {\n let url = `${FOLLOWERS_URL}?user_id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchAllFollowing = ({username, credentials}) => {\n const url = `${ALL_FOLLOWING_URL}/${username}.json`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchFollowRequests = ({credentials}) => {\n const url = FOLLOW_REQUESTS_URL\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchConversation = ({id, credentials}) => {\n let url = `${CONVERSATION_URL}/${id}.json?count=100`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchStatus = ({id, credentials}) => {\n let url = `${STATUS_URL}/${id}.json`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst setUserMute = ({id, credentials, muted = true}) => {\n const form = new FormData()\n\n const muteInteger = muted ? 1 : 0\n\n form.append('namespace', 'qvitter')\n form.append('data', muteInteger)\n form.append('topic', `mute:${id}`)\n\n return fetch(QVITTER_USER_PREF_URL, {\n method: 'POST',\n headers: authHeaders(credentials),\n body: form\n })\n}\n\nconst fetchTimeline = ({timeline, credentials, since = false, until = false, userId = false, tag = false}) => {\n const timelineUrls = {\n public: PUBLIC_TIMELINE_URL,\n friends: FRIENDS_TIMELINE_URL,\n mentions: MENTIONS_URL,\n notifications: QVITTER_USER_NOTIFICATIONS_URL,\n 'publicAndExternal': PUBLIC_AND_EXTERNAL_TIMELINE_URL,\n user: QVITTER_USER_TIMELINE_URL,\n // separate timeline for own posts, so it won't break due to user timeline bugs\n // really needed only for broken favorites\n own: QVITTER_USER_TIMELINE_URL,\n tag: TAG_TIMELINE_URL\n }\n\n let url = timelineUrls[timeline]\n\n let params = []\n\n if (since) {\n params.push(['since_id', since])\n }\n if (until) {\n params.push(['max_id', until])\n }\n if (userId) {\n params.push(['user_id', userId])\n }\n if (tag) {\n url += `/${tag}.json`\n }\n\n params.push(['count', 20])\n\n const queryString = map(params, (param) => `${param[0]}=${param[1]}`).join('&')\n url += `?${queryString}`\n\n return fetch(url, { headers: authHeaders(credentials) }).then((data) => data.json())\n}\n\nconst verifyCredentials = (user) => {\n return fetch(LOGIN_URL, {\n method: 'POST',\n headers: authHeaders(user)\n })\n}\n\nconst favorite = ({ id, credentials }) => {\n return fetch(`${FAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unfavorite = ({ id, credentials }) => {\n return fetch(`${UNFAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst retweet = ({ id, credentials }) => {\n return fetch(`${RETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unretweet = ({ id, credentials }) => {\n return fetch(`${UNRETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst postStatus = ({credentials, status, spoilerText, visibility, sensitive, mediaIds, inReplyToStatusId}) => {\n const idsText = mediaIds.join(',')\n const form = new FormData()\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 form.append('media_ids', idsText)\n if (inReplyToStatusId) {\n form.append('in_reply_to_status_id', inReplyToStatusId)\n }\n\n return fetch(STATUS_UPDATE_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n}\n\nconst deleteStatus = ({ id, credentials }) => {\n return fetch(`${STATUS_DELETE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst uploadMedia = ({formData, credentials}) => {\n return fetch(MEDIA_UPLOAD_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.text())\n .then((text) => (new DOMParser()).parseFromString(text, 'application/xml'))\n}\n\nconst followImport = ({params, credentials}) => {\n return fetch(FOLLOW_IMPORT_URL, {\n body: params,\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 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 fetchMutes = ({credentials}) => {\n const url = '/api/qvitter/mutes.json'\n\n return fetch(url, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst suggestions = ({credentials}) => {\n return fetch(SUGGESTIONS_URL, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst apiService = {\n verifyCredentials,\n fetchTimeline,\n fetchConversation,\n fetchStatus,\n fetchFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n blockUser,\n unblockUser,\n fetchUser,\n favorite,\n unfavorite,\n retweet,\n unretweet,\n postStatus,\n deleteStatus,\n uploadMedia,\n fetchAllFollowing,\n setUserMute,\n fetchMutes,\n register,\n updateAvatar,\n updateBg,\n updateProfile,\n updateBanner,\n externalProfile,\n followImport,\n deleteAccount,\n changePassword,\n fetchFollowRequests,\n approveUser,\n denyUser,\n suggestions\n}\n\nexport default apiService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/api/api.service.js","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-a0d07d3e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./timeline.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-a0d07d3e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/timeline/timeline.vue\n// module id = 30\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-306f3a3f\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_card_content.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_card_content.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-306f3a3f\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_card_content.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_card_content/user_card_content.vue\n// module id = 46\n// module chunks = 2","import { map } from 'lodash'\n\nconst rgb2hex = (r, g, b) => {\n [r, g, b] = map([r, g, b], (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\nconst 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\nconst rgbstr2hex = (rgb) => {\n if (rgb[0] === '#') {\n return rgb\n }\n rgb = rgb.match(/\\d+/g)\n return `#${((Number(rgb[0]) << 16) + (Number(rgb[1]) << 8) + Number(rgb[2])).toString(16)}`\n}\n\nexport {\n rgb2hex,\n hex2rgb,\n rgbstr2hex\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/color_convert/color_convert.js","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-4f2b1e7e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./status.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4f2b1e7e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/status/status.vue\n// module id = 66\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-d808ac22\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./still-image.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./still-image.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d808ac22\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./still-image.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/still-image/still-image.vue\n// module id = 67\n// module chunks = 2","const de = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Lokaler Chat',\n timeline: 'Zeitleiste',\n mentions: 'Erwähnungen',\n public_tl: 'Lokale Zeitleiste',\n twkn: 'Das gesamte Netzwerk'\n },\n user_card: {\n follows_you: 'Folgt dir!',\n following: 'Folgst du!',\n follow: 'Folgen',\n blocked: 'Blockiert!',\n block: 'Blockieren',\n statuses: 'Beiträge',\n mute: 'Stummschalten',\n muted: 'Stummgeschaltet',\n followers: 'Folgende',\n followees: 'Folgt',\n per_day: 'pro Tag',\n remote_follow: 'Remote Follow'\n },\n timeline: {\n show_new: 'Zeige Neuere',\n error_fetching: 'Fehler beim Laden',\n up_to_date: 'Aktuell',\n load_older: 'Lade ältere Beiträge',\n conversation: 'Unterhaltung',\n collapse: 'Einklappen',\n repeated: 'wiederholte'\n },\n settings: {\n user_settings: 'Benutzereinstellungen',\n name_bio: 'Name & Bio',\n name: 'Name',\n bio: 'Bio',\n avatar: 'Avatar',\n current_avatar: 'Dein derzeitiger Avatar',\n set_new_avatar: 'Setze neuen Avatar',\n profile_banner: 'Profil Banner',\n current_profile_banner: 'Dein derzeitiger Profil Banner',\n set_new_profile_banner: 'Setze neuen Profil Banner',\n profile_background: 'Profil Hintergrund',\n set_new_profile_background: 'Setze neuen Profil Hintergrund',\n settings: 'Einstellungen',\n theme: 'Farbschema',\n presets: 'Voreinstellungen',\n export_theme: 'Aktuelles Theme exportieren',\n import_theme: 'Gespeichertes Theme laden',\n invalid_theme_imported: 'Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.',\n theme_help: 'Benutze HTML Farbcodes (#rrggbb) um dein Farbschema anzupassen',\n radii_help: 'Kantenrundung (in Pixel) der Oberfläche anpassen',\n background: 'Hintergrund',\n foreground: 'Vordergrund',\n text: 'Text',\n links: 'Links',\n cBlue: 'Blau (Antworten, Folgt dir)',\n cRed: 'Rot (Abbrechen)',\n cOrange: 'Orange (Favorisieren)',\n cGreen: 'Grün (Retweet)',\n btnRadius: 'Buttons',\n inputRadius: 'Eingabefelder',\n panelRadius: 'Panel',\n avatarRadius: 'Avatare',\n avatarAltRadius: 'Avatare (Benachrichtigungen)',\n tooltipRadius: 'Tooltips/Warnungen',\n attachmentRadius: 'Anhänge',\n filtering: 'Filter',\n filtering_explanation: 'Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.',\n attachments: 'Anhänge',\n hide_attachments_in_tl: 'Anhänge in der Zeitleiste ausblenden',\n hide_attachments_in_convo: 'Anhänge in Unterhaltungen ausblenden',\n nsfw_clickthrough: 'Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind',\n stop_gifs: 'Play-on-hover GIFs',\n autoload: 'Aktiviere automatisches Laden von älteren Beiträgen beim scrollen',\n streaming: 'Aktiviere automatisches Laden (Streaming) von neuen Beiträgen',\n reply_link_preview: 'Aktiviere reply-link Vorschau bei Maus-Hover',\n follow_import: 'Folgeliste importieren',\n import_followers_from_a_csv_file: 'Importiere Kontakte, denen du folgen möchtest, aus einer CSV-Datei',\n follows_imported: 'Folgeliste importiert! Die Bearbeitung kann eine Zeit lang dauern.',\n follow_import_error: 'Fehler beim importieren der Folgeliste',\n delete_account: 'Account löschen',\n delete_account_description: 'Lösche deinen Account und alle deine Nachrichten dauerhaft.',\n delete_account_instructions: 'Tippe dein Passwort unten in das Feld ein um die Löschung deines Accounts zu bestätigen.',\n delete_account_error: 'Es ist ein Fehler beim löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.',\n follow_export: 'Folgeliste exportieren',\n follow_export_processing: 'In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.',\n follow_export_button: 'Liste (.csv) erstellen',\n change_password: 'Passwort ändern',\n current_password: 'Aktuelles Passwort',\n new_password: 'Neues Passwort',\n confirm_new_password: 'Neues Passwort bestätigen',\n changed_password: 'Passwort erfolgreich geändert!',\n change_password_error: 'Es gab ein Problem bei der Änderung des Passworts.'\n },\n notifications: {\n notifications: 'Benachrichtigungen',\n read: 'Gelesen!',\n followed_you: 'folgt dir',\n favorited_you: 'favorisierte deine Nachricht',\n repeated_you: 'wiederholte deine Nachricht'\n },\n login: {\n login: 'Anmelden',\n username: 'Benutzername',\n placeholder: 'z.B. lain',\n password: 'Passwort',\n register: 'Registrieren',\n logout: 'Abmelden'\n },\n registration: {\n registration: 'Registrierung',\n fullname: 'Angezeigter Name',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Passwort bestätigen'\n },\n post_status: {\n posting: 'Veröffentlichen',\n default: 'Sitze gerade im Hofbräuhaus.',\n account_not_locked_warning: 'Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.',\n account_not_locked_warning_link: 'gesperrt',\n direct_warning: 'Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.',\n scope: {\n public: 'Öffentlich - Beitrag an öffentliche Zeitleisten',\n unlisted: 'Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen',\n private: 'Nur Folgende - Beitrag nur an Folgende',\n direct: 'Direkt - Beitrag nur an erwähnte Profile'\n }\n },\n finder: {\n find_user: 'Finde Benutzer',\n error_fetching_user: 'Fehler beim Suchen des Benutzers'\n },\n general: {\n submit: 'Absenden',\n apply: 'Anwenden'\n },\n user_profile: {\n timeline_title: 'Beiträge'\n }\n}\n\nconst fi = {\n nav: {\n timeline: 'Aikajana',\n mentions: 'Maininnat',\n public_tl: 'Julkinen Aikajana',\n twkn: 'Koko Tunnettu Verkosto'\n },\n user_card: {\n follows_you: 'Seuraa sinua!',\n following: 'Seuraat!',\n follow: 'Seuraa',\n statuses: 'Viestit',\n mute: 'Hiljennä',\n muted: 'Hiljennetty',\n followers: 'Seuraajat',\n followees: 'Seuraa',\n per_day: 'päivässä'\n },\n timeline: {\n show_new: 'Näytä uudet',\n error_fetching: 'Virhe ladatessa viestejä',\n up_to_date: 'Ajantasalla',\n load_older: 'Lataa vanhempia viestejä',\n conversation: 'Keskustelu',\n collapse: 'Sulje',\n repeated: 'toisti'\n },\n settings: {\n user_settings: 'Käyttäjän asetukset',\n name_bio: 'Nimi ja kuvaus',\n name: 'Nimi',\n bio: 'Kuvaus',\n avatar: 'Profiilikuva',\n current_avatar: 'Nykyinen profiilikuvasi',\n set_new_avatar: 'Aseta uusi profiilikuva',\n profile_banner: 'Juliste',\n current_profile_banner: 'Nykyinen julisteesi',\n set_new_profile_banner: 'Aseta uusi juliste',\n profile_background: 'Taustakuva',\n set_new_profile_background: 'Aseta uusi taustakuva',\n settings: 'Asetukset',\n theme: 'Teema',\n presets: 'Valmiit teemat',\n theme_help: 'Käytä heksadesimaalivärejä muokataksesi väriteemaasi.',\n background: 'Tausta',\n foreground: 'Korostus',\n text: 'Teksti',\n links: 'Linkit',\n filtering: 'Suodatus',\n filtering_explanation: 'Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.',\n attachments: 'Liitteet',\n hide_attachments_in_tl: 'Piilota liitteet aikajanalla',\n hide_attachments_in_convo: 'Piilota liitteet keskusteluissa',\n nsfw_clickthrough: 'Piilota NSFW liitteet klikkauksen taakse.',\n autoload: 'Lataa vanhempia viestejä automaattisesti ruudun pohjalla',\n streaming: 'Näytä uudet viestit automaattisesti ollessasi ruudun huipulla',\n reply_link_preview: 'Keskusteluiden vastauslinkkien esikatselu'\n },\n notifications: {\n notifications: 'Ilmoitukset',\n read: 'Lue!',\n followed_you: 'seuraa sinua',\n favorited_you: 'tykkäsi viestistäsi',\n repeated_you: 'toisti viestisi'\n },\n login: {\n login: 'Kirjaudu sisään',\n username: 'Käyttäjänimi',\n placeholder: 'esim. lain',\n password: 'Salasana',\n register: 'Rekisteröidy',\n logout: 'Kirjaudu ulos'\n },\n registration: {\n registration: 'Rekisteröityminen',\n fullname: 'Koko nimi',\n email: 'Sähköposti',\n bio: 'Kuvaus',\n password_confirm: 'Salasanan vahvistaminen'\n },\n post_status: {\n posting: 'Lähetetään',\n default: 'Tulin juuri saunasta.'\n },\n finder: {\n find_user: 'Hae käyttäjä',\n error_fetching_user: 'Virhe hakiessa käyttäjää'\n },\n general: {\n submit: 'Lähetä',\n apply: 'Aseta'\n }\n}\n\nconst en = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Local Chat',\n timeline: 'Timeline',\n mentions: 'Mentions',\n public_tl: 'Public Timeline',\n twkn: 'The Whole Known Network',\n friend_requests: 'Follow Requests'\n },\n user_card: {\n follows_you: 'Follows you!',\n following: 'Following!',\n follow: 'Follow',\n blocked: 'Blocked!',\n block: 'Block',\n statuses: 'Statuses',\n mute: 'Mute',\n muted: 'Muted',\n followers: 'Followers',\n followees: 'Following',\n per_day: 'per day',\n remote_follow: 'Remote follow',\n approve: 'Approve',\n deny: 'Deny'\n },\n timeline: {\n show_new: 'Show new',\n error_fetching: 'Error fetching updates',\n up_to_date: 'Up-to-date',\n load_older: 'Load older statuses',\n conversation: 'Conversation',\n collapse: 'Collapse',\n repeated: 'repeated'\n },\n settings: {\n user_settings: 'User Settings',\n name_bio: 'Name & Bio',\n name: 'Name',\n bio: 'Bio',\n avatar: 'Avatar',\n current_avatar: 'Your current avatar',\n set_new_avatar: 'Set new avatar',\n profile_banner: 'Profile Banner',\n current_profile_banner: 'Your current profile banner',\n set_new_profile_banner: 'Set new profile banner',\n profile_background: 'Profile Background',\n set_new_profile_background: 'Set new profile background',\n settings: 'Settings',\n theme: 'Theme',\n presets: 'Presets',\n export_theme: 'Export current theme',\n import_theme: 'Load saved theme',\n theme_help: 'Use hex color codes (#rrggbb) to customize your color theme.',\n invalid_theme_imported: 'The selected file is not a supported Pleroma theme. No changes to your theme were made.',\n radii_help: 'Set up interface edge rounding (in pixels)',\n background: 'Background',\n foreground: 'Foreground',\n text: 'Text',\n links: 'Links',\n cBlue: 'Blue (Reply, follow)',\n cRed: 'Red (Cancel)',\n cOrange: 'Orange (Favorite)',\n cGreen: 'Green (Retweet)',\n btnRadius: 'Buttons',\n inputRadius: 'Input fields',\n panelRadius: 'Panels',\n avatarRadius: 'Avatars',\n avatarAltRadius: 'Avatars (Notifications)',\n tooltipRadius: 'Tooltips/alerts',\n attachmentRadius: 'Attachments',\n filtering: 'Filtering',\n filtering_explanation: 'All statuses containing these words will be muted, one per line',\n attachments: 'Attachments',\n hide_attachments_in_tl: 'Hide attachments in timeline',\n hide_attachments_in_convo: 'Hide attachments in conversations',\n nsfw_clickthrough: 'Enable clickthrough NSFW attachment hiding',\n collapse_subject: 'Collapse posts with subjects',\n stop_gifs: 'Play-on-hover GIFs',\n autoload: 'Enable automatic loading when scrolled to the bottom',\n streaming: 'Enable automatic streaming of new posts when scrolled to the top',\n pause_on_unfocused: 'Pause streaming when tab is not focused',\n loop_video: 'Loop videos',\n loop_video_silent_only: 'Loop only videos without sound (i.e. Mastodon\\'s \"gifs\")',\n reply_link_preview: 'Enable reply-link preview on mouse hover',\n reply_visibility_all: 'Show all replies',\n reply_visibility_following: 'Only show replies directed at me or users I\\'m following',\n reply_visibility_self: 'Only show replies directed at me',\n follow_import: 'Follow import',\n import_followers_from_a_csv_file: 'Import follows from a csv file',\n follows_imported: 'Follows imported! Processing them will take a while.',\n follow_import_error: 'Error importing followers',\n delete_account: 'Delete Account',\n delete_account_description: 'Permanently delete your account and all your messages.',\n delete_account_instructions: 'Type your password in the input below to confirm account deletion.',\n delete_account_error: 'There was an issue deleting your account. If this persists please contact your instance administrator.',\n follow_export: 'Follow export',\n follow_export_processing: 'Processing, you\\'ll soon be asked to download your file',\n follow_export_button: 'Export your follows to a csv file',\n change_password: 'Change Password',\n current_password: 'Current password',\n new_password: 'New password',\n confirm_new_password: 'Confirm new password',\n changed_password: 'Password changed successfully!',\n change_password_error: 'There was an issue changing your password.',\n lock_account_description: 'Restrict your account to approved followers only',\n limited_availability: 'Unavailable in your browser',\n default_vis: 'Default visibility scope',\n profile_tab: 'Profile',\n security_tab: 'Security',\n data_import_export_tab: 'Data Import / Export',\n interfaceLanguage: 'Interface language'\n },\n notifications: {\n notifications: 'Notifications',\n read: 'Read!',\n followed_you: 'followed you',\n favorited_you: 'favorited your status',\n repeated_you: 'repeated your status',\n broken_favorite: 'Unknown status, searching for it...',\n load_older: 'Load older notifications'\n },\n login: {\n login: 'Log in',\n username: 'Username',\n placeholder: 'e.g. lain',\n password: 'Password',\n register: 'Register',\n logout: 'Log out'\n },\n registration: {\n registration: 'Registration',\n fullname: 'Display name',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Password confirmation',\n token: 'Invite token'\n },\n post_status: {\n posting: 'Posting',\n content_warning: 'Subject (optional)',\n default: 'Just landed in L.A.',\n account_not_locked_warning: 'Your account is not {0}. Anyone can follow you to view your follower-only posts.',\n account_not_locked_warning_link: 'locked',\n direct_warning: 'This post will only be visible to all the mentioned users.',\n attachments_sensitive: 'Attachments marked sensitive',\n attachments_not_sensitive: 'Attachments not marked sensitive',\n scope: {\n public: 'Public - Post to public timelines',\n unlisted: 'Unlisted - Do not post to public timelines',\n private: 'Followers-only - Post to followers only',\n direct: 'Direct - Post to mentioned users only'\n }\n },\n finder: {\n find_user: 'Find user',\n error_fetching_user: 'Error fetching user'\n },\n general: {\n submit: 'Submit',\n apply: 'Apply'\n },\n user_profile: {\n timeline_title: 'User Timeline'\n },\n who_to_follow: {\n who_to_follow: 'Who to follow',\n more: 'More'\n }\n}\n\nconst eo = {\n chat: {\n title: 'Babilo'\n },\n nav: {\n chat: 'Loka babilo',\n timeline: 'Tempovido',\n mentions: 'Mencioj',\n public_tl: 'Publika tempovido',\n twkn: 'Tuta konata reto'\n },\n user_card: {\n follows_you: 'Abonas vin!',\n following: 'Abonanta!',\n follow: 'Aboni',\n blocked: 'Barita!',\n block: 'Bari',\n statuses: 'Statoj',\n mute: 'Silentigi',\n muted: 'Silentigita',\n followers: 'Abonantoj',\n followees: 'Abonatoj',\n per_day: 'tage',\n remote_follow: 'Fora abono'\n },\n timeline: {\n show_new: 'Montri novajn',\n error_fetching: 'Eraro ĝisdatigante',\n up_to_date: 'Ĝisdata',\n load_older: 'Enlegi pli malnovajn statojn',\n conversation: 'Interparolo',\n collapse: 'Maletendi',\n repeated: 'ripetata'\n },\n settings: {\n user_settings: 'Uzulaj agordoj',\n name_bio: 'Nomo kaj prio',\n name: 'Nomo',\n bio: 'Prio',\n avatar: 'Profilbildo',\n current_avatar: 'Via nuna profilbildo',\n set_new_avatar: 'Agordi novan profilbildon',\n profile_banner: 'Profila rubando',\n current_profile_banner: 'Via nuna profila rubando',\n set_new_profile_banner: 'Agordi novan profilan rubandon',\n profile_background: 'Profila fono',\n set_new_profile_background: 'Agordi novan profilan fonon',\n settings: 'Agordoj',\n theme: 'Haŭto',\n presets: 'Antaŭmetaĵoj',\n theme_help: 'Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran haŭton.',\n radii_help: 'Agordi fasadan rondigon de randoj (rastrumere)',\n background: 'Fono',\n foreground: 'Malfono',\n text: 'Teksto',\n links: 'Ligiloj',\n cBlue: 'Blua (Respondo, abono)',\n cRed: 'Ruĝa (Nuligo)',\n cOrange: 'Orange (Ŝato)',\n cGreen: 'Verda (Kunhavigo)',\n btnRadius: 'Butonoj',\n panelRadius: 'Paneloj',\n avatarRadius: 'Profilbildoj',\n avatarAltRadius: 'Profilbildoj (Sciigoj)',\n tooltipRadius: 'Ŝpruchelpiloj/avertoj',\n attachmentRadius: 'Kunsendaĵoj',\n filtering: 'Filtrado',\n filtering_explanation: 'Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie',\n attachments: 'Kunsendaĵoj',\n hide_attachments_in_tl: 'Kaŝi kunsendaĵojn en tempovido',\n hide_attachments_in_convo: 'Kaŝi kunsendaĵojn en interparoloj',\n nsfw_clickthrough: 'Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj',\n stop_gifs: 'Movi GIF-bildojn dum ŝvebo',\n autoload: 'Ŝalti memfaran enlegadon ĉe subo de paĝo',\n streaming: 'Ŝalti memfaran fluigon de novaj afiŝoj ĉe supro de paĝo',\n reply_link_preview: 'Ŝalti respond-ligilan antaŭvidon dum ŝvebo',\n follow_import: 'Abona enporto',\n import_followers_from_a_csv_file: 'Enporti abonojn de CSV-dosiero',\n follows_imported: 'Abonoj enportiĝis! Traktado daŭros iom.',\n follow_import_error: 'Eraro enportante abonojn'\n },\n notifications: {\n notifications: 'Sciigoj',\n read: 'Legita!',\n followed_you: 'ekabonis vin',\n favorited_you: 'ŝatis vian staton',\n repeated_you: 'ripetis vian staton'\n },\n login: {\n login: 'Saluti',\n username: 'Salutnomo',\n placeholder: 'ekz. lain',\n password: 'Pasvorto',\n register: 'Registriĝi',\n logout: 'Adiaŭi'\n },\n registration: {\n registration: 'Registriĝo',\n fullname: 'Vidiga nomo',\n email: 'Retpoŝtadreso',\n bio: 'Prio',\n password_confirm: 'Konfirmo de pasvorto'\n },\n post_status: {\n posting: 'Afiŝanta',\n default: 'Ĵus alvenis la universalan kongreson!'\n },\n finder: {\n find_user: 'Trovi uzulon',\n error_fetching_user: 'Eraro alportante uzulon'\n },\n general: {\n submit: 'Sendi',\n apply: 'Apliki'\n },\n user_profile: {\n timeline_title: 'Uzula tempovido'\n }\n}\n\nconst et = {\n nav: {\n timeline: 'Ajajoon',\n mentions: 'Mainimised',\n public_tl: 'Avalik Ajajoon',\n twkn: 'Kogu Teadaolev Võrgustik'\n },\n user_card: {\n follows_you: 'Jälgib sind!',\n following: 'Jälgin!',\n follow: 'Jälgi',\n blocked: 'Blokeeritud!',\n block: 'Blokeeri',\n statuses: 'Staatuseid',\n mute: 'Vaigista',\n muted: 'Vaigistatud',\n followers: 'Jälgijaid',\n followees: 'Jälgitavaid',\n per_day: 'päevas'\n },\n timeline: {\n show_new: 'Näita uusi',\n error_fetching: 'Viga uuenduste laadimisel',\n up_to_date: 'Uuendatud',\n load_older: 'Kuva vanemaid staatuseid',\n conversation: 'Vestlus'\n },\n settings: {\n user_settings: 'Kasutaja sätted',\n name_bio: 'Nimi ja Bio',\n name: 'Nimi',\n bio: 'Bio',\n avatar: 'Profiilipilt',\n current_avatar: 'Sinu praegune profiilipilt',\n set_new_avatar: 'Vali uus profiilipilt',\n profile_banner: 'Profiilibänner',\n current_profile_banner: 'Praegune profiilibänner',\n set_new_profile_banner: 'Vali uus profiilibänner',\n profile_background: 'Profiilitaust',\n set_new_profile_background: 'Vali uus profiilitaust',\n settings: 'Sätted',\n theme: 'Teema',\n filtering: 'Sisu filtreerimine',\n filtering_explanation: 'Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.',\n attachments: 'Manused',\n hide_attachments_in_tl: 'Peida manused ajajoonel',\n hide_attachments_in_convo: 'Peida manused vastlustes',\n nsfw_clickthrough: 'Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha',\n autoload: 'Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud',\n reply_link_preview: 'Luba algpostituse kuvamine vastustes'\n },\n notifications: {\n notifications: 'Teavitused',\n read: 'Loe!',\n followed_you: 'alustas sinu jälgimist'\n },\n login: {\n login: 'Logi sisse',\n username: 'Kasutajanimi',\n placeholder: 'nt lain',\n password: 'Parool',\n register: 'Registreeru',\n logout: 'Logi välja'\n },\n registration: {\n registration: 'Registreerimine',\n fullname: 'Kuvatav nimi',\n email: 'E-post',\n bio: 'Bio',\n password_confirm: 'Parooli kinnitamine'\n },\n post_status: {\n posting: 'Postitan',\n default: 'Just sõitsin elektrirongiga Tallinnast Pääskülla.'\n },\n finder: {\n find_user: 'Otsi kasutajaid',\n error_fetching_user: 'Viga kasutaja leidmisel'\n },\n general: {\n submit: 'Postita'\n }\n}\n\nconst hu = {\n nav: {\n timeline: 'Idővonal',\n mentions: 'Említéseim',\n public_tl: 'Publikus Idővonal',\n twkn: 'Az Egész Ismert Hálózat'\n },\n user_card: {\n follows_you: 'Követ téged!',\n following: 'Követve!',\n follow: 'Követ',\n blocked: 'Letiltva!',\n block: 'Letilt',\n statuses: 'Állapotok',\n mute: 'Némít',\n muted: 'Némított',\n followers: 'Követők',\n followees: 'Követettek',\n per_day: 'naponta'\n },\n timeline: {\n show_new: 'Újak mutatása',\n error_fetching: 'Hiba a frissítések beszerzésénél',\n up_to_date: 'Naprakész',\n load_older: 'Régebbi állapotok betöltése',\n conversation: 'Társalgás'\n },\n settings: {\n user_settings: 'Felhasználói beállítások',\n name_bio: 'Név és Bio',\n name: 'Név',\n bio: 'Bio',\n avatar: 'Avatár',\n current_avatar: 'Jelenlegi avatár',\n set_new_avatar: 'Új avatár',\n profile_banner: 'Profil Banner',\n current_profile_banner: 'Jelenlegi profil banner',\n set_new_profile_banner: 'Új profil banner',\n profile_background: 'Profil háttérkép',\n set_new_profile_background: 'Új profil háttér beállítása',\n settings: 'Beállítások',\n theme: 'Téma',\n filtering: 'Szűrés',\n filtering_explanation: 'Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy',\n attachments: 'Csatolmányok',\n hide_attachments_in_tl: 'Csatolmányok elrejtése az idővonalon',\n hide_attachments_in_convo: 'Csatolmányok elrejtése a társalgásokban',\n nsfw_clickthrough: 'NSFW átkattintási tartalom elrejtésének engedélyezése',\n autoload: 'Autoatikus betöltés engedélyezése lap aljára görgetéskor',\n reply_link_preview: 'Válasz-link előzetes mutatása egér rátételkor'\n },\n notifications: {\n notifications: 'Értesítések',\n read: 'Olvasva!',\n followed_you: 'követ téged'\n },\n login: {\n login: 'Bejelentkezés',\n username: 'Felhasználó név',\n placeholder: 'e.g. lain',\n password: 'Jelszó',\n register: 'Feliratkozás',\n logout: 'Kijelentkezés'\n },\n registration: {\n registration: 'Feliratkozás',\n fullname: 'Teljes név',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Jelszó megerősítése'\n },\n post_status: {\n posting: 'Küldés folyamatban',\n default: 'Most érkeztem L.A.-be'\n },\n finder: {\n find_user: 'Felhasználó keresése',\n error_fetching_user: 'Hiba felhasználó beszerzésével'\n },\n general: {\n submit: 'Elküld'\n }\n}\n\nconst ro = {\n nav: {\n timeline: 'Cronologie',\n mentions: 'Menționări',\n public_tl: 'Cronologie Publică',\n twkn: 'Toată Reșeaua Cunoscută'\n },\n user_card: {\n follows_you: 'Te urmărește!',\n following: 'Urmărit!',\n follow: 'Urmărește',\n blocked: 'Blocat!',\n block: 'Blochează',\n statuses: 'Stări',\n mute: 'Pune pe mut',\n muted: 'Pus pe mut',\n followers: 'Următori',\n followees: 'Urmărește',\n per_day: 'pe zi'\n },\n timeline: {\n show_new: 'Arată cele noi',\n error_fetching: 'Erare la preluarea actualizărilor',\n up_to_date: 'La zi',\n load_older: 'Încarcă stări mai vechi',\n conversation: 'Conversație'\n },\n settings: {\n user_settings: 'Setările utilizatorului',\n name_bio: 'Nume și Bio',\n name: 'Nume',\n bio: 'Bio',\n avatar: 'Avatar',\n current_avatar: 'Avatarul curent',\n set_new_avatar: 'Setează avatar nou',\n profile_banner: 'Banner de profil',\n current_profile_banner: 'Bannerul curent al profilului',\n set_new_profile_banner: 'Setează banner nou la profil',\n profile_background: 'Fundalul de profil',\n set_new_profile_background: 'Setează fundal nou',\n settings: 'Setări',\n theme: 'Temă',\n filtering: 'Filtru',\n filtering_explanation: 'Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie',\n attachments: 'Atașamente',\n hide_attachments_in_tl: 'Ascunde atașamentele în cronologie',\n hide_attachments_in_convo: 'Ascunde atașamentele în conversații',\n nsfw_clickthrough: 'Permite ascunderea al atașamentelor NSFW',\n autoload: 'Permite încărcarea automată când scrolat la capăt',\n reply_link_preview: 'Permite previzualizarea linkului de răspuns la planarea de mouse'\n },\n notifications: {\n notifications: 'Notificări',\n read: 'Citit!',\n followed_you: 'te-a urmărit'\n },\n login: {\n login: 'Loghează',\n username: 'Nume utilizator',\n placeholder: 'd.e. lain',\n password: 'Parolă',\n register: 'Înregistrare',\n logout: 'Deloghează'\n },\n registration: {\n registration: 'Îregistrare',\n fullname: 'Numele întreg',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Cofirmă parola'\n },\n post_status: {\n posting: 'Postează',\n default: 'Nu de mult am aterizat în L.A.'\n },\n finder: {\n find_user: 'Găsește utilizator',\n error_fetching_user: 'Eroare la preluarea utilizatorului'\n },\n general: {\n submit: 'trimite'\n }\n}\n\nconst ja = {\n chat: {\n title: 'チャット'\n },\n nav: {\n chat: 'ローカルチャット',\n timeline: 'タイムライン',\n mentions: 'メンション',\n public_tl: 'パブリックタイムライン',\n twkn: 'つながっているすべてのネットワーク',\n friend_requests: 'Follow Requests'\n },\n user_card: {\n follows_you: 'フォローされました!',\n following: 'フォローしています!',\n follow: 'フォロー',\n blocked: 'ブロックしています!',\n block: 'ブロック',\n statuses: 'ステータス',\n mute: 'ミュート',\n muted: 'ミュートしています!',\n followers: 'フォロワー',\n followees: 'フォロー',\n per_day: '/日',\n remote_follow: 'リモートフォロー',\n approve: 'Approve',\n deny: 'Deny'\n },\n timeline: {\n show_new: 'よみこみ',\n error_fetching: 'よみこみがエラーになりました。',\n up_to_date: 'さいしん',\n load_older: 'ふるいステータス',\n conversation: 'スレッド',\n collapse: 'たたむ',\n repeated: 'リピート'\n },\n settings: {\n user_settings: 'ユーザーせってい',\n name_bio: 'なまえとプロフィール',\n name: 'なまえ',\n bio: 'プロフィール',\n avatar: 'アバター',\n current_avatar: 'いまのアバター',\n set_new_avatar: 'あたらしいアバターをせっていする',\n profile_banner: 'プロフィールバナー',\n current_profile_banner: 'いまのプロフィールバナー',\n set_new_profile_banner: 'あたらしいプロフィールバナーを設定する',\n profile_background: 'プロフィールのバックグラウンド',\n set_new_profile_background: 'あたらしいプロフィールのバックグラウンドをせっていする',\n settings: 'せってい',\n theme: 'テーマ',\n presets: 'プリセット',\n theme_help: 'カラーテーマをカスタマイズできます。',\n radii_help: 'インターフェースのまるさをせっていする。',\n background: 'バックグラウンド',\n foreground: 'フォアグラウンド',\n text: 'もじ',\n links: 'リンク',\n cBlue: 'あお (リプライ, フォロー)',\n cRed: 'あか (キャンセル)',\n cOrange: 'オレンジ (おきにいり)',\n cGreen: 'みどり (リピート)',\n btnRadius: 'ボタン',\n inputRadius: 'Input fields',\n panelRadius: 'パネル',\n avatarRadius: 'アバター',\n avatarAltRadius: 'アバター (つうち)',\n tooltipRadius: 'ツールチップ/アラート',\n attachmentRadius: 'ファイル',\n filtering: 'フィルタリング',\n filtering_explanation: 'これらのことばをふくむすべてのものがミュートされます。1行に1つのことばをかいてください。',\n attachments: 'ファイル',\n hide_attachments_in_tl: 'タイムラインのファイルをかくす。',\n hide_attachments_in_convo: 'スレッドのファイルをかくす。',\n nsfw_clickthrough: 'NSFWなファイルをかくす。',\n stop_gifs: 'カーソルをかさねたとき、GIFをうごかす。',\n autoload: 'したにスクロールしたとき、じどうてきによみこむ。',\n streaming: 'うえまでスクロールしたとき、じどうてきにストリーミングする。',\n reply_link_preview: 'カーソルをかさねたとき、リプライのプレビューをみる。',\n follow_import: 'フォローインポート',\n import_followers_from_a_csv_file: 'CSVファイルからフォローをインポートする。',\n follows_imported: 'フォローがインポートされました! すこしじかんがかかるかもしれません。',\n follow_import_error: 'フォローのインポートがエラーになりました。',\n delete_account: 'アカウントをけす',\n delete_account_description: 'あなたのアカウントとメッセージが、きえます。',\n delete_account_instructions: 'ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。',\n delete_account_error: 'アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。',\n follow_export: 'フォローのエクスポート',\n follow_export_processing: 'おまちください。まもなくファイルをダウンロードできます。',\n follow_export_button: 'エクスポート',\n change_password: 'パスワードをかえる',\n current_password: 'いまのパスワード',\n new_password: 'あたらしいパスワード',\n confirm_new_password: 'あたらしいパスワードのかくにん',\n changed_password: 'パスワードが、かわりました!',\n change_password_error: 'パスワードをかえることが、できなかったかもしれません。',\n lock_account_description: 'あなたがみとめたひとだけ、あなたのアカウントをフォローできます。'\n },\n notifications: {\n notifications: 'つうち',\n read: 'よんだ!',\n followed_you: 'フォローされました',\n favorited_you: 'あなたのステータスがおきにいりされました',\n repeated_you: 'あなたのステータスがリピートされました'\n },\n login: {\n login: 'ログイン',\n username: 'ユーザーめい',\n placeholder: 'れい: lain',\n password: 'パスワード',\n register: 'はじめる',\n logout: 'ログアウト'\n },\n registration: {\n registration: 'はじめる',\n fullname: 'スクリーンネーム',\n email: 'Eメール',\n bio: 'プロフィール',\n password_confirm: 'パスワードのかくにん'\n },\n post_status: {\n posting: 'とうこう',\n content_warning: 'せつめい (かかなくてもよい)',\n default: 'はねだくうこうに、つきました。',\n account_not_locked_warning: 'あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。',\n account_not_locked_warning_link: 'ロックされたアカウント',\n direct_warning: 'このステータスは、メンションされたユーザーだけが、よむことができます。',\n scope: {\n public: 'パブリック - パブリックタイムラインにとどきます。',\n unlisted: 'アンリステッド - パブリックタイムラインにとどきません。',\n private: 'フォロワーげんてい - フォロワーのみにとどきます。',\n direct: 'ダイレクト - メンションされたユーザーのみにとどきます。'\n }\n },\n finder: {\n find_user: 'ユーザーをさがす',\n error_fetching_user: 'ユーザーけんさくがエラーになりました。'\n },\n general: {\n submit: 'そうしん',\n apply: 'てきよう'\n },\n user_profile: {\n timeline_title: 'ユーザータイムライン'\n },\n who_to_follow: {\n who_to_follow: 'おすすめユーザー',\n more: 'くわしく'\n }\n}\n\nconst fr = {\n nav: {\n chat: 'Chat local',\n timeline: 'Journal',\n mentions: 'Notifications',\n public_tl: 'Statuts locaux',\n twkn: 'Le réseau connu'\n },\n user_card: {\n follows_you: 'Vous suit !',\n following: 'Suivi !',\n follow: 'Suivre',\n blocked: 'Bloqué',\n block: 'Bloquer',\n statuses: 'Statuts',\n mute: 'Masquer',\n muted: 'Masqué',\n followers: 'Vous suivent',\n followees: 'Suivis',\n per_day: 'par jour',\n remote_follow: 'Suivre d\\'une autre instance'\n },\n timeline: {\n show_new: 'Afficher plus',\n error_fetching: 'Erreur en cherchant les mises à jour',\n up_to_date: 'À jour',\n load_older: 'Afficher plus',\n conversation: 'Conversation',\n collapse: 'Fermer',\n repeated: 'a partagé'\n },\n settings: {\n user_settings: 'Paramètres utilisateur',\n name_bio: 'Nom & Bio',\n name: 'Nom',\n bio: 'Biographie',\n avatar: 'Avatar',\n current_avatar: 'Avatar actuel',\n set_new_avatar: 'Changer d\\'avatar',\n profile_banner: 'Bannière de profil',\n current_profile_banner: 'Bannière de profil actuelle',\n set_new_profile_banner: 'Changer de bannière',\n profile_background: 'Image de fond',\n set_new_profile_background: 'Changer d\\'image de fond',\n settings: 'Paramètres',\n theme: 'Thème',\n filtering: 'Filtre',\n filtering_explanation: 'Tous les statuts contenant ces mots seront masqués. Un mot par ligne.',\n attachments: 'Pièces jointes',\n hide_attachments_in_tl: 'Masquer les pièces jointes dans le journal',\n hide_attachments_in_convo: 'Masquer les pièces jointes dans les conversations',\n nsfw_clickthrough: 'Masquer les images marquées comme contenu adulte ou sensible',\n autoload: 'Charger la suite automatiquement une fois le bas de la page atteint',\n reply_link_preview: 'Afficher un aperçu lors du survol de liens vers une réponse',\n presets: 'Thèmes prédéfinis',\n theme_help: 'Spécifiez des codes couleur hexadécimaux (#aabbcc) pour personnaliser les couleurs du thème',\n background: 'Arrière-plan',\n foreground: 'Premier plan',\n text: 'Texte',\n links: 'Liens',\n streaming: 'Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page',\n follow_import: 'Importer des abonnements',\n import_followers_from_a_csv_file: 'Importer des abonnements depuis un fichier csv',\n follows_imported: 'Abonnements importés ! Le traitement peut prendre un moment.',\n follow_import_error: 'Erreur lors de l\\'importation des abonnements.',\n follow_export: 'Exporter les abonnements',\n follow_export_button: 'Exporter les abonnements en csv',\n follow_export_processing: 'Exportation en cours…',\n cBlue: 'Bleu (Répondre, suivre)',\n cRed: 'Rouge (Annuler)',\n cOrange: 'Orange (Aimer)',\n cGreen: 'Vert (Partager)',\n btnRadius: 'Boutons',\n panelRadius: 'Fenêtres',\n inputRadius: 'Champs de texte',\n avatarRadius: 'Avatars',\n avatarAltRadius: 'Avatars (Notifications)',\n tooltipRadius: 'Info-bulles/alertes ',\n attachmentRadius: 'Pièces jointes',\n radii_help: 'Vous pouvez ici choisir le niveau d\\'arrondi des angles de l\\'interface (en pixels)',\n stop_gifs: 'N\\'animer les GIFS que lors du survol du curseur de la souris',\n change_password: 'Modifier son mot de passe',\n current_password: 'Mot de passe actuel',\n new_password: 'Nouveau mot de passe',\n confirm_new_password: 'Confirmation du nouveau mot de passe',\n delete_account: 'Supprimer le compte',\n delete_account_description: 'Supprimer définitivement votre compte et tous vos statuts.',\n delete_account_instructions: 'Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.',\n delete_account_error: 'Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l\\'administrateur de cette instance.'\n },\n notifications: {\n notifications: 'Notifications',\n read: 'Lu !',\n followed_you: 'a commencé à vous suivre',\n favorited_you: 'a aimé votre statut',\n repeated_you: 'a partagé votre statut'\n },\n login: {\n login: 'Connexion',\n username: 'Identifiant',\n placeholder: 'p.e. lain',\n password: 'Mot de passe',\n register: 'S\\'inscrire',\n logout: 'Déconnexion'\n },\n registration: {\n registration: 'Inscription',\n fullname: 'Pseudonyme',\n email: 'Adresse email',\n bio: 'Biographie',\n password_confirm: 'Confirmation du mot de passe'\n },\n post_status: {\n posting: 'Envoi en cours',\n default: 'Écrivez ici votre prochain statut.',\n account_not_locked_warning: 'Votre compte n’est pas {0}. N’importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.',\n account_not_locked_warning_link: 'verrouillé',\n direct_warning: 'Ce message sera visible à toutes les personnes mentionnées.',\n scope: {\n public: 'Publique - Afficher dans les fils publics',\n unlisted: 'Non-Listé - Ne pas afficher dans les fils publics',\n private: 'Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets',\n direct: 'Direct - N’envoyer qu’aux personnes mentionnées'\n }\n },\n finder: {\n find_user: 'Chercher un utilisateur',\n error_fetching_user: 'Erreur lors de la recherche de l\\'utilisateur'\n },\n general: {\n submit: 'Envoyer',\n apply: 'Appliquer'\n },\n user_profile: {\n timeline_title: 'Journal de l\\'utilisateur'\n }\n}\n\nconst it = {\n nav: {\n timeline: 'Sequenza temporale',\n mentions: 'Menzioni',\n public_tl: 'Sequenza temporale pubblica',\n twkn: 'L\\'intiera rete conosciuta'\n },\n user_card: {\n follows_you: 'Ti segue!',\n following: 'Lo stai seguendo!',\n follow: 'Segui',\n statuses: 'Messaggi',\n mute: 'Ammutolisci',\n muted: 'Ammutoliti',\n followers: 'Chi ti segue',\n followees: 'Chi stai seguendo',\n per_day: 'al giorno'\n },\n timeline: {\n show_new: 'Mostra nuovi',\n error_fetching: 'Errori nel prelievo aggiornamenti',\n up_to_date: 'Aggiornato',\n load_older: 'Carica messaggi più vecchi'\n },\n settings: {\n user_settings: 'Configurazione dell\\'utente',\n name_bio: 'Nome & Introduzione',\n name: 'Nome',\n bio: 'Introduzione',\n avatar: 'Avatar',\n current_avatar: 'Il tuo attuale avatar',\n set_new_avatar: 'Scegli un nuovo avatar',\n profile_banner: 'Sfondo del tuo profilo',\n current_profile_banner: 'Sfondo attuale',\n set_new_profile_banner: 'Scegli un nuovo sfondo per il tuo profilo',\n profile_background: 'Sfondo della tua pagina',\n set_new_profile_background: 'Scegli un nuovo sfondo per la tua pagina',\n settings: 'Settaggi',\n theme: 'Tema',\n filtering: 'Filtri',\n filtering_explanation: 'Filtra via le notifiche che contengono le seguenti parole (inserisci rigo per rigo le parole di innesco)',\n attachments: 'Allegati',\n hide_attachments_in_tl: 'Nascondi gli allegati presenti nella sequenza temporale',\n hide_attachments_in_convo: 'Nascondi gli allegati presenti nelle conversazioni',\n nsfw_clickthrough: 'Abilita la trasparenza degli allegati NSFW',\n autoload: 'Abilita caricamento automatico quando si raggiunge il fondo schermo',\n reply_link_preview: 'Ability il reply-link preview al passaggio del mouse'\n },\n notifications: {\n notifications: 'Notifiche',\n read: 'Leggi!',\n followed_you: 'ti ha seguito'\n },\n general: {\n submit: 'Invia'\n }\n}\n\nconst oc = {\n chat: {\n title: 'Messatjariá'\n },\n nav: {\n chat: 'Chat local',\n timeline: 'Flux d’actualitat',\n mentions: 'Notificacions',\n public_tl: 'Estatuts locals',\n twkn: 'Lo malhum conegut'\n },\n user_card: {\n follows_you: 'Vos sèc !',\n following: 'Seguit !',\n follow: 'Seguir',\n blocked: 'Blocat',\n block: 'Blocar',\n statuses: 'Estatuts',\n mute: 'Amagar',\n muted: 'Amagat',\n followers: 'Seguidors',\n followees: 'Abonaments',\n per_day: 'per jorn',\n remote_follow: 'Seguir a distància'\n },\n timeline: {\n show_new: 'Ne veire mai',\n error_fetching: 'Error en cercant de mesas a jorn',\n up_to_date: 'A jorn',\n load_older: 'Ne veire mai',\n conversation: 'Conversacion',\n collapse: 'Tampar',\n repeated: 'repetit'\n },\n settings: {\n user_settings: 'Paramètres utilizaire',\n name_bio: 'Nom & Bio',\n name: 'Nom',\n bio: 'Biografia',\n avatar: 'Avatar',\n current_avatar: 'Vòstre avatar actual',\n set_new_avatar: 'Cambiar l’avatar',\n profile_banner: 'Bandièra del perfil',\n current_profile_banner: 'Bandièra actuala del perfil',\n set_new_profile_banner: 'Cambiar de bandièra',\n profile_background: 'Imatge de fons',\n set_new_profile_background: 'Cambiar l’imatge de fons',\n settings: 'Paramètres',\n theme: 'Tèma',\n presets: 'Pre-enregistrats',\n theme_help: 'Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.',\n radii_help: 'Configurar los caires arredondits de l’interfàcia (en pixèls)',\n background: 'Rèire plan',\n foreground: 'Endavant',\n text: 'Tèxte',\n links: 'Ligams',\n cBlue: 'Blau (Respondre, seguir)',\n cRed: 'Roge (Anullar)',\n cOrange: 'Irange (Metre en favorit)',\n cGreen: 'Verd (Repartajar)',\n inputRadius: 'Camps tèxte',\n btnRadius: 'Botons',\n panelRadius: 'Panèls',\n avatarRadius: 'Avatars',\n avatarAltRadius: 'Avatars (Notificacions)',\n tooltipRadius: 'Astúcias/Alèrta',\n attachmentRadius: 'Pèças juntas',\n filtering: 'Filtre',\n filtering_explanation: 'Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha.',\n attachments: 'Pèças juntas',\n hide_attachments_in_tl: 'Rescondre las pèças juntas',\n hide_attachments_in_convo: 'Rescondre las pèças juntas dins las conversacions',\n nsfw_clickthrough: 'Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles',\n stop_gifs: 'Lançar los GIFs al subrevòl',\n autoload: 'Activar lo cargament automatic un còp arribat al cap de la pagina',\n streaming: 'Activar lo cargament automatic dels novèls estatus en anar amont',\n reply_link_preview: 'Activar l’apercebut en passar la mirga',\n follow_import: 'Importar los abonaments',\n import_followers_from_a_csv_file: 'Importar los seguidors d’un fichièr csv',\n follows_imported: 'Seguidors importats. Lo tractament pòt trigar una estona.',\n follow_import_error: 'Error en important los seguidors'\n },\n notifications: {\n notifications: 'Notficacions',\n read: 'Legit !',\n followed_you: 'vos sèc',\n favorited_you: 'a aimat vòstre estatut',\n repeated_you: 'a repetit your vòstre estatut'\n },\n login: {\n login: 'Connexion',\n username: 'Nom d’utilizaire',\n placeholder: 'e.g. lain',\n password: 'Senhal',\n register: 'Se marcar',\n logout: 'Desconnexion'\n },\n registration: {\n registration: 'Inscripcion',\n fullname: 'Nom complèt',\n email: 'Adreça de corrièl',\n bio: 'Biografia',\n password_confirm: 'Confirmar lo senhal'\n },\n post_status: {\n posting: 'Mandadís',\n default: 'Escrivètz aquí vòstre estatut.'\n },\n finder: {\n find_user: 'Cercar un utilizaire',\n error_fetching_user: 'Error pendent la recèrca d’un utilizaire'\n },\n general: {\n submit: 'Mandar',\n apply: 'Aplicar'\n },\n user_profile: {\n timeline_title: 'Flux utilizaire'\n }\n}\n\nconst pl = {\n chat: {\n title: 'Czat'\n },\n nav: {\n chat: 'Lokalny czat',\n timeline: 'Oś czasu',\n mentions: 'Wzmianki',\n public_tl: 'Publiczna oś czasu',\n twkn: 'Cała znana sieć'\n },\n user_card: {\n follows_you: 'Obserwuje cię!',\n following: 'Obserwowany!',\n follow: 'Obserwuj',\n blocked: 'Zablokowany!',\n block: 'Zablokuj',\n statuses: 'Statusy',\n mute: 'Wycisz',\n muted: 'Wyciszony',\n followers: 'Obserwujący',\n followees: 'Obserwowani',\n per_day: 'dziennie',\n remote_follow: 'Zdalna obserwacja'\n },\n timeline: {\n show_new: 'Pokaż nowe',\n error_fetching: 'Błąd pobierania',\n up_to_date: 'Na bieżąco',\n load_older: 'Załaduj starsze statusy',\n conversation: 'Rozmowa',\n collapse: 'Zwiń',\n repeated: 'powtórzono'\n },\n settings: {\n user_settings: 'Ustawienia użytkownika',\n name_bio: 'Imię i bio',\n name: 'Imię',\n bio: 'Bio',\n avatar: 'Awatar',\n current_avatar: 'Twój obecny awatar',\n set_new_avatar: 'Ustaw nowy awatar',\n profile_banner: 'Banner profilu',\n current_profile_banner: 'Twój obecny banner profilu',\n set_new_profile_banner: 'Ustaw nowy banner profilu',\n profile_background: 'Tło profilu',\n set_new_profile_background: 'Ustaw nowe tło profilu',\n settings: 'Ustawienia',\n theme: 'Motyw',\n presets: 'Gotowe motywy',\n theme_help: 'Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.',\n radii_help: 'Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)',\n background: 'Tło',\n foreground: 'Pierwszy plan',\n text: 'Tekst',\n links: 'Łącza',\n cBlue: 'Niebieski (odpowiedz, obserwuj)',\n cRed: 'Czerwony (anuluj)',\n cOrange: 'Pomarańczowy (ulubione)',\n cGreen: 'Zielony (powtórzenia)',\n btnRadius: 'Przyciski',\n inputRadius: 'Pola tekstowe',\n panelRadius: 'Panele',\n avatarRadius: 'Awatary',\n avatarAltRadius: 'Awatary (powiadomienia)',\n tooltipRadius: 'Etykiety/alerty',\n attachmentRadius: 'Załączniki',\n filtering: 'Filtrowanie',\n filtering_explanation: 'Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.',\n attachments: 'Załączniki',\n hide_attachments_in_tl: 'Ukryj załączniki w osi czasu',\n hide_attachments_in_convo: 'Ukryj załączniki w rozmowach',\n nsfw_clickthrough: 'Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)',\n stop_gifs: 'Odtwarzaj GIFy po najechaniu kursorem',\n autoload: 'Włącz automatyczne ładowanie po przewinięciu do końca strony',\n streaming: 'Włącz automatycznie strumieniowanie nowych postów gdy na początku strony',\n reply_link_preview: 'Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi',\n follow_import: 'Import obserwowanych',\n import_followers_from_a_csv_file: 'Importuj obserwowanych z pliku CSV',\n follows_imported: 'Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.',\n follow_import_error: 'Błąd przy importowaniu obserwowanych',\n delete_account: 'Usuń konto',\n delete_account_description: 'Trwale usuń konto i wszystkie posty.',\n delete_account_instructions: 'Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.',\n delete_account_error: 'Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.',\n follow_export: 'Eksport obserwowanych',\n follow_export_processing: 'Przetwarzanie, wkrótce twój plik zacznie się ściągać.',\n follow_export_button: 'Eksportuj swoją listę obserwowanych do pliku CSV',\n change_password: 'Zmień hasło',\n current_password: 'Obecne hasło',\n new_password: 'Nowe hasło',\n confirm_new_password: 'Potwierdź nowe hasło',\n changed_password: 'Hasło zmienione poprawnie!',\n change_password_error: 'Podczas zmiany hasła wystąpił problem.'\n },\n notifications: {\n notifications: 'Powiadomienia',\n read: 'Przeczytane!',\n followed_you: 'obserwuje cię',\n favorited_you: 'dodał twój status do ulubionych',\n repeated_you: 'powtórzył twój status'\n },\n login: {\n login: 'Zaloguj',\n username: 'Użytkownik',\n placeholder: 'n.p. lain',\n password: 'Hasło',\n register: 'Zarejestruj',\n logout: 'Wyloguj'\n },\n registration: {\n registration: 'Rejestracja',\n fullname: 'Wyświetlana nazwa profilu',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Potwierdzenie hasła'\n },\n post_status: {\n posting: 'Wysyłanie',\n default: 'Właśnie wróciłem z kościoła'\n },\n finder: {\n find_user: 'Znajdź użytkownika',\n error_fetching_user: 'Błąd przy pobieraniu profilu'\n },\n general: {\n submit: 'Wyślij',\n apply: 'Zastosuj'\n },\n user_profile: {\n timeline_title: 'Oś czasu użytkownika'\n }\n}\n\nconst es = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Chat Local',\n timeline: 'Línea Temporal',\n mentions: 'Menciones',\n public_tl: 'Línea Temporal Pública',\n twkn: 'Toda La Red Conocida'\n },\n user_card: {\n follows_you: '¡Te sigue!',\n following: '¡Siguiendo!',\n follow: 'Seguir',\n blocked: '¡Bloqueado!',\n block: 'Bloquear',\n statuses: 'Estados',\n mute: 'Silenciar',\n muted: 'Silenciado',\n followers: 'Seguidores',\n followees: 'Siguiendo',\n per_day: 'por día',\n remote_follow: 'Seguir'\n },\n timeline: {\n show_new: 'Mostrar lo nuevo',\n error_fetching: 'Error al cargar las actualizaciones',\n up_to_date: 'Actualizado',\n load_older: 'Cargar actualizaciones anteriores',\n conversation: 'Conversación'\n },\n settings: {\n user_settings: 'Ajustes de Usuario',\n name_bio: 'Nombre y Biografía',\n name: 'Nombre',\n bio: 'Biografía',\n avatar: 'Avatar',\n current_avatar: 'Tu avatar actual',\n set_new_avatar: 'Cambiar avatar',\n profile_banner: 'Cabecera del perfil',\n current_profile_banner: 'Cabecera actual',\n set_new_profile_banner: 'Cambiar cabecera',\n profile_background: 'Fondo del Perfil',\n set_new_profile_background: 'Cambiar fondo del perfil',\n settings: 'Ajustes',\n theme: 'Tema',\n presets: 'Por defecto',\n theme_help: 'Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.',\n background: 'Segundo plano',\n foreground: 'Primer plano',\n text: 'Texto',\n links: 'Links',\n filtering: 'Filtros',\n filtering_explanation: 'Todos los estados que contengan estas palabras serán silenciados, una por línea',\n attachments: 'Adjuntos',\n hide_attachments_in_tl: 'Ocultar adjuntos en la línea temporal',\n hide_attachments_in_convo: 'Ocultar adjuntos en las conversaciones',\n nsfw_clickthrough: 'Activar el clic para ocultar los adjuntos NSFW',\n autoload: 'Activar carga automática al llegar al final de la página',\n streaming: 'Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior',\n reply_link_preview: 'Activar la previsualización del enlace de responder al pasar el ratón por encima',\n follow_import: 'Importar personas que tú sigues',\n import_followers_from_a_csv_file: 'Importar personas que tú sigues apartir de un archivo csv',\n follows_imported: '¡Importado! Procesarlos llevará tiempo.',\n follow_import_error: 'Error al importal el archivo'\n },\n notifications: {\n notifications: 'Notificaciones',\n read: '¡Leído!',\n followed_you: 'empezó a seguirte'\n },\n login: {\n login: 'Identificación',\n username: 'Usuario',\n placeholder: 'p.ej. lain',\n password: 'Contraseña',\n register: 'Registrar',\n logout: 'Salir'\n },\n registration: {\n registration: 'Registro',\n fullname: 'Nombre a mostrar',\n email: 'Correo electrónico',\n bio: 'Biografía',\n password_confirm: 'Confirmación de contraseña'\n },\n post_status: {\n posting: 'Publicando',\n default: 'Acabo de aterrizar en L.A.'\n },\n finder: {\n find_user: 'Encontrar usuario',\n error_fetching_user: 'Error al buscar usuario'\n },\n general: {\n submit: 'Enviar',\n apply: 'Aplicar'\n }\n}\n\nconst pt = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Chat Local',\n timeline: 'Linha do tempo',\n mentions: 'Menções',\n public_tl: 'Linha do tempo pública',\n twkn: 'Toda a rede conhecida'\n },\n user_card: {\n follows_you: 'Segue você!',\n following: 'Seguindo!',\n follow: 'Seguir',\n blocked: 'Bloqueado!',\n block: 'Bloquear',\n statuses: 'Postagens',\n mute: 'Silenciar',\n muted: 'Silenciado',\n followers: 'Seguidores',\n followees: 'Seguindo',\n per_day: 'por dia',\n remote_follow: 'Seguidor Remoto'\n },\n timeline: {\n show_new: 'Mostrar novas',\n error_fetching: 'Erro buscando atualizações',\n up_to_date: 'Atualizado',\n load_older: 'Carregar postagens antigas',\n conversation: 'Conversa'\n },\n settings: {\n user_settings: 'Configurações de Usuário',\n name_bio: 'Nome & Biografia',\n name: 'Nome',\n bio: 'Biografia',\n avatar: 'Avatar',\n current_avatar: 'Seu avatar atual',\n set_new_avatar: 'Alterar avatar',\n profile_banner: 'Capa de perfil',\n current_profile_banner: 'Sua capa de perfil atual',\n set_new_profile_banner: 'Alterar capa de perfil',\n profile_background: 'Plano de fundo de perfil',\n set_new_profile_background: 'Alterar o plano de fundo de perfil',\n settings: 'Configurações',\n theme: 'Tema',\n presets: 'Predefinições',\n theme_help: 'Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.',\n background: 'Plano de Fundo',\n foreground: 'Primeiro Plano',\n text: 'Texto',\n links: 'Links',\n filtering: 'Filtragem',\n filtering_explanation: 'Todas as postagens contendo estas palavras serão silenciadas, uma por linha.',\n attachments: 'Anexos',\n hide_attachments_in_tl: 'Ocultar anexos na linha do tempo.',\n hide_attachments_in_convo: 'Ocultar anexos em conversas',\n nsfw_clickthrough: 'Habilitar clique para ocultar anexos NSFW',\n autoload: 'Habilitar carregamento automático quando a rolagem chegar ao fim.',\n streaming: 'Habilitar o fluxo automático de postagens quando ao topo da página',\n reply_link_preview: 'Habilitar a pré-visualização de link de respostas ao passar o mouse.',\n follow_import: 'Importar seguidas',\n import_followers_from_a_csv_file: 'Importe seguidores a partir de um arquivo CSV',\n follows_imported: 'Seguidores importados! O processamento pode demorar um pouco.',\n follow_import_error: 'Erro ao importar seguidores'\n },\n notifications: {\n notifications: 'Notificações',\n read: 'Ler!',\n followed_you: 'seguiu você'\n },\n login: {\n login: 'Entrar',\n username: 'Usuário',\n placeholder: 'p.e. lain',\n password: 'Senha',\n register: 'Registrar',\n logout: 'Sair'\n },\n registration: {\n registration: 'Registro',\n fullname: 'Nome para exibição',\n email: 'Correio eletrônico',\n bio: 'Biografia',\n password_confirm: 'Confirmação de senha'\n },\n post_status: {\n posting: 'Publicando',\n default: 'Acabo de aterrizar em L.A.'\n },\n finder: {\n find_user: 'Buscar usuário',\n error_fetching_user: 'Erro procurando usuário'\n },\n general: {\n submit: 'Enviar',\n apply: 'Aplicar'\n }\n}\n\nconst ru = {\n chat: {\n title: 'Чат'\n },\n nav: {\n chat: 'Локальный чат',\n timeline: 'Лента',\n mentions: 'Упоминания',\n public_tl: 'Публичная лента',\n twkn: 'Федеративная лента'\n },\n user_card: {\n follows_you: 'Читает вас',\n following: 'Читаю',\n follow: 'Читать',\n blocked: 'Заблокирован',\n block: 'Заблокировать',\n statuses: 'Статусы',\n mute: 'Игнорировать',\n muted: 'Игнорирую',\n followers: 'Читатели',\n followees: 'Читаемые',\n per_day: 'в день',\n remote_follow: 'Читать удалённо'\n },\n timeline: {\n show_new: 'Показать новые',\n error_fetching: 'Ошибка при обновлении',\n up_to_date: 'Обновлено',\n load_older: 'Загрузить старые статусы',\n conversation: 'Разговор',\n collapse: 'Свернуть',\n repeated: 'повторил(а)'\n },\n settings: {\n user_settings: 'Настройки пользователя',\n name_bio: 'Имя и описание',\n name: 'Имя',\n bio: 'Описание',\n avatar: 'Аватар',\n current_avatar: 'Текущий аватар',\n set_new_avatar: 'Загрузить новый аватар',\n profile_banner: 'Баннер профиля',\n current_profile_banner: 'Текущий баннер профиля',\n set_new_profile_banner: 'Загрузить новый баннер профиля',\n profile_background: 'Фон профиля',\n set_new_profile_background: 'Загрузить новый фон профиля',\n settings: 'Настройки',\n theme: 'Тема',\n export_theme: 'Экспортировать текущую тему',\n import_theme: 'Загрузить сохранённую тему',\n presets: 'Пресеты',\n theme_help: 'Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.',\n radii_help: 'Округление краёв элементов интерфейса (в пикселях)',\n background: 'Фон',\n foreground: 'Передний план',\n text: 'Текст',\n links: 'Ссылки',\n cBlue: 'Ответить, читать',\n cRed: 'Отменить',\n cOrange: 'Нравится',\n cGreen: 'Повторить',\n btnRadius: 'Кнопки',\n inputRadius: 'Поля ввода',\n panelRadius: 'Панели',\n avatarRadius: 'Аватары',\n avatarAltRadius: 'Аватары в уведомлениях',\n tooltipRadius: 'Всплывающие подсказки/уведомления',\n attachmentRadius: 'Прикреплённые файлы',\n filtering: 'Фильтрация',\n filtering_explanation: 'Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке',\n attachments: 'Вложения',\n hide_attachments_in_tl: 'Прятать вложения в ленте',\n hide_attachments_in_convo: 'Прятать вложения в разговорах',\n stop_gifs: 'Проигрывать GIF анимации только при наведении',\n nsfw_clickthrough: 'Включить скрытие NSFW вложений',\n autoload: 'Включить автоматическую загрузку при прокрутке вниз',\n streaming: 'Включить автоматическую загрузку новых сообщений при прокрутке вверх',\n pause_on_unfocused: 'Приостановить загрузку когда вкладка не в фокусе',\n loop_video: 'Зациливать видео',\n loop_video_silent_only: 'Зацикливать только беззвучные видео (т.е. \"гифки\" с Mastodon)',\n reply_link_preview: 'Включить предварительный просмотр ответа при наведении мыши',\n follow_import: 'Импортировать читаемых',\n import_followers_from_a_csv_file: 'Импортировать читаемых из файла .csv',\n follows_imported: 'Список читаемых импортирован. Обработка займёт некоторое время..',\n follow_import_error: 'Ошибка при импортировании читаемых.',\n delete_account: 'Удалить аккаунт',\n delete_account_description: 'Удалить ваш аккаунт и все ваши сообщения.',\n delete_account_instructions: 'Введите ваш пароль в поле ниже для подтверждения удаления.',\n delete_account_error: 'Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.',\n follow_export: 'Экспортировать читаемых',\n follow_export_processing: 'Ведётся обработка, скоро вам будет предложено загрузить файл',\n follow_export_button: 'Экспортировать читаемых в файл .csv',\n change_password: 'Сменить пароль',\n current_password: 'Текущий пароль',\n new_password: 'Новый пароль',\n confirm_new_password: 'Подтверждение нового пароля',\n changed_password: 'Пароль изменён успешно.',\n change_password_error: 'Произошла ошибка при попытке изменить пароль.',\n lock_account_description: 'Аккаунт доступен только подтверждённым подписчикам',\n limited_availability: 'Не доступно в вашем браузере',\n profile_tab: 'Профиль',\n security_tab: 'Безопасность',\n data_import_export_tab: 'Импорт / Экспорт данных',\n collapse_subject: 'Сворачивать посты с темой',\n interfaceLanguage: 'Язык интерфейса'\n },\n notifications: {\n notifications: 'Уведомления',\n read: 'Прочесть',\n followed_you: 'начал(а) читать вас',\n favorited_you: 'нравится ваш статус',\n repeated_you: 'повторил(а) ваш статус',\n broken_favorite: 'Неизвестный статус, ищем...',\n load_older: 'Загрузить старые уведомления'\n },\n login: {\n login: 'Войти',\n username: 'Имя пользователя',\n placeholder: 'e.c. lain',\n password: 'Пароль',\n register: 'Зарегистрироваться',\n logout: 'Выйти'\n },\n registration: {\n registration: 'Регистрация',\n fullname: 'Отображаемое имя',\n email: 'Email',\n bio: 'Описание',\n password_confirm: 'Подтверждение пароля',\n token: 'Код приглашения'\n },\n post_status: {\n posting: 'Отправляется',\n default: 'Что нового?'\n },\n finder: {\n find_user: 'Найти пользователя',\n error_fetching_user: 'Пользователь не найден'\n },\n general: {\n submit: 'Отправить',\n apply: 'Применить'\n },\n user_profile: {\n timeline_title: 'Лента пользователя'\n }\n}\nconst nb = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Lokal Chat',\n timeline: 'Tidslinje',\n mentions: 'Nevnt',\n public_tl: 'Offentlig Tidslinje',\n twkn: 'Det hele kjente nettverket'\n },\n user_card: {\n follows_you: 'Følger deg!',\n following: 'Følger!',\n follow: 'Følg',\n blocked: 'Blokkert!',\n block: 'Blokker',\n statuses: 'Statuser',\n mute: 'Demp',\n muted: 'Dempet',\n followers: 'Følgere',\n followees: 'Følger',\n per_day: 'per dag',\n remote_follow: 'Følg eksternt'\n },\n timeline: {\n show_new: 'Vis nye',\n error_fetching: 'Feil ved henting av oppdateringer',\n up_to_date: 'Oppdatert',\n load_older: 'Last eldre statuser',\n conversation: 'Samtale',\n collapse: 'Sammenfold',\n repeated: 'gjentok'\n },\n settings: {\n user_settings: 'Brukerinstillinger',\n name_bio: 'Navn & Biografi',\n name: 'Navn',\n bio: 'Biografi',\n avatar: 'Profilbilde',\n current_avatar: 'Ditt nåværende profilbilde',\n set_new_avatar: 'Rediger profilbilde',\n profile_banner: 'Profil-banner',\n current_profile_banner: 'Din nåværende profil-banner',\n set_new_profile_banner: 'Sett ny profil-banner',\n profile_background: 'Profil-bakgrunn',\n set_new_profile_background: 'Rediger profil-bakgrunn',\n settings: 'Innstillinger',\n theme: 'Tema',\n presets: 'Forhåndsdefinerte fargekoder',\n theme_help: 'Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.',\n radii_help: 'Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)',\n background: 'Bakgrunn',\n foreground: 'Framgrunn',\n text: 'Tekst',\n links: 'Linker',\n cBlue: 'Blå (Svar, følg)',\n cRed: 'Rød (Avbryt)',\n cOrange: 'Oransje (Lik)',\n cGreen: 'Grønn (Gjenta)',\n btnRadius: 'Knapper',\n panelRadius: 'Panel',\n avatarRadius: 'Profilbilde',\n avatarAltRadius: 'Profilbilde (Varslinger)',\n tooltipRadius: 'Verktøytips/advarsler',\n attachmentRadius: 'Vedlegg',\n filtering: 'Filtrering',\n filtering_explanation: 'Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje',\n attachments: 'Vedlegg',\n hide_attachments_in_tl: 'Gjem vedlegg på tidslinje',\n hide_attachments_in_convo: 'Gjem vedlegg i samtaler',\n nsfw_clickthrough: 'Krev trykk for å vise statuser som kan være upassende',\n stop_gifs: 'Spill av GIFs når du holder over dem',\n autoload: 'Automatisk lasting når du blar ned til bunnen',\n streaming: 'Automatisk strømming av nye statuser når du har bladd til toppen',\n reply_link_preview: 'Vis en forhåndsvisning når du holder musen over svar til en status',\n follow_import: 'Importer følginger',\n import_followers_from_a_csv_file: 'Importer følginger fra en csv fil',\n follows_imported: 'Følginger imported! Det vil ta litt tid å behandle de.',\n follow_import_error: 'Feil ved importering av følginger.'\n },\n notifications: {\n notifications: 'Varslinger',\n read: 'Les!',\n followed_you: 'fulgte deg',\n favorited_you: 'likte din status',\n repeated_you: 'Gjentok din status'\n },\n login: {\n login: 'Logg inn',\n username: 'Brukernavn',\n placeholder: 'f. eks lain',\n password: 'Passord',\n register: 'Registrer',\n logout: 'Logg ut'\n },\n registration: {\n registration: 'Registrering',\n fullname: 'Visningsnavn',\n email: 'Epost-adresse',\n bio: 'Biografi',\n password_confirm: 'Bekreft passord'\n },\n post_status: {\n posting: 'Publiserer',\n default: 'Landet akkurat i L.A.'\n },\n finder: {\n find_user: 'Finn bruker',\n error_fetching_user: 'Feil ved henting av bruker'\n },\n general: {\n submit: 'Legg ut',\n apply: 'Bruk'\n },\n user_profile: {\n timeline_title: 'Bruker-tidslinje'\n }\n}\n\nconst he = {\n chat: {\n title: 'צ\\'אט'\n },\n nav: {\n chat: 'צ\\'אט מקומי',\n timeline: 'ציר הזמן',\n mentions: 'אזכורים',\n public_tl: 'ציר הזמן הציבורי',\n twkn: 'כל הרשת הידועה'\n },\n user_card: {\n follows_you: 'עוקב אחריך!',\n following: 'עוקב!',\n follow: 'עקוב',\n blocked: 'חסום!',\n block: 'חסימה',\n statuses: 'סטטוסים',\n mute: 'השתק',\n muted: 'מושתק',\n followers: 'עוקבים',\n followees: 'נעקבים',\n per_day: 'ליום',\n remote_follow: 'עקיבה מרחוק'\n },\n timeline: {\n show_new: 'הראה חדש',\n error_fetching: 'שגיאה בהבאת הודעות',\n up_to_date: 'עדכני',\n load_older: 'טען סטטוסים חדשים',\n conversation: 'שיחה',\n collapse: 'מוטט',\n repeated: 'חזר'\n },\n settings: {\n user_settings: 'הגדרות משתמש',\n name_bio: 'שם ואודות',\n name: 'שם',\n bio: 'אודות',\n avatar: 'תמונת פרופיל',\n current_avatar: 'תמונת הפרופיל הנוכחית שלך',\n set_new_avatar: 'קבע תמונת פרופיל חדשה',\n profile_banner: 'כרזת הפרופיל',\n current_profile_banner: 'כרזת הפרופיל הנוכחית שלך',\n set_new_profile_banner: 'קבע כרזת פרופיל חדשה',\n profile_background: 'רקע הפרופיל',\n set_new_profile_background: 'קבע רקע פרופיל חדש',\n settings: 'הגדרות',\n theme: 'תמה',\n presets: 'ערכים קבועים מראש',\n theme_help: 'השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.',\n radii_help: 'קבע מראש עיגול פינות לממשק (בפיקסלים)',\n background: 'רקע',\n foreground: 'חזית',\n text: 'טקסט',\n links: 'לינקים',\n cBlue: 'כחול (תגובה, עקיבה)',\n cRed: 'אדום (ביטול)',\n cOrange: 'כתום (לייק)',\n cGreen: 'ירוק (חזרה)',\n btnRadius: 'כפתורים',\n inputRadius: 'שדות קלט',\n panelRadius: 'פאנלים',\n avatarRadius: 'תמונות פרופיל',\n avatarAltRadius: 'תמונות פרופיל (התראות)',\n tooltipRadius: 'טולטיפ \\\\ התראות',\n attachmentRadius: 'צירופים',\n filtering: 'סינון',\n filtering_explanation: 'כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה',\n attachments: 'צירופים',\n hide_attachments_in_tl: 'החבא צירופים בציר הזמן',\n hide_attachments_in_convo: 'החבא צירופים בשיחות',\n nsfw_clickthrough: 'החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר',\n stop_gifs: 'נגן-בעת-ריחוף GIFs',\n autoload: 'החל טעינה אוטומטית בגלילה לתחתית הדף',\n streaming: 'החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף',\n reply_link_preview: 'החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר',\n follow_import: 'יבוא עקיבות',\n import_followers_from_a_csv_file: 'ייבא את הנעקבים שלך מקובץ csv',\n follows_imported: 'נעקבים יובאו! ייקח זמן מה לעבד אותם.',\n follow_import_error: 'שגיאה בייבוא נעקבים.',\n delete_account: 'מחק משתמש',\n delete_account_description: 'מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.',\n delete_account_instructions: 'הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.',\n delete_account_error: 'הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.',\n follow_export: 'יצוא עקיבות',\n follow_export_processing: 'טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך',\n follow_export_button: 'ייצא את הנעקבים שלך לקובץ csv',\n change_password: 'שנה סיסמה',\n current_password: 'סיסמה נוכחית',\n new_password: 'סיסמה חדשה',\n confirm_new_password: 'אשר סיסמה',\n changed_password: 'סיסמה שונתה בהצלחה!',\n change_password_error: 'הייתה בעיה בשינוי סיסמתך.'\n },\n notifications: {\n notifications: 'התראות',\n read: 'קרא!',\n followed_you: 'עקב אחריך!',\n favorited_you: 'אהב את הסטטוס שלך',\n repeated_you: 'חזר על הסטטוס שלך'\n },\n login: {\n login: 'התחבר',\n username: 'שם המשתמש',\n placeholder: 'למשל lain',\n password: 'סיסמה',\n register: 'הירשם',\n logout: 'התנתק'\n },\n registration: {\n registration: 'הרשמה',\n fullname: 'שם תצוגה',\n email: 'אימייל',\n bio: 'אודות',\n password_confirm: 'אישור סיסמה'\n },\n post_status: {\n posting: 'מפרסם',\n default: 'הרגע נחת ב-ל.א.'\n },\n finder: {\n find_user: 'מציאת משתמש',\n error_fetching_user: 'שגיאה במציאת משתמש'\n },\n general: {\n submit: 'שלח',\n apply: 'החל'\n },\n user_profile: {\n timeline_title: 'ציר זמן המשתמש'\n }\n}\n\nconst messages = {\n de,\n fi,\n en,\n eo,\n et,\n hu,\n ro,\n ja,\n fr,\n it,\n oc,\n pl,\n es,\n pt,\n ru,\n nb,\n he\n}\n\nexport default messages\n\n\n\n// WEBPACK FOOTER //\n// ./src/i18n/messages.js","import { includes, remove, slice, sortBy, toInteger, each, find, flatten, maxBy, minBy, merge, last, isArray } from 'lodash'\nimport { set } from 'vue'\nimport apiService from '../services/api/api.service.js'\n// import parse from '../services/status_parser/status_parser.js'\n\nconst emptyTl = () => ({\n statuses: [],\n statusesObject: {},\n faves: [],\n visibleStatuses: [],\n visibleStatusesObject: {},\n newStatusCount: 0,\n maxId: 0,\n minVisibleId: 0,\n loading: false,\n followers: [],\n friends: [],\n viewing: 'statuses',\n flushMarker: 0\n})\n\nexport const defaultState = {\n allStatuses: [],\n allStatusesObject: {},\n maxId: 0,\n notifications: {\n desktopNotificationSilence: true,\n maxId: 0,\n maxSavedId: 0,\n minId: Number.POSITIVE_INFINITY,\n data: [],\n error: false,\n brokenFavorites: {}\n },\n favorites: new Set(),\n error: false,\n timelines: {\n mentions: emptyTl(),\n public: emptyTl(),\n user: emptyTl(),\n own: emptyTl(),\n publicAndExternal: emptyTl(),\n friends: emptyTl(),\n tag: emptyTl()\n }\n}\n\nconst isNsfw = (status) => {\n const nsfwRegex = /#nsfw/i\n return includes(status.tags, 'nsfw') || !!status.text.match(nsfwRegex)\n}\n\nexport const prepareStatus = (status) => {\n // Parse nsfw tags\n if (status.nsfw === undefined) {\n status.nsfw = isNsfw(status)\n if (status.retweeted_status) {\n status.nsfw = status.retweeted_status.nsfw\n }\n }\n\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\nexport const statusType = (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 // TODO change to status.activity_type === 'follow' when gs supports it\n if (status.text.match(/started following/)) {\n return 'follow'\n }\n\n return 'unknown'\n}\n\nexport const findMaxId = (...args) => {\n return (maxBy(flatten(args), 'id') || {}).id\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 merge(oldItem, item)\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 obj[item.id] = item\n return {item, new: true}\n }\n}\n\nconst sortTimeline = (timeline) => {\n timeline.visibleStatuses = sortBy(timeline.visibleStatuses, ({id}) => -id)\n timeline.statuses = sortBy(timeline.statuses, ({id}) => -id)\n timeline.minVisibleId = (last(timeline.visibleStatuses) || {}).id\n return timeline\n}\n\nconst addNewStatuses = (state, { statuses, showImmediately = false, timeline, user = {}, noIdUpdate = false }) => {\n // Sanity check\n if (!isArray(statuses)) {\n return false\n }\n\n const allStatuses = state.allStatuses\n const allStatusesObject = state.allStatusesObject\n const timelineObject = state.timelines[timeline]\n\n const maxNew = statuses.length > 0 ? maxBy(statuses, 'id').id : 0\n const older = timeline && maxNew < timelineObject.maxId\n\n if (timeline && !noIdUpdate && statuses.length > 0 && !older) {\n timelineObject.maxId = maxNew\n }\n\n const addStatus = (status, showImmediately, addToTimeline = true) => {\n const result = mergeOrAdd(allStatuses, allStatusesObject, status)\n status = result.item\n\n const brokenFavorites = state.notifications.brokenFavorites[status.id] || []\n brokenFavorites.forEach((fav) => {\n fav.status = status\n })\n delete state.notifications.brokenFavorites[status.id]\n\n if (result.new) {\n // We are mentioned in a post\n if (statusType(status) === '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 }\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: toInteger(favorite.in_reply_to_status_id) })\n if (status) {\n status.fave_num += 1\n\n // This is our favorite, so the relevant bit.\n if (favorite.user.id === user.id) {\n status.favorited = true\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 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\n // Remove possible notification\n const status = find(allStatuses, {uri})\n if (!status) {\n return\n }\n\n remove(state.notifications.data, ({action: {id}}) => id === status.id)\n\n remove(allStatuses, { uri })\n if (timeline) {\n remove(timelineObject.statuses, { uri })\n remove(timelineObject.visibleStatuses, { uri })\n }\n },\n 'default': (unknown) => {\n console.log('unknown status type')\n console.log(unknown)\n }\n }\n\n each(statuses, (status) => {\n const type = statusType(status)\n const processor = processors[type] || processors['default']\n processor(status)\n })\n\n // Keep the visible statuses sorted\n if (timeline) {\n sortTimeline(timelineObject)\n if ((older || timelineObject.minVisibleId <= 0) && statuses.length > 0) {\n timelineObject.minVisibleId = minBy(statuses, 'id').id\n }\n }\n}\n\nconst addNewNotifications = (state, { dispatch, notifications, older }) => {\n const allStatuses = state.allStatuses\n const allStatusesObject = state.allStatusesObject\n each(notifications, (notification) => {\n const result = mergeOrAdd(allStatuses, allStatusesObject, notification.notice)\n const action = result.item\n // Only add a new notification if we don't have one for the same action\n if (!find(state.notifications.data, (oldNotification) => oldNotification.action.id === action.id)) {\n state.notifications.maxId = Math.max(notification.id, state.notifications.maxId)\n state.notifications.minId = Math.min(notification.id, state.notifications.minId)\n\n const fresh = !older && !notification.is_seen && notification.id > state.notifications.maxSavedId\n const status = notification.ntype === 'like'\n ? find(allStatuses, { id: action.in_reply_to_status_id })\n : action\n\n const result = {\n type: notification.ntype,\n status,\n action,\n // Always assume older notifications as seen\n seen: !fresh\n }\n\n if (notification.ntype === 'like' && !status) {\n let broken = state.notifications.brokenFavorites[action.in_reply_to_status_id]\n if (broken) {\n broken.push(result)\n } else {\n dispatch('fetchOldPost', { postId: action.in_reply_to_status_id })\n broken = [ result ]\n state.notifications.brokenFavorites[action.in_reply_to_status_id] = broken\n }\n }\n\n state.notifications.data.push(result)\n\n if ('Notification' in window && window.Notification.permission === 'granted') {\n const title = action.user.name\n const result = {}\n result.icon = action.user.profile_image_url\n result.body = action.text // there's a problem that it doesn't put a space before links tho\n\n // Shows first attached non-nsfw image, if any. Should add configuration for this somehow...\n if (action.attachments && action.attachments.length > 0 && !action.nsfw &&\n action.attachments[0].mimetype.startsWith('image/')) {\n result.image = action.attachments[0].url\n }\n\n if (fresh && !state.notifications.desktopNotificationSilence) {\n let notification = new window.Notification(title, result)\n // Chrome is known for not closing notifications automatically\n // according to MDN, anyway.\n setTimeout(notification.close.bind(notification), 5000)\n }\n }\n }\n })\n}\n\nexport const mutations = {\n addNewStatuses,\n addNewNotifications,\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.visibleStatusesObject = {}\n each(oldTimeline.visibleStatuses, (status) => { oldTimeline.visibleStatusesObject[status.id] = status })\n },\n clearTimeline (state, { timeline }) {\n state.timelines[timeline] = emptyTl()\n },\n setFavorited (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.favorited = value\n },\n setRetweeted (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.repeated = value\n },\n setDeleted (state, { status }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.deleted = true\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 setNotificationsError (state, { value }) {\n state.notifications.error = value\n },\n setNotificationsSilence (state, { value }) {\n state.notifications.desktopNotificationSilence = value\n },\n setProfileView (state, { v }) {\n // load followers / friends only when needed\n state.timelines['user'].viewing = v\n },\n addFriends (state, { friends }) {\n state.timelines['user'].friends = friends\n },\n addFollowers (state, { followers }) {\n state.timelines['user'].followers = followers\n },\n markNotificationsAsSeen (state, notifications) {\n set(state.notifications, 'maxSavedId', state.notifications.maxId)\n each(notifications, (notification) => {\n notification.seen = true\n })\n },\n queueFlush (state, { timeline, id }) {\n state.timelines[timeline].flushMarker = id\n }\n}\n\nconst statuses = {\n state: defaultState,\n actions: {\n addNewStatuses ({ rootState, commit }, { statuses, showImmediately = false, timeline = false, noIdUpdate = false }) {\n commit('addNewStatuses', { statuses, showImmediately, timeline, noIdUpdate, user: rootState.users.currentUser })\n },\n addNewNotifications ({ rootState, commit, dispatch }, { notifications, older }) {\n commit('addNewNotifications', { dispatch, notifications, older })\n },\n setError ({ rootState, commit }, { value }) {\n commit('setError', { value })\n },\n setNotificationsError ({ rootState, commit }, { value }) {\n commit('setNotificationsError', { value })\n },\n setNotificationsSilence ({ rootState, commit }, { value }) {\n commit('setNotificationsSilence', { value })\n },\n addFriends ({ rootState, commit }, { friends }) {\n commit('addFriends', { friends })\n },\n addFollowers ({ rootState, commit }, { followers }) {\n commit('addFollowers', { followers })\n },\n deleteStatus ({ rootState, commit }, status) {\n commit('setDeleted', { status })\n apiService.deleteStatus({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n favorite ({ rootState, commit }, status) {\n // Optimistic favoriting...\n commit('setFavorited', { status, value: true })\n apiService.favorite({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n unfavorite ({ rootState, commit }, status) {\n // Optimistic favoriting...\n commit('setFavorited', { status, value: false })\n apiService.unfavorite({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n retweet ({ rootState, commit }, status) {\n // Optimistic retweeting...\n commit('setRetweeted', { status, value: true })\n apiService.retweet({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n unretweet ({ rootState, commit }, status) {\n commit('setRetweeted', { status, value: false })\n apiService.unretweet({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n queueFlush ({ rootState, commit }, { timeline, id }) {\n commit('queueFlush', { timeline, id })\n }\n },\n mutations\n}\n\nexport default statuses\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/statuses.js","import apiService from '../api/api.service.js'\nimport timelineFetcherService from '../timeline_fetcher/timeline_fetcher.service.js'\n\nconst backendInteractorService = (credentials) => {\n const fetchStatus = ({id}) => {\n return apiService.fetchStatus({id, credentials})\n }\n\n const fetchConversation = ({id}) => {\n return apiService.fetchConversation({id, credentials})\n }\n\n const fetchFriends = ({id}) => {\n return apiService.fetchFriends({id, credentials})\n }\n\n const fetchFollowers = ({id}) => {\n return apiService.fetchFollowers({id, credentials})\n }\n\n const fetchAllFollowing = ({username}) => {\n return apiService.fetchAllFollowing({username, credentials})\n }\n\n const fetchUser = ({id}) => {\n return apiService.fetchUser({id, credentials})\n }\n\n const followUser = (id) => {\n return apiService.followUser({credentials, id})\n }\n\n const unfollowUser = (id) => {\n return apiService.unfollowUser({credentials, id})\n }\n\n const blockUser = (id) => {\n return apiService.blockUser({credentials, id})\n }\n\n const unblockUser = (id) => {\n return apiService.unblockUser({credentials, id})\n }\n\n const approveUser = (id) => {\n return apiService.approveUser({credentials, id})\n }\n\n const denyUser = (id) => {\n return apiService.denyUser({credentials, id})\n }\n\n const startFetching = ({timeline, store, userId = false}) => {\n return timelineFetcherService.startFetching({timeline, store, credentials, userId})\n }\n\n const fetchOldPost = ({store, postId}) => {\n return timelineFetcherService.fetchAndUpdate({\n store,\n credentials,\n timeline: 'own',\n older: true,\n until: postId + 1\n })\n }\n\n const setUserMute = ({id, muted = true}) => {\n return apiService.setUserMute({id, muted, credentials})\n }\n\n const fetchMutes = () => apiService.fetchMutes({credentials})\n const fetchFollowRequests = () => apiService.fetchFollowRequests({credentials})\n\n const register = (params) => apiService.register(params)\n const updateAvatar = ({params}) => apiService.updateAvatar({credentials, params})\n const updateBg = ({params}) => apiService.updateBg({credentials, params})\n const updateBanner = ({params}) => apiService.updateBanner({credentials, params})\n const updateProfile = ({params}) => apiService.updateProfile({credentials, params})\n\n const externalProfile = (profileUrl) => apiService.externalProfile({profileUrl, credentials})\n const followImport = ({params}) => apiService.followImport({params, credentials})\n\n const deleteAccount = ({password}) => apiService.deleteAccount({credentials, password})\n const changePassword = ({password, newPassword, newPasswordConfirmation}) => apiService.changePassword({credentials, password, newPassword, newPasswordConfirmation})\n\n const backendInteractorServiceInstance = {\n fetchStatus,\n fetchConversation,\n fetchFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n blockUser,\n unblockUser,\n fetchUser,\n fetchAllFollowing,\n verifyCredentials: apiService.verifyCredentials,\n startFetching,\n fetchOldPost,\n setUserMute,\n fetchMutes,\n register,\n updateAvatar,\n updateBg,\n updateBanner,\n updateProfile,\n externalProfile,\n followImport,\n deleteAccount,\n changePassword,\n fetchFollowRequests,\n approveUser,\n denyUser\n }\n\n return backendInteractorServiceInstance\n}\n\nexport default backendInteractorService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/backend_interactor_service/backend_interactor_service.js","const fileType = (typeString) => {\n let type = 'unknown'\n\n if (typeString.match(/text\\/html/)) {\n type = 'html'\n }\n\n if (typeString.match(/image/)) {\n type = 'image'\n }\n\n if (typeString.match(/video\\/(webm|mp4)/)) {\n type = 'video'\n }\n\n if (typeString.match(/audio|ogg/)) {\n type = 'audio'\n }\n\n return type\n}\n\nconst fileTypeService = {\n fileType\n}\n\nexport default fileTypeService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/file_type/file_type.service.js","import { map } from 'lodash'\nimport apiService from '../api/api.service.js'\n\nconst postStatus = ({ store, status, spoilerText, visibility, sensitive, media = [], inReplyToStatusId = undefined }) => {\n const mediaIds = map(media, 'id')\n\n return apiService.postStatus({credentials: store.state.users.currentUser.credentials, status, spoilerText, visibility, sensitive, mediaIds, inReplyToStatusId})\n .then((data) => data.json())\n .then((data) => {\n if (!data.error) {\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\n return apiService.uploadMedia({ credentials, formData }).then((xml) => {\n // Firefox and Chrome treat method differently...\n let link = xml.getElementsByTagName('link')\n\n if (link.length === 0) {\n link = xml.getElementsByTagName('atom:link')\n }\n\n link = link[0]\n\n const mediaData = {\n id: xml.getElementsByTagName('media_id')[0].textContent,\n url: xml.getElementsByTagName('media_url')[0].textContent,\n image: link.getAttribute('href'),\n mimetype: link.getAttribute('type')\n }\n\n return mediaData\n })\n}\n\nconst statusPosterService = {\n postStatus,\n uploadMedia\n}\n\nexport default statusPosterService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/status_poster/status_poster.service.js","import { camelCase } from 'lodash'\n\nimport apiService from '../api/api.service.js'\n\nconst update = ({store, statuses, timeline, showImmediately}) => {\n const ccTimeline = camelCase(timeline)\n\n store.dispatch('setError', { value: false })\n\n store.dispatch('addNewStatuses', {\n timeline: ccTimeline,\n statuses,\n showImmediately\n })\n}\n\nconst fetchAndUpdate = ({store, credentials, timeline = 'friends', older = false, showImmediately = false, userId = false, tag = false, until}) => {\n const args = { timeline, credentials }\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.timelines[camelCase(timeline)]\n\n if (older) {\n args['until'] = until || timelineData.minVisibleId\n } else {\n args['since'] = timelineData.maxId\n }\n\n args['userId'] = userId\n args['tag'] = tag\n\n return apiService.fetchTimeline(args)\n .then((statuses) => {\n if (!older && statuses.length >= 20 && !timelineData.loading) {\n store.dispatch('queueFlush', { timeline: timeline, id: timelineData.maxId })\n }\n update({store, statuses, timeline, showImmediately})\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 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\n\n\n// WEBPACK FOOTER //\n// ./src/services/timeline_fetcher/timeline_fetcher.service.js","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(-45deg,',\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\n\n\n// WEBPACK FOOTER //\n// ./src/services/user_highlighter/user_highlighter.js","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./conversation.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6eda4ba1\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/conversation/conversation.vue\n// module id = 170\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-aa34f8fe\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./post_status_form.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./post_status_form.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-aa34f8fe\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./post_status_form.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/post_status_form/post_status_form.vue\n// module id = 171\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-fe0ba3be\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./style_switcher.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./style_switcher.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-fe0ba3be\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./style_switcher.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/style_switcher/style_switcher.vue\n// module id = 172\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-e2380d6a\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_card.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_card.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-e2380d6a\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_card.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_card/user_card.vue\n// module id = 173\n// module chunks = 2","import merge from 'lodash.merge'\nimport objectPath from 'object-path'\nimport localforage from 'localforage'\nimport { throttle, each } from 'lodash'\n\nlet loaded = false\n\nconst defaultReducer = (state, paths) => (\n paths.length === 0 ? state : paths.reduce((substate, path) => {\n objectPath.set(substate, path, objectPath.get(state, path))\n return substate\n }, {})\n)\n\nconst defaultStorage = (() => {\n return localforage\n})()\n\nconst defaultSetState = (key, state, storage) => {\n if (!loaded) {\n console.log('waiting for old state to be loaded...')\n } else {\n return storage.setItem(key, state)\n }\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 = throttle(defaultSetState, 60000),\n reducer = defaultReducer,\n storage = defaultStorage,\n subscriber = store => handler => store.subscribe(handler)\n} = {}) {\n return store => {\n getState(key, storage).then((savedState) => {\n try {\n if (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 if (store.state.config.customTheme) {\n // This is a hack to deal with async loading of config.json and themes\n // See: style_setter.js, setPreset()\n window.themeLoaded = true\n store.dispatch('setOption', {\n name: 'customTheme',\n value: store.state.config.customTheme\n })\n }\n if (store.state.users.lastLoginName) {\n store.dispatch('loginUser', {username: store.state.users.lastLoginName, password: 'xxx'})\n }\n loaded = true\n } catch (e) {\n console.log(\"Couldn't load state\")\n loaded = true\n }\n })\n\n subscriber(store)((mutation, state) => {\n try {\n setState(key, reducer(state, paths), storage)\n } catch (e) {\n console.log(\"Couldn't persist state:\")\n console.log(e)\n }\n })\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/lib/persisted_state.js","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport {isArray} from 'lodash'\nimport { Socket } from 'phoenix'\n\nconst api = {\n state: {\n backendInteractor: backendInteractorService(),\n fetchers: {},\n socket: null,\n chatDisabled: false,\n followRequests: []\n },\n mutations: {\n setBackendInteractor (state, backendInteractor) {\n state.backendInteractor = backendInteractor\n },\n addFetcher (state, {timeline, fetcher}) {\n state.fetchers[timeline] = fetcher\n },\n removeFetcher (state, {timeline}) {\n delete state.fetchers[timeline]\n },\n setSocket (state, socket) {\n state.socket = socket\n },\n setChatDisabled (state, value) {\n state.chatDisabled = value\n },\n setFollowRequests (state, value) {\n state.followRequests = value\n }\n },\n actions: {\n startFetching (store, timeline) {\n let userId = false\n\n // This is for user timelines\n if (isArray(timeline)) {\n userId = timeline[1]\n timeline = timeline[0]\n }\n\n // Don't start fetching if we already are.\n if (!store.state.fetchers[timeline]) {\n const fetcher = store.state.backendInteractor.startFetching({timeline, store, userId})\n store.commit('addFetcher', {timeline, fetcher})\n }\n },\n fetchOldPost (store, { postId }) {\n store.state.backendInteractor.fetchOldPost({ store, postId })\n },\n stopFetching (store, timeline) {\n const fetcher = store.state.fetchers[timeline]\n window.clearInterval(fetcher)\n store.commit('removeFetcher', {timeline})\n },\n initializeSocket (store, token) {\n // Set up websocket connection\n if (!store.state.chatDisabled) {\n let socket = new Socket('/socket', {params: {token: token}})\n socket.connect()\n store.dispatch('initializeChat', socket)\n }\n },\n disableChat (store) {\n store.commit('setChatDisabled', true)\n },\n removeFollowRequest (store, request) {\n let requests = store.state.followRequests.filter((it) => it !== request)\n store.commit('setFollowRequests', requests)\n }\n }\n}\n\nexport default api\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/api.js","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\n\n\n// WEBPACK FOOTER //\n// ./src/modules/chat.js","import { set, delete as del } from 'vue'\nimport StyleSetter from '../services/style_setter/style_setter.js'\n\nconst browserLocale = (window.navigator.language || 'en').split('-')[0]\n\nconst defaultState = {\n name: 'Pleroma FE',\n colors: {},\n collapseMessageWithSubject: false,\n hideAttachments: false,\n hideAttachmentsInConv: false,\n hideNsfw: true,\n loopVideo: true,\n loopVideoSilentOnly: true,\n autoLoad: true,\n streaming: false,\n hoverPreview: true,\n pauseOnUnfocused: true,\n stopGifs: false,\n replyVisibility: 'all',\n muteWords: [],\n highlight: {},\n interfaceLanguage: browserLocale\n}\n\nconst config = {\n state: defaultState,\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 setPageTitle ({state}, option = '') {\n document.title = `${option} ${state.name}`\n },\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 'name':\n dispatch('setPageTitle')\n break\n case 'theme':\n StyleSetter.setPreset(value, commit)\n break\n case 'customTheme':\n StyleSetter.setColors(value, commit)\n }\n }\n }\n}\n\nexport default config\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/config.js","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport { compact, map, each, merge } from 'lodash'\nimport { set } from 'vue'\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 merge(oldItem, item)\n return {item: oldItem, new: false}\n } else {\n // This is a new item, prepare it\n arr.push(item)\n obj[item.id] = item\n return {item, new: true}\n }\n}\n\nexport const mutations = {\n setMuted (state, { user: {id}, muted }) {\n const user = state.usersObject[id]\n set(user, 'muted', muted)\n },\n setCurrentUser (state, user) {\n state.lastLoginName = user.screen_name\n state.currentUser = merge(state.currentUser || {}, user)\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 addNewUsers (state, users) {\n each(users, (user) => mergeOrAdd(state.users, state.usersObject, user))\n },\n setUserForStatus (state, status) {\n status.user = state.usersObject[status.user.id]\n },\n setColor (state, { user: {id}, highlighted }) {\n const user = state.usersObject[id]\n set(user, 'highlight', highlighted)\n }\n}\n\nexport const defaultState = {\n lastLoginName: false,\n currentUser: false,\n loggingIn: false,\n users: [],\n usersObject: {}\n}\n\nconst users = {\n state: defaultState,\n mutations,\n actions: {\n fetchUser (store, id) {\n store.rootState.api.backendInteractor.fetchUser({id})\n .then((user) => store.commit('addNewUsers', user))\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 // Reconnect users to statuses\n each(statuses, (status) => {\n store.commit('setUserForStatus', status)\n })\n // Reconnect users to retweets\n each(compact(map(statuses, 'retweeted_status')), (status) => {\n store.commit('setUserForStatus', status)\n })\n },\n logout (store) {\n store.commit('clearCurrentUser')\n store.dispatch('stopFetching', 'friends')\n store.commit('setBackendInteractor', backendInteractorService())\n },\n loginUser (store, userCredentials) {\n return new Promise((resolve, reject) => {\n const commit = store.commit\n commit('beginLogin')\n store.rootState.api.backendInteractor.verifyCredentials(userCredentials)\n .then((response) => {\n if (response.ok) {\n response.json()\n .then((user) => {\n user.credentials = userCredentials\n commit('setCurrentUser', user)\n commit('addNewUsers', [user])\n\n // Set our new backend interactor\n commit('setBackendInteractor', backendInteractorService(userCredentials))\n\n if (user.token) {\n store.dispatch('initializeSocket', user.token)\n }\n\n // Start getting fresh tweets.\n store.dispatch('startFetching', 'friends')\n // Start getting our own posts, only really needed for mitigating broken favorites\n store.dispatch('startFetching', ['own', user.id])\n\n // Get user mutes and follower info\n store.rootState.api.backendInteractor.fetchMutes().then((mutedUsers) => {\n each(mutedUsers, (user) => { user.muted = true })\n store.commit('addNewUsers', mutedUsers)\n })\n\n if ('Notification' in window && window.Notification.permission === 'default') {\n window.Notification.requestPermission()\n }\n\n // Fetch our friends\n store.rootState.api.backendInteractor.fetchFriends()\n .then((friends) => commit('addNewUsers', friends))\n })\n } else {\n // Authentication failed\n commit('endLogin')\n if (response.status === 401) {\n reject('Wrong username or password')\n } else {\n reject('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('Failed to connect to server, try again')\n })\n })\n }\n }\n}\n\nexport default users\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/users.js","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 = splitIntoWords(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 splitIntoWords = (str) => {\n // Split at word boundaries\n const regex = /\\b/\n const triggers = /[@#:]+$/\n\n let split = str.split(regex)\n\n // Add trailing @ and # to the following word.\n const words = reduce(split, (result, word) => {\n if (result.length > 0) {\n let previous = result.pop()\n const matches = previous.match(triggers)\n if (matches) {\n previous = previous.replace(triggers, '')\n word = matches[0] + word\n }\n result.push(previous)\n }\n result.push(word)\n\n return result\n }, [])\n\n return words\n}\n\nconst completion = {\n wordAtPosition,\n addPositionToWords,\n splitIntoWords,\n replaceWord\n}\n\nexport default completion\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/completion/completion.js","import apiService from '../api/api.service.js'\n\nconst update = ({store, notifications, older}) => {\n store.dispatch('setNotificationsError', { value: false })\n\n store.dispatch('addNewNotifications', { notifications, older })\n}\n\nconst fetchAndUpdate = ({store, credentials, older = false}) => {\n const args = { credentials }\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.notifications\n\n if (older) {\n if (timelineData.minId !== Number.POSITIVE_INFINITY) {\n args['until'] = timelineData.minId\n }\n } else {\n args['since'] = timelineData.maxId\n }\n\n args['timeline'] = 'notifications'\n\n return apiService.fetchTimeline(args)\n .then((notifications) => {\n update({store, notifications, older})\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\n\n\n// WEBPACK FOOTER //\n// ./src/services/notifications_fetcher/notifications_fetcher.service.js","import { times } from 'lodash'\nimport { rgb2hex, hex2rgb } from '../color_convert/color_convert.js'\n\n// While this is not used anymore right now, I left it in if we want to do custom\n// styles that aren't just colors, so user can pick from a few different distinct\n// styles as well as set their own colors in the future.\n\nconst setStyle = (href, commit) => {\n /***\n What's going on here?\n I want to make it easy for admins to style this application. To have\n a good set of default themes, I chose the system from base16\n (https://chriskempson.github.io/base16/) to style all elements. They\n all have the base00..0F classes. So the only thing an admin needs to\n do to style Pleroma is to change these colors in that one css file.\n Some default things (body text color, link color) need to be set dy-\n namically, so this is done here by waiting for the stylesheet to be\n loaded and then creating an element with the respective classes.\n\n It is a bit weird, but should make life for admins somewhat easier.\n ***/\n const head = document.head\n const body = document.body\n body.style.display = 'none'\n const cssEl = document.createElement('link')\n cssEl.setAttribute('rel', 'stylesheet')\n cssEl.setAttribute('href', href)\n head.appendChild(cssEl)\n\n const setDynamic = () => {\n const baseEl = document.createElement('div')\n body.appendChild(baseEl)\n\n let colors = {}\n times(16, (n) => {\n const name = `base0${n.toString(16).toUpperCase()}`\n baseEl.setAttribute('class', name)\n const color = window.getComputedStyle(baseEl).getPropertyValue('color')\n colors[name] = color\n })\n\n commit('setOption', { name: 'colors', value: colors })\n\n body.removeChild(baseEl)\n\n const styleEl = document.createElement('style')\n head.appendChild(styleEl)\n // const styleSheet = styleEl.sheet\n\n body.style.display = 'initial'\n }\n\n cssEl.addEventListener('load', setDynamic)\n}\n\nconst setColors = (col, commit) => {\n const head = document.head\n const body = document.body\n body.style.display = 'none'\n\n const styleEl = document.createElement('style')\n head.appendChild(styleEl)\n const styleSheet = styleEl.sheet\n\n const isDark = (col.text.r + col.text.g + col.text.b) > (col.bg.r + col.bg.g + col.bg.b)\n let colors = {}\n let radii = {}\n\n const mod = isDark ? -10 : 10\n\n colors.bg = rgb2hex(col.bg.r, col.bg.g, col.bg.b) // background\n colors.lightBg = rgb2hex((col.bg.r + col.fg.r) / 2, (col.bg.g + col.fg.g) / 2, (col.bg.b + col.fg.b) / 2) // hilighted bg\n colors.btn = rgb2hex(col.fg.r, col.fg.g, col.fg.b) // panels & buttons\n colors.input = `rgba(${col.fg.r}, ${col.fg.g}, ${col.fg.b}, .5)`\n colors.border = rgb2hex(col.fg.r - mod, col.fg.g - mod, col.fg.b - mod) // borders\n colors.faint = `rgba(${col.text.r}, ${col.text.g}, ${col.text.b}, .5)`\n colors.fg = rgb2hex(col.text.r, col.text.g, col.text.b) // text\n colors.lightFg = rgb2hex(col.text.r - mod * 5, col.text.g - mod * 5, col.text.b - mod * 5) // strong text\n\n colors['base07'] = rgb2hex(col.text.r - mod * 2, col.text.g - mod * 2, col.text.b - mod * 2)\n\n colors.link = rgb2hex(col.link.r, col.link.g, col.link.b) // links\n colors.icon = rgb2hex((col.bg.r + col.text.r) / 2, (col.bg.g + col.text.g) / 2, (col.bg.b + col.text.b) / 2) // icons\n\n colors.cBlue = col.cBlue && rgb2hex(col.cBlue.r, col.cBlue.g, col.cBlue.b)\n colors.cRed = col.cRed && rgb2hex(col.cRed.r, col.cRed.g, col.cRed.b)\n colors.cGreen = col.cGreen && rgb2hex(col.cGreen.r, col.cGreen.g, col.cGreen.b)\n colors.cOrange = col.cOrange && rgb2hex(col.cOrange.r, col.cOrange.g, col.cOrange.b)\n\n colors.cAlertRed = col.cRed && `rgba(${col.cRed.r}, ${col.cRed.g}, ${col.cRed.b}, .5)`\n\n radii.btnRadius = col.btnRadius\n radii.inputRadius = col.inputRadius\n radii.panelRadius = col.panelRadius\n radii.avatarRadius = col.avatarRadius\n radii.avatarAltRadius = col.avatarAltRadius\n radii.tooltipRadius = col.tooltipRadius\n radii.attachmentRadius = col.attachmentRadius\n\n styleSheet.toString()\n styleSheet.insertRule(`body { ${Object.entries(colors).filter(([k, v]) => v).map(([k, v]) => `--${k}: ${v}`).join(';')} }`, 'index-max')\n styleSheet.insertRule(`body { ${Object.entries(radii).filter(([k, v]) => v).map(([k, v]) => `--${k}: ${v}px`).join(';')} }`, 'index-max')\n body.style.display = 'initial'\n\n commit('setOption', { name: 'colors', value: colors })\n commit('setOption', { name: 'radii', value: radii })\n commit('setOption', { name: 'customTheme', value: col })\n}\n\nconst setPreset = (val, commit) => {\n window.fetch('/static/styles.json')\n .then((data) => data.json())\n .then((themes) => {\n const theme = themes[val] ? themes[val] : themes['pleroma-dark']\n const bgRgb = hex2rgb(theme[1])\n const fgRgb = hex2rgb(theme[2])\n const textRgb = hex2rgb(theme[3])\n const linkRgb = hex2rgb(theme[4])\n\n const cRedRgb = hex2rgb(theme[5] || '#FF0000')\n const cGreenRgb = hex2rgb(theme[6] || '#00FF00')\n const cBlueRgb = hex2rgb(theme[7] || '#0000FF')\n const cOrangeRgb = hex2rgb(theme[8] || '#E3FF00')\n\n const col = {\n bg: bgRgb,\n fg: fgRgb,\n text: textRgb,\n link: linkRgb,\n cRed: cRedRgb,\n cBlue: cBlueRgb,\n cGreen: cGreenRgb,\n cOrange: cOrangeRgb\n }\n\n // This is a hack, this function is only called during initial load.\n // We want to cancel loading the theme from config.json if we're already\n // loading a theme from the persisted state.\n // Needed some way of dealing with the async way of things.\n // load config -> set preset -> wait for styles.json to load ->\n // load persisted state -> set colors -> styles.json loaded -> set colors\n if (!window.themeLoaded) {\n setColors(col, commit)\n }\n })\n}\n\nconst StyleSetter = {\n setStyle,\n setPreset,\n setColors\n}\n\nexport default StyleSetter\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/style_setter/style_setter.js","\n\n\n\n\n\n// WEBPACK FOOTER //\n// interface_language_switcher.vue?5ef140ee","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 UserFinder from './components/user_finder/user_finder.vue'\nimport WhoToFollowPanel from './components/who_to_follow_panel/who_to_follow_panel.vue'\nimport InstanceSpecificPanel from './components/instance_specific_panel/instance_specific_panel.vue'\nimport ChatPanel from './components/chat_panel/chat_panel.vue'\n\nexport default {\n name: 'app',\n components: {\n UserPanel,\n NavPanel,\n Notifications,\n UserFinder,\n WhoToFollowPanel,\n InstanceSpecificPanel,\n ChatPanel\n },\n data: () => ({\n mobileActivePanel: 'timeline'\n }),\n created () {\n // Load the locale from the storage\n this.$i18n.locale = this.$store.state.config.interfaceLanguage\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n background () {\n return this.currentUser.background_image || this.$store.state.config.background\n },\n logoStyle () { return { 'background-image': `url(${this.$store.state.config.logo})` } },\n style () { return { 'background-image': `url(${this.background})` } },\n sitename () { return this.$store.state.config.name },\n chat () { return this.$store.state.chat.channel.state === 'joined' },\n suggestionsEnabled () { return this.$store.state.config.suggestionsEnabled },\n showInstanceSpecificPanel () { return this.$store.state.config.showInstanceSpecificPanel }\n },\n methods: {\n activatePanel (panelName) {\n this.mobileActivePanel = panelName\n },\n scrollToTop () {\n window.scrollTo(0, 0)\n },\n logout () {\n this.$store.dispatch('logout')\n }\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/App.js","import StillImage from '../still-image/still-image.vue'\nimport nsfwImage from '../../assets/nsfw.png'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\n\nconst Attachment = {\n props: [\n 'attachment',\n 'nsfw',\n 'statusId',\n 'size'\n ],\n data () {\n return {\n nsfwImage,\n hideNsfwLocal: this.$store.state.config.hideNsfw,\n loopVideo: this.$store.state.config.loopVideo,\n showHidden: false,\n loading: false,\n img: this.type === 'image' && document.createElement('img')\n }\n },\n components: {\n StillImage\n },\n computed: {\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 return fileTypeService.fileType(this.attachment.mimetype) === 'html'\n }\n },\n methods: {\n linkClicked ({target}) {\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n toggleHidden () {\n if (this.img) {\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 onVideoDataLoad (e) {\n if (typeof e.srcElement.webkitAudioDecodedByteCount !== 'undefined') {\n // non-zero if video has audio track\n if (e.srcElement.webkitAudioDecodedByteCount > 0) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n } else if (typeof e.srcElement.mozHasAudio !== 'undefined') {\n // true if video has audio track\n if (e.srcElement.mozHasAudio) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n } else if (typeof e.srcElement.audioTracks !== 'undefined') {\n if (e.srcElement.audioTracks.length > 0) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n }\n }\n }\n}\n\nexport default Attachment\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/attachment/attachment.js","const chatPanel = {\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 }\n}\n\nexport default chatPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/chat_panel/chat_panel.js","import Conversation from '../conversation/conversation.vue'\nimport { find, toInteger } from 'lodash'\n\nconst conversationPage = {\n components: {\n Conversation\n },\n computed: {\n statusoid () {\n const id = toInteger(this.$route.params.id)\n const statuses = this.$store.state.statuses.allStatuses\n const status = find(statuses, {id})\n\n return status\n }\n }\n}\n\nexport default conversationPage\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/conversation-page/conversation-page.js","import { reduce, filter, sortBy } from 'lodash'\nimport { statusType } from '../../modules/statuses.js'\nimport Status from '../status/status.vue'\n\nconst sortAndFilterConversation = (conversation) => {\n conversation = filter(conversation, (status) => statusType(status) !== 'retweet')\n return sortBy(conversation, 'id')\n}\n\nconst conversation = {\n data () {\n return {\n highlight: null\n }\n },\n props: [\n 'statusoid',\n 'collapsable'\n ],\n computed: {\n status () { return this.statusoid },\n conversation () {\n if (!this.status) {\n return false\n }\n\n const conversationId = this.status.statusnet_conversation_id\n const statuses = this.$store.state.statuses.allStatuses\n const conversation = filter(statuses, { statusnet_conversation_id: conversationId })\n return sortAndFilterConversation(conversation)\n },\n replies () {\n let i = 1\n return reduce(this.conversation, (result, {id, in_reply_to_status_id}) => {\n const irid = Number(in_reply_to_status_id)\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 },\n components: {\n Status\n },\n created () {\n this.fetchConversation()\n },\n watch: {\n '$route': 'fetchConversation'\n },\n methods: {\n fetchConversation () {\n if (this.status) {\n const conversationId = this.status.statusnet_conversation_id\n this.$store.state.api.backendInteractor.fetchConversation({id: conversationId})\n .then((statuses) => this.$store.dispatch('addNewStatuses', { statuses }))\n .then(() => this.setHighlight(this.statusoid.id))\n } else {\n const id = this.$route.params.id\n this.$store.state.api.backendInteractor.fetchStatus({id})\n .then((status) => this.$store.dispatch('addNewStatuses', { statuses: [status] }))\n .then(() => this.fetchConversation())\n }\n },\n getReplies (id) {\n id = Number(id)\n return this.replies[id] || []\n },\n focused (id) {\n if (this.statusoid.retweeted_status) {\n return (id === this.statusoid.retweeted_status.id)\n } else {\n return (id === this.statusoid.id)\n }\n },\n setHighlight (id) {\n this.highlight = Number(id)\n }\n }\n}\n\nexport default conversation\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/conversation/conversation.js","const DeleteButton = {\n props: [ 'status' ],\n methods: {\n deleteStatus () {\n const confirmed = window.confirm('Do you really want to delete this status?')\n if (confirmed) {\n this.$store.dispatch('deleteStatus', { id: this.status.id })\n }\n }\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n canDelete () { return this.currentUser && this.currentUser.rights.delete_others_notice || this.status.user.id === this.currentUser.id }\n }\n}\n\nexport default DeleteButton\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/delete_button/delete_button.js","const 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 }\n}\n\nexport default FavoriteButton\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/favorite_button/favorite_button.js","import UserCard from '../user_card/user_card.vue'\n\nconst FollowRequests = {\n components: {\n UserCard\n },\n created () {\n this.updateRequests()\n },\n computed: {\n requests () {\n return this.$store.state.api.followRequests\n }\n },\n methods: {\n updateRequests () {\n this.$store.state.api.backendInteractor.fetchFollowRequests()\n .then((requests) => { this.$store.commit('setFollowRequests', requests) })\n }\n }\n}\n\nexport default FollowRequests\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/follow_requests/follow_requests.js","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\n\n\n// WEBPACK FOOTER //\n// ./src/components/friends_timeline/friends_timeline.js","const InstanceSpecificPanel = {\n computed: {\n instanceSpecificPanelContent () {\n return this.$store.state.config.instanceSpecificPanelContent\n }\n }\n}\n\nexport default InstanceSpecificPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/instance_specific_panel/instance_specific_panel.js","const LoginForm = {\n data: () => ({\n user: {},\n authError: false\n }),\n computed: {\n loggingIn () { return this.$store.state.users.loggingIn },\n registrationOpen () { return this.$store.state.config.registrationOpen }\n },\n methods: {\n submit () {\n this.$store.dispatch('loginUser', this.user).then(\n () => {},\n (error) => {\n this.authError = error\n this.user.username = ''\n this.user.password = ''\n }\n )\n }\n }\n}\n\nexport default LoginForm\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/login_form/login_form.js","/* eslint-env browser */\nimport statusPosterService from '../../services/status_poster/status_poster.service.js'\n\nconst mediaUpload = {\n mounted () {\n const input = this.$el.querySelector('input')\n\n input.addEventListener('change', ({target}) => {\n const file = target.files[0]\n this.uploadFile(file)\n })\n },\n data () {\n return {\n uploading: false\n }\n },\n methods: {\n uploadFile (file) {\n const self = this\n const store = this.$store\n const formData = new FormData()\n formData.append('media', file)\n\n self.$emit('uploading')\n self.uploading = true\n\n statusPosterService.uploadMedia({ store, formData })\n .then((fileData) => {\n self.$emit('uploaded', fileData)\n self.uploading = false\n }, (error) => { // eslint-disable-line handle-callback-err\n self.$emit('upload-failed')\n self.uploading = false\n })\n },\n fileDrop (e) {\n if (e.dataTransfer.files.length > 0) {\n e.preventDefault() // allow dropping text like before\n this.uploadFile(e.dataTransfer.files[0])\n }\n },\n fileDrag (e) {\n let types = e.dataTransfer.types\n if (types.contains('Files')) {\n e.dataTransfer.dropEffect = 'copy'\n } else {\n e.dataTransfer.dropEffect = 'none'\n }\n }\n },\n props: [\n 'dropFiles'\n ],\n watch: {\n 'dropFiles': function (fileInfos) {\n if (!this.uploading) {\n this.uploadFile(fileInfos[0])\n }\n }\n }\n}\n\nexport default mediaUpload\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/media_upload/media_upload.js","import Timeline from '../timeline/timeline.vue'\n\nconst Mentions = {\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.mentions\n }\n },\n components: {\n Timeline\n }\n}\n\nexport default Mentions\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/mentions/mentions.js","const NavPanel = {\n computed: {\n currentUser () {\n return this.$store.state.users.currentUser\n },\n chat () {\n return this.$store.state.chat.channel\n }\n }\n}\n\nexport default NavPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/nav_panel/nav_panel.js","import Status from '../status/status.vue'\nimport StillImage from '../still-image/still-image.vue'\nimport UserCardContent from '../user_card_content/user_card_content.vue'\nimport { highlightClass, highlightStyle } from '../../services/user_highlighter/user_highlighter.js'\n\nconst Notification = {\n data () {\n return {\n userExpanded: false\n }\n },\n props: [\n 'notification'\n ],\n components: {\n Status, StillImage, UserCardContent\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n }\n },\n computed: {\n userClass () {\n return highlightClass(this.notification.action.user)\n },\n userStyle () {\n const highlight = this.$store.state.config.highlight\n const user = this.notification.action.user\n return highlightStyle(highlight[user.screen_name])\n }\n }\n}\n\nexport default Notification\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/notification/notification.js","import Notification from '../notification/notification.vue'\nimport notificationsFetcher from '../../services/notifications_fetcher/notifications_fetcher.service.js'\n\nimport { sortBy, filter } from 'lodash'\n\nconst Notifications = {\n created () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n\n notificationsFetcher.startFetching({ store, credentials })\n },\n computed: {\n notifications () {\n return this.$store.state.statuses.notifications.data\n },\n error () {\n return this.$store.state.statuses.notifications.error\n },\n unseenNotifications () {\n return filter(this.notifications, ({seen}) => !seen)\n },\n visibleNotifications () {\n // Don't know why, but sortBy([seen, -action.id]) doesn't work.\n let sortedNotifications = sortBy(this.notifications, ({action}) => -action.id)\n sortedNotifications = sortBy(sortedNotifications, 'seen')\n return sortedNotifications\n },\n unseenCount () {\n return this.unseenNotifications.length\n }\n },\n components: {\n Notification\n },\n watch: {\n unseenCount (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.commit('markNotificationsAsSeen', this.visibleNotifications)\n },\n fetchOlderNotifications () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n notificationsFetcher.fetchAndUpdate({\n store,\n credentials,\n older: true\n })\n }\n }\n}\n\nexport default Notifications\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/notifications/notifications.js","import statusPoster from '../../services/status_poster/status_poster.service.js'\nimport MediaUpload from '../media_upload/media_upload.vue'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport Completion from '../../services/completion/completion.js'\nimport { take, filter, reject, map, uniqBy } from 'lodash'\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.join(' ') + ' '\n}\n\nconst PostStatusForm = {\n props: [\n 'replyTo',\n 'repliedUser',\n 'attentions',\n 'messageScope',\n 'subject'\n ],\n components: {\n MediaUpload\n },\n mounted () {\n this.resize(this.$refs.textarea)\n\n if (this.replyTo) {\n this.$refs.textarea.focus()\n }\n },\n data () {\n const preset = this.$route.query.message\n let statusText = preset || ''\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 return {\n dropFiles: [],\n submitDisabled: 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 visibility: this.messageScope || this.$store.state.users.currentUser.default_scope\n },\n caret: 0\n }\n },\n computed: {\n vis () {\n return {\n public: { selected: this.newStatus.visibility === 'public' },\n unlisted: { selected: this.newStatus.visibility === 'unlisted' },\n private: { selected: this.newStatus.visibility === 'private' },\n direct: { selected: this.newStatus.visibility === 'direct' }\n }\n },\n candidates () {\n const firstchar = this.textAtCaret.charAt(0)\n if (firstchar === '@') {\n const matchedUsers = filter(this.users, (user) => (String(user.name + user.screen_name)).toUpperCase()\n .match(this.textAtCaret.slice(1).toUpperCase()))\n if (matchedUsers.length <= 0) {\n return false\n }\n // eslint-disable-next-line camelcase\n return map(take(matchedUsers, 5), ({screen_name, name, profile_image_url_original}, index) => ({\n // eslint-disable-next-line camelcase\n screen_name: `@${screen_name}`,\n name: name,\n img: profile_image_url_original,\n highlighted: index === this.highlighted\n }))\n } else if (firstchar === ':') {\n if (this.textAtCaret === ':') { return }\n const matchedEmoji = filter(this.emoji.concat(this.customEmoji), (emoji) => emoji.shortcode.match(this.textAtCaret.slice(1)))\n if (matchedEmoji.length <= 0) {\n return false\n }\n return map(take(matchedEmoji, 5), ({shortcode, image_url, utf}, index) => ({\n screen_name: `:${shortcode}:`,\n name: '',\n utf: utf || '',\n // eslint-disable-next-line camelcase\n img: utf ? '' : this.$store.state.config.server + image_url,\n highlighted: index === this.highlighted\n }))\n } else {\n return false\n }\n },\n textAtCaret () {\n return (this.wordAtCaret || {}).word || ''\n },\n wordAtCaret () {\n const word = Completion.wordAtPosition(this.newStatus.status, this.caret - 1) || {}\n return word\n },\n users () {\n return this.$store.state.users.users\n },\n emoji () {\n return this.$store.state.config.emoji || []\n },\n customEmoji () {\n return this.$store.state.config.customEmoji || []\n },\n statusLength () {\n return this.newStatus.status.length\n },\n statusLengthLimit () {\n return this.$store.state.config.textlimit\n },\n hasStatusLengthLimit () {\n return this.statusLengthLimit > 0\n },\n charactersLeft () {\n return this.statusLengthLimit - this.statusLength\n },\n isOverLengthLimit () {\n return this.hasStatusLengthLimit && (this.statusLength > this.statusLengthLimit)\n },\n scopeOptionsEnabled () {\n return this.$store.state.config.scopeOptionsEnabled\n }\n },\n methods: {\n replace (replacement) {\n this.newStatus.status = Completion.replaceWord(this.newStatus.status, this.wordAtCaret, replacement)\n const el = this.$el.querySelector('textarea')\n el.focus()\n this.caret = 0\n },\n replaceCandidate (e) {\n const len = this.candidates.length || 0\n if (this.textAtCaret === ':' || e.ctrlKey) { return }\n if (len > 0) {\n e.preventDefault()\n const candidate = this.candidates[this.highlighted]\n const replacement = candidate.utf || (candidate.screen_name + ' ')\n this.newStatus.status = Completion.replaceWord(this.newStatus.status, this.wordAtCaret, replacement)\n const el = this.$el.querySelector('textarea')\n el.focus()\n this.caret = 0\n this.highlighted = 0\n }\n },\n cycleBackward (e) {\n const len = this.candidates.length || 0\n if (len > 0) {\n e.preventDefault()\n this.highlighted -= 1\n if (this.highlighted < 0) {\n this.highlighted = this.candidates.length - 1\n }\n } else {\n this.highlighted = 0\n }\n },\n cycleForward (e) {\n const len = this.candidates.length || 0\n if (len > 0) {\n if (e.shiftKey) { return }\n e.preventDefault()\n this.highlighted += 1\n if (this.highlighted >= len) {\n this.highlighted = 0\n }\n } else {\n this.highlighted = 0\n }\n },\n setCaret ({target: {selectionStart}}) {\n this.caret = selectionStart\n },\n postStatus (newStatus) {\n if (this.posting) { return }\n if (this.submitDisabled) { return }\n\n if (this.newStatus.status === '') {\n if (this.newStatus.files.length > 0) {\n this.newStatus.status = '\\u200b' // hack\n } else {\n this.error = 'Cannot post an empty status with no files'\n return\n }\n }\n\n this.posting = true\n statusPoster.postStatus({\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 }).then((data) => {\n if (!data.error) {\n this.newStatus = {\n status: '',\n files: [],\n visibility: newStatus.visibility\n }\n this.$emit('posted')\n let el = this.$el.querySelector('textarea')\n el.style.height = '16px'\n this.error = null\n } else {\n this.error = data.error\n }\n this.posting = false\n })\n },\n addMediaFile (fileInfo) {\n this.newStatus.files.push(fileInfo)\n this.enableSubmit()\n },\n removeMediaFile (fileInfo) {\n let index = this.newStatus.files.indexOf(fileInfo)\n this.newStatus.files.splice(index, 1)\n },\n disableSubmit () {\n this.submitDisabled = true\n },\n enableSubmit () {\n this.submitDisabled = false\n },\n type (fileInfo) {\n return fileTypeService.fileType(fileInfo.mimetype)\n },\n paste (e) {\n if (e.clipboardData.files.length > 0) {\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.files.length > 0) {\n e.preventDefault() // allow dropping text like before\n this.dropFiles = e.dataTransfer.files\n }\n },\n fileDrag (e) {\n e.dataTransfer.dropEffect = 'copy'\n },\n resize (e) {\n if (!e.target) { return }\n const vertPadding = Number(window.getComputedStyle(e.target)['padding-top'].substr(0, 1)) +\n Number(window.getComputedStyle(e.target)['padding-bottom'].substr(0, 1))\n e.target.style.height = 'auto'\n e.target.style.height = `${e.target.scrollHeight - vertPadding}px`\n if (e.target.value === '') {\n e.target.style.height = '16px'\n }\n },\n clearError () {\n this.error = null\n },\n changeVis (visibility) {\n this.newStatus.visibility = visibility\n }\n }\n}\n\nexport default PostStatusForm\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/post_status_form/post_status_form.js","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('startFetching', 'publicAndExternal')\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'publicAndExternal')\n }\n}\n\nexport default PublicAndExternalTimeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/public_and_external_timeline/public_and_external_timeline.js","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('startFetching', 'public')\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'public')\n }\n\n}\n\nexport default PublicTimeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/public_timeline/public_timeline.js","const registration = {\n data: () => ({\n user: {},\n error: false,\n registering: false\n }),\n created () {\n if ((!this.$store.state.config.registrationOpen && !this.token) || !!this.$store.state.users.currentUser) {\n this.$router.push('/main/all')\n }\n // Seems like this doesn't work at first page open for some reason\n if (this.$store.state.config.registrationOpen && this.token) {\n this.$router.push('/registration')\n }\n },\n computed: {\n termsofservice () { return this.$store.state.config.tos },\n token () { return this.$route.params.token }\n },\n methods: {\n submit () {\n this.registering = true\n this.user.nickname = this.user.username\n this.user.token = this.token\n this.$store.state.api.backendInteractor.register(this.user).then(\n (response) => {\n if (response.ok) {\n this.$store.dispatch('loginUser', this.user)\n this.$router.push('/main/all')\n this.registering = false\n } else {\n this.registering = false\n response.json().then((data) => {\n this.error = data.error\n })\n }\n }\n )\n }\n }\n}\n\nexport default registration\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/registration/registration.js","const 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 }\n}\n\nexport default RetweetButton\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/retweet_button/retweet_button.js","/* eslint-env browser */\nimport StyleSwitcher from '../style_switcher/style_switcher.vue'\nimport InterfaceLanguageSwitcher from '../interface_language_switcher/interface_language_switcher.vue'\nimport { filter, trim } from 'lodash'\n\nconst settings = {\n data () {\n return {\n hideAttachmentsLocal: this.$store.state.config.hideAttachments,\n hideAttachmentsInConvLocal: this.$store.state.config.hideAttachmentsInConv,\n hideNsfwLocal: this.$store.state.config.hideNsfw,\n replyVisibilityLocal: this.$store.state.config.replyVisibility,\n loopVideoLocal: this.$store.state.config.loopVideo,\n loopVideoSilentOnlyLocal: this.$store.state.config.loopVideoSilentOnly,\n muteWordsString: this.$store.state.config.muteWords.join('\\n'),\n autoLoadLocal: this.$store.state.config.autoLoad,\n streamingLocal: this.$store.state.config.streaming,\n pauseOnUnfocusedLocal: this.$store.state.config.pauseOnUnfocused,\n hoverPreviewLocal: this.$store.state.config.hoverPreview,\n collapseMessageWithSubjectLocal: this.$store.state.config.collapseMessageWithSubject,\n stopGifs: this.$store.state.config.stopGifs,\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 StyleSwitcher,\n InterfaceLanguageSwitcher\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n }\n },\n watch: {\n hideAttachmentsLocal (value) {\n this.$store.dispatch('setOption', { name: 'hideAttachments', value })\n },\n hideAttachmentsInConvLocal (value) {\n this.$store.dispatch('setOption', { name: 'hideAttachmentsInConv', value })\n },\n hideNsfwLocal (value) {\n this.$store.dispatch('setOption', { name: 'hideNsfw', value })\n },\n replyVisibilityLocal (value) {\n this.$store.dispatch('setOption', { name: 'replyVisibility', value })\n },\n loopVideoLocal (value) {\n this.$store.dispatch('setOption', { name: 'loopVideo', value })\n },\n loopVideoSilentOnlyLocal (value) {\n this.$store.dispatch('setOption', { name: 'loopVideoSilentOnly', value })\n },\n autoLoadLocal (value) {\n this.$store.dispatch('setOption', { name: 'autoLoad', value })\n },\n streamingLocal (value) {\n this.$store.dispatch('setOption', { name: 'streaming', value })\n },\n pauseOnUnfocusedLocal (value) {\n this.$store.dispatch('setOption', { name: 'pauseOnUnfocused', value })\n },\n hoverPreviewLocal (value) {\n this.$store.dispatch('setOption', { name: 'hoverPreview', value })\n },\n muteWordsString (value) {\n value = filter(value.split('\\n'), (word) => trim(word).length > 0)\n this.$store.dispatch('setOption', { name: 'muteWords', value })\n },\n collapseMessageWithSubjectLocal (value) {\n this.$store.dispatch('setOption', { name: 'collapseMessageWithSubject', value })\n },\n stopGifs (value) {\n this.$store.dispatch('setOption', { name: 'stopGifs', value })\n }\n }\n}\n\nexport default settings\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/settings/settings.js","import Attachment from '../attachment/attachment.vue'\nimport FavoriteButton from '../favorite_button/favorite_button.vue'\nimport RetweetButton from '../retweet_button/retweet_button.vue'\nimport DeleteButton from '../delete_button/delete_button.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCardContent from '../user_card_content/user_card_content.vue'\nimport StillImage from '../still-image/still-image.vue'\nimport { filter, find } from 'lodash'\nimport { highlightClass, highlightStyle } from '../../services/user_highlighter/user_highlighter.js'\n\nconst Status = {\n name: 'Status',\n props: [\n 'statusoid',\n 'expandable',\n 'inConversation',\n 'focused',\n 'highlight',\n 'compact',\n 'replies',\n 'noReplyLinks',\n 'noHeading',\n 'inlineExpanded'\n ],\n data () {\n return {\n replying: false,\n expanded: false,\n unmuted: false,\n userExpanded: false,\n preview: null,\n showPreview: false,\n showingTall: false,\n expandingSubject: !this.$store.state.config.collapseMessageWithSubject\n }\n },\n computed: {\n muteWords () {\n return this.$store.state.config.muteWords\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 repeaterStyle () {\n const user = this.statusoid.user\n const highlight = this.$store.state.config.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.$store.state.config.highlight\n return highlightStyle(highlight[user.screen_name])\n },\n hideAttachments () {\n return (this.$store.state.config.hideAttachments && !this.inConversation) ||\n (this.$store.state.config.hideAttachmentsInConv && this.inConversation)\n },\n retweet () { return !!this.statusoid.retweeted_status },\n retweeter () { return this.statusoid.user.name },\n retweeterHtml () { return this.statusoid.user.name_html },\n status () {\n if (this.retweet) {\n return this.statusoid.retweeted_status\n } else {\n return this.statusoid\n }\n },\n loggedIn () {\n return !!this.$store.state.users.currentUser\n },\n muteWordHits () {\n const statusText = this.status.text.toLowerCase()\n const hits = filter(this.muteWords, (muteWord) => {\n return statusText.includes(muteWord.toLowerCase())\n })\n\n return hits\n },\n muted () { return !this.unmuted && (this.status.user.muted || this.muteWordHits.length > 0) },\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 // This is a bit hacky, but we want to approximate post height before rendering\n // so we count newlines (masto uses

for paragraphs, GS uses
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(/ 20\n },\n isReply () {\n if (this.status.in_reply_to_status_id) {\n return true\n }\n // For private replies where we can't see the OP, in_reply_to_status_id will be null.\n // So instead, check that the post starts with a @mention.\n if (this.status.visibility === 'private') {\n var textBody = this.status.text\n if (this.status.summary !== null) {\n textBody = textBody.substring(this.status.summary.length, textBody.length)\n }\n return textBody.startsWith('@')\n }\n return false\n },\n hideReply () {\n if (this.$store.state.config.replyVisibility === 'all') {\n return false\n }\n if (this.inlineExpanded || this.expanded || this.inConversation || !this.isReply) {\n return false\n }\n if (this.status.user.id === this.$store.state.users.currentUser.id) {\n return false\n }\n if (this.status.activity_type === 'repeat') {\n return false\n }\n var checkFollowing = this.$store.state.config.replyVisibility === 'following'\n for (var i = 0; i < this.status.attentions.length; ++i) {\n if (this.status.user.id === this.status.attentions[i].id) {\n continue\n }\n if (checkFollowing && this.status.attentions[i].following) {\n return false\n }\n if (this.status.attentions[i].id === this.$store.state.users.currentUser.id) {\n return false\n }\n }\n return this.status.attentions.length > 0\n },\n hideSubjectStatus () {\n if (this.tallStatus && !this.$store.state.config.collapseMessageWithSubject) {\n return false\n }\n return !this.expandingSubject && this.status.summary\n },\n hideTallStatus () {\n if (this.status.summary && this.$store.state.config.collapseMessageWithSubject) {\n return false\n }\n if (this.showingTall) {\n return false\n }\n return this.tallStatus\n },\n showingMore () {\n return this.showingTall || (this.status.summary && this.expandingSubject)\n },\n nsfwClickthrough () {\n if (!this.status.nsfw) {\n return false\n }\n if (this.status.summary && this.$store.state.config.collapseMessageWithSubject) {\n return false\n }\n return true\n },\n replySubject () {\n if (this.status.summary && !this.status.summary.match(/^re[: ]/i)) {\n return 're: '.concat(this.status.summary)\n }\n return this.status.summary\n },\n attachmentSize () {\n if ((this.$store.state.config.hideAttachments && !this.inConversation) ||\n (this.$store.state.config.hideAttachmentsInConv && this.inConversation)) {\n return 'hide'\n } else if (this.compact) {\n return 'small'\n }\n return 'normal'\n }\n },\n components: {\n Attachment,\n FavoriteButton,\n RetweetButton,\n DeleteButton,\n PostStatusForm,\n UserCardContent,\n StillImage\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 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 toggleReplying () {\n this.replying = !this.replying\n },\n gotoOriginal (id) {\n // only handled by conversation, not status_or_conversation\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 toggleShowMore () {\n if (this.showingTall) {\n this.showingTall = false\n } else if (this.expandingSubject) {\n this.expandingSubject = false\n } else if (this.hideTallStatus) {\n this.showingTall = true\n } else if (this.hideSubjectStatus) {\n this.expandingSubject = true\n }\n },\n replyEnter (id, event) {\n this.showPreview = true\n const targetId = Number(id)\n const statuses = this.$store.state.statuses.allStatuses\n\n if (!this.preview) {\n // if we have the status somewhere already\n this.preview = find(statuses, { 'id': targetId })\n // or if we have to fetch it\n if (!this.preview) {\n this.$store.state.api.backendInteractor.fetchStatus({id}).then((status) => {\n this.preview = status\n })\n }\n } else if (this.preview.id !== targetId) {\n this.preview = find(statuses, { 'id': targetId })\n }\n },\n replyLeave () {\n this.showPreview = false\n }\n },\n watch: {\n 'highlight': function (id) {\n id = Number(id)\n if (this.status.id === id) {\n let rect = this.$el.getBoundingClientRect()\n if (rect.top < 100) {\n window.scrollBy(0, rect.top - 200)\n } else if (rect.bottom > window.innerHeight - 50) {\n window.scrollBy(0, rect.bottom - window.innerHeight + 50)\n }\n }\n }\n }\n}\n\nexport default Status\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/status/status.js","import Status from '../status/status.vue'\nimport Conversation from '../conversation/conversation.vue'\n\nconst statusOrConversation = {\n props: ['statusoid'],\n data () {\n return {\n expanded: false\n }\n },\n components: {\n Status,\n Conversation\n },\n methods: {\n toggleExpanded () {\n this.expanded = !this.expanded\n }\n }\n}\n\nexport default statusOrConversation\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/status_or_conversation/status_or_conversation.js","const StillImage = {\n props: [\n 'src',\n 'referrerpolicy',\n 'mimetype'\n ],\n data () {\n return {\n stopGifs: this.$store.state.config.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 const canvas = this.$refs.canvas\n if (!canvas) return\n canvas.getContext('2d').drawImage(this.$refs.src, 1, 1, canvas.width, canvas.height)\n }\n }\n}\n\nexport default StillImage\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/still-image/still-image.js","import { rgbstr2hex } from '../../services/color_convert/color_convert.js'\n\nexport default {\n data () {\n return {\n availableStyles: [],\n selected: this.$store.state.config.theme,\n invalidThemeImported: false,\n bgColorLocal: '',\n btnColorLocal: '',\n textColorLocal: '',\n linkColorLocal: '',\n redColorLocal: '',\n blueColorLocal: '',\n greenColorLocal: '',\n orangeColorLocal: '',\n btnRadiusLocal: '',\n inputRadiusLocal: '',\n panelRadiusLocal: '',\n avatarRadiusLocal: '',\n avatarAltRadiusLocal: '',\n attachmentRadiusLocal: '',\n tooltipRadiusLocal: ''\n }\n },\n created () {\n const self = this\n\n window.fetch('/static/styles.json')\n .then((data) => data.json())\n .then((themes) => {\n self.availableStyles = themes\n })\n },\n mounted () {\n this.normalizeLocalState(this.$store.state.config.colors, this.$store.state.config.radii)\n },\n methods: {\n exportCurrentTheme () {\n const stringified = JSON.stringify({\n // To separate from other random JSON files and possible future theme formats\n _pleroma_theme_version: 1,\n colors: this.$store.state.config.colors,\n radii: this.$store.state.config.radii\n }, 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\n importTheme () {\n this.invalidThemeImported = 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 if (parsed._pleroma_theme_version === 1) {\n this.normalizeLocalState(parsed.colors, parsed.radii)\n } else {\n // A theme from the future, spooky\n this.invalidThemeImported = true\n }\n } catch (e) {\n // This will happen both if there is a JSON syntax error or the theme is missing components\n this.invalidThemeImported = true\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 setCustomTheme () {\n if (!this.bgColorLocal && !this.btnColorLocal && !this.linkColorLocal) {\n // reset to picked themes\n }\n\n const rgb = (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 const bgRgb = rgb(this.bgColorLocal)\n const btnRgb = rgb(this.btnColorLocal)\n const textRgb = rgb(this.textColorLocal)\n const linkRgb = rgb(this.linkColorLocal)\n\n const redRgb = rgb(this.redColorLocal)\n const blueRgb = rgb(this.blueColorLocal)\n const greenRgb = rgb(this.greenColorLocal)\n const orangeRgb = rgb(this.orangeColorLocal)\n\n if (bgRgb && btnRgb && linkRgb) {\n this.$store.dispatch('setOption', {\n name: 'customTheme',\n value: {\n fg: btnRgb,\n bg: bgRgb,\n text: textRgb,\n link: linkRgb,\n cRed: redRgb,\n cBlue: blueRgb,\n cGreen: greenRgb,\n cOrange: orangeRgb,\n btnRadius: this.btnRadiusLocal,\n inputRadius: this.inputRadiusLocal,\n panelRadius: this.panelRadiusLocal,\n avatarRadius: this.avatarRadiusLocal,\n avatarAltRadius: this.avatarAltRadiusLocal,\n tooltipRadius: this.tooltipRadiusLocal,\n attachmentRadius: this.attachmentRadiusLocal\n }})\n }\n },\n\n normalizeLocalState (colors, radii) {\n this.bgColorLocal = rgbstr2hex(colors.bg)\n this.btnColorLocal = rgbstr2hex(colors.btn)\n this.textColorLocal = rgbstr2hex(colors.fg)\n this.linkColorLocal = rgbstr2hex(colors.link)\n\n this.redColorLocal = rgbstr2hex(colors.cRed)\n this.blueColorLocal = rgbstr2hex(colors.cBlue)\n this.greenColorLocal = rgbstr2hex(colors.cGreen)\n this.orangeColorLocal = rgbstr2hex(colors.cOrange)\n\n this.btnRadiusLocal = radii.btnRadius || 4\n this.inputRadiusLocal = radii.inputRadius || 4\n this.panelRadiusLocal = radii.panelRadius || 10\n this.avatarRadiusLocal = radii.avatarRadius || 5\n this.avatarAltRadiusLocal = radii.avatarAltRadius || 50\n this.tooltipRadiusLocal = radii.tooltipRadius || 2\n this.attachmentRadiusLocal = radii.attachmentRadius || 5\n }\n },\n watch: {\n selected () {\n this.bgColorLocal = this.selected[1]\n this.btnColorLocal = this.selected[2]\n this.textColorLocal = this.selected[3]\n this.linkColorLocal = this.selected[4]\n this.redColorLocal = this.selected[5]\n this.greenColorLocal = this.selected[6]\n this.blueColorLocal = this.selected[7]\n this.orangeColorLocal = this.selected[8]\n }\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/style_switcher/style_switcher.js","import Timeline from '../timeline/timeline.vue'\n\nconst TagTimeline = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'tag' })\n this.$store.dispatch('startFetching', { '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('startFetching', { 'tag': this.tag })\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'tag')\n }\n}\n\nexport default TagTimeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/tag_timeline/tag_timeline.js","import Status from '../status/status.vue'\nimport timelineFetcher from '../../services/timeline_fetcher/timeline_fetcher.service.js'\nimport StatusOrConversation from '../status_or_conversation/status_or_conversation.vue'\nimport UserCard from '../user_card/user_card.vue'\n\nconst Timeline = {\n props: [\n 'timeline',\n 'timelineName',\n 'title',\n 'userId',\n 'tag'\n ],\n data () {\n return {\n paused: false,\n unfocused: false\n }\n },\n computed: {\n timelineError () { return this.$store.state.statuses.error },\n followers () {\n return this.timeline.followers\n },\n friends () {\n return this.timeline.friends\n },\n viewing () {\n return this.timeline.viewing\n },\n newStatusCount () {\n return this.timeline.newStatusCount\n },\n newStatusCountStr () {\n if (this.timeline.flushMarker !== 0) {\n return ''\n } else {\n return ` (${this.newStatusCount})`\n }\n }\n },\n components: {\n Status,\n StatusOrConversation,\n UserCard\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 timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n showImmediately,\n userId: this.userId,\n tag: this.tag\n })\n\n // don't fetch followers for public, friend, twkn\n if (this.timelineName === 'user') {\n this.fetchFriends()\n this.fetchFollowers()\n }\n },\n mounted () {\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.unfocused = document.hidden\n }\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\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 showNewStatuses () {\n if (this.timeline.flushMarker !== 0) {\n this.$store.commit('clearTimeline', { timeline: this.timelineName })\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 () {\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(() => store.commit('setLoading', { timeline: this.timelineName, value: false }))\n },\n fetchFollowers () {\n const id = this.userId\n this.$store.state.api.backendInteractor.fetchFollowers({ id })\n .then((followers) => this.$store.dispatch('addFollowers', { followers }))\n },\n fetchFriends () {\n const id = this.userId\n this.$store.state.api.backendInteractor.fetchFriends({ id })\n .then((friends) => this.$store.dispatch('addFriends', { friends }))\n },\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.$store.state.config.autoLoad &&\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.state.config.streaming) {\n return\n }\n if (count > 0) {\n // only 'stream' them when you're scrolled to the top\n if (window.pageYOffset < 15 &&\n !this.paused &&\n !(this.unfocused && this.$store.state.config.pauseOnUnfocused)\n ) {\n this.showNewStatuses()\n } else {\n this.paused = true\n }\n }\n }\n }\n}\n\nexport default Timeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/timeline/timeline.js","import UserCardContent from '../user_card_content/user_card_content.vue'\n\nconst UserCard = {\n props: [\n 'user',\n 'showFollows',\n 'showApproval'\n ],\n data () {\n return {\n userExpanded: false\n }\n },\n components: {\n UserCardContent\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n approveUser () {\n this.$store.state.api.backendInteractor.approveUser(this.user.id)\n this.$store.dispatch('removeFollowRequest', this.user)\n },\n denyUser () {\n this.$store.state.api.backendInteractor.denyUser(this.user.id)\n this.$store.dispatch('removeFollowRequest', this.user)\n }\n }\n}\n\nexport default UserCard\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_card/user_card.js","import StillImage from '../still-image/still-image.vue'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\n\nexport default {\n props: [ 'user', 'switcher', 'selected', 'hideBio' ],\n computed: {\n headingStyle () {\n const color = this.$store.state.config.colors.bg\n if (color) {\n const rgb = hex2rgb(color)\n const tintColor = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .5)`\n return {\n backgroundColor: `rgb(${Math.floor(rgb.r * 0.53)}, ${Math.floor(rgb.g * 0.56)}, ${Math.floor(rgb.b * 0.59)})`,\n backgroundImage: [\n `linear-gradient(to bottom, ${tintColor}, ${tintColor})`,\n `url(${this.user.cover_photo})`\n ].join(', ')\n }\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.state.config.highlight[this.user.screen_name]\n return data && data.type || 'disabled'\n },\n set (type) {\n const data = this.$store.state.config.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 },\n userHighlightColor: {\n get () {\n const data = this.$store.state.config.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 },\n components: {\n StillImage\n },\n methods: {\n followUser () {\n const store = this.$store\n store.state.api.backendInteractor.followUser(this.user.id)\n .then((followedUser) => store.commit('addNewUsers', [followedUser]))\n },\n unfollowUser () {\n const store = this.$store\n store.state.api.backendInteractor.unfollowUser(this.user.id)\n .then((unfollowedUser) => store.commit('addNewUsers', [unfollowedUser]))\n },\n blockUser () {\n const store = this.$store\n store.state.api.backendInteractor.blockUser(this.user.id)\n .then((blockedUser) => store.commit('addNewUsers', [blockedUser]))\n },\n unblockUser () {\n const store = this.$store\n store.state.api.backendInteractor.unblockUser(this.user.id)\n .then((unblockedUser) => store.commit('addNewUsers', [unblockedUser]))\n },\n toggleMute () {\n const store = this.$store\n store.commit('setMuted', {user: this.user, muted: !this.user.muted})\n store.state.api.backendInteractor.setUserMute(this.user)\n },\n setProfileView (v) {\n if (this.switcher) {\n const store = this.$store\n store.commit('setProfileView', { v })\n }\n }\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_card_content/user_card_content.js","const UserFinder = {\n data: () => ({\n username: undefined,\n hidden: true,\n error: false,\n loading: false\n }),\n methods: {\n findUser (username) {\n username = username[0] === '@' ? username.slice(1) : username\n this.loading = true\n this.$store.state.api.backendInteractor.externalProfile(username)\n .then((user) => {\n this.loading = false\n this.hidden = true\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$router.push({name: 'user-profile', params: {id: user.id}})\n } else {\n this.error = true\n }\n })\n },\n toggleHidden () {\n this.hidden = !this.hidden\n },\n dismissError () {\n this.error = false\n }\n }\n}\n\nexport default UserFinder\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_finder/user_finder.js","import LoginForm from '../login_form/login_form.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCardContent from '../user_card_content/user_card_content.vue'\n\nconst UserPanel = {\n computed: {\n user () { return this.$store.state.users.currentUser }\n },\n components: {\n LoginForm,\n PostStatusForm,\n UserCardContent\n }\n}\n\nexport default UserPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_panel/user_panel.js","import UserCardContent from '../user_card_content/user_card_content.vue'\nimport Timeline from '../timeline/timeline.vue'\n\nconst UserProfile = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.dispatch('startFetching', ['user', this.userId])\n if (!this.$store.state.users.usersObject[this.userId]) {\n this.$store.dispatch('fetchUser', this.userId)\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'user')\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.user },\n userId () {\n return this.$route.params.id\n },\n user () {\n if (this.timeline.statuses[0]) {\n return this.timeline.statuses[0].user\n } else {\n return this.$store.state.users.usersObject[this.userId] || false\n }\n }\n },\n watch: {\n userId () {\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.dispatch('startFetching', ['user', this.userId])\n }\n },\n components: {\n UserCardContent,\n Timeline\n }\n}\n\nexport default UserProfile\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_profile/user_profile.js","import StyleSwitcher from '../style_switcher/style_switcher.vue'\n\nconst UserSettings = {\n data () {\n return {\n newname: this.$store.state.users.currentUser.name,\n newbio: this.$store.state.users.currentUser.description,\n newlocked: this.$store.state.users.currentUser.locked,\n newdefaultScope: this.$store.state.users.currentUser.default_scope,\n followList: null,\n followImportError: false,\n followsImported: false,\n enableFollowsExport: true,\n uploading: [ false, false, false, false ],\n previews: [ null, null, null ],\n deletingAccount: false,\n deleteAccountConfirmPasswordInput: '',\n deleteAccountError: false,\n changePasswordInputs: [ '', '', '' ],\n changedPassword: false,\n changePasswordError: false,\n activeTab: 'profile'\n }\n },\n components: {\n StyleSwitcher\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n pleromaBackend () {\n return this.$store.state.config.pleromaBackend\n },\n scopeOptionsEnabled () {\n return this.$store.state.config.scopeOptionsEnabled\n },\n vis () {\n return {\n public: { selected: this.newdefaultScope === 'public' },\n unlisted: { selected: this.newdefaultScope === 'unlisted' },\n private: { selected: this.newdefaultScope === 'private' },\n direct: { selected: this.newdefaultScope === 'direct' }\n }\n }\n },\n methods: {\n updateProfile () {\n const name = this.newname\n const description = this.newbio\n const locked = this.newlocked\n /* eslint-disable camelcase */\n const default_scope = this.newdefaultScope\n this.$store.state.api.backendInteractor.updateProfile({params: {name, description, locked, default_scope}}).then((user) => {\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n }\n })\n /* eslint-enable camelcase */\n },\n changeVis (visibility) {\n this.newdefaultScope = visibility\n },\n uploadFile (slot, e) {\n const file = e.target.files[0]\n if (!file) { return }\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({target}) => {\n const img = target.result\n this.previews[slot] = img\n this.$forceUpdate() // just changing the array with the index doesn't update the view\n }\n reader.readAsDataURL(file)\n },\n submitAvatar () {\n if (!this.previews[0]) { return }\n\n let img = this.previews[0]\n // eslint-disable-next-line no-undef\n let imginfo = new Image()\n let cropX, cropY, cropW, cropH\n imginfo.src = img\n if (imginfo.height > imginfo.width) {\n cropX = 0\n cropW = imginfo.width\n cropY = Math.floor((imginfo.height - imginfo.width) / 2)\n cropH = imginfo.width\n } else {\n cropY = 0\n cropH = imginfo.height\n cropX = Math.floor((imginfo.width - imginfo.height) / 2)\n cropW = imginfo.height\n }\n this.uploading[0] = true\n this.$store.state.api.backendInteractor.updateAvatar({params: {img, cropX, cropY, cropW, cropH}}).then((user) => {\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n this.previews[0] = null\n }\n this.uploading[0] = false\n })\n },\n submitBanner () {\n if (!this.previews[1]) { return }\n\n let banner = this.previews[1]\n // eslint-disable-next-line no-undef\n let imginfo = new Image()\n /* eslint-disable camelcase */\n let offset_top, offset_left, width, height\n imginfo.src = banner\n width = imginfo.width\n height = imginfo.height\n offset_top = 0\n offset_left = 0\n this.uploading[1] = true\n this.$store.state.api.backendInteractor.updateBanner({params: {banner, offset_top, offset_left, width, height}}).then((data) => {\n if (!data.error) {\n let clone = JSON.parse(JSON.stringify(this.$store.state.users.currentUser))\n clone.cover_photo = data.url\n this.$store.commit('addNewUsers', [clone])\n this.$store.commit('setCurrentUser', clone)\n this.previews[1] = null\n }\n this.uploading[1] = false\n })\n /* eslint-enable camelcase */\n },\n submitBg () {\n if (!this.previews[2]) { return }\n let img = this.previews[2]\n // eslint-disable-next-line no-undef\n let imginfo = new Image()\n let cropX, cropY, cropW, cropH\n imginfo.src = img\n cropX = 0\n cropY = 0\n cropW = imginfo.width\n cropH = imginfo.width\n this.uploading[2] = true\n this.$store.state.api.backendInteractor.updateBg({params: {img, cropX, cropY, cropW, cropH}}).then((data) => {\n if (!data.error) {\n let clone = JSON.parse(JSON.stringify(this.$store.state.users.currentUser))\n clone.background_image = data.url\n this.$store.commit('addNewUsers', [clone])\n this.$store.commit('setCurrentUser', clone)\n this.previews[2] = null\n }\n this.uploading[2] = false\n })\n },\n importFollows () {\n this.uploading[3] = true\n const followList = this.followList\n this.$store.state.api.backendInteractor.followImport({params: followList})\n .then((status) => {\n if (status) {\n this.followsImported = true\n } else {\n this.followImportError = true\n }\n this.uploading[3] = false\n })\n },\n /* This function takes an Array of Users\n * and outputs a file with all the addresses for the user to download\n */\n exportPeople (users, filename) {\n // Get all the friends addresses\n var UserAddresses = users.map(function (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 user.screen_name += '@' + location.hostname\n }\n return user.screen_name\n }).join('\\n')\n // Make the user download the file\n var fileToDownload = document.createElement('a')\n fileToDownload.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(UserAddresses))\n fileToDownload.setAttribute('download', filename)\n fileToDownload.style.display = 'none'\n document.body.appendChild(fileToDownload)\n fileToDownload.click()\n document.body.removeChild(fileToDownload)\n },\n exportFollows () {\n this.enableFollowsExport = false\n this.$store.state.api.backendInteractor\n .fetchFriends({id: this.$store.state.users.currentUser.id})\n .then((friendList) => {\n this.exportPeople(friendList, 'friends.csv')\n })\n },\n followListChange () {\n // eslint-disable-next-line no-undef\n let formData = new FormData()\n formData.append('list', this.$refs.followlist.files[0])\n this.followList = formData\n },\n dismissImported () {\n this.followsImported = false\n this.followImportError = false\n },\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('/main/all')\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 } else {\n this.changedPassword = false\n this.changePasswordError = res.error\n }\n })\n },\n activateTab (tabName) {\n this.activeTab = tabName\n }\n }\n}\n\nexport default UserSettings\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_settings/user_settings.js","import apiService from '../../services/api/api.service.js'\n\nfunction showWhoToFollow (panel, reply) {\n var users = reply\n var cn\n var index = 0\n var random = Math.floor(Math.random() * 10)\n for (cn = random; cn < users.length; cn = cn + 10) {\n var user\n user = users[cn]\n var img\n if (user.avatar) {\n img = user.avatar\n } else {\n img = '/images/avi.png'\n }\n var name = user.acct\n if (index === 0) {\n panel.img1 = img\n panel.name1 = name\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n panel.id1 = externalUser.id\n }\n })\n } else if (index === 1) {\n panel.img2 = img\n panel.name2 = name\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n panel.id2 = externalUser.id\n }\n })\n } else if (index === 2) {\n panel.img3 = img\n panel.name3 = name\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n panel.id3 = externalUser.id\n }\n })\n }\n index = index + 1\n if (index > 2) {\n break\n }\n }\n}\n\nfunction getWhoToFollow (panel) {\n var credentials = panel.$store.state.users.currentUser.credentials\n if (credentials) {\n panel.name1 = 'Loading...'\n panel.name2 = 'Loading...'\n panel.name3 = 'Loading...'\n apiService.suggestions({credentials: credentials})\n .then((reply) => {\n showWhoToFollow(panel, reply)\n })\n }\n}\n\nconst WhoToFollowPanel = {\n data: () => ({\n img1: '/images/avi.png',\n name1: '',\n id1: 0,\n img2: '/images/avi.png',\n name2: '',\n id2: 0,\n img3: '/images/avi.png',\n name3: '',\n id3: 0\n }),\n computed: {\n user: function () {\n return this.$store.state.users.currentUser.screen_name\n },\n moreUrl: function () {\n var host = window.location.hostname\n var user = this.user\n var suggestionsWeb = this.$store.state.config.suggestionsWeb\n var url\n url = suggestionsWeb.replace(/{{host}}/g, encodeURIComponent(host))\n url = url.replace(/{{user}}/g, encodeURIComponent(user))\n return url\n },\n suggestionsEnabled () {\n return this.$store.state.config.suggestionsEnabled\n }\n },\n watch: {\n user: function (user, oldUser) {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n },\n mounted:\n function () {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n}\n\nexport default WhoToFollowPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/who_to_follow_panel/who_to_follow_panel.js","module.exports = [\"now\",[\"%ss\",\"%ss\"],[\"%smin\",\"%smin\"],[\"%sh\",\"%sh\"],[\"%sd\",\"%sd\"],[\"%sw\",\"%sw\"],[\"%smo\",\"%smo\"],[\"%sy\",\"%sy\"]]\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./static/timeago-en.json\n// module id = 307\n// module chunks = 2","module.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./static/timeago-ja.json\n// module id = 308\n// module chunks = 2","module.exports = __webpack_public_path__ + \"static/img/nsfw.50fd83c.png\";\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/assets/nsfw.png\n// module id = 477\n// module chunks = 2","\n/* styles */\nrequire(\"!!../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-619022f4\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!./App.scss\")\n\nvar Component = require(\"!../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./App.js\"),\n /* template */\n require(\"!!../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-619022f4\\\"}!../node_modules/vue-loader/lib/selector?type=template&index=0!./App.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/App.vue\n// module id = 480\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-33bdc7a1\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./attachment.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./attachment.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-33bdc7a1\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./attachment.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/attachment/attachment.vue\n// module id = 481\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-22ae3f61\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./chat_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-22ae3f61\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/chat_panel/chat_panel.vue\n// module id = 482\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./conversation-page.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d0277596\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation-page.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/conversation-page/conversation-page.vue\n// module id = 483\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-e8b95c62\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./delete_button.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./delete_button.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-e8b95c62\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./delete_button.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/delete_button/delete_button.vue\n// module id = 484\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-70719bed\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./favorite_button.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./favorite_button.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-70719bed\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./favorite_button.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/favorite_button/favorite_button.vue\n// module id = 485\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./follow_requests.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-687df0b2\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_requests.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/follow_requests/follow_requests.vue\n// module id = 486\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./friends_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4f7280a1\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./friends_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/friends_timeline/friends_timeline.vue\n// module id = 487\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-554a56c5\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./instance_specific_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./instance_specific_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-554a56c5\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./instance_specific_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/instance_specific_panel/instance_specific_panel.vue\n// module id = 488\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7e58d0c7\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interface_language_switcher.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/interface_language_switcher/interface_language_switcher.vue\n// module id = 489\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-6daf217e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./login_form.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./login_form.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6daf217e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./login_form.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/login_form/login_form.vue\n// module id = 490\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-66f6bf7e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_upload.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./media_upload.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-66f6bf7e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_upload.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/media_upload/media_upload.vue\n// module id = 491\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./mentions.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-43e88b3e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mentions.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/mentions/mentions.vue\n// module id = 492\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-c426ebda\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./nav_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./nav_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-c426ebda\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./nav_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/nav_panel/nav_panel.vue\n// module id = 493\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./notification.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3de196be\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notification.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/notification/notification.vue\n// module id = 494\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-3d3374da\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!./notifications.scss\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./notifications.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3d3374da\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notifications.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/notifications/notifications.vue\n// module id = 495\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./public_and_external_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3bb2ffbe\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_and_external_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/public_and_external_timeline/public_and_external_timeline.vue\n// module id = 496\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./public_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-32582231\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/public_timeline/public_timeline.vue\n// module id = 497\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-83e7193e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./registration.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./registration.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-83e7193e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./registration.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/registration/registration.vue\n// module id = 498\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-6c1c64be\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./retweet_button.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./retweet_button.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6c1c64be\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./retweet_button.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/retweet_button/retweet_button.vue\n// module id = 499\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-4c185fa1\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./settings.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./settings.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4c185fa1\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./settings.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/settings/settings.vue\n// module id = 500\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-43272a7e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status_or_conversation.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./status_or_conversation.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-43272a7e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status_or_conversation.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/status_or_conversation/status_or_conversation.vue\n// module id = 501\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./tag_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6d713081\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./tag_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/tag_timeline/tag_timeline.vue\n// module id = 502\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-0a012c37\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_finder.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_finder.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0a012c37\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_finder.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_finder/user_finder.vue\n// module id = 503\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-74166181\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-74166181\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_panel/user_panel.vue\n// module id = 504\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-7f37463e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_profile.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_profile.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-7f37463e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_profile.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_profile/user_profile.vue\n// module id = 505\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-d1066a9e\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_settings.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_settings.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d1066a9e\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_settings.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_settings/user_settings.vue\n// module id = 506\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-2d6aabf5\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./who_to_follow_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2d6aabf5\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/who_to_follow_panel/who_to_follow_panel.vue\n// module id = 507\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('span', {\n staticClass: \"user-finder-container\"\n }, [(_vm.error) ? _c('span', {\n staticClass: \"alert error\"\n }, [_c('i', {\n staticClass: \"icon-cancel user-finder-icon\",\n on: {\n \"click\": _vm.dismissError\n }\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('finder.error_fetching_user')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.loading) ? _c('i', {\n staticClass: \"icon-spin4 user-finder-icon animate-spin-slow\"\n }) : _vm._e(), _vm._v(\" \"), (_vm.hidden) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n }\n }, [_c('i', {\n staticClass: \"icon-user-plus user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n return _vm.toggleHidden($event)\n }\n }\n })]) : _c('span', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.username),\n expression: \"username\"\n }],\n staticClass: \"user-finder-input\",\n attrs: {\n \"placeholder\": _vm.$t('finder.find_user'),\n \"id\": \"user-finder-input\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.username)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.findUser(_vm.username)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.username = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-cancel user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n return _vm.toggleHidden($event)\n }\n }\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-0a012c37\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_finder/user_finder.vue\n// module id = 508\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (!this.collapsed) ? _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading chat-heading\",\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), _c('i', {\n staticClass: \"icon-cancel\",\n staticStyle: {\n \"float\": \"right\"\n }\n })])]), _vm._v(\" \"), _c('div', {\n directives: [{\n name: \"chat-scroll\",\n rawName: \"v-chat-scroll\"\n }],\n staticClass: \"chat-window\"\n }, _vm._l((_vm.messages), function(message) {\n return _c('div', {\n key: message.id,\n staticClass: \"chat-message\"\n }, [_c('span', {\n staticClass: \"chat-avatar\"\n }, [_c('img', {\n attrs: {\n \"src\": message.author.avatar\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"chat-content\"\n }, [_c('router-link', {\n staticClass: \"chat-name\",\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: message.author.id\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(message.author.username) + \"\\n \")]), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('span', {\n staticClass: \"chat-text\"\n }, [_vm._v(\"\\n \" + _vm._s(message.text) + \"\\n \")])], 1)])\n })), _vm._v(\" \"), _c('div', {\n staticClass: \"chat-input\"\n }, [_c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.currentMessage),\n expression: \"currentMessage\"\n }],\n staticClass: \"chat-input-textarea\",\n attrs: {\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.currentMessage)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.submit(_vm.currentMessage)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.currentMessage = $event.target.value\n }\n }\n })])])]) : _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading stub timeline-heading chat-heading\",\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_c('i', {\n staticClass: \"icon-comment-empty\"\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-22ae3f61\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/chat_panel/chat_panel.vue\n// module id = 509\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"who-to-follow-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default base01-background\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading base02-background base04\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body who-to-follow\"\n }, [_c('p', [_c('img', {\n attrs: {\n \"src\": _vm.img1\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.id1\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.name1))]), _c('br'), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.img2\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.id2\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.name2))]), _c('br'), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.img3\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.id3\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.name3))]), _c('br'), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.$store.state.config.logo\n }\n }), _vm._v(\" \"), _c('a', {\n attrs: {\n \"href\": _vm.moreUrl,\n \"target\": \"_blank\"\n }\n }, [_vm._v(_vm._s(_vm.$t('who_to_follow.more')))])], 1)])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-2d6aabf5\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/who_to_follow_panel/who_to_follow_panel.vue\n// module id = 510\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"profile-panel-background\",\n style: (_vm.headingStyle),\n attrs: {\n \"id\": \"heading\"\n }\n }, [_c('div', {\n staticClass: \"panel-heading text-center\"\n }, [_c('div', {\n staticClass: \"user-info\"\n }, [(!_vm.isOtherUser) ? _c('router-link', {\n staticStyle: {\n \"float\": \"right\",\n \"margin-top\": \"16px\"\n },\n attrs: {\n \"to\": \"/user-settings\"\n }\n }, [_c('i', {\n staticClass: \"icon-cog usersettings\"\n })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\n staticClass: \"floater\",\n attrs: {\n \"href\": _vm.user.statusnet_profile_url,\n \"target\": \"_blank\"\n }\n }, [_c('i', {\n staticClass: \"icon-link-ext usersettings\"\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"container\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.user.id\n }\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url_original\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"name-and-screen-name\"\n }, [(_vm.user.name_html) ? _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.name_html)\n }\n }) : _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), _c('router-link', {\n staticClass: \"user-screen-name\",\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.user.id\n }\n }\n }\n }, [_c('span', [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))]), (_vm.user.locked) ? _c('span', [_c('i', {\n staticClass: \"icon icon-lock\"\n })]) : _vm._e(), _vm._v(\" \"), _c('span', {\n staticClass: \"dailyAvg\"\n }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))])])], 1)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"user-meta\"\n }, [(_vm.user.follows_you && _vm.loggedIn && _vm.isOtherUser) ? _c('div', {\n staticClass: \"following\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.switcher || _vm.isOtherUser) ? _c('div', {\n staticClass: \"floater\"\n }, [(_vm.userHighlightType !== 'disabled') ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightColor),\n expression: \"userHighlightColor\"\n }],\n staticClass: \"userHighlightText\",\n attrs: {\n \"type\": \"text\",\n \"id\": 'userHighlightColorTx' + _vm.user.id\n },\n domProps: {\n \"value\": (_vm.userHighlightColor)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.userHighlightColor = $event.target.value\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.userHighlightType !== 'disabled') ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightColor),\n expression: \"userHighlightColor\"\n }],\n staticClass: \"userHighlightCl\",\n attrs: {\n \"type\": \"color\",\n \"id\": 'userHighlightColor' + _vm.user.id\n },\n domProps: {\n \"value\": (_vm.userHighlightColor)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.userHighlightColor = $event.target.value\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('label', {\n staticClass: \"userHighlightSel select\",\n attrs: {\n \"for\": \"style-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightType),\n expression: \"userHighlightType\"\n }],\n staticClass: \"userHighlightSel\",\n attrs: {\n \"id\": 'userHighlightSel' + _vm.user.id\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.userHighlightType = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"disabled\"\n }\n }, [_vm._v(\"No highlight\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"solid\"\n }\n }, [_vm._v(\"Solid bg\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"striped\"\n }\n }, [_vm._v(\"Striped bg\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"side\"\n }\n }, [_vm._v(\"Side stripe\")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]) : _vm._e()]), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n staticClass: \"user-interactions\"\n }, [(_vm.loggedIn) ? _c('div', {\n staticClass: \"follow\"\n }, [(_vm.user.following) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n on: {\n \"click\": _vm.unfollowUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n on: {\n \"click\": _vm.followUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n staticClass: \"mute\"\n }, [(_vm.user.muted) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n on: {\n \"click\": _vm.toggleMute\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.muted')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.muted) ? _c('span', [_c('button', {\n on: {\n \"click\": _vm.toggleMute\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.mute')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (!_vm.loggedIn && _vm.user.is_local) ? _c('div', {\n staticClass: \"remote-follow\"\n }, [_c('form', {\n attrs: {\n \"method\": \"POST\",\n \"action\": _vm.subscribeUrl\n }\n }, [_c('input', {\n attrs: {\n \"type\": \"hidden\",\n \"name\": \"nickname\"\n },\n domProps: {\n \"value\": _vm.user.screen_name\n }\n }), _vm._v(\" \"), _c('input', {\n attrs: {\n \"type\": \"hidden\",\n \"name\": \"profile\",\n \"value\": \"\"\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"remote-button\",\n attrs: {\n \"click\": \"submit\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.remote_follow')) + \"\\n \")])])]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _c('div', {\n staticClass: \"block\"\n }, [(_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n on: {\n \"click\": _vm.unblockUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.blocked')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n on: {\n \"click\": _vm.blockUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.block')) + \"\\n \")])]) : _vm._e()]) : _vm._e()]) : _vm._e()], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body profile-panel-body\"\n }, [_c('div', {\n staticClass: \"user-counts\",\n class: {\n clickable: _vm.switcher\n }\n }, [_c('div', {\n staticClass: \"user-count\",\n class: {\n selected: _vm.selected === 'statuses'\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.setProfileView('statuses')\n }\n }\n }, [_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', {\n staticClass: \"user-count\",\n class: {\n selected: _vm.selected === 'friends'\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.setProfileView('friends')\n }\n }\n }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followees')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.friends_count))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"user-count\",\n class: {\n selected: _vm.selected === 'followers'\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.setProfileView('followers')\n }\n }\n }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followers')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.followers_count))])])]), _vm._v(\" \"), (!_vm.hideBio && _vm.user.description_html) ? _c('p', {\n staticClass: \"profile-bio\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.description_html)\n }\n }) : (!_vm.hideBio) ? _c('p', {\n staticClass: \"profile-bio\"\n }, [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-306f3a3f\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_card_content/user_card_content.vue\n// module id = 511\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.public_tl'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'public'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-32582231\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/public_timeline/public_timeline.vue\n// module id = 512\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.size === 'hide') ? _c('div', [(_vm.type !== 'html') ? _c('a', {\n staticClass: \"placeholder\",\n attrs: {\n \"target\": \"_blank\",\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(\"[\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\")]) : _vm._e()]) : _c('div', {\n directives: [{\n name: \"show\",\n rawName: \"v-show\",\n value: (!_vm.isEmpty),\n expression: \"!isEmpty\"\n }],\n staticClass: \"attachment\",\n class: ( _obj = {\n loading: _vm.loading,\n 'small-attachment': _vm.isSmall,\n 'fullwidth': _vm.fullwidth,\n 'nsfw-placeholder': _vm.hidden\n }, _obj[_vm.type] = true, _obj )\n }, [(_vm.hidden) ? _c('a', {\n staticClass: \"image-attachment\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleHidden()\n }\n }\n }, [_c('img', {\n key: _vm.nsfwImage,\n attrs: {\n \"src\": _vm.nsfwImage\n }\n })]) : _vm._e(), _vm._v(\" \"), (_vm.nsfw && _vm.hideNsfwLocal && !_vm.hidden) ? _c('div', {\n staticClass: \"hider\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleHidden()\n }\n }\n }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && !_vm.hidden) ? _c('a', {\n staticClass: \"image-attachment\",\n attrs: {\n \"href\": _vm.attachment.url,\n \"target\": \"_blank\",\n \"title\": _vm.attachment.description\n }\n }, [_c('StillImage', {\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"referrerpolicy\": \"no-referrer\",\n \"mimetype\": _vm.attachment.mimetype,\n \"src\": _vm.attachment.large_thumb_url || _vm.attachment.url\n }\n })], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video' && !_vm.hidden) ? _c('video', {\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"src\": _vm.attachment.url,\n \"controls\": \"\",\n \"loop\": _vm.loopVideo\n },\n on: {\n \"loadeddata\": _vm.onVideoDataLoad\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n attrs: {\n \"src\": _vm.attachment.url,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n staticClass: \"oembed\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }, [(_vm.attachment.thumb_url) ? _c('div', {\n staticClass: \"image\"\n }, [_c('img', {\n attrs: {\n \"src\": _vm.attachment.thumb_url\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"text\"\n }, [_c('h1', [_c('a', {\n attrs: {\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n }\n })])]) : _vm._e()])\n var _obj;\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-33bdc7a1\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/attachment/attachment.vue\n// module id = 513\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.twkn'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'publicAndExternal'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-3bb2ffbe\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/public_and_external_timeline/public_and_external_timeline.vue\n// module id = 514\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"notifications\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [(_vm.unseenCount) ? _c('span', {\n staticClass: \"unseen-count\"\n }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"title\"\n }, [_vm._v(\" \" + _vm._s(_vm.$t('notifications.notifications')))]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"loadmore-error alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.unseenCount) ? _c('button', {\n staticClass: \"read-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.markAsSeen($event)\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.visibleNotifications), function(notification) {\n return _c('div', {\n key: notification.action.id,\n staticClass: \"notification\",\n class: {\n \"unseen\": !notification.seen\n }\n }, [_c('notification', {\n attrs: {\n \"notification\": notification\n }\n })], 1)\n })), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(!_vm.notifications.loading) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.fetchOlderNotifications()\n }\n }\n }, [_c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(_vm._s(_vm.$t('notifications.load_older')))])]) : _c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(\"...\")])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-3d3374da\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/notifications/notifications.vue\n// module id = 515\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.notification.type === 'mention') ? _c('status', {\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status\n }\n }) : _c('div', {\n staticClass: \"non-mention\",\n class: [_vm.userClass, {\n highlighted: _vm.userStyle\n }],\n style: ([_vm.userStyle])\n }, [_c('a', {\n staticClass: \"avatar-container\",\n attrs: {\n \"href\": _vm.notification.action.user.statusnet_profile_url\n },\n on: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar-compact\",\n attrs: {\n \"src\": _vm.notification.action.user.profile_image_url_original\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"notification-right\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard notification-usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.notification.action.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n staticClass: \"notification-details\"\n }, [_c('div', {\n staticClass: \"name-and-action\"\n }, [(!!_vm.notification.action.user.name_html) ? _c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.notification.action.user.name_html)\n }\n }) : _c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'like') ? _c('span', [_c('i', {\n staticClass: \"fa icon-star lit\"\n }), _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', {\n staticClass: \"fa icon-retweet lit\"\n }), _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', {\n staticClass: \"fa icon-user-plus lit\"\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n staticClass: \"timeago\"\n }, [(_vm.notification.status) ? _c('router-link', {\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.notification.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.notification.action.created_at,\n \"auto-update\": 240\n }\n })], 1) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n staticClass: \"follow-text\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.notification.action.user.id\n }\n }\n }\n }, [_vm._v(\"@\" + _vm._s(_vm.notification.action.user.screen_name))])], 1) : [(_vm.notification.status) ? _c('status', {\n staticClass: \"faint\",\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status,\n \"noHeading\": true\n }\n }) : _c('div', {\n staticClass: \"broken-favorite\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.broken_favorite')) + \"\\n \")])]], 2)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-3de196be\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/notification/notification.vue\n// module id = 516\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [(_vm.expanded) ? _c('conversation', {\n attrs: {\n \"collapsable\": true,\n \"statusoid\": _vm.statusoid\n },\n on: {\n \"toggleExpanded\": _vm.toggleExpanded\n }\n }) : _vm._e(), _vm._v(\" \"), (!_vm.expanded) ? _c('status', {\n attrs: {\n \"expandable\": true,\n \"inConversation\": false,\n \"focused\": false,\n \"statusoid\": _vm.statusoid\n },\n on: {\n \"toggleExpanded\": _vm.toggleExpanded\n }\n }) : _vm._e()], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-43272a7e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/status_or_conversation/status_or_conversation.vue\n// module id = 517\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.mentions'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'mentions'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-43e88b3e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/mentions/mentions.vue\n// module id = 518\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.theme')))]), _vm._v(\" \"), _c('style-switcher')], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.filtering')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.filtering_explanation')))]), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.muteWordsString),\n expression: \"muteWordsString\"\n }],\n attrs: {\n \"id\": \"muteWords\"\n },\n domProps: {\n \"value\": (_vm.muteWordsString)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.muteWordsString = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('nav.timeline')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.collapseMessageWithSubjectLocal),\n expression: \"collapseMessageWithSubjectLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"collapseMessageWithSubject\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.collapseMessageWithSubjectLocal) ? _vm._i(_vm.collapseMessageWithSubjectLocal, null) > -1 : (_vm.collapseMessageWithSubjectLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.collapseMessageWithSubjectLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.collapseMessageWithSubjectLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.collapseMessageWithSubjectLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.collapseMessageWithSubjectLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"collapseMessageWithSubject\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.collapse_subject')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.streamingLocal),\n expression: \"streamingLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"streaming\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.streamingLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.streamingLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"streaming\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\",\n class: [{\n disabled: !_vm.streamingLocal\n }]\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.pauseOnUnfocusedLocal),\n expression: \"pauseOnUnfocusedLocal\"\n }],\n attrs: {\n \"disabled\": !_vm.streamingLocal,\n \"type\": \"checkbox\",\n \"id\": \"pauseOnUnfocused\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.pauseOnUnfocusedLocal) ? _vm._i(_vm.pauseOnUnfocusedLocal, null) > -1 : (_vm.pauseOnUnfocusedLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.pauseOnUnfocusedLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.pauseOnUnfocusedLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.pauseOnUnfocusedLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.pauseOnUnfocusedLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"pauseOnUnfocused\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.pause_on_unfocused')))])])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.autoLoadLocal),\n expression: \"autoLoadLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"autoload\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.autoLoadLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.autoLoadLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"autoload\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hoverPreviewLocal),\n expression: \"hoverPreviewLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hoverPreview\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hoverPreviewLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hoverPreviewLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hoverPreview\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])]), _vm._v(\" \"), _c('li', [_c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"replyVisibility\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.replyVisibilityLocal),\n expression: \"replyVisibilityLocal\"\n }],\n attrs: {\n \"id\": \"replyVisibility\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.replyVisibilityLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"all\",\n \"selected\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"following\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"self\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsLocal),\n expression: \"hideAttachmentsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachments\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachments\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsInConvLocal),\n expression: \"hideAttachmentsInConvLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachmentsInConv\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsInConvLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsInConvLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachmentsInConv\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideNsfwLocal),\n expression: \"hideNsfwLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideNsfw\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideNsfwLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideNsfwLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideNsfw\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.stopGifs),\n expression: \"stopGifs\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"stopGifs\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.stopGifs,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.stopGifs = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"stopGifs\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.loopVideoLocal),\n expression: \"loopVideoLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"loopVideo\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.loopVideoLocal) ? _vm._i(_vm.loopVideoLocal, null) > -1 : (_vm.loopVideoLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.loopVideoLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.loopVideoLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.loopVideoLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.loopVideoLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"loopVideo\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.loop_video')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\",\n class: [{\n disabled: !_vm.streamingLocal\n }]\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.loopVideoSilentOnlyLocal),\n expression: \"loopVideoSilentOnlyLocal\"\n }],\n attrs: {\n \"disabled\": !_vm.loopVideoLocal || !_vm.loopSilentAvailable,\n \"type\": \"checkbox\",\n \"id\": \"loopVideoSilentOnly\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.loopVideoSilentOnlyLocal) ? _vm._i(_vm.loopVideoSilentOnlyLocal, null) > -1 : (_vm.loopVideoSilentOnlyLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.loopVideoSilentOnlyLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.loopVideoSilentOnlyLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.loopVideoSilentOnlyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.loopVideoSilentOnlyLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"loopVideoSilentOnly\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.loop_video_silent_only')))]), _vm._v(\" \"), (!_vm.loopSilentAvailable) ? _c('div', {\n staticClass: \"unavailable\"\n }, [_c('i', {\n staticClass: \"icon-globe\"\n }), _vm._v(\"! \" + _vm._s(_vm.$t('settings.limited_availability')) + \"\\n \")]) : _vm._e()])])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.interfaceLanguage')))]), _vm._v(\" \"), _c('interface-language-switcher')], 1)])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4c185fa1\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/settings/settings.vue\n// module id = 519\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (!_vm.hideReply) ? _c('div', {\n staticClass: \"status-el\",\n class: [{\n 'status-el_focused': _vm.isFocused\n }, {\n 'status-conversation': _vm.inlineExpanded\n }]\n }, [(_vm.muted && !_vm.noReplyLinks) ? [_c('div', {\n staticClass: \"media status container muted\"\n }, [_c('small', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.status.user.id\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.status.user.screen_name))])], 1), _vm._v(\" \"), _c('small', {\n staticClass: \"muteWords\"\n }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n staticClass: \"unmute\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-eye-off\"\n })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n staticClass: \"media container retweet-info\",\n class: [_vm.repeaterClass, {\n highlighted: _vm.repeaterStyle\n }],\n style: ([_vm.repeaterStyle])\n }, [(_vm.retweet) ? _c('StillImage', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.statusoid.user.profile_image_url_original\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media-body faint\"\n }, [(_vm.retweeterHtml) ? _c('a', {\n staticClass: \"user-name\",\n attrs: {\n \"href\": _vm.statusoid.user.statusnet_profile_url,\n \"title\": '@' + _vm.statusoid.user.screen_name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.retweeterHtml)\n }\n }) : _c('a', {\n staticClass: \"user-name\",\n attrs: {\n \"href\": _vm.statusoid.user.statusnet_profile_url,\n \"title\": '@' + _vm.statusoid.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.retweeter))]), _vm._v(\" \"), _c('i', {\n staticClass: \"fa icon-retweet retweeted\"\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media status\",\n class: [_vm.userClass, {\n highlighted: _vm.userStyle,\n 'is-retweet': _vm.retweet\n }],\n style: ([_vm.userStyle])\n }, [(!_vm.noHeading) ? _c('div', {\n staticClass: \"media-left\"\n }, [_c('a', {\n attrs: {\n \"href\": _vm.status.user.statusnet_profile_url\n },\n on: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar\",\n class: {\n 'avatar-compact': _vm.compact\n },\n attrs: {\n \"src\": _vm.status.user.profile_image_url_original\n }\n })], 1)]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-body\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard media-body\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.status.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n staticClass: \"media-body container media-heading\"\n }, [_c('div', {\n staticClass: \"media-heading-left\"\n }, [_c('div', {\n staticClass: \"name-and-links\"\n }, [(_vm.status.user.name_html) ? _c('h4', {\n staticClass: \"user-name\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.user.name_html)\n }\n }) : _c('h4', {\n staticClass: \"user-name\"\n }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n staticClass: \"links\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.status.user.id\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.status.user.screen_name))]), _vm._v(\" \"), (_vm.status.in_reply_to_screen_name) ? _c('span', {\n staticClass: \"faint reply-info\"\n }, [_c('i', {\n staticClass: \"icon-right-open\"\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.status.in_reply_to_user_id\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.status.in_reply_to_screen_name) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.gotoOriginal(_vm.status.in_reply_to_status_id)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-reply\",\n on: {\n \"mouseenter\": function($event) {\n _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n staticClass: \"replies\"\n }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n return _c('small', {\n staticClass: \"reply-link\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.gotoOriginal(reply.id)\n },\n \"mouseenter\": function($event) {\n _vm.replyEnter(reply.id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n }, [_vm._v(_vm._s(reply.name) + \" \")])])\n })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"media-heading-right\"\n }, [_c('router-link', {\n staticClass: \"timeago\",\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.status.created_at,\n \"auto-update\": 60\n }\n })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('div', {\n staticClass: \"visibility-icon\"\n }, [_c('i', {\n class: _vm.visibilityIcon(_vm.status.visibility)\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.status.is_local) ? _c('a', {\n staticClass: \"source_url\",\n attrs: {\n \"href\": _vm.status.external_url,\n \"target\": \"_blank\"\n }\n }, [_c('i', {\n staticClass: \"icon-link-ext-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleExpanded($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-plus-squared\"\n })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-eye-off\"\n })]) : _vm._e()], 2)]) : _vm._e(), _vm._v(\" \"), (_vm.showPreview) ? _c('div', {\n staticClass: \"status-preview-container\"\n }, [(_vm.preview) ? _c('status', {\n staticClass: \"status-preview\",\n attrs: {\n \"noReplyLinks\": true,\n \"statusoid\": _vm.preview,\n \"compact\": true\n }\n }) : _c('div', {\n staticClass: \"status-preview status-preview-loading\"\n }, [_c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n })])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-content-wrapper\",\n class: {\n 'tall-status': _vm.hideTallStatus\n }\n }, [(_vm.hideTallStatus) ? _c('a', {\n staticClass: \"tall-status-hider\",\n class: {\n 'tall-status-hider_focused': _vm.isFocused\n },\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (!_vm.hideSubjectStatus) ? _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }) : _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.summary)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }), _vm._v(\" \"), (_vm.hideSubjectStatus) ? _c('a', {\n staticClass: \"cw-status-hider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (_vm.showingMore) ? _c('a', {\n staticClass: \"status-unhider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments && !_vm.hideSubjectStatus) ? _c('div', {\n staticClass: \"attachments media-body\"\n }, _vm._l((_vm.status.attachments), function(attachment) {\n return _c('attachment', {\n key: attachment.id,\n attrs: {\n \"size\": _vm.attachmentSize,\n \"status-id\": _vm.status.id,\n \"nsfw\": _vm.nsfwClickthrough,\n \"attachment\": attachment\n }\n })\n })) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading && !_vm.noReplyLinks) ? _c('div', {\n staticClass: \"status-actions media-body\"\n }, [(_vm.loggedIn) ? _c('div', [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleReplying($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-reply\",\n class: {\n 'icon-reply-active': _vm.replying\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n attrs: {\n \"visibility\": _vm.status.visibility,\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('favorite-button', {\n attrs: {\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('delete-button', {\n attrs: {\n \"status\": _vm.status\n }\n })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n staticClass: \"container\"\n }, [_c('div', {\n staticClass: \"reply-left\"\n }), _vm._v(\" \"), _c('post-status-form', {\n staticClass: \"reply-body\",\n attrs: {\n \"reply-to\": _vm.status.id,\n \"attentions\": _vm.status.attentions,\n \"repliedUser\": _vm.status.user,\n \"message-scope\": _vm.status.visibility,\n \"subject\": _vm.replySubject\n },\n on: {\n \"posted\": _vm.toggleReplying\n }\n })], 1) : _vm._e()]], 2) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4f2b1e7e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/status/status.vue\n// module id = 520\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.timeline'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'friends'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4f7280a1\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/friends_timeline/friends_timeline.vue\n// module id = 521\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"instance-specific-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.instanceSpecificPanelContent)\n }\n })])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-554a56c5\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/instance_specific_panel/instance_specific_panel.vue\n// module id = 522\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n style: (_vm.style),\n attrs: {\n \"id\": \"app\"\n }\n }, [_c('nav', {\n staticClass: \"container\",\n attrs: {\n \"id\": \"nav\"\n },\n on: {\n \"click\": function($event) {\n _vm.scrollToTop()\n }\n }\n }, [_c('div', {\n staticClass: \"inner-nav\",\n style: (_vm.logoStyle)\n }, [_c('div', {\n staticClass: \"item\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'root'\n }\n }\n }, [_vm._v(_vm._s(_vm.sitename))])], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"item right\"\n }, [_c('user-finder', {\n staticClass: \"nav-icon\"\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'settings'\n }\n }\n }, [_c('i', {\n staticClass: \"icon-cog nav-icon\"\n })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.logout($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-logout nav-icon\",\n attrs: {\n \"title\": _vm.$t('login.logout')\n }\n })]) : _vm._e()], 1)])]), _vm._v(\" \"), _c('div', {\n staticClass: \"container\",\n attrs: {\n \"id\": \"content\"\n }\n }, [_c('div', {\n staticClass: \"panel-switcher\"\n }, [_c('button', {\n on: {\n \"click\": function($event) {\n _vm.activatePanel('sidebar')\n }\n }\n }, [_vm._v(\"Sidebar\")]), _vm._v(\" \"), _c('button', {\n on: {\n \"click\": function($event) {\n _vm.activatePanel('timeline')\n }\n }\n }, [_vm._v(\"Timeline\")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"sidebar-flexer\",\n class: {\n 'mobile-hidden': _vm.mobileActivePanel != 'sidebar'\n }\n }, [_c('div', {\n staticClass: \"sidebar-bounds\"\n }, [_c('div', {\n staticClass: \"sidebar-scroller\"\n }, [_c('div', {\n staticClass: \"sidebar\"\n }, [_c('user-panel'), _vm._v(\" \"), _c('nav-panel'), _vm._v(\" \"), (_vm.showInstanceSpecificPanel) ? _c('instance-specific-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._v(\" \"), _c('div', {\n staticClass: \"main\",\n class: {\n 'mobile-hidden': _vm.mobileActivePanel != 'timeline'\n }\n }, [_c('transition', {\n attrs: {\n \"name\": \"fade\"\n }\n }, [_c('router-view')], 1)], 1)]), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n staticClass: \"floating-chat mobile-hidden\"\n }) : _vm._e()], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-619022f4\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/App.vue\n// module id = 523\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"media-upload\",\n on: {\n \"drop\": [function($event) {\n $event.preventDefault();\n }, _vm.fileDrop],\n \"dragover\": function($event) {\n $event.preventDefault();\n return _vm.fileDrag($event)\n }\n }\n }, [_c('label', {\n staticClass: \"btn btn-default\"\n }, [(_vm.uploading) ? _c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n }) : _vm._e(), _vm._v(\" \"), (!_vm.uploading) ? _c('i', {\n staticClass: \"icon-upload\"\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticStyle: {\n \"position\": \"fixed\",\n \"top\": \"-100em\"\n },\n attrs: {\n \"type\": \"file\"\n }\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-66f6bf7e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/media_upload/media_upload.vue\n// module id = 524\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.friend_requests')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.requests), function(request) {\n return _c('user-card', {\n key: request.id,\n attrs: {\n \"user\": request,\n \"showFollows\": false,\n \"showApproval\": true\n }\n })\n }))])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-687df0b2\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/follow_requests/follow_requests.vue\n// module id = 525\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.loggedIn && _vm.visibility !== 'private' && _vm.visibility !== 'direct') ? _c('div', [_c('i', {\n staticClass: \"icon-retweet rt-active\",\n class: _vm.classes,\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.retweet()\n }\n }\n }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : (!_vm.loggedIn) ? _c('div', [_c('i', {\n staticClass: \"icon-retweet\",\n class: _vm.classes\n }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6c1c64be\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/retweet_button/retweet_button.vue\n// module id = 526\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.tag,\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'tag',\n \"tag\": _vm.tag\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6d713081\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/tag_timeline/tag_timeline.vue\n// module id = 527\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"login panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('login.login')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('form', {\n staticClass: \"login-form\",\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.submit(_vm.user)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"username\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.username),\n expression: \"user.username\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.loggingIn,\n \"id\": \"username\",\n \"placeholder\": _vm.$t('login.placeholder')\n },\n domProps: {\n \"value\": (_vm.user.username)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"username\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"password\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.password),\n expression: \"user.password\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.loggingIn,\n \"id\": \"password\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.password)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"password\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"login-bottom\"\n }, [_c('div', [(_vm.registrationOpen) ? _c('router-link', {\n staticClass: \"register\",\n attrs: {\n \"to\": {\n name: 'registration'\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('login.register')))]) : _vm._e()], 1), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.loggingIn,\n \"type\": \"submit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.login')))])])]), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(_vm._s(_vm.authError))])]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6daf217e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/login_form/login_form.vue\n// module id = 528\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading conversation-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.conversation')) + \"\\n \"), (_vm.collapsable) ? _c('span', {\n staticStyle: {\n \"float\": \"right\"\n }\n }, [_c('small', [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.$emit('toggleExpanded')\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('timeline.collapse')))])])]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.conversation), function(status) {\n return _c('status', {\n key: status.id,\n staticClass: \"status-fadein\",\n attrs: {\n \"inlineExpanded\": _vm.collapsable,\n \"statusoid\": status,\n \"expandable\": false,\n \"focused\": _vm.focused(status.id),\n \"inConversation\": true,\n \"highlight\": _vm.highlight,\n \"replies\": _vm.getReplies(status.id)\n },\n on: {\n \"goto\": _vm.setHighlight\n }\n })\n }))])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6eda4ba1\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/conversation/conversation.vue\n// module id = 529\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.loggedIn) ? _c('div', [_c('i', {\n staticClass: \"favorite-button fav-active\",\n class: _vm.classes,\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.favorite()\n }\n }\n }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n staticClass: \"favorite-button\",\n class: _vm.classes\n }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-70719bed\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/favorite_button/favorite_button.vue\n// module id = 530\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"user-panel\"\n }, [(_vm.user) ? _c('div', {\n staticClass: \"panel panel-default\",\n staticStyle: {\n \"overflow\": \"visible\"\n }\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": false,\n \"hideBio\": true\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(_vm.user) ? _c('post-status-form') : _vm._e()], 1)], 1) : _vm._e(), _vm._v(\" \"), (!_vm.user) ? _c('login-form') : _vm._e()], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-74166181\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_panel/user_panel.vue\n// module id = 531\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [_c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"interface-language-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.language),\n expression: \"language\"\n }],\n attrs: {\n \"id\": \"interface-language-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.language = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.languageCodes), function(langCode, i) {\n return _c('option', {\n domProps: {\n \"value\": langCode\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.languageNames[i]) + \"\\n \")])\n })), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-7e58d0c7\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/interface_language_switcher/interface_language_switcher.vue\n// module id = 532\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [(_vm.user) ? _c('div', {\n staticClass: \"user-profile panel panel-default\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": true,\n \"selected\": _vm.timeline.viewing\n }\n })], 1) : _vm._e(), _vm._v(\" \"), _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('user_profile.timeline_title'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'user',\n \"user-id\": _vm.userId\n }\n })], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-7f37463e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_profile/user_profile.vue\n// module id = 533\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('registration.registration')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('form', {\n staticClass: \"registration-form\",\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.submit(_vm.user)\n }\n }\n }, [_c('div', {\n staticClass: \"container\"\n }, [_c('div', {\n staticClass: \"text-fields\"\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"username\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.username),\n expression: \"user.username\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"username\",\n \"placeholder\": \"e.g. lain\"\n },\n domProps: {\n \"value\": (_vm.user.username)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"username\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"fullname\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.fullname')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.fullname),\n expression: \"user.fullname\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"fullname\",\n \"placeholder\": \"e.g. Lain Iwakura\"\n },\n domProps: {\n \"value\": (_vm.user.fullname)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"fullname\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"email\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.email')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.email),\n expression: \"user.email\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"email\",\n \"type\": \"email\"\n },\n domProps: {\n \"value\": (_vm.user.email)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"email\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"bio\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.bio')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.bio),\n expression: \"user.bio\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"bio\"\n },\n domProps: {\n \"value\": (_vm.user.bio)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"bio\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"password\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.password),\n expression: \"user.password\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"password\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.password)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"password\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"password_confirmation\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.password_confirm')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.confirm),\n expression: \"user.confirm\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"password_confirmation\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.confirm)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"confirm\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), (_vm.token) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"token\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.token')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.token),\n expression: \"token\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": \"true\",\n \"id\": \"token\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.token)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.token = $event.target.value\n }\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.registering,\n \"type\": \"submit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"terms-of-service\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.termsofservice)\n }\n })]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(_vm._s(_vm.error))])]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-83e7193e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/registration/registration.vue\n// module id = 534\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.viewing == 'statuses') ? _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _vm._v(\" \"), (_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('button', {\n staticClass: \"loadmore-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.showNewStatuses($event)\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.timelineError) ? _c('div', {\n staticClass: \"loadmore-error alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n staticClass: \"loadmore-text\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.up_to_date')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.timeline.visibleStatuses), function(status) {\n return _c('status-or-conversation', {\n key: status.id,\n staticClass: \"status-fadein\",\n attrs: {\n \"statusoid\": status\n }\n })\n }))]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(!_vm.timeline.loading) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.fetchOlderStatuses()\n }\n }\n }, [_c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(_vm._s(_vm.$t('timeline.load_older')))])]) : _c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(\"...\")])])]) : (_vm.viewing == 'followers') ? _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followers')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.followers), function(follower) {\n return _c('user-card', {\n key: follower.id,\n attrs: {\n \"user\": follower,\n \"showFollows\": false\n }\n })\n }))])]) : (_vm.viewing == 'friends') ? _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followees')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.friends), function(friend) {\n return _c('user-card', {\n key: friend.id,\n attrs: {\n \"user\": friend,\n \"showFollows\": true\n }\n })\n }))])]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-a0d07d3e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/timeline/timeline.vue\n// module id = 535\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"post-status-form\"\n }, [_c('form', {\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.postStatus(_vm.newStatus)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [(!this.$store.state.users.currentUser.locked && this.newStatus.visibility == 'private') ? _c('i18n', {\n staticClass: \"visibility-notice\",\n attrs: {\n \"path\": \"post_status.account_not_locked_warning\",\n \"tag\": \"p\"\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": \"/user-settings\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.account_not_locked_warning_link')))])], 1) : _vm._e(), _vm._v(\" \"), (this.newStatus.visibility == 'direct') ? _c('p', {\n staticClass: \"visibility-notice\"\n }, [_vm._v(_vm._s(_vm.$t('post_status.direct_warning')))]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.spoilerText),\n expression: \"newStatus.spoilerText\"\n }],\n staticClass: \"form-cw\",\n attrs: {\n \"type\": \"text\",\n \"placeholder\": _vm.$t('post_status.content_warning')\n },\n domProps: {\n \"value\": (_vm.newStatus.spoilerText)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.status),\n expression: \"newStatus.status\"\n }],\n ref: \"textarea\",\n staticClass: \"form-control\",\n attrs: {\n \"placeholder\": _vm.$t('post_status.default'),\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.newStatus.status)\n },\n on: {\n \"click\": _vm.setCaret,\n \"keyup\": [_vm.setCaret, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n if (!$event.ctrlKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"keydown\": [function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key, [\"Down\", \"ArrowDown\"])) { return null; }\n return _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key, [\"Up\", \"ArrowUp\"])) { return null; }\n return _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n if (!$event.shiftKey) { return null; }\n return _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n return _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n return _vm.replaceCandidate($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n if (!$event.metaKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"drop\": _vm.fileDrop,\n \"dragover\": function($event) {\n $event.preventDefault();\n return _vm.fileDrag($event)\n },\n \"input\": [function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n }, _vm.resize],\n \"paste\": _vm.paste\n }\n }), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', {\n staticClass: \"visibility-tray\"\n }, [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n attrs: {\n \"title\": _vm.$t('post_status.scope.direct')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n attrs: {\n \"title\": _vm.$t('post_status.scope.private')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n attrs: {\n \"title\": _vm.$t('post_status.scope.unlisted')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n attrs: {\n \"title\": _vm.$t('post_status.scope.public')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })]) : _vm._e()], 1), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n staticStyle: {\n \"position\": \"relative\"\n }\n }, [_c('div', {\n staticClass: \"autocomplete-panel\"\n }, _vm._l((_vm.candidates), function(candidate) {\n return _c('div', {\n on: {\n \"click\": function($event) {\n _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n }\n }\n }, [_c('div', {\n staticClass: \"autocomplete\",\n class: {\n highlighted: candidate.highlighted\n }\n }, [(candidate.img) ? _c('span', [_c('img', {\n attrs: {\n \"src\": candidate.img\n }\n })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n }))]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-bottom\"\n }, [_c('media-upload', {\n attrs: {\n \"drop-files\": _vm.dropFiles\n },\n on: {\n \"uploading\": _vm.disableSubmit,\n \"uploaded\": _vm.addMediaFile,\n \"upload-failed\": _vm.enableSubmit\n }\n }), _vm._v(\" \"), (_vm.isOverLengthLimit) ? _c('p', {\n staticClass: \"error\"\n }, [_vm._v(_vm._s(_vm.charactersLeft))]) : (_vm.hasStatusLengthLimit) ? _c('p', {\n staticClass: \"faint\"\n }, [_vm._v(_vm._s(_vm.charactersLeft))]) : _vm._e(), _vm._v(\" \"), (_vm.posting) ? _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.posting')))]) : (_vm.isOverLengthLimit) ? _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.submitDisabled,\n \"type\": \"submit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))])], 1), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.error) + \"\\n \"), _c('i', {\n staticClass: \"icon-cancel\",\n on: {\n \"click\": _vm.clearError\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"attachments\"\n }, _vm._l((_vm.newStatus.files), function(file) {\n return _c('div', {\n staticClass: \"media-upload-wrapper\"\n }, [_c('i', {\n staticClass: \"fa icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.removeMediaFile(file)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"media-upload-container attachment\"\n }, [(_vm.type(file) === 'image') ? _c('img', {\n staticClass: \"thumbnail media-upload\",\n attrs: {\n \"src\": file.image\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n attrs: {\n \"href\": file.image\n }\n }, [_vm._v(_vm._s(file.url))]) : _vm._e()])])\n })), _vm._v(\" \"), (_vm.newStatus.files.length > 0) ? _c('div', {\n staticClass: \"upload_settings\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.nsfw),\n expression: \"newStatus.nsfw\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"filesSensitive\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newStatus.nsfw) ? _vm._i(_vm.newStatus.nsfw, null) > -1 : (_vm.newStatus.nsfw)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newStatus.nsfw,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.newStatus, \"nsfw\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), (_vm.newStatus.nsfw) ? _c('label', {\n attrs: {\n \"for\": \"filesSensitive\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.attachments_sensitive')))]) : _c('label', {\n attrs: {\n \"for\": \"filesSensitive\"\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.$t('post_status.attachments_not_sensitive'))\n }\n })]) : _vm._e()])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-aa34f8fe\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/post_status_form/post_status_form.vue\n// module id = 536\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"nav-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('ul', [(_vm.currentUser) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/main/friends\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'mentions',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.mentions\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/friend-requests\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.friend_requests\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/main/public\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.public_tl\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/main/all\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1)])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-c426ebda\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/nav_panel/nav_panel.vue\n// module id = 537\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('conversation', {\n attrs: {\n \"collapsable\": false,\n \"statusoid\": _vm.statusoid\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d0277596\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/conversation-page/conversation-page.vue\n// module id = 538\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.user_settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body profile-edit\"\n }, [_c('div', {\n staticClass: \"tab-switcher\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": function($event) {\n _vm.activateTab('profile')\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.profile_tab')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": function($event) {\n _vm.activateTab('security')\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.security_tab')))]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": function($event) {\n _vm.activateTab('data_import_export')\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.data_import_export_tab')))]) : _vm._e()]), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_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('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newname),\n expression: \"newname\"\n }],\n staticClass: \"name-changer\",\n attrs: {\n \"id\": \"username\"\n },\n domProps: {\n \"value\": (_vm.newname)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.newname = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.bio')))]), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newbio),\n expression: \"newbio\"\n }],\n staticClass: \"bio\",\n domProps: {\n \"value\": (_vm.newbio)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.newbio = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newlocked),\n expression: \"newlocked\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-locked\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newlocked) ? _vm._i(_vm.newlocked, null) > -1 : (_vm.newlocked)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newlocked,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.newlocked = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.newlocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.newlocked = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-locked\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('label', {\n attrs: {\n \"for\": \"default-vis\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.default_vis')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"visibility-tray\",\n attrs: {\n \"id\": \"default-vis\"\n }\n }, [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.newname.length <= 0\n },\n on: {\n \"click\": _vm.updateProfile\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))])]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.avatar')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_avatar')))]), _vm._v(\" \"), _c('img', {\n staticClass: \"old-avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url_original\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_avatar')))]), _vm._v(\" \"), (_vm.previews[0]) ? _c('img', {\n staticClass: \"new-avatar\",\n attrs: {\n \"src\": _vm.previews[0]\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": function($event) {\n _vm.uploadFile(0, $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.uploading[0]) ? _c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n }) : (_vm.previews[0]) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.submitAvatar\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_banner')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_profile_banner')))]), _vm._v(\" \"), _c('img', {\n staticClass: \"banner\",\n attrs: {\n \"src\": _vm.user.cover_photo\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_banner')))]), _vm._v(\" \"), (_vm.previews[1]) ? _c('img', {\n staticClass: \"banner\",\n attrs: {\n \"src\": _vm.previews[1]\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": function($event) {\n _vm.uploadFile(1, $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.uploading[1]) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.previews[1]) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.submitBanner\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'profile') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_background')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_background')))]), _vm._v(\" \"), (_vm.previews[2]) ? _c('img', {\n staticClass: \"bg\",\n attrs: {\n \"src\": _vm.previews[2]\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": function($event) {\n _vm.uploadFile(2, $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.uploading[2]) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.previews[2]) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.submitBg\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.activeTab == 'security') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_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', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.changePasswordInputs[0]),\n expression: \"changePasswordInputs[0]\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.changePasswordInputs[0])\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.changePasswordInputs, 0, $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.new_password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.changePasswordInputs[1]),\n expression: \"changePasswordInputs[1]\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.changePasswordInputs[1])\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.changePasswordInputs, 1, $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.confirm_new_password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.changePasswordInputs[2]),\n expression: \"changePasswordInputs[2]\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.changePasswordInputs[2])\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.changePasswordInputs, 2, $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.changePassword\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.changedPassword) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.changed_password')))]) : (_vm.changePasswordError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.change_password_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.changePasswordError) ? _c('p', [_vm._v(_vm._s(_vm.changePasswordError))]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.pleromaBackend && _vm.activeTab == 'data_import_export') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_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('form', {\n model: {\n value: (_vm.followImportForm),\n callback: function($$v) {\n _vm.followImportForm = $$v\n },\n expression: \"followImportForm\"\n }\n }, [_c('input', {\n ref: \"followlist\",\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": _vm.followListChange\n }\n })]), _vm._v(\" \"), (_vm.uploading[3]) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.importFollows\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.followsImported) ? _c('div', [_c('i', {\n staticClass: \"icon-cross\",\n on: {\n \"click\": _vm.dismissImported\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follows_imported')))])]) : (_vm.followImportError) ? _c('div', [_c('i', {\n staticClass: \"icon-cross\",\n on: {\n \"click\": _vm.dismissImported\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follow_import_error')))])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.enableFollowsExport && _vm.activeTab == 'data_import_export') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.exportFollows\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.follow_export_button')))])]) : (_vm.activeTab == 'data_import_export') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export_processing')))])]) : _vm._e(), _vm._v(\" \"), _c('hr'), _vm._v(\" \"), (_vm.activeTab == 'security') ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _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', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.deleteAccountConfirmPasswordInput),\n expression: \"deleteAccountConfirmPasswordInput\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.deleteAccountConfirmPasswordInput)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.deleteAccountConfirmPasswordInput = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.deleteAccount\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.confirmDelete\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]) : _vm._e()])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d1066a9e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_settings/user_settings.vue\n// module id = 539\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"still-image\",\n class: {\n animated: _vm.animated\n }\n }, [(_vm.animated) ? _c('canvas', {\n ref: \"canvas\"\n }) : _vm._e(), _vm._v(\" \"), _c('img', {\n ref: \"src\",\n attrs: {\n \"src\": _vm.src,\n \"referrerpolicy\": _vm.referrerpolicy\n },\n on: {\n \"load\": _vm.onLoad\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d808ac22\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/still-image/still-image.vue\n// module id = 540\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"card\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n }\n }, [_c('img', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n })]), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": false\n }\n })], 1) : _c('div', {\n staticClass: \"name-and-screen-name\"\n }, [(_vm.user.name_html) ? _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_c('span', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.name_html)\n }\n }), _vm._v(\" \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]) : _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('a', {\n attrs: {\n \"href\": _vm.user.statusnet_profile_url,\n \"target\": \"blank\"\n }\n }, [_c('div', {\n staticClass: \"user-screen-name\"\n }, [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))])])]), _vm._v(\" \"), (_vm.showApproval) ? _c('div', {\n staticClass: \"approval\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.approveUser\n }\n }, [_vm._v(_vm._s(_vm.$t('user_card.approve')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.denyUser\n }\n }, [_vm._v(_vm._s(_vm.$t('user_card.deny')))])]) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-e2380d6a\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_card/user_card.vue\n// module id = 541\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.canDelete) ? _c('div', [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.deleteStatus()\n }\n }\n }, [_c('i', {\n staticClass: \"icon-cancel delete-status\"\n })])]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-e8b95c62\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/delete_button/delete_button.vue\n// module id = 542\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [_c('div', [_vm._v(_vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"style-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected),\n expression: \"selected\"\n }],\n staticClass: \"style-switcher\",\n attrs: {\n \"id\": \"style-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.availableStyles), function(style) {\n return _c('option', {\n style: ({\n backgroundColor: style[1],\n color: style[3]\n }),\n domProps: {\n \"value\": style\n }\n }, [_vm._v(_vm._s(style[0]))])\n })), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]), _vm._v(\" \"), _c('div', [_c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.exportCurrentTheme\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.export_theme')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.importTheme\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.import_theme')))]), _vm._v(\" \"), (_vm.invalidThemeImported) ? _c('p', {\n staticClass: \"import-warning\"\n }, [_vm._v(_vm._s(_vm.$t('settings.invalid_theme_imported')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-container\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"bgcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.background')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.bgColorLocal),\n expression: \"bgColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"bgcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.bgColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.bgColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.bgColorLocal),\n expression: \"bgColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"bgcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.bgColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.bgColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"fgcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.foreground')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnColorLocal),\n expression: \"btnColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"fgcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.btnColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.btnColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnColorLocal),\n expression: \"btnColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"fgcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.btnColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.btnColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"textcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.text')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.textColorLocal),\n expression: \"textColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"textcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.textColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.textColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.textColorLocal),\n expression: \"textColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"textcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.textColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.textColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"linkcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.links')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.linkColorLocal),\n expression: \"linkColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"linkcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.linkColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.linkColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.linkColorLocal),\n expression: \"linkColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"linkcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.linkColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.linkColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"redcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cRed')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.redColorLocal),\n expression: \"redColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"redcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.redColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.redColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.redColorLocal),\n expression: \"redColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"redcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.redColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.redColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"bluecolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cBlue')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.blueColorLocal),\n expression: \"blueColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"bluecolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.blueColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.blueColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.blueColorLocal),\n expression: \"blueColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"bluecolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.blueColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.blueColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"greencolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cGreen')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.greenColorLocal),\n expression: \"greenColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"greencolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.greenColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.greenColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.greenColorLocal),\n expression: \"greenColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"greencolor-t\",\n \"type\": \"green\"\n },\n domProps: {\n \"value\": (_vm.greenColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.greenColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"orangecolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cOrange')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.orangeColorLocal),\n expression: \"orangeColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"orangecolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.orangeColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.orangeColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.orangeColorLocal),\n expression: \"orangeColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"orangecolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.orangeColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.orangeColorLocal = $event.target.value\n }\n }\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-container\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"btnradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.btnRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnRadiusLocal),\n expression: \"btnRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"btnradius\",\n \"type\": \"range\",\n \"max\": \"16\"\n },\n domProps: {\n \"value\": (_vm.btnRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.btnRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnRadiusLocal),\n expression: \"btnRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"btnradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.btnRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.btnRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"inputradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.inputRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.inputRadiusLocal),\n expression: \"inputRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"inputradius\",\n \"type\": \"range\",\n \"max\": \"16\"\n },\n domProps: {\n \"value\": (_vm.inputRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.inputRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.inputRadiusLocal),\n expression: \"inputRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"inputradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.inputRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.inputRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"panelradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.panelRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.panelRadiusLocal),\n expression: \"panelRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"panelradius\",\n \"type\": \"range\",\n \"max\": \"50\"\n },\n domProps: {\n \"value\": (_vm.panelRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.panelRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.panelRadiusLocal),\n expression: \"panelRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"panelradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.panelRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.panelRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"avatarradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.avatarRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarRadiusLocal),\n expression: \"avatarRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"avatarradius\",\n \"type\": \"range\",\n \"max\": \"28\"\n },\n domProps: {\n \"value\": (_vm.avatarRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.avatarRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarRadiusLocal),\n expression: \"avatarRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"avatarradius-t\",\n \"type\": \"green\"\n },\n domProps: {\n \"value\": (_vm.avatarRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.avatarRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"avataraltradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.avatarAltRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarAltRadiusLocal),\n expression: \"avatarAltRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"avataraltradius\",\n \"type\": \"range\",\n \"max\": \"28\"\n },\n domProps: {\n \"value\": (_vm.avatarAltRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.avatarAltRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarAltRadiusLocal),\n expression: \"avatarAltRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"avataraltradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.avatarAltRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.avatarAltRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"attachmentradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.attachmentRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.attachmentRadiusLocal),\n expression: \"attachmentRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"attachmentrradius\",\n \"type\": \"range\",\n \"max\": \"50\"\n },\n domProps: {\n \"value\": (_vm.attachmentRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.attachmentRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.attachmentRadiusLocal),\n expression: \"attachmentRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"attachmentradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.attachmentRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.attachmentRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"tooltipradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.tooltipRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.tooltipRadiusLocal),\n expression: \"tooltipRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"tooltipradius\",\n \"type\": \"range\",\n \"max\": \"20\"\n },\n domProps: {\n \"value\": (_vm.tooltipRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.tooltipRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.tooltipRadiusLocal),\n expression: \"tooltipRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"tooltipradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.tooltipRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.tooltipRadiusLocal = $event.target.value\n }\n }\n })])]), _vm._v(\" \"), _c('div', {\n style: ({\n '--btnRadius': _vm.btnRadiusLocal + 'px',\n '--inputRadius': _vm.inputRadiusLocal + 'px',\n '--panelRadius': _vm.panelRadiusLocal + 'px',\n '--avatarRadius': _vm.avatarRadiusLocal + 'px',\n '--avatarAltRadius': _vm.avatarAltRadiusLocal + 'px',\n '--tooltipRadius': _vm.tooltipRadiusLocal + 'px',\n '--attachmentRadius': _vm.attachmentRadiusLocal + 'px'\n })\n }, [_c('div', {\n staticClass: \"panel dummy\"\n }, [_c('div', {\n staticClass: \"panel-heading\",\n style: ({\n 'background-color': _vm.btnColorLocal,\n 'color': _vm.textColorLocal\n })\n }, [_vm._v(\"Preview\")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body theme-preview-content\",\n style: ({\n 'background-color': _vm.bgColorLocal,\n 'color': _vm.textColorLocal\n })\n }, [_c('div', {\n staticClass: \"avatar\",\n style: ({\n 'border-radius': _vm.avatarRadiusLocal + 'px'\n })\n }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('h4', [_vm._v(\"Content\")]), _vm._v(\" \"), _c('br'), _vm._v(\"\\n A bunch of more content and\\n \"), _c('a', {\n style: ({\n color: _vm.linkColorLocal\n })\n }, [_vm._v(\"a nice lil' link\")]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-reply\",\n style: ({\n color: _vm.blueColorLocal\n })\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-retweet\",\n style: ({\n color: _vm.greenColorLocal\n })\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-cancel\",\n style: ({\n color: _vm.redColorLocal\n })\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-star\",\n style: ({\n color: _vm.orangeColorLocal\n })\n }), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n style: ({\n 'background-color': _vm.btnColorLocal,\n 'color': _vm.textColorLocal\n })\n }, [_vm._v(\"Button\")])])])]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.setCustomTheme\n }\n }, [_vm._v(_vm._s(_vm.$t('general.apply')))])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-fe0ba3be\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/style_switcher/style_switcher.vue\n// module id = 543\n// module chunks = 2"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/static/js/app.de965bb2a0a8bffbeafa.js b/priv/static/static/js/app.de965bb2a0a8bffbeafa.js deleted file mode 100644 index c9bc901d2..000000000 --- a/priv/static/static/js/app.de965bb2a0a8bffbeafa.js +++ /dev/null @@ -1,8 +0,0 @@ -webpackJsonp([2,0],[function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}var i=a(217),n=s(i),o=a(101),r=s(o),l=a(532),u=s(l),c=a(535),d=s(c),f=a(470),p=s(f),m=a(486),v=s(m),_=a(485),h=s(_),g=a(477),w=s(g),b=a(491),k=s(b),C=a(473),y=s(C),x=a(481),L=s(x),P=a(494),$=s(P),S=a(489),R=s(S),j=a(487),A=s(j),F=a(495),I=s(F),N=a(476),U=s(N),E=a(103),O=s(E),T=a(174),z=s(T),M=a(171),B=s(M),D=a(173),q=s(D),W=a(172),V=s(W),G=a(534),H=s(G),K=a(469),J=s(K),Z=a(170),Y=s(Z),X=a(169),Q=s(X),ee=a(468),te=s(ee),ae=(window.navigator.language||"en").split("-")[0];r.default.use(d.default),r.default.use(u.default),r.default.use(H.default,{locale:"ja"===ae?"ja":"en",locales:{en:a(300),ja:a(301)}}),r.default.use(J.default),r.default.use(te.default);var se={paths:["config.hideAttachments","config.hideAttachmentsInConv","config.hideNsfw","config.autoLoad","config.hoverPreview","config.streaming","config.muteWords","config.customTheme","users.lastLoginName"]},ie=new d.default.Store({modules:{statuses:O.default,users:z.default,api:B.default,config:q.default,chat:V.default},plugins:[(0,Y.default)(se)],strict:!1}),ne=new J.default({locale:ae,fallbackLocale:"en",messages:Q.default});window.fetch("/api/statusnet/config.json").then(function(e){return e.json()}).then(function(e){var t=e.site,a=t.name,s=t.closed,i=t.textlimit;ie.dispatch("setOption",{name:"name",value:a}),ie.dispatch("setOption",{name:"registrationOpen",value:"0"===s}),ie.dispatch("setOption",{name:"textlimit",value:parseInt(i)})}),window.fetch("/static/config.json").then(function(e){return e.json()}).then(function(e){var t=e.theme,a=e.background,s=e.logo,i=e.showWhoToFollowPanel,n=e.whoToFollowProvider,o=e.whoToFollowLink,l=e.showInstanceSpecificPanel,c=e.scopeOptionsEnabled;ie.dispatch("setOption",{name:"theme",value:t}),ie.dispatch("setOption",{name:"background",value:a}),ie.dispatch("setOption",{name:"logo",value:s}),ie.dispatch("setOption",{name:"showWhoToFollowPanel",value:i}),ie.dispatch("setOption",{name:"whoToFollowProvider",value:n}),ie.dispatch("setOption",{name:"whoToFollowLink",value:o}),ie.dispatch("setOption",{name:"showInstanceSpecificPanel",value:l}),ie.dispatch("setOption",{name:"scopeOptionsEnabled",value:c}),e.chatDisabled&&ie.dispatch("disableChat");var d=[{name:"root",path:"/",redirect:function(t){var a=e.redirectRootLogin,s=e.redirectRootNoLogin;return(ie.state.users.currentUser?a:s)||"/main/all"}},{path:"/main/all",component:h.default},{path:"/main/public",component:v.default},{path:"/main/friends",component:w.default},{path:"/tag/:tag",component:k.default},{name:"conversation",path:"/notice/:id",component:y.default,meta:{dontScroll:!0}},{name:"user-profile",path:"/users/:id",component:$.default},{name:"mentions",path:"/:username/mentions",component:L.default},{name:"settings",path:"/settings",component:R.default},{name:"registration",path:"/registration",component:A.default},{name:"friend-requests",path:"/friend-requests",component:U.default},{name:"user-settings",path:"/user-settings",component:I.default}],f=new u.default({mode:"history",routes:d,scrollBehavior:function(e,t,a){return!e.matched.some(function(e){return e.meta.dontScroll})&&(a||{x:0,y:0})}});new r.default({router:f,store:ie,i18n:ne,el:"#app",render:function(e){return e(p.default)}})}),window.fetch("/static/terms-of-service.html").then(function(e){return e.text()}).then(function(e){ie.dispatch("setOption",{name:"tos",value:e})}),window.fetch("/api/pleroma/emoji.json").then(function(e){return e.json().then(function(e){var t=(0,n.default)(e).map(function(t){return{shortcode:t,image_url:e[t]}});ie.dispatch("setOption",{name:"customEmoji",value:t}),ie.dispatch("setOption",{name:"pleromaBackend",value:!0})},function(e){ie.dispatch("setOption",{name:"pleromaBackend",value:!1})})},function(e){return console.log(e)}),window.fetch("/static/emoji.json").then(function(e){return e.json()}).then(function(e){var t=(0,n.default)(e).map(function(t){return{shortcode:t,image_url:!1,utf:e[t]}});ie.dispatch("setOption",{name:"emoji",value:t})}),window.fetch("/instance/panel.html").then(function(e){return e.text()}).then(function(e){ie.dispatch("setOption",{name:"instanceSpecificPanelContent",value:e})})},,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,a){a(276);var s=a(1)(a(204),a(499),null,null);e.exports=s.exports},,,,,,,,,,,,,,,function(e,t,a){a(275);var s=a(1)(a(206),a(498),null,null);e.exports=s.exports},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(42),n=s(i),o=a(61),r=s(o);a(536);var l="/api/account/verify_credentials.json",u="/api/statuses/friends_timeline.json",c="/api/qvitter/allfollowing",d="/api/statuses/public_timeline.json",f="/api/statuses/public_and_external_timeline.json",p="/api/statusnet/tags/timeline",m="/api/favorites/create",v="/api/favorites/destroy",_="/api/statuses/retweet",h="/api/statuses/update.json",g="/api/statuses/destroy",w="/api/statuses/show",b="/api/statusnet/media/upload",k="/api/statusnet/conversation",C="/api/statuses/mentions.json",y="/api/statuses/followers.json",x="/api/statuses/friends.json",L="/api/friendships/create.json",P="/api/friendships/destroy.json",$="/api/qvitter/set_profile_pref.json",S="/api/account/register.json",R="/api/qvitter/update_avatar.json",j="/api/qvitter/update_background_image.json",A="/api/account/update_profile_banner.json",F="/api/account/update_profile.json",I="/api/externalprofile/show.json",N="/api/qvitter/statuses/user_timeline.json",U="/api/blocks/create.json",E="/api/blocks/destroy.json",O="/api/users/show.json",T="/api/pleroma/follow_import",z="/api/pleroma/delete_account",M="/api/pleroma/change_password",B="/api/pleroma/friend_requests",D="/api/pleroma/friendships/approve",q="/api/pleroma/friendships/deny",W=window.fetch,V=function(e,t){t=t||{};var a="",s=a+e;return t.credentials="same-origin",W(s,t)},G=function(e){return btoa(encodeURIComponent(e).replace(/%([0-9A-F]{2})/g,function(e,t){return String.fromCharCode("0x"+t)}))},H=function(e){var t=e.credentials,a=e.params,s=R,i=new FormData;return(0,r.default)(a,function(e,t){e&&i.append(t,e)}),V(s,{headers:X(t),method:"POST",body:i}).then(function(e){return e.json()})},K=function(e){var t=e.credentials,a=e.params,s=j,i=new FormData;return(0,r.default)(a,function(e,t){e&&i.append(t,e)}),V(s,{headers:X(t),method:"POST",body:i}).then(function(e){return e.json()})},J=function(e){var t=e.credentials,a=e.params,s=A,i=new FormData;return(0,r.default)(a,function(e,t){e&&i.append(t,e)}),V(s,{headers:X(t),method:"POST",body:i}).then(function(e){return e.json()})},Z=function(e){var t=e.credentials,a=e.params,s=F;console.log(a);var i=new FormData;return(0,r.default)(a,function(e,t){("description"===t||"locked"===t||e)&&i.append(t,e)}),V(s,{headers:X(t),method:"POST",body:i}).then(function(e){return e.json()})},Y=function(e){var t=new FormData;return(0,r.default)(e,function(e,a){e&&t.append(a,e)}),V(S,{method:"POST",body:t})},X=function(e){return e&&e.username&&e.password?{Authorization:"Basic "+G(e.username+":"+e.password)}:{}},Q=function(e){var t=e.profileUrl,a=e.credentials,s=I+"?profileurl="+t;return V(s,{headers:X(a),method:"GET"}).then(function(e){return e.json()})},ee=function(e){var t=e.id,a=e.credentials,s=L+"?user_id="+t;return V(s,{headers:X(a),method:"POST"}).then(function(e){return e.json()})},te=function(e){var t=e.id,a=e.credentials,s=P+"?user_id="+t;return V(s,{headers:X(a),method:"POST"}).then(function(e){return e.json()})},ae=function(e){var t=e.id,a=e.credentials,s=U+"?user_id="+t;return V(s,{headers:X(a),method:"POST"}).then(function(e){return e.json()})},se=function(e){var t=e.id,a=e.credentials,s=E+"?user_id="+t;return V(s,{headers:X(a),method:"POST"}).then(function(e){return e.json()})},ie=function(e){var t=e.id,a=e.credentials,s=D+"?user_id="+t;return V(s,{headers:X(a),method:"POST"}).then(function(e){return e.json()})},ne=function(e){var t=e.id,a=e.credentials,s=q+"?user_id="+t;return V(s,{headers:X(a),method:"POST"}).then(function(e){return e.json()})},oe=function(e){var t=e.id,a=e.credentials,s=O+"?user_id="+t;return V(s,{headers:X(a)}).then(function(e){return e.json()})},re=function(e){var t=e.id,a=e.credentials,s=x+"?user_id="+t;return V(s,{headers:X(a)}).then(function(e){return e.json()})},le=function(e){var t=e.id,a=e.credentials,s=y+"?user_id="+t;return V(s,{headers:X(a)}).then(function(e){return e.json()})},ue=function(e){var t=e.username,a=e.credentials,s=c+"/"+t+".json";return V(s,{headers:X(a)}).then(function(e){return e.json()})},ce=function(e){var t=e.credentials,a=B;return V(a,{headers:X(t)}).then(function(e){return e.json()})},de=function(e){var t=e.id,a=e.credentials,s=k+"/"+t+".json?count=100";return V(s,{headers:X(a)}).then(function(e){return e.json()})},fe=function(e){var t=e.id,a=e.credentials,s=w+"/"+t+".json";return V(s,{headers:X(a)}).then(function(e){return e.json()})},pe=function(e){var t=e.id,a=e.credentials,s=e.muted,i=void 0===s||s,n=new FormData,o=i?1:0;return n.append("namespace","qvitter"),n.append("data",o),n.append("topic","mute:"+t),V($,{method:"POST",headers:X(a),body:n})},me=function(e){var t=e.timeline,a=e.credentials,s=e.since,i=void 0!==s&&s,o=e.until,r=void 0!==o&&o,l=e.userId,c=void 0!==l&&l,m=e.tag,v=void 0!==m&&m,_={public:d,friends:u,mentions:C,publicAndExternal:f,user:N,tag:p},h=_[t],g=[];i&&g.push(["since_id",i]),r&&g.push(["max_id",r]),c&&g.push(["user_id",c]),v&&(h+="/"+v+".json"),g.push(["count",20]);var w=(0,n.default)(g,function(e){return e[0]+"="+e[1]}).join("&");return h+="?"+w,V(h,{headers:X(a)}).then(function(e){return e.json()})},ve=function(e){return V(l,{method:"POST",headers:X(e)})},_e=function(e){var t=e.id,a=e.credentials;return V(m+"/"+t+".json",{headers:X(a),method:"POST"})},he=function(e){var t=e.id,a=e.credentials;return V(v+"/"+t+".json",{headers:X(a),method:"POST"})},ge=function(e){var t=e.id,a=e.credentials;return V(_+"/"+t+".json",{headers:X(a),method:"POST"})},we=function(e){var t=e.credentials,a=e.status,s=e.spoilerText,i=e.visibility,n=e.mediaIds,o=e.inReplyToStatusId,r=n.join(","),l=new FormData;return l.append("status",a),l.append("source","Pleroma FE"),s&&l.append("spoiler_text",s),i&&l.append("visibility",i),l.append("media_ids",r),o&&l.append("in_reply_to_status_id",o),V(h,{body:l,method:"POST",headers:X(t)})},be=function(e){var t=e.id,a=e.credentials;return V(g+"/"+t+".json",{headers:X(a),method:"POST"})},ke=function(e){var t=e.formData,a=e.credentials;return V(b,{body:t,method:"POST",headers:X(a)}).then(function(e){return e.text()}).then(function(e){return(new DOMParser).parseFromString(e,"application/xml")})},Ce=function(e){var t=e.params,a=e.credentials;return V(T,{body:t,method:"POST",headers:X(a)}).then(function(e){return e.ok})},ye=function(e){var t=e.credentials,a=e.password,s=new FormData;return s.append("password",a),V(z,{body:s,method:"POST",headers:X(t)}).then(function(e){return e.json()})},xe=function(e){var t=e.credentials,a=e.password,s=e.newPassword,i=e.newPasswordConfirmation,n=new FormData;return n.append("password",a),n.append("new_password",s),n.append("new_password_confirmation",i),V(M,{body:n,method:"POST",headers:X(t)}).then(function(e){return e.json()})},Le=function(e){var t=e.credentials,a="/api/qvitter/mutes.json";return V(a,{headers:X(t)}).then(function(e){return e.json()})},Pe={verifyCredentials:ve,fetchTimeline:me,fetchConversation:de,fetchStatus:fe,fetchFriends:re,fetchFollowers:le,followUser:ee,unfollowUser:te,blockUser:ae,unblockUser:se,fetchUser:oe,favorite:_e,unfavorite:he,retweet:ge,postStatus:we,deleteStatus:be,uploadMedia:ke,fetchAllFollowing:ue,setUserMute:pe,fetchMutes:Le,register:Y,updateAvatar:H,updateBg:K,updateProfile:Z,updateBanner:J,externalProfile:Q,followImport:Ce,deleteAccount:ye,changePassword:xe,fetchFollowRequests:ce,approveUser:ie,denyUser:ne};t.default=Pe},,,,,,,,,,,,,,,,,,,,function(e,t,a){a(289);var s=a(1)(a(199),a(520),null,null);e.exports=s.exports},function(e,t,a){a(288);var s=a(1)(a(201),a(519),null,null);e.exports=s.exports},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.rgbstr2hex=t.hex2rgb=t.rgb2hex=void 0;var i=a(108),n=s(i),o=a(42),r=s(o),l=function(e,t,a){var s=(0,r.default)([e,t,a],function(e){return e=Math.ceil(e),e=e<0?0:e,e=e>255?255:e}),i=(0,n.default)(s,3);return e=i[0],t=i[1],a=i[2],"#"+((1<<24)+(e<<16)+(t<<8)+a).toString(16).slice(1)},u=function(e){var t=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(e);return t?{r:parseInt(t[1],16),g:parseInt(t[2],16),b:parseInt(t[3],16)}:null},c=function(e){return"#"===e[0]?e:(e=e.match(/\d+/g),"#"+((Number(e[0])<<16)+(Number(e[1])<<8)+Number(e[2])).toString(16))};t.rgb2hex=l,t.hex2rgb=u,t.rgbstr2hex=c},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.mutations=t.findMaxId=t.statusType=t.prepareStatus=t.defaultState=void 0;var i=a(219),n=s(i),o=a(2),r=s(o),l=a(160),u=s(l),c=a(161),d=s(c),f=a(443),p=s(f),m=a(441),v=s(m),_=a(433),h=s(_),g=a(62),w=s(g),b=a(61),k=s(b),C=a(22),y=s(C),x=a(100),L=s(x),P=a(450),$=s(P),S=a(449),R=s(S),j=a(437),A=s(j),F=a(44),I=s(F),N=function(){return{statuses:[],statusesObject:{},faves:[],visibleStatuses:[],visibleStatusesObject:{},newStatusCount:0,maxId:0,minVisibleId:0,loading:!1,followers:[],friends:[],viewing:"statuses",flushMarker:0}},U=t.defaultState={allStatuses:[],allStatusesObject:{},maxId:0,notifications:[],favorites:new n.default,error:!1,timelines:{mentions:N(),public:N(),user:N(),publicAndExternal:N(),friends:N(),tag:N()}},E=function(e){var t=/#nsfw/i;return(0,A.default)(e.tags,"nsfw")||!!e.text.match(t)},O=t.prepareStatus=function(e){return void 0===e.nsfw&&(e.nsfw=E(e),e.retweeted_status&&(e.nsfw=e.retweeted_status.nsfw)),e.deleted=!1,e.attachments=e.attachments||[],e},T=t.statusType=function(e){return e.is_post_verb?"status":e.retweeted_status?"retweet":"string"==typeof e.uri&&e.uri.match(/(fave|objectType=Favourite)/)||"string"==typeof e.text&&e.text.match(/favorited/)?"favorite":e.text.match(/deleted notice {{tag/)||e.qvitter_delete_notice?"deletion":e.text.match(/started following/)?"follow":"unknown"},z=(t.findMaxId=function(){for(var e=arguments.length,t=Array(e),a=0;a0?(0,v.default)(a,"id").id:0,h=n&&_0&&!h&&(m.maxId=_);var g=function(t,a){var s=!(arguments.length>2&&void 0!==arguments[2])||arguments[2],i=z(d,f,t);if(t=i.item,i.new&&("retweet"===T(t)&&t.retweeted_status.user.id===l.id&&b({type:"repeat",status:t,action:t}),"status"===T(t)&&(0,w.default)(t.attentions,{id:l.id}))){var o=e.timelines.mentions;m!==o&&(z(o.statuses,o.statusesObject,t),o.newStatusCount+=1,M(o)),t.user.id!==l.id&&b({type:"mention",status:t,action:t})}var r=void 0;return n&&s&&(r=z(m.statuses,m.statusesObject,t)),n&&a?z(m.visibleStatuses,m.visibleStatusesObject,t):n&&s&&r.new&&(m.newStatusCount+=1),t},b=function(t){var a=t.type,s=t.status,i=t.action;if(!(0,w.default)(e.notifications,function(e){return e.action.id===i.id})&&(e.notifications.push({type:a,status:s,action:i,seen:!1}),"Notification"in window&&"granted"===window.Notification.permission)){var n=i.user.name,o={};o.icon=i.user.profile_image_url,o.body=i.text,i.attachments&&i.attachments.length>0&&!i.nsfw&&i.attachments[0].mimetype.startsWith("image/")&&(o.image=i.attachments[0].url);var r=new window.Notification(n,o);setTimeout(r.close.bind(r),5e3)}},C=function(e){var t=(0,w.default)(d,{id:(0,y.default)(e.in_reply_to_status_id)});return t&&(t.fave_num+=1,e.user.id===l.id&&(t.favorited=!0),t.user.id===l.id&&b({type:"favorite",status:t,action:e})),t},x={status:function(e){g(e,i)},retweet:function e(t){var a=g(t.retweeted_status,!1,!1),e=void 0;e=n&&(0,w.default)(m.statuses,function(e){return e.retweeted_status?e.id===a.id||e.retweeted_status.id===a.id:e.id===a.id})?g(t,!1,!1):g(t,i),e.retweeted_status=a},favorite:function(t){e.favorites.has(t.id)||(e.favorites.add(t.id),C(t))},follow:function(e){var t=new RegExp("started following "+l.name+" \\("+l.statusnet_profile_url+"\\)"),a=new RegExp("started following "+l.screen_name+"$");(e.text.match(t)||e.text.match(a))&&b({type:"follow",status:e,action:e})},deletion:function(t){var a=t.uri,s=(0,w.default)(d,{uri:a});s&&((0,R.default)(e.notifications,function(e){var t=e.action.id;return t===s.id}),(0,R.default)(d,{uri:a}),n&&((0,R.default)(m.statuses,{uri:a}),(0,R.default)(m.visibleStatuses,{uri:a})))},default:function(e){console.log("unknown status type"),console.log(e)}};(0,k.default)(a,function(e){var t=T(e),a=x[t]||x.default;a(e)}),n&&(M(m),(h||m.minVisibleId<=0)&&a.length>0&&(m.minVisibleId=(0,p.default)(a,"id").id))},D=t.mutations={addNewStatuses:B,showNewStatuses:function(e,t){var a=t.timeline,s=e.timelines[a];s.newStatusCount=0,s.visibleStatuses=(0,$.default)(s.statuses,0,50),s.minVisibleId=(0,u.default)(s.visibleStatuses).id,s.visibleStatusesObject={},(0,k.default)(s.visibleStatuses,function(e){s.visibleStatusesObject[e.id]=e})},clearTimeline:function(e,t){var a=t.timeline;e.timelines[a]=N()},setFavorited:function(e,t){var a=t.status,s=t.value,i=e.allStatusesObject[a.id];i.favorited=s},setRetweeted:function(e,t){var a=t.status,s=t.value,i=e.allStatusesObject[a.id];i.repeated=s},setDeleted:function(e,t){var a=t.status,s=e.allStatusesObject[a.id];s.deleted=!0},setLoading:function(e,t){var a=t.timeline,s=t.value;e.timelines[a].loading=s},setNsfw:function(e,t){var a=t.id,s=t.nsfw,i=e.allStatusesObject[a];i.nsfw=s},setError:function(e,t){var a=t.value;e.error=a},setProfileView:function(e,t){var a=t.v;e.timelines.user.viewing=a},addFriends:function(e,t){var a=t.friends;e.timelines.user.friends=a},addFollowers:function(e,t){var a=t.followers;e.timelines.user.followers=a},markNotificationsAsSeen:function(e,t){(0,k.default)(t,function(e){e.seen=!0})},queueFlush:function(e,t){var a=t.timeline,s=t.id;e.timelines[a].flushMarker=s}},q={state:U,actions:{addNewStatuses:function(e,t){var a=e.rootState,s=e.commit,i=t.statuses,n=t.showImmediately,o=void 0!==n&&n,r=t.timeline,l=void 0!==r&&r,u=t.noIdUpdate,c=void 0!==u&&u;s("addNewStatuses",{statuses:i,showImmediately:o,timeline:l,noIdUpdate:c,user:a.users.currentUser})},setError:function(e,t){var a=(e.rootState,e.commit),s=t.value;a("setError",{value:s})},addFriends:function(e,t){var a=(e.rootState,e.commit),s=t.friends;a("addFriends",{friends:s})},addFollowers:function(e,t){var a=(e.rootState,e.commit),s=t.followers;a("addFollowers",{followers:s})},deleteStatus:function(e,t){var a=e.rootState,s=e.commit;s("setDeleted",{status:t}),I.default.deleteStatus({id:t.id,credentials:a.users.currentUser.credentials})},favorite:function(e,t){var a=e.rootState,s=e.commit;s("setFavorited",{status:t,value:!0}),I.default.favorite({id:t.id,credentials:a.users.currentUser.credentials})},unfavorite:function(e,t){var a=e.rootState,s=e.commit;s("setFavorited",{status:t,value:!1}),I.default.unfavorite({id:t.id,credentials:a.users.currentUser.credentials})},retweet:function(e,t){var a=e.rootState,s=e.commit;s("setRetweeted",{status:t,value:!0}),I.default.retweet({id:t.id,credentials:a.users.currentUser.credentials})},queueFlush:function(e,t){var a=(e.rootState,e.commit),s=t.timeline,i=t.id;a("queueFlush",{timeline:s,id:i})}},mutations:D};t.default=q},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(44),n=s(i),o=a(107),r=s(o),l=function(e){var t=function(t){var a=t.id;return n.default.fetchStatus({id:a,credentials:e})},a=function(t){var a=t.id;return n.default.fetchConversation({id:a,credentials:e})},s=function(t){var a=t.id;return n.default.fetchFriends({id:a,credentials:e})},i=function(t){var a=t.id;return n.default.fetchFollowers({id:a,credentials:e})},o=function(t){var a=t.username;return n.default.fetchAllFollowing({username:a,credentials:e})},l=function(t){var a=t.id;return n.default.fetchUser({id:a,credentials:e})},u=function(t){return n.default.followUser({credentials:e,id:t})},c=function(t){return n.default.unfollowUser({credentials:e,id:t})},d=function(t){return n.default.blockUser({credentials:e,id:t})},f=function(t){return n.default.unblockUser({credentials:e,id:t})},p=function(t){return n.default.approveUser({credentials:e,id:t})},m=function(t){return n.default.denyUser({credentials:e,id:t})},v=function(t){var a=t.timeline,s=t.store,i=t.userId,n=void 0!==i&&i;return r.default.startFetching({timeline:a,store:s,credentials:e,userId:n})},_=function(t){var a=t.id,s=t.muted,i=void 0===s||s;return n.default.setUserMute({id:a,muted:i,credentials:e})},h=function(){return n.default.fetchMutes({credentials:e})},g=function(){return n.default.fetchFollowRequests({credentials:e})},w=function(e){return n.default.register(e)},b=function(t){var a=t.params;return n.default.updateAvatar({credentials:e,params:a})},k=function(t){var a=t.params;return n.default.updateBg({credentials:e,params:a})},C=function(t){var a=t.params;return n.default.updateBanner({credentials:e,params:a})},y=function(t){var a=t.params;return n.default.updateProfile({credentials:e,params:a})},x=function(t){return n.default.externalProfile({profileUrl:t,credentials:e})},L=function(t){var a=t.params;return n.default.followImport({params:a,credentials:e})},P=function(t){var a=t.password;return n.default.deleteAccount({credentials:e,password:a})},$=function(t){var a=t.password,s=t.newPassword,i=t.newPasswordConfirmation;return n.default.changePassword({credentials:e,password:a,newPassword:s,newPasswordConfirmation:i})},S={fetchStatus:t,fetchConversation:a,fetchFriends:s,fetchFollowers:i,followUser:u,unfollowUser:c,blockUser:d,unblockUser:f,fetchUser:l,fetchAllFollowing:o,verifyCredentials:n.default.verifyCredentials,startFetching:v,setUserMute:_,fetchMutes:h,register:w,updateAvatar:b,updateBg:k,updateBanner:C,updateProfile:y,externalProfile:x,followImport:L,deleteAccount:P,changePassword:$,fetchFollowRequests:g,approveUser:p,denyUser:m};return S};t.default=l},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a=function(e){var t="unknown";return e.match(/text\/html/)&&(t="html"),e.match(/image/)&&(t="image"),e.match(/video\/(webm|mp4)/)&&(t="video"),e.match(/audio|ogg/)&&(t="audio"),t},s={fileType:a};t.default=s},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(42),n=s(i),o=a(44),r=s(o),l=function(e){var t=e.store,a=e.status,s=e.spoilerText,i=e.visibility,o=e.media,l=void 0===o?[]:o,u=e.inReplyToStatusId,c=void 0===u?void 0:u,d=(0,n.default)(l,"id");return r.default.postStatus({credentials:t.state.users.currentUser.credentials,status:a,spoilerText:s,visibility:i,mediaIds:d,inReplyToStatusId:c}).then(function(e){return e.json()}).then(function(e){return e.error||t.dispatch("addNewStatuses",{statuses:[e],timeline:"friends",showImmediately:!0,noIdUpdate:!0}),e}).catch(function(e){return{error:e.message}})},u=function(e){var t=e.store,a=e.formData,s=t.state.users.currentUser.credentials;return r.default.uploadMedia({credentials:s,formData:a}).then(function(e){var t=e.getElementsByTagName("link");0===t.length&&(t=e.getElementsByTagName("atom:link")),t=t[0];var a={id:e.getElementsByTagName("media_id")[0].textContent,url:e.getElementsByTagName("media_url")[0].textContent,image:t.getAttribute("href"),mimetype:t.getAttribute("type")};return a})},c={postStatus:l,uploadMedia:u};t.default=c},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(426),n=s(i),o=a(44),r=s(o),l=function(e){var t=e.store,a=e.statuses,s=e.timeline,i=e.showImmediately,o=(0,n.default)(s);t.dispatch("setError",{value:!1}),t.dispatch("addNewStatuses",{timeline:o,statuses:a,showImmediately:i})},u=function(e){var t=e.store,a=e.credentials,s=e.timeline,i=void 0===s?"friends":s,o=e.older,u=void 0!==o&&o,c=e.showImmediately,d=void 0!==c&&c,f=e.userId,p=void 0!==f&&f,m=e.tag,v=void 0!==m&&m,_={timeline:i,credentials:a},h=t.rootState||t.state,g=h.statuses.timelines[(0,n.default)(i)];return u?_.until=g.minVisibleId:_.since=g.maxId,_.userId=p,_.tag=v,r.default.fetchTimeline(_).then(function(e){!u&&e.length>=20&&!g.loading&&t.dispatch("queueFlush",{timeline:i,id:g.maxId}),l({store:t,statuses:e,timeline:i,showImmediately:d})},function(){return t.dispatch("setError",{value:!0})})},c=function(e){var t=e.timeline,a=void 0===t?"friends":t,s=e.credentials,i=e.store,o=e.userId,r=void 0!==o&&o,l=e.tag,c=void 0!==l&&l,d=i.rootState||i.state,f=d.statuses.timelines[(0,n.default)(a)],p=0===f.visibleStatuses.length;u({timeline:a,credentials:s,store:i,showImmediately:p,userId:r,tag:c});var m=function(){return u({timeline:a,credentials:s,store:i,userId:r,tag:c})};return setInterval(m,1e4)},d={fetchAndUpdate:u,startFetching:c};t.default=d},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,a){var s=a(1)(a(181),a(502),null,null);e.exports=s.exports},function(e,t,a){a(277);var s=a(1)(a(193),a(501),null,null);e.exports=s.exports},function(e,t,a){a(293);var s=a(1)(a(202),a(525),null,null);e.exports=s.exports},function(e,t,a){a(299);var s=a(1)(a(205),a(531),null,null);e.exports=s.exports},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={chat:{title:"Chat"},nav:{chat:"Lokaler Chat",timeline:"Zeitleiste",mentions:"Erwähnungen",public_tl:"Lokale Zeitleiste",twkn:"Das gesamte Netzwerk"},user_card:{follows_you:"Folgt dir!",following:"Folgst du!",follow:"Folgen",blocked:"Blockiert!",block:"Blockieren",statuses:"Beiträge",mute:"Stummschalten",muted:"Stummgeschaltet",followers:"Folgende",followees:"Folgt",per_day:"pro Tag",remote_follow:"Remote Follow"},timeline:{show_new:"Zeige Neuere",error_fetching:"Fehler beim Laden",up_to_date:"Aktuell",load_older:"Lade ältere Beiträge",conversation:"Unterhaltung",collapse:"Einklappen",repeated:"wiederholte"},settings:{user_settings:"Benutzereinstellungen",name_bio:"Name & Bio",name:"Name",bio:"Bio",avatar:"Avatar",current_avatar:"Dein derzeitiger Avatar",set_new_avatar:"Setze neuen Avatar",profile_banner:"Profil Banner",current_profile_banner:"Dein derzeitiger Profil Banner",set_new_profile_banner:"Setze neuen Profil Banner",profile_background:"Profil Hintergrund",set_new_profile_background:"Setze neuen Profil Hintergrund",settings:"Einstellungen",theme:"Farbschema",presets:"Voreinstellungen",theme_help:"Benutze HTML Farbcodes (#rrggbb) um dein Farbschema anzupassen",radii_help:"Kantenrundung (in Pixel) der Oberfläche anpassen",background:"Hintergrund",foreground:"Vordergrund",text:"Text",links:"Links",cBlue:"Blau (Antworten, Folgt dir)",cRed:"Rot (Abbrechen)",cOrange:"Orange (Favorisieren)",cGreen:"Grün (Retweet)",btnRadius:"Buttons",inputRadius:"Eingabefelder",panelRadius:"Panel",avatarRadius:"Avatare",avatarAltRadius:"Avatare (Benachrichtigungen)",tooltipRadius:"Tooltips/Warnungen",attachmentRadius:"Anhänge",filtering:"Filter",filtering_explanation:"Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.",attachments:"Anhänge",hide_attachments_in_tl:"Anhänge in der Zeitleiste ausblenden",hide_attachments_in_convo:"Anhänge in Unterhaltungen ausblenden",nsfw_clickthrough:"Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind",stop_gifs:"Play-on-hover GIFs",autoload:"Aktiviere automatisches Laden von älteren Beiträgen beim scrollen",streaming:"Aktiviere automatisches Laden (Streaming) von neuen Beiträgen",reply_link_preview:"Aktiviere reply-link Vorschau bei Maus-Hover",follow_import:"Folgeliste importieren",import_followers_from_a_csv_file:"Importiere Kontakte, denen du folgen möchtest, aus einer CSV-Datei",follows_imported:"Folgeliste importiert! Die Bearbeitung kann eine Zeit lang dauern.",follow_import_error:"Fehler beim importieren der Folgeliste",delete_account:"Account löschen",delete_account_description:"Lösche deinen Account und alle deine Nachrichten dauerhaft.",delete_account_instructions:"Tippe dein Passwort unten in das Feld ein um die Löschung deines Accounts zu bestätigen.",delete_account_error:"Es ist ein Fehler beim löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.",follow_export:"Folgeliste exportieren",follow_export_processing:"In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.",follow_export_button:"Liste (.csv) erstellen",change_password:"Passwort ändern",current_password:"Aktuelles Passwort",new_password:"Neues Passwort",confirm_new_password:"Neues Passwort bestätigen",changed_password:"Passwort erfolgreich geändert!",change_password_error:"Es gab ein Problem bei der Änderung des Passworts."},notifications:{notifications:"Benachrichtigungen",read:"Gelesen!",followed_you:"folgt dir",favorited_you:"favorisierte deine Nachricht",repeated_you:"wiederholte deine Nachricht"},login:{login:"Anmelden",username:"Benutzername",placeholder:"z.B. lain",password:"Passwort",register:"Registrieren",logout:"Abmelden"},registration:{registration:"Registrierung",fullname:"Angezeigter Name",email:"Email",bio:"Bio",password_confirm:"Passwort bestätigen"},post_status:{posting:"Veröffentlichen",default:"Sitze gerade im Hofbräuhaus."},finder:{find_user:"Finde Benutzer",error_fetching_user:"Fehler beim Suchen des Benutzers"},general:{submit:"Absenden",apply:"Anwenden"},user_profile:{timeline_title:"Beiträge"}},s={nav:{timeline:"Aikajana",mentions:"Maininnat",public_tl:"Julkinen Aikajana",twkn:"Koko Tunnettu Verkosto"},user_card:{follows_you:"Seuraa sinua!",following:"Seuraat!",follow:"Seuraa",statuses:"Viestit",mute:"Hiljennä",muted:"Hiljennetty",followers:"Seuraajat",followees:"Seuraa",per_day:"päivässä"},timeline:{show_new:"Näytä uudet",error_fetching:"Virhe ladatessa viestejä",up_to_date:"Ajantasalla",load_older:"Lataa vanhempia viestejä",conversation:"Keskustelu",collapse:"Sulje",repeated:"toisti"},settings:{user_settings:"Käyttäjän asetukset",name_bio:"Nimi ja kuvaus",name:"Nimi",bio:"Kuvaus",avatar:"Profiilikuva",current_avatar:"Nykyinen profiilikuvasi",set_new_avatar:"Aseta uusi profiilikuva",profile_banner:"Juliste",current_profile_banner:"Nykyinen julisteesi",set_new_profile_banner:"Aseta uusi juliste",profile_background:"Taustakuva",set_new_profile_background:"Aseta uusi taustakuva",settings:"Asetukset",theme:"Teema",presets:"Valmiit teemat",theme_help:"Käytä heksadesimaalivärejä muokataksesi väriteemaasi.",background:"Tausta",foreground:"Korostus",text:"Teksti",links:"Linkit",filtering:"Suodatus",filtering_explanation:"Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.",attachments:"Liitteet",hide_attachments_in_tl:"Piilota liitteet aikajanalla",hide_attachments_in_convo:"Piilota liitteet keskusteluissa",nsfw_clickthrough:"Piilota NSFW liitteet klikkauksen taakse.",autoload:"Lataa vanhempia viestejä automaattisesti ruudun pohjalla",streaming:"Näytä uudet viestit automaattisesti ollessasi ruudun huipulla",reply_link_preview:"Keskusteluiden vastauslinkkien esikatselu"},notifications:{notifications:"Ilmoitukset",read:"Lue!",followed_you:"seuraa sinua",favorited_you:"tykkäsi viestistäsi",repeated_you:"toisti viestisi"},login:{login:"Kirjaudu sisään",username:"Käyttäjänimi",placeholder:"esim. lain", -password:"Salasana",register:"Rekisteröidy",logout:"Kirjaudu ulos"},registration:{registration:"Rekisteröityminen",fullname:"Koko nimi",email:"Sähköposti",bio:"Kuvaus",password_confirm:"Salasanan vahvistaminen"},post_status:{posting:"Lähetetään",default:"Tulin juuri saunasta."},finder:{find_user:"Hae käyttäjä",error_fetching_user:"Virhe hakiessa käyttäjää"},general:{submit:"Lähetä",apply:"Aseta"}},i={chat:{title:"Chat"},nav:{chat:"Local Chat",timeline:"Timeline",mentions:"Mentions",public_tl:"Public Timeline",twkn:"The Whole Known Network",friend_requests:"Follow Requests"},user_card:{follows_you:"Follows you!",following:"Following!",follow:"Follow",blocked:"Blocked!",block:"Block",statuses:"Statuses",mute:"Mute",muted:"Muted",followers:"Followers",followees:"Following",per_day:"per day",remote_follow:"Remote follow",approve:"Approve",deny:"Deny"},timeline:{show_new:"Show new",error_fetching:"Error fetching updates",up_to_date:"Up-to-date",load_older:"Load older statuses",conversation:"Conversation",collapse:"Collapse",repeated:"repeated"},settings:{user_settings:"User Settings",name_bio:"Name & Bio",name:"Name",bio:"Bio",avatar:"Avatar",current_avatar:"Your current avatar",set_new_avatar:"Set new avatar",profile_banner:"Profile Banner",current_profile_banner:"Your current profile banner",set_new_profile_banner:"Set new profile banner",profile_background:"Profile Background",set_new_profile_background:"Set new profile background",settings:"Settings",theme:"Theme",presets:"Presets",theme_help:"Use hex color codes (#rrggbb) to customize your color theme.",radii_help:"Set up interface edge rounding (in pixels)",background:"Background",foreground:"Foreground",text:"Text",links:"Links",cBlue:"Blue (Reply, follow)",cRed:"Red (Cancel)",cOrange:"Orange (Favorite)",cGreen:"Green (Retweet)",btnRadius:"Buttons",inputRadius:"Input fields",panelRadius:"Panels",avatarRadius:"Avatars",avatarAltRadius:"Avatars (Notifications)",tooltipRadius:"Tooltips/alerts",attachmentRadius:"Attachments",filtering:"Filtering",filtering_explanation:"All statuses containing these words will be muted, one per line",attachments:"Attachments",hide_attachments_in_tl:"Hide attachments in timeline",hide_attachments_in_convo:"Hide attachments in conversations",nsfw_clickthrough:"Enable clickthrough NSFW attachment hiding",stop_gifs:"Play-on-hover GIFs",autoload:"Enable automatic loading when scrolled to the bottom",streaming:"Enable automatic streaming of new posts when scrolled to the top",reply_link_preview:"Enable reply-link preview on mouse hover",follow_import:"Follow import",import_followers_from_a_csv_file:"Import follows from a csv file",follows_imported:"Follows imported! Processing them will take a while.",follow_import_error:"Error importing followers",delete_account:"Delete Account",delete_account_description:"Permanently delete your account and all your messages.",delete_account_instructions:"Type your password in the input below to confirm account deletion.",delete_account_error:"There was an issue deleting your account. If this persists please contact your instance administrator.",follow_export:"Follow export",follow_export_processing:"Processing, you'll soon be asked to download your file",follow_export_button:"Export your follows to a csv file",change_password:"Change Password",current_password:"Current password",new_password:"New password",confirm_new_password:"Confirm new password",changed_password:"Password changed successfully!",change_password_error:"There was an issue changing your password.",lock_account_description:"Restrict your account to approved followers only"},notifications:{notifications:"Notifications",read:"Read!",followed_you:"followed you",favorited_you:"favorited your status",repeated_you:"repeated your status"},login:{login:"Log in",username:"Username",placeholder:"e.g. lain",password:"Password",register:"Register",logout:"Log out"},registration:{registration:"Registration",fullname:"Display name",email:"Email",bio:"Bio",password_confirm:"Password confirmation"},post_status:{posting:"Posting",content_warning:"Subject (optional)",default:"Just landed in L.A."},finder:{find_user:"Find user",error_fetching_user:"Error fetching user"},general:{submit:"Submit",apply:"Apply"},user_profile:{timeline_title:"User Timeline"}},n={chat:{title:"Babilo"},nav:{chat:"Loka babilo",timeline:"Tempovido",mentions:"Mencioj",public_tl:"Publika tempovido",twkn:"Tuta konata reto"},user_card:{follows_you:"Abonas vin!",following:"Abonanta!",follow:"Aboni",blocked:"Barita!",block:"Bari",statuses:"Statoj",mute:"Silentigi",muted:"Silentigita",followers:"Abonantoj",followees:"Abonatoj",per_day:"tage",remote_follow:"Fora abono"},timeline:{show_new:"Montri novajn",error_fetching:"Eraro ĝisdatigante",up_to_date:"Ĝisdata",load_older:"Enlegi pli malnovajn statojn",conversation:"Interparolo",collapse:"Maletendi",repeated:"ripetata"},settings:{user_settings:"Uzulaj agordoj",name_bio:"Nomo kaj prio",name:"Nomo",bio:"Prio",avatar:"Profilbildo",current_avatar:"Via nuna profilbildo",set_new_avatar:"Agordi novan profilbildon",profile_banner:"Profila rubando",current_profile_banner:"Via nuna profila rubando",set_new_profile_banner:"Agordi novan profilan rubandon",profile_background:"Profila fono",set_new_profile_background:"Agordi novan profilan fonon",settings:"Agordoj",theme:"Haŭto",presets:"Antaŭmetaĵoj",theme_help:"Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran haŭton.",radii_help:"Agordi fasadan rondigon de randoj (rastrumere)",background:"Fono",foreground:"Malfono",text:"Teksto",links:"Ligiloj",cBlue:"Blua (Respondo, abono)",cRed:"Ruĝa (Nuligo)",cOrange:"Orange (Ŝato)",cGreen:"Verda (Kunhavigo)",btnRadius:"Butonoj",panelRadius:"Paneloj",avatarRadius:"Profilbildoj",avatarAltRadius:"Profilbildoj (Sciigoj)",tooltipRadius:"Ŝpruchelpiloj/avertoj",attachmentRadius:"Kunsendaĵoj",filtering:"Filtrado",filtering_explanation:"Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie",attachments:"Kunsendaĵoj",hide_attachments_in_tl:"Kaŝi kunsendaĵojn en tempovido",hide_attachments_in_convo:"Kaŝi kunsendaĵojn en interparoloj",nsfw_clickthrough:"Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj",stop_gifs:"Movi GIF-bildojn dum ŝvebo",autoload:"Ŝalti memfaran enlegadon ĉe subo de paĝo",streaming:"Ŝalti memfaran fluigon de novaj afiŝoj ĉe supro de paĝo",reply_link_preview:"Ŝalti respond-ligilan antaŭvidon dum ŝvebo",follow_import:"Abona enporto",import_followers_from_a_csv_file:"Enporti abonojn de CSV-dosiero",follows_imported:"Abonoj enportiĝis! Traktado daŭros iom.",follow_import_error:"Eraro enportante abonojn"},notifications:{notifications:"Sciigoj",read:"Legita!",followed_you:"ekabonis vin",favorited_you:"ŝatis vian staton",repeated_you:"ripetis vian staton"},login:{login:"Saluti",username:"Salutnomo",placeholder:"ekz. lain",password:"Pasvorto",register:"Registriĝi",logout:"Adiaŭi"},registration:{registration:"Registriĝo",fullname:"Vidiga nomo",email:"Retpoŝtadreso",bio:"Prio",password_confirm:"Konfirmo de pasvorto"},post_status:{posting:"Afiŝanta",default:"Ĵus alvenis la universalan kongreson!"},finder:{find_user:"Trovi uzulon",error_fetching_user:"Eraro alportante uzulon"},general:{submit:"Sendi",apply:"Apliki"},user_profile:{timeline_title:"Uzula tempovido"}},o={nav:{timeline:"Ajajoon",mentions:"Mainimised",public_tl:"Avalik Ajajoon",twkn:"Kogu Teadaolev Võrgustik"},user_card:{follows_you:"Jälgib sind!",following:"Jälgin!",follow:"Jälgi",blocked:"Blokeeritud!",block:"Blokeeri",statuses:"Staatuseid",mute:"Vaigista",muted:"Vaigistatud",followers:"Jälgijaid",followees:"Jälgitavaid",per_day:"päevas"},timeline:{show_new:"Näita uusi",error_fetching:"Viga uuenduste laadimisel",up_to_date:"Uuendatud",load_older:"Kuva vanemaid staatuseid",conversation:"Vestlus"},settings:{user_settings:"Kasutaja sätted",name_bio:"Nimi ja Bio",name:"Nimi",bio:"Bio",avatar:"Profiilipilt",current_avatar:"Sinu praegune profiilipilt",set_new_avatar:"Vali uus profiilipilt",profile_banner:"Profiilibänner",current_profile_banner:"Praegune profiilibänner",set_new_profile_banner:"Vali uus profiilibänner",profile_background:"Profiilitaust",set_new_profile_background:"Vali uus profiilitaust",settings:"Sätted",theme:"Teema",filtering:"Sisu filtreerimine",filtering_explanation:"Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.",attachments:"Manused",hide_attachments_in_tl:"Peida manused ajajoonel",hide_attachments_in_convo:"Peida manused vastlustes",nsfw_clickthrough:"Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha",autoload:"Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud",reply_link_preview:"Luba algpostituse kuvamine vastustes"},notifications:{notifications:"Teavitused",read:"Loe!",followed_you:"alustas sinu jälgimist"},login:{login:"Logi sisse",username:"Kasutajanimi",placeholder:"nt lain",password:"Parool",register:"Registreeru",logout:"Logi välja"},registration:{registration:"Registreerimine",fullname:"Kuvatav nimi",email:"E-post",bio:"Bio",password_confirm:"Parooli kinnitamine"},post_status:{posting:"Postitan",default:"Just sõitsin elektrirongiga Tallinnast Pääskülla."},finder:{find_user:"Otsi kasutajaid",error_fetching_user:"Viga kasutaja leidmisel"},general:{submit:"Postita"}},r={nav:{timeline:"Idővonal",mentions:"Említéseim",public_tl:"Publikus Idővonal",twkn:"Az Egész Ismert Hálózat"},user_card:{follows_you:"Követ téged!",following:"Követve!",follow:"Követ",blocked:"Letiltva!",block:"Letilt",statuses:"Állapotok",mute:"Némít",muted:"Némított",followers:"Követők",followees:"Követettek",per_day:"naponta"},timeline:{show_new:"Újak mutatása",error_fetching:"Hiba a frissítések beszerzésénél",up_to_date:"Naprakész",load_older:"Régebbi állapotok betöltése",conversation:"Társalgás"},settings:{user_settings:"Felhasználói beállítások",name_bio:"Név és Bio",name:"Név",bio:"Bio",avatar:"Avatár",current_avatar:"Jelenlegi avatár",set_new_avatar:"Új avatár",profile_banner:"Profil Banner",current_profile_banner:"Jelenlegi profil banner",set_new_profile_banner:"Új profil banner",profile_background:"Profil háttérkép",set_new_profile_background:"Új profil háttér beállítása",settings:"Beállítások",theme:"Téma",filtering:"Szűrés",filtering_explanation:"Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy",attachments:"Csatolmányok",hide_attachments_in_tl:"Csatolmányok elrejtése az idővonalon",hide_attachments_in_convo:"Csatolmányok elrejtése a társalgásokban",nsfw_clickthrough:"NSFW átkattintási tartalom elrejtésének engedélyezése",autoload:"Autoatikus betöltés engedélyezése lap aljára görgetéskor",reply_link_preview:"Válasz-link előzetes mutatása egér rátételkor"},notifications:{notifications:"Értesítések",read:"Olvasva!",followed_you:"követ téged"},login:{login:"Bejelentkezés",username:"Felhasználó név",placeholder:"e.g. lain",password:"Jelszó",register:"Feliratkozás",logout:"Kijelentkezés"},registration:{registration:"Feliratkozás",fullname:"Teljes név",email:"Email",bio:"Bio",password_confirm:"Jelszó megerősítése"},post_status:{posting:"Küldés folyamatban",default:"Most érkeztem L.A.-be"},finder:{find_user:"Felhasználó keresése",error_fetching_user:"Hiba felhasználó beszerzésével"},general:{submit:"Elküld"}},l={nav:{timeline:"Cronologie",mentions:"Menționări",public_tl:"Cronologie Publică",twkn:"Toată Reșeaua Cunoscută"},user_card:{follows_you:"Te urmărește!",following:"Urmărit!",follow:"Urmărește",blocked:"Blocat!",block:"Blochează",statuses:"Stări",mute:"Pune pe mut",muted:"Pus pe mut",followers:"Următori",followees:"Urmărește",per_day:"pe zi"},timeline:{show_new:"Arată cele noi",error_fetching:"Erare la preluarea actualizărilor",up_to_date:"La zi",load_older:"Încarcă stări mai vechi",conversation:"Conversație"},settings:{user_settings:"Setările utilizatorului",name_bio:"Nume și Bio",name:"Nume",bio:"Bio",avatar:"Avatar",current_avatar:"Avatarul curent",set_new_avatar:"Setează avatar nou",profile_banner:"Banner de profil",current_profile_banner:"Bannerul curent al profilului",set_new_profile_banner:"Setează banner nou la profil",profile_background:"Fundalul de profil",set_new_profile_background:"Setează fundal nou",settings:"Setări",theme:"Temă",filtering:"Filtru",filtering_explanation:"Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie",attachments:"Atașamente",hide_attachments_in_tl:"Ascunde atașamentele în cronologie",hide_attachments_in_convo:"Ascunde atașamentele în conversații",nsfw_clickthrough:"Permite ascunderea al atașamentelor NSFW",autoload:"Permite încărcarea automată când scrolat la capăt",reply_link_preview:"Permite previzualizarea linkului de răspuns la planarea de mouse"},notifications:{notifications:"Notificări",read:"Citit!",followed_you:"te-a urmărit"},login:{login:"Loghează",username:"Nume utilizator",placeholder:"d.e. lain",password:"Parolă",register:"Înregistrare",logout:"Deloghează"},registration:{registration:"Îregistrare",fullname:"Numele întreg",email:"Email",bio:"Bio",password_confirm:"Cofirmă parola"},post_status:{posting:"Postează",default:"Nu de mult am aterizat în L.A."},finder:{find_user:"Găsește utilizator",error_fetching_user:"Eroare la preluarea utilizatorului"},general:{submit:"trimite"}},u={chat:{title:"チャット"},nav:{chat:"ローカルチャット",timeline:"タイムライン",mentions:"メンション",public_tl:"公開タイムライン",twkn:"接続しているすべてのネットワーク"},user_card:{follows_you:"フォローされました!",following:"フォロー中!",follow:"フォロー",blocked:"ブロック済み!",block:"ブロック",statuses:"投稿",mute:"ミュート",muted:"ミュート済み",followers:"フォロワー",followees:"フォロー",per_day:"/日",remote_follow:"リモートフォロー"},timeline:{show_new:"更新",error_fetching:"更新の取得中にエラーが発生しました。",up_to_date:"最新",load_older:"古い投稿を読み込む",conversation:"会話",collapse:"折り畳む",repeated:"リピート"},settings:{user_settings:"ユーザー設定",name_bio:"名前とプロフィール",name:"名前",bio:"プロフィール",avatar:"アバター",current_avatar:"あなたの現在のアバター",set_new_avatar:"新しいアバターを設定する",profile_banner:"プロフィールバナー",current_profile_banner:"現在のプロフィールバナー",set_new_profile_banner:"新しいプロフィールバナーを設定する",profile_background:"プロフィールの背景",set_new_profile_background:"新しいプロフィールの背景を設定する",settings:"設定",theme:"テーマ",presets:"プリセット",theme_help:"16進数カラーコード (#aabbcc) を使用してカラーテーマをカスタマイズ出来ます。",radii_help:"インターフェースの縁の丸さを設定する。",background:"背景",foreground:"前景",text:"文字",links:"リンク",cBlue:"青 (返信, フォロー)",cRed:"赤 (キャンセル)",cOrange:"オレンジ (お気に入り)",cGreen:"緑 (リツイート)",btnRadius:"ボタン",panelRadius:"パネル",avatarRadius:"アバター",avatarAltRadius:"アバター (通知)",tooltipRadius:"ツールチップ/アラート",attachmentRadius:"ファイル",filtering:"フィルタリング",filtering_explanation:"これらの単語を含むすべてのものがミュートされます。1行に1つの単語を入力してください。",attachments:"ファイル",hide_attachments_in_tl:"タイムラインのファイルを隠す。",hide_attachments_in_convo:"会話の中のファイルを隠す。",nsfw_clickthrough:"NSFWファイルの非表示を有効にする。",stop_gifs:"カーソルを重ねた時にGIFを再生する。",autoload:"下にスクロールした時に自動で読み込むようにする。",streaming:"上までスクロールした時に自動でストリーミングされるようにする。",reply_link_preview:"マウスカーソルを重ねた時に返信のプレビューを表示するようにする。",follow_import:"フォローインポート",import_followers_from_a_csv_file:"CSVファイルからフォローをインポートする。",follows_imported:"フォローがインポートされました!処理に少し時間がかかるかもしれません。",follow_import_error:"フォロワーのインポート中にエラーが発生しました。"},notifications:{notifications:"通知",read:"読んだ!",followed_you:"フォローされました",favorited_you:"あなたの投稿がお気に入りされました",repeated_you:"あなたの投稿がリピートされました"},login:{login:"ログイン",username:"ユーザー名",placeholder:"例えば lain",password:"パスワード",register:"登録",logout:"ログアウト"},registration:{registration:"登録",fullname:"表示名",email:"Eメール",bio:"プロフィール",password_confirm:"パスワードの確認"},post_status:{posting:"投稿",default:"ちょうどL.A.に着陸しました。"},finder:{find_user:"ユーザー検索",error_fetching_user:"ユーザー検索でエラーが発生しました"},general:{submit:"送信",apply:"適用"},user_profile:{timeline_title:"ユーザータイムライン"}},c={nav:{chat:"Chat local",timeline:"Journal",mentions:"Notifications",public_tl:"Statuts locaux",twkn:"Le réseau connu"},user_card:{follows_you:"Vous suit !",following:"Suivi !",follow:"Suivre",blocked:"Bloqué",block:"Bloquer",statuses:"Statuts",mute:"Masquer",muted:"Masqué",followers:"Vous suivent",followees:"Suivis",per_day:"par jour",remote_follow:"Suivre d'une autre instance"},timeline:{show_new:"Afficher plus",error_fetching:"Erreur en cherchant les mises à jour",up_to_date:"À jour",load_older:"Afficher plus",conversation:"Conversation",collapse:"Fermer",repeated:"a partagé"},settings:{user_settings:"Paramètres utilisateur",name_bio:"Nom & Bio",name:"Nom",bio:"Biographie",avatar:"Avatar",current_avatar:"Avatar actuel",set_new_avatar:"Changer d'avatar",profile_banner:"Bannière de profil",current_profile_banner:"Bannière de profil actuelle",set_new_profile_banner:"Changer de bannière",profile_background:"Image de fond",set_new_profile_background:"Changer d'image de fond",settings:"Paramètres",theme:"Thème",filtering:"Filtre",filtering_explanation:"Tout les statuts contenant ces mots seront masqués. Un mot par ligne.",attachments:"Pièces jointes",hide_attachments_in_tl:"Masquer les pièces jointes dans le journal",hide_attachments_in_convo:"Masquer les pièces jointes dans les conversations",nsfw_clickthrough:"Masquer les images marquées comme contenu adulte ou sensible",autoload:"Charger la suite automatiquement une fois le bas de la page atteint",reply_link_preview:"Afficher un aperçu lors du survol de liens vers une réponse",presets:"Thèmes prédéfinis",theme_help:"Spécifiez des codes couleur hexadécimaux (#aabbcc) pour personnaliser les couleurs du thème",background:"Arrière plan",foreground:"Premier plan",text:"Texte",links:"Liens",streaming:"Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page",follow_import:"Importer des abonnements",import_followers_from_a_csv_file:"Importer des abonnements depuis un fichier csv",follows_imported:"Abonnements importés ! Le traitement peut prendre un moment.",follow_import_error:"Erreur lors de l'importation des abonnements.",follow_export:"Exporter les abonnements",follow_export_button:"Exporter les abonnements en csv",follow_export_processing:"Exportation en cours...",cBlue:"Bleu (Répondre, suivre)",cRed:"Rouge (Annuler)",cOrange:"Orange (Aimer)",cGreen:"Vert (Partager)",btnRadius:"Boutons",panelRadius:"Fenêtres",inputRadius:"Champs de texte",avatarRadius:"Avatars",avatarAltRadius:"Avatars (Notifications)",tooltipRadius:"Info-bulles/alertes ",attachmentRadius:"Pièces jointes",radii_help:"Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)",stop_gifs:"N'animer les GIFS que lors du survol du curseur de la souris",change_password:"Modifier son mot de passe",current_password:"Mot de passe actuel",new_password:"Nouveau mot de passe",confirm_new_password:"Confirmation du nouveau mot de passe",delete_account:"Supprimer le compte",delete_account_description:"Supprimer définitivement votre compte et tous vos statuts.",delete_account_instructions:"Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.",delete_account_error:"Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l'administrateur de cette instance."},notifications:{notifications:"Notifications",read:"Lu !",followed_you:"a commencé à vous suivre",favorited_you:"a aimé votre statut",repeated_you:"a partagé votre statut"},login:{login:"Connexion",username:"Identifiant",placeholder:"p.e. lain",password:"Mot de passe",register:"S'inscrire",logout:"Déconnexion"},registration:{registration:"Inscription",fullname:"Pseudonyme",email:"Adresse email",bio:"Biographie",password_confirm:"Confirmation du mot de passe"},post_status:{posting:"Envoi en cours",default:"Écrivez ici votre prochain statut."},finder:{find_user:"Chercher un utilisateur",error_fetching_user:"Erreur lors de la recherche de l'utilisateur"},general:{submit:"Envoyer",apply:"Appliquer"},user_profile:{timeline_title:"Journal de l'utilisateur"}},d={nav:{timeline:"Sequenza temporale",mentions:"Menzioni",public_tl:"Sequenza temporale pubblica",twkn:"L'intiera rete conosciuta"},user_card:{follows_you:"Ti segue!",following:"Lo stai seguendo!",follow:"Segui",statuses:"Messaggi",mute:"Ammutolisci",muted:"Ammutoliti",followers:"Chi ti segue",followees:"Chi stai seguendo",per_day:"al giorno"},timeline:{show_new:"Mostra nuovi",error_fetching:"Errori nel prelievo aggiornamenti",up_to_date:"Aggiornato",load_older:"Carica messaggi più vecchi"},settings:{user_settings:"Configurazione dell'utente",name_bio:"Nome & Introduzione",name:"Nome",bio:"Introduzione",avatar:"Avatar",current_avatar:"Il tuo attuale avatar",set_new_avatar:"Scegli un nuovo avatar",profile_banner:"Sfondo del tuo profilo",current_profile_banner:"Sfondo attuale",set_new_profile_banner:"Scegli un nuovo sfondo per il tuo profilo",profile_background:"Sfondo della tua pagina",set_new_profile_background:"Scegli un nuovo sfondo per la tua pagina",settings:"Settaggi",theme:"Tema",filtering:"Filtri",filtering_explanation:"Filtra via le notifiche che contengono le seguenti parole (inserisci rigo per rigo le parole di innesco)",attachments:"Allegati",hide_attachments_in_tl:"Nascondi gli allegati presenti nella sequenza temporale",hide_attachments_in_convo:"Nascondi gli allegati presenti nelle conversazioni",nsfw_clickthrough:"Abilita la trasparenza degli allegati NSFW",autoload:"Abilita caricamento automatico quando si raggiunge il fondo schermo",reply_link_preview:"Ability il reply-link preview al passaggio del mouse"},notifications:{notifications:"Notifiche",read:"Leggi!",followed_you:"ti ha seguito"},general:{submit:"Invia"}},f={chat:{title:"Messatjariá"},nav:{chat:"Chat local",timeline:"Flux d’actualitat",mentions:"Notificacions",public_tl:"Estatuts locals",twkn:"Lo malhum conegut"},user_card:{follows_you:"Vos sèc !",following:"Seguit !",follow:"Seguir",blocked:"Blocat",block:"Blocar",statuses:"Estatuts",mute:"Amagar",muted:"Amagat",followers:"Seguidors",followees:"Abonaments",per_day:"per jorn",remote_follow:"Seguir a distància"},timeline:{show_new:"Ne veire mai",error_fetching:"Error en cercant de mesas a jorn",up_to_date:"A jorn",load_older:"Ne veire mai",conversation:"Conversacion",collapse:"Tampar",repeated:"repetit"},settings:{user_settings:"Paramètres utilizaire",name_bio:"Nom & Bio",name:"Nom",bio:"Biografia",avatar:"Avatar",current_avatar:"Vòstre avatar actual",set_new_avatar:"Cambiar l’avatar",profile_banner:"Bandièra del perfil",current_profile_banner:"Bandièra actuala del perfil",set_new_profile_banner:"Cambiar de bandièra",profile_background:"Imatge de fons",set_new_profile_background:"Cambiar l’imatge de fons",settings:"Paramètres",theme:"Tèma",presets:"Pre-enregistrats",theme_help:"Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.",radii_help:"Configurar los caires arredondits de l’interfàcia (en pixèls)",background:"Rèire plan",foreground:"Endavant",text:"Tèxte",links:"Ligams",cBlue:"Blau (Respondre, seguir)",cRed:"Roge (Anullar)",cOrange:"Irange (Metre en favorit)",cGreen:"Verd (Repartajar)",inputRadius:"Camps tèxte",btnRadius:"Botons",panelRadius:"Panèls",avatarRadius:"Avatars",avatarAltRadius:"Avatars (Notificacions)",tooltipRadius:"Astúcias/Alèrta",attachmentRadius:"Pèças juntas",filtering:"Filtre",filtering_explanation:"Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha.",attachments:"Pèças juntas",hide_attachments_in_tl:"Rescondre las pèças juntas",hide_attachments_in_convo:"Rescondre las pèças juntas dins las conversacions",nsfw_clickthrough:"Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles",stop_gifs:"Lançar los GIFs al subrevòl",autoload:"Activar lo cargament automatic un còp arribat al cap de la pagina",streaming:"Activar lo cargament automatic dels novèls estatus en anar amont",reply_link_preview:"Activar l’apercebut en passar la mirga",follow_import:"Importar los abonaments",import_followers_from_a_csv_file:"Importar los seguidors d’un fichièr csv",follows_imported:"Seguidors importats. Lo tractament pòt trigar una estona.",follow_import_error:"Error en important los seguidors"},notifications:{notifications:"Notficacions",read:"Legit !",followed_you:"vos sèc",favorited_you:"a aimat vòstre estatut",repeated_you:"a repetit your vòstre estatut"},login:{login:"Connexion",username:"Nom d’utilizaire",placeholder:"e.g. lain",password:"Senhal",register:"Se marcar",logout:"Desconnexion"},registration:{registration:"Inscripcion",fullname:"Nom complèt",email:"Adreça de corrièl",bio:"Biografia",password_confirm:"Confirmar lo senhal"},post_status:{posting:"Mandadís",default:"Escrivètz aquí vòstre estatut."},finder:{find_user:"Cercar un utilizaire",error_fetching_user:"Error pendent la recèrca d’un utilizaire"},general:{submit:"Mandar",apply:"Aplicar"},user_profile:{timeline_title:"Flux utilizaire"}},p={chat:{title:"Czat"},nav:{chat:"Lokalny czat",timeline:"Oś czasu",mentions:"Wzmianki",public_tl:"Publiczna oś czasu",twkn:"Cała znana sieć"},user_card:{follows_you:"Obserwuje cię!",following:"Obserwowany!",follow:"Obserwuj",blocked:"Zablokowany!",block:"Zablokuj",statuses:"Statusy",mute:"Wycisz",muted:"Wyciszony",followers:"Obserwujący",followees:"Obserwowani",per_day:"dziennie",remote_follow:"Zdalna obserwacja"},timeline:{show_new:"Pokaż nowe",error_fetching:"Błąd pobierania",up_to_date:"Na bieżąco",load_older:"Załaduj starsze statusy",conversation:"Rozmowa",collapse:"Zwiń",repeated:"powtórzono"},settings:{user_settings:"Ustawienia użytkownika",name_bio:"Imię i bio",name:"Imię",bio:"Bio",avatar:"Awatar",current_avatar:"Twój obecny awatar",set_new_avatar:"Ustaw nowy awatar",profile_banner:"Banner profilu",current_profile_banner:"Twój obecny banner profilu",set_new_profile_banner:"Ustaw nowy banner profilu",profile_background:"Tło profilu",set_new_profile_background:"Ustaw nowe tło profilu",settings:"Ustawienia",theme:"Motyw",presets:"Gotowe motywy",theme_help:"Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.",radii_help:"Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)",background:"Tło",foreground:"Pierwszy plan",text:"Tekst",links:"Łącza",cBlue:"Niebieski (odpowiedz, obserwuj)",cRed:"Czerwony (anuluj)",cOrange:"Pomarańczowy (ulubione)",cGreen:"Zielony (powtórzenia)",btnRadius:"Przyciski",inputRadius:"Pola tekstowe",panelRadius:"Panele",avatarRadius:"Awatary",avatarAltRadius:"Awatary (powiadomienia)",tooltipRadius:"Etykiety/alerty",attachmentRadius:"Załączniki",filtering:"Filtrowanie",filtering_explanation:"Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.",attachments:"Załączniki",hide_attachments_in_tl:"Ukryj załączniki w osi czasu",hide_attachments_in_convo:"Ukryj załączniki w rozmowach",nsfw_clickthrough:"Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)",stop_gifs:"Odtwarzaj GIFy po najechaniu kursorem",autoload:"Włącz automatyczne ładowanie po przewinięciu do końca strony",streaming:"Włącz automatycznie strumieniowanie nowych postów gdy na początku strony",reply_link_preview:"Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi",follow_import:"Import obserwowanych",import_followers_from_a_csv_file:"Importuj obserwowanych z pliku CSV",follows_imported:"Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.",follow_import_error:"Błąd przy importowaniu obserwowanych",delete_account:"Usuń konto",delete_account_description:"Trwale usuń konto i wszystkie posty.",delete_account_instructions:"Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.",delete_account_error:"Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.",follow_export:"Eksport obserwowanych",follow_export_processing:"Przetwarzanie, wkrótce twój plik zacznie się ściągać.",follow_export_button:"Eksportuj swoją listę obserwowanych do pliku CSV",change_password:"Zmień hasło",current_password:"Obecne hasło",new_password:"Nowe hasło",confirm_new_password:"Potwierdź nowe hasło",changed_password:"Hasło zmienione poprawnie!",change_password_error:"Podczas zmiany hasła wystąpił problem."},notifications:{notifications:"Powiadomienia",read:"Przeczytane!",followed_you:"obserwuje cię",favorited_you:"dodał twój status do ulubionych",repeated_you:"powtórzył twój status"},login:{login:"Zaloguj",username:"Użytkownik",placeholder:"n.p. lain",password:"Hasło",register:"Zarejestruj",logout:"Wyloguj"},registration:{registration:"Rejestracja",fullname:"Wyświetlana nazwa profilu",email:"Email",bio:"Bio",password_confirm:"Potwierdzenie hasła"},post_status:{posting:"Wysyłanie",default:"Właśnie wróciłem z kościoła"},finder:{find_user:"Znajdź użytkownika",error_fetching_user:"Błąd przy pobieraniu profilu"},general:{submit:"Wyślij",apply:"Zastosuj"},user_profile:{timeline_title:"Oś czasu użytkownika"}},m={chat:{title:"Chat"},nav:{chat:"Chat Local",timeline:"Línea Temporal",mentions:"Menciones",public_tl:"Línea Temporal Pública",twkn:"Toda La Red Conocida"},user_card:{follows_you:"¡Te sigue!",following:"¡Siguiendo!",follow:"Seguir",blocked:"¡Bloqueado!",block:"Bloquear",statuses:"Estados",mute:"Silenciar",muted:"Silenciado",followers:"Seguidores",followees:"Siguiendo",per_day:"por día",remote_follow:"Seguir"},timeline:{show_new:"Mostrar lo nuevo",error_fetching:"Error al cargar las actualizaciones",up_to_date:"Actualizado",load_older:"Cargar actualizaciones anteriores",conversation:"Conversación"},settings:{user_settings:"Ajustes de Usuario",name_bio:"Nombre y Biografía",name:"Nombre",bio:"Biografía",avatar:"Avatar",current_avatar:"Tu avatar actual",set_new_avatar:"Cambiar avatar",profile_banner:"Cabecera del perfil",current_profile_banner:"Cabecera actual",set_new_profile_banner:"Cambiar cabecera",profile_background:"Fondo del Perfil",set_new_profile_background:"Cambiar fondo del perfil",settings:"Ajustes",theme:"Tema",presets:"Por defecto",theme_help:"Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.",background:"Segundo plano",foreground:"Primer plano",text:"Texto",links:"Links",filtering:"Filtros",filtering_explanation:"Todos los estados que contengan estas palabras serán silenciados, una por línea",attachments:"Adjuntos",hide_attachments_in_tl:"Ocultar adjuntos en la línea temporal",hide_attachments_in_convo:"Ocultar adjuntos en las conversaciones",nsfw_clickthrough:"Activar el clic para ocultar los adjuntos NSFW",autoload:"Activar carga automática al llegar al final de la página",streaming:"Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior",reply_link_preview:"Activar la previsualización del enlace de responder al pasar el ratón por encima",follow_import:"Importar personas que tú sigues",import_followers_from_a_csv_file:"Importar personas que tú sigues apartir de un archivo csv",follows_imported:"¡Importado! Procesarlos llevará tiempo.",follow_import_error:"Error al importal el archivo"},notifications:{notifications:"Notificaciones",read:"¡Leído!",followed_you:"empezó a seguirte"},login:{login:"Identificación",username:"Usuario",placeholder:"p.ej. lain",password:"Contraseña",register:"Registrar",logout:"Salir"},registration:{registration:"Registro",fullname:"Nombre a mostrar",email:"Correo electrónico",bio:"Biografía",password_confirm:"Confirmación de contraseña"},post_status:{posting:"Publicando",default:"Acabo de aterrizar en L.A."},finder:{find_user:"Encontrar usuario",error_fetching_user:"Error al buscar usuario"},general:{submit:"Enviar",apply:"Aplicar"}},v={chat:{title:"Chat"},nav:{chat:"Chat Local",timeline:"Linha do tempo",mentions:"Menções",public_tl:"Linha do tempo pública",twkn:"Toda a rede conhecida"},user_card:{follows_you:"Segue você!",following:"Seguindo!",follow:"Seguir",blocked:"Bloqueado!",block:"Bloquear",statuses:"Postagens",mute:"Silenciar",muted:"Silenciado",followers:"Seguidores",followees:"Seguindo",per_day:"por dia",remote_follow:"Seguidor Remoto"},timeline:{show_new:"Mostrar novas",error_fetching:"Erro buscando atualizações",up_to_date:"Atualizado",load_older:"Carregar postagens antigas",conversation:"Conversa"},settings:{user_settings:"Configurações de Usuário",name_bio:"Nome & Biografia",name:"Nome",bio:"Biografia",avatar:"Avatar",current_avatar:"Seu avatar atual",set_new_avatar:"Alterar avatar", -profile_banner:"Capa de perfil",current_profile_banner:"Sua capa de perfil atual",set_new_profile_banner:"Alterar capa de perfil",profile_background:"Plano de fundo de perfil",set_new_profile_background:"Alterar o plano de fundo de perfil",settings:"Configurações",theme:"Tema",presets:"Predefinições",theme_help:"Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.",background:"Plano de Fundo",foreground:"Primeiro Plano",text:"Texto",links:"Links",filtering:"Filtragem",filtering_explanation:"Todas as postagens contendo estas palavras serão silenciadas, uma por linha.",attachments:"Anexos",hide_attachments_in_tl:"Ocultar anexos na linha do tempo.",hide_attachments_in_convo:"Ocultar anexos em conversas",nsfw_clickthrough:"Habilitar clique para ocultar anexos NSFW",autoload:"Habilitar carregamento automático quando a rolagem chegar ao fim.",streaming:"Habilitar o fluxo automático de postagens quando ao topo da página",reply_link_preview:"Habilitar a pré-visualização de link de respostas ao passar o mouse.",follow_import:"Importar seguidas",import_followers_from_a_csv_file:"Importe seguidores a partir de um arquivo CSV",follows_imported:"Seguidores importados! O processamento pode demorar um pouco.",follow_import_error:"Erro ao importar seguidores"},notifications:{notifications:"Notificações",read:"Ler!",followed_you:"seguiu você"},login:{login:"Entrar",username:"Usuário",placeholder:"p.e. lain",password:"Senha",register:"Registrar",logout:"Sair"},registration:{registration:"Registro",fullname:"Nome para exibição",email:"Correio eletrônico",bio:"Biografia",password_confirm:"Confirmação de senha"},post_status:{posting:"Publicando",default:"Acabo de aterrizar em L.A."},finder:{find_user:"Buscar usuário",error_fetching_user:"Erro procurando usuário"},general:{submit:"Enviar",apply:"Aplicar"}},_={chat:{title:"Чат"},nav:{chat:"Локальный чат",timeline:"Лента",mentions:"Упоминания",public_tl:"Публичная лента",twkn:"Федеративная лента"},user_card:{follows_you:"Читает вас",following:"Читаю",follow:"Читать",blocked:"Заблокирован",block:"Заблокировать",statuses:"Статусы",mute:"Игнорировать",muted:"Игнорирую",followers:"Читатели",followees:"Читаемые",per_day:"в день",remote_follow:"Читать удалённо"},timeline:{show_new:"Показать новые",error_fetching:"Ошибка при обновлении",up_to_date:"Обновлено",load_older:"Загрузить старые статусы",conversation:"Разговор",collapse:"Свернуть",repeated:"повторил(а)"},settings:{user_settings:"Настройки пользователя",name_bio:"Имя и описание",name:"Имя",bio:"Описание",avatar:"Аватар",current_avatar:"Текущий аватар",set_new_avatar:"Загрузить новый аватар",profile_banner:"Баннер профиля",current_profile_banner:"Текущий баннер профиля",set_new_profile_banner:"Загрузить новый баннер профиля",profile_background:"Фон профиля",set_new_profile_background:"Загрузить новый фон профиля",settings:"Настройки",theme:"Тема",presets:"Пресеты",theme_help:"Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.",radii_help:"Округление краёв элементов интерфейса (в пикселях)",background:"Фон",foreground:"Передний план",text:"Текст",links:"Ссылки",cBlue:"Ответить, читать",cRed:"Отменить",cOrange:"Нравится",cGreen:"Повторить",btnRadius:"Кнопки",inputRadius:"Поля ввода",panelRadius:"Панели",avatarRadius:"Аватары",avatarAltRadius:"Аватары в уведомлениях",tooltipRadius:"Всплывающие подсказки/уведомления",attachmentRadius:"Прикреплённые файлы",filtering:"Фильтрация",filtering_explanation:"Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке",attachments:"Вложения",hide_attachments_in_tl:"Прятать вложения в ленте",hide_attachments_in_convo:"Прятать вложения в разговорах",stop_gifs:"Проигрывать GIF анимации только при наведении",nsfw_clickthrough:"Включить скрытие NSFW вложений",autoload:"Включить автоматическую загрузку при прокрутке вниз",streaming:"Включить автоматическую загрузку новых сообщений при прокрутке вверх",reply_link_preview:"Включить предварительный просмотр ответа при наведении мыши",follow_import:"Импортировать читаемых",import_followers_from_a_csv_file:"Импортировать читаемых из файла .csv",follows_imported:"Список читаемых импортирован. Обработка займёт некоторое время..",follow_import_error:"Ошибка при импортировании читаемых.",delete_account:"Удалить аккаунт",delete_account_description:"Удалить ваш аккаунт и все ваши сообщения.",delete_account_instructions:"Введите ваш пароль в поле ниже для подтверждения удаления.",delete_account_error:"Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.",follow_export:"Экспортировать читаемых",follow_export_processing:"Ведётся обработка, скоро вам будет предложено загрузить файл",follow_export_button:"Экспортировать читаемых в файл .csv",change_password:"Сменить пароль",current_password:"Текущий пароль",new_password:"Новый пароль",confirm_new_password:"Подтверждение нового пароля",changed_password:"Пароль изменён успешно.",change_password_error:"Произошла ошибка при попытке изменить пароль."},notifications:{notifications:"Уведомления",read:"Прочесть",followed_you:"начал(а) читать вас",favorited_you:"нравится ваш статус",repeated_you:"повторил(а) ваш статус"},login:{login:"Войти",username:"Имя пользователя",placeholder:"e.c. lain",password:"Пароль",register:"Зарегистрироваться",logout:"Выйти"},registration:{registration:"Регистрация",fullname:"Отображаемое имя",email:"Email",bio:"Описание",password_confirm:"Подтверждение пароля"},post_status:{posting:"Отправляется",default:"Что нового?"},finder:{find_user:"Найти пользователя",error_fetching_user:"Пользователь не найден"},general:{submit:"Отправить",apply:"Применить"},user_profile:{timeline_title:"Лента пользователя"}},h={chat:{title:"Chat"},nav:{chat:"Lokal Chat",timeline:"Tidslinje",mentions:"Nevnt",public_tl:"Offentlig Tidslinje",twkn:"Det hele kjente nettverket"},user_card:{follows_you:"Følger deg!",following:"Følger!",follow:"Følg",blocked:"Blokkert!",block:"Blokker",statuses:"Statuser",mute:"Demp",muted:"Dempet",followers:"Følgere",followees:"Følger",per_day:"per dag",remote_follow:"Følg eksternt"},timeline:{show_new:"Vis nye",error_fetching:"Feil ved henting av oppdateringer",up_to_date:"Oppdatert",load_older:"Last eldre statuser",conversation:"Samtale",collapse:"Sammenfold",repeated:"gjentok"},settings:{user_settings:"Brukerinstillinger",name_bio:"Navn & Biografi",name:"Navn",bio:"Biografi",avatar:"Profilbilde",current_avatar:"Ditt nåværende profilbilde",set_new_avatar:"Rediger profilbilde",profile_banner:"Profil-banner",current_profile_banner:"Din nåværende profil-banner",set_new_profile_banner:"Sett ny profil-banner",profile_background:"Profil-bakgrunn",set_new_profile_background:"Rediger profil-bakgrunn",settings:"Innstillinger",theme:"Tema",presets:"Forhåndsdefinerte fargekoder",theme_help:"Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.",radii_help:"Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)",background:"Bakgrunn",foreground:"Framgrunn",text:"Tekst",links:"Linker",cBlue:"Blå (Svar, følg)",cRed:"Rød (Avbryt)",cOrange:"Oransje (Lik)",cGreen:"Grønn (Gjenta)",btnRadius:"Knapper",panelRadius:"Panel",avatarRadius:"Profilbilde",avatarAltRadius:"Profilbilde (Varslinger)",tooltipRadius:"Verktøytips/advarsler",attachmentRadius:"Vedlegg",filtering:"Filtrering",filtering_explanation:"Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje",attachments:"Vedlegg",hide_attachments_in_tl:"Gjem vedlegg på tidslinje",hide_attachments_in_convo:"Gjem vedlegg i samtaler",nsfw_clickthrough:"Krev trykk for å vise statuser som kan være upassende",stop_gifs:"Spill av GIFs når du holder over dem",autoload:"Automatisk lasting når du blar ned til bunnen",streaming:"Automatisk strømming av nye statuser når du har bladd til toppen",reply_link_preview:"Vis en forhåndsvisning når du holder musen over svar til en status",follow_import:"Importer følginger",import_followers_from_a_csv_file:"Importer følginger fra en csv fil",follows_imported:"Følginger imported! Det vil ta litt tid å behandle de.",follow_import_error:"Feil ved importering av følginger."},notifications:{notifications:"Varslinger",read:"Les!",followed_you:"fulgte deg",favorited_you:"likte din status",repeated_you:"Gjentok din status"},login:{login:"Logg inn",username:"Brukernavn",placeholder:"f. eks lain",password:"Passord",register:"Registrer",logout:"Logg ut"},registration:{registration:"Registrering",fullname:"Visningsnavn",email:"Epost-adresse",bio:"Biografi",password_confirm:"Bekreft passord"},post_status:{posting:"Publiserer",default:"Landet akkurat i L.A."},finder:{find_user:"Finn bruker",error_fetching_user:"Feil ved henting av bruker"},general:{submit:"Legg ut",apply:"Bruk"},user_profile:{timeline_title:"Bruker-tidslinje"}},g={chat:{title:"צ'אט"},nav:{chat:"צ'אט מקומי",timeline:"ציר הזמן",mentions:"אזכורים",public_tl:"ציר הזמן הציבורי",twkn:"כל הרשת הידועה"},user_card:{follows_you:"עוקב אחריך!",following:"עוקב!",follow:"עקוב",blocked:"חסום!",block:"חסימה",statuses:"סטטוסים",mute:"השתק",muted:"מושתק",followers:"עוקבים",followees:"נעקבים",per_day:"ליום",remote_follow:"עקיבה מרחוק"},timeline:{show_new:"הראה חדש",error_fetching:"שגיאה בהבאת הודעות",up_to_date:"עדכני",load_older:"טען סטטוסים חדשים",conversation:"שיחה",collapse:"מוטט",repeated:"חזר"},settings:{user_settings:"הגדרות משתמש",name_bio:"שם ואודות",name:"שם",bio:"אודות",avatar:"תמונת פרופיל",current_avatar:"תמונת הפרופיל הנוכחית שלך",set_new_avatar:"קבע תמונת פרופיל חדשה",profile_banner:"כרזת הפרופיל",current_profile_banner:"כרזת הפרופיל הנוכחית שלך",set_new_profile_banner:"קבע כרזת פרופיל חדשה",profile_background:"רקע הפרופיל",set_new_profile_background:"קבע רקע פרופיל חדש",settings:"הגדרות",theme:"תמה",presets:"ערכים קבועים מראש",theme_help:"השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.",radii_help:"קבע מראש עיגול פינות לממשק (בפיקסלים)",background:"רקע",foreground:"חזית",text:"טקסט",links:"לינקים",cBlue:"כחול (תגובה, עקיבה)",cRed:"אדום (ביטול)",cOrange:"כתום (לייק)",cGreen:"ירוק (חזרה)",btnRadius:"כפתורים",inputRadius:"שדות קלט",panelRadius:"פאנלים",avatarRadius:"תמונות פרופיל",avatarAltRadius:"תמונות פרופיל (התראות)",tooltipRadius:"טולטיפ \\ התראות",attachmentRadius:"צירופים",filtering:"סינון",filtering_explanation:"כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה",attachments:"צירופים",hide_attachments_in_tl:"החבא צירופים בציר הזמן",hide_attachments_in_convo:"החבא צירופים בשיחות",nsfw_clickthrough:"החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר",stop_gifs:"נגן-בעת-ריחוף GIFs",autoload:"החל טעינה אוטומטית בגלילה לתחתית הדף",streaming:"החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף",reply_link_preview:"החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר",follow_import:"יבוא עקיבות",import_followers_from_a_csv_file:"ייבא את הנעקבים שלך מקובץ csv",follows_imported:"נעקבים יובאו! ייקח זמן מה לעבד אותם.",follow_import_error:"שגיאה בייבוא נעקבים.",delete_account:"מחק משתמש",delete_account_description:"מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.",delete_account_instructions:"הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.",delete_account_error:"הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.",follow_export:"יצוא עקיבות",follow_export_processing:"טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך",follow_export_button:"ייצא את הנעקבים שלך לקובץ csv",change_password:"שנה סיסמה",current_password:"סיסמה נוכחית",new_password:"סיסמה חדשה",confirm_new_password:"אשר סיסמה",changed_password:"סיסמה שונתה בהצלחה!",change_password_error:"הייתה בעיה בשינוי סיסמתך."},notifications:{notifications:"התראות",read:"קרא!",followed_you:"עקב אחריך!",favorited_you:"אהב את הסטטוס שלך",repeated_you:"חזר על הסטטוס שלך"},login:{login:"התחבר",username:"שם המשתמש",placeholder:"למשל lain",password:"סיסמה",register:"הירשם",logout:"התנתק"},registration:{registration:"הרשמה",fullname:"שם תצוגה",email:"אימייל",bio:"אודות",password_confirm:"אישור סיסמה"},post_status:{posting:"מפרסם",default:"הרגע נחת ב-ל.א."},finder:{find_user:"מציאת משתמש",error_fetching_user:"שגיאה במציאת משתמש"},general:{submit:"שלח",apply:"החל"},user_profile:{timeline_title:"ציר זמן המשתמש"}},w={de:a,fi:s,en:i,eo:n,et:o,hu:r,ro:l,ja:u,fr:c,it:d,oc:f,pl:p,es:m,pt:v,ru:_,nb:h,he:g};t.default=w},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}function i(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.key,a=void 0===t?"vuex-lz":t,s=e.paths,i=void 0===s?[]:s,n=e.getState,r=void 0===n?function(e,t){var a=t.getItem(e);return a}:n,u=e.setState,d=void 0===u?(0,c.default)(b,6e4):u,p=e.reducer,m=void 0===p?g:p,v=e.storage,_=void 0===v?w:v,k=e.subscriber,C=void 0===k?function(e){return function(t){return e.subscribe(t)}}:k;return function(e){r(a,_).then(function(t){try{if("object"===("undefined"==typeof t?"undefined":(0,o.default)(t))){var a=t.users||{};a.usersObject={};var s=a.users||[];(0,l.default)(s,function(e){a.usersObject[e.id]=e}),t.users=a,e.replaceState((0,f.default)({},e.state,t))}e.state.config.customTheme&&(window.themeLoaded=!0,e.dispatch("setOption",{name:"customTheme",value:e.state.config.customTheme})),e.state.users.lastLoginName&&e.dispatch("loginUser",{username:e.state.users.lastLoginName,password:"xxx"}),h=!0}catch(e){console.log("Couldn't load state"),h=!0}}),C(e)(function(e,t){try{d(a,m(t,i),_)}catch(e){console.log("Couldn't persist state:"),console.log(e)}})}}Object.defineProperty(t,"__esModule",{value:!0});var n=a(223),o=s(n),r=a(61),l=s(r),u=a(453),c=s(u);t.default=i;var d=a(314),f=s(d),p=a(462),m=s(p),v=a(302),_=s(v),h=!1,g=function(e,t){return 0===t.length?e:t.reduce(function(t,a){return m.default.set(t,a,m.default.get(e,a)),t},{})},w=function(){return _.default}(),b=function(e,t,a){return h?a.setItem(e,t):void console.log("waiting for old state to be loaded...")}},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(2),n=s(i),o=a(104),r=s(o),l=a(463),u={state:{backendInteractor:(0,r.default)(),fetchers:{},socket:null,chatDisabled:!1,followRequests:[]},mutations:{setBackendInteractor:function(e,t){e.backendInteractor=t},addFetcher:function(e,t){var a=t.timeline,s=t.fetcher;e.fetchers[a]=s},removeFetcher:function(e,t){var a=t.timeline;delete e.fetchers[a]},setSocket:function(e,t){e.socket=t},setChatDisabled:function(e,t){e.chatDisabled=t},setFollowRequests:function(e,t){e.followRequests=t}},actions:{startFetching:function(e,t){var a=!1;if((0,n.default)(t)&&(a=t[1],t=t[0]),!e.state.fetchers[t]){var s=e.state.backendInteractor.startFetching({timeline:t,store:e,userId:a});e.commit("addFetcher",{timeline:t,fetcher:s})}},stopFetching:function(e,t){var a=e.state.fetchers[t];window.clearInterval(a),e.commit("removeFetcher",{timeline:t})},initializeSocket:function(e,t){if(!e.state.chatDisabled){var a=new l.Socket("/socket",{params:{token:t}});a.connect(),e.dispatch("initializeChat",a)}},disableChat:function(e){e.commit("setChatDisabled",!0)},removeFollowRequest:function(e,t){var a=e.state.followRequests.filter(function(e){return e!==t});e.commit("setFollowRequests",a)}}};t.default=u},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={state:{messages:[],channel:{state:""}},mutations:{setChannel:function(e,t){e.channel=t},addMessage:function(e,t){e.messages.push(t),e.messages=e.messages.slice(-19,20)},setMessages:function(e,t){e.messages=t.slice(-19,20)}},actions:{initializeChat:function(e,t){var a=t.channel("chat:public");a.on("new_msg",function(t){e.commit("addMessage",t)}),a.on("messages",function(t){var a=t.messages;e.commit("setMessages",a)}),a.join(),e.commit("setChannel",a)}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(101),n=a(176),o=s(n),r={name:"Pleroma FE",colors:{},hideAttachments:!1,hideAttachmentsInConv:!1,hideNsfw:!0,autoLoad:!0,streaming:!1,hoverPreview:!0,muteWords:[]},l={state:r,mutations:{setOption:function(e,t){var a=t.name,s=t.value;(0,i.set)(e,a,s)}},actions:{setPageTitle:function(e){var t=e.state,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";document.title=a+" "+t.name},setOption:function(e,t){var a=e.commit,s=e.dispatch,i=t.name,n=t.value;switch(a("setOption",{name:i,value:n}),i){case"name":s("setPageTitle");break;case"theme":o.default.setPreset(n,a);break;case"customTheme":o.default.setColors(n,a)}}}};t.default=l},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.defaultState=t.mutations=t.mergeOrAdd=void 0;var i=a(218),n=s(i),o=a(161),r=s(o),l=a(61),u=s(l),c=a(42),d=s(c),f=a(428),p=s(f),m=a(104),v=s(m),_=a(101),h=t.mergeOrAdd=function(e,t,a){if(!a)return!1;var s=t[a.id];return s?((0,r.default)(s,a),{item:s,new:!1}):(e.push(a),t[a.id]=a,{item:a,new:!0})},g=t.mutations={setMuted:function(e,t){var a=t.user.id,s=t.muted,i=e.usersObject[a];(0,_.set)(i,"muted",s)},setCurrentUser:function(e,t){e.lastLoginName=t.screen_name,e.currentUser=(0,r.default)(e.currentUser||{},t)},clearCurrentUser:function(e){e.currentUser=!1,e.lastLoginName=!1},beginLogin:function(e){e.loggingIn=!0},endLogin:function(e){e.loggingIn=!1},addNewUsers:function(e,t){(0,u.default)(t,function(t){return h(e.users,e.usersObject,t)})},setUserForStatus:function(e,t){t.user=e.usersObject[t.user.id]}},w=t.defaultState={lastLoginName:!1,currentUser:!1,loggingIn:!1,users:[],usersObject:{}},b={state:w,mutations:g,actions:{fetchUser:function(e,t){e.rootState.api.backendInteractor.fetchUser({id:t}).then(function(t){return e.commit("addNewUsers",t)})},addNewStatuses:function(e,t){var a=t.statuses,s=(0,d.default)(a,"user"),i=(0,p.default)((0,d.default)(a,"retweeted_status.user"));e.commit("addNewUsers",s),e.commit("addNewUsers",i),(0,u.default)(a,function(t){e.commit("setUserForStatus",t)}),(0,u.default)((0,p.default)((0,d.default)(a,"retweeted_status")),function(t){e.commit("setUserForStatus",t)})},logout:function(e){e.commit("clearCurrentUser"),e.dispatch("stopFetching","friends"),e.commit("setBackendInteractor",(0,v.default)())},loginUser:function(e,t){return new n.default(function(a,s){var i=e.commit;i("beginLogin"),e.rootState.api.backendInteractor.verifyCredentials(t).then(function(n){n.ok?n.json().then(function(a){a.credentials=t,i("setCurrentUser",a),i("addNewUsers",[a]),i("setBackendInteractor",(0,v.default)(t)),a.token&&e.dispatch("initializeSocket",a.token),e.dispatch("startFetching","friends"),e.rootState.api.backendInteractor.fetchMutes().then(function(t){(0,u.default)(t,function(e){e.muted=!0}),e.commit("addNewUsers",t)}),"Notification"in window&&"default"===window.Notification.permission&&window.Notification.requestPermission(),e.rootState.api.backendInteractor.fetchFriends().then(function(e){return i("addNewUsers",e)})}):(i("endLogin"),s(401===n.status?"Wrong username or password":"An error occurred, please try again")),i("endLogin"),a()}).catch(function(e){console.log(e),i("endLogin"),s("Failed to connect to server, try again")})})}}};t.default=b},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.splitIntoWords=t.addPositionToWords=t.wordAtPosition=t.replaceWord=void 0;var i=a(62),n=s(i),o=a(162),r=s(o),l=t.replaceWord=function(e,t,a){return e.slice(0,t.start)+a+e.slice(t.end)},u=t.wordAtPosition=function(e,t){var a=d(e),s=c(a);return(0,n.default)(s,function(e){var a=e.start,s=e.end;return a<=t&&s>t})},c=t.addPositionToWords=function(e){return(0,r.default)(e,function(e,t){var a={word:t,start:0,end:t.length};if(e.length>0){var s=e.pop();a.start+=s.end,a.end+=s.end,e.push(s)}return e.push(a),e},[])},d=t.splitIntoWords=function(e){var t=/\b/,a=/[@#:]+$/,s=e.split(t),i=(0,r.default)(s,function(e,t){if(e.length>0){var s=e.pop(),i=s.match(a);i&&(s=s.replace(a,""),t=i[0]+t),e.push(s)}return e.push(t),e},[]);return i},f={wordAtPosition:u,addPositionToWords:c,splitIntoWords:d,replaceWord:l};t.default=f},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(108),n=s(i),o=a(216),r=s(o),l=a(454),u=s(l),c=a(66),d=function(e,t){var a=document.head,s=document.body;s.style.display="none";var i=document.createElement("link");i.setAttribute("rel","stylesheet"),i.setAttribute("href",e),a.appendChild(i);var n=function(){var e=document.createElement("div");s.appendChild(e);var i={};(0,u.default)(16,function(t){var a="base0"+t.toString(16).toUpperCase();e.setAttribute("class",a);var s=window.getComputedStyle(e).getPropertyValue("color");i[a]=s}),t("setOption",{name:"colors",value:i}),s.removeChild(e);var n=document.createElement("style");a.appendChild(n),s.style.display="initial"};i.addEventListener("load",n)},f=function(e,t){var a=document.head,s=document.body;s.style.display="none";var i=document.createElement("style");a.appendChild(i);var o=i.sheet,l=e.text.r+e.text.g+e.text.b>e.bg.r+e.bg.g+e.bg.b,u={},d={},f=l?-10:10;u.bg=(0,c.rgb2hex)(e.bg.r,e.bg.g,e.bg.b),u.lightBg=(0,c.rgb2hex)((e.bg.r+e.fg.r)/2,(e.bg.g+e.fg.g)/2,(e.bg.b+e.fg.b)/2),u.btn=(0,c.rgb2hex)(e.fg.r,e.fg.g,e.fg.b),u.input="rgba("+e.fg.r+", "+e.fg.g+", "+e.fg.b+", .5)",u.border=(0,c.rgb2hex)(e.fg.r-f,e.fg.g-f,e.fg.b-f),u.faint="rgba("+e.text.r+", "+e.text.g+", "+e.text.b+", .5)",u.fg=(0,c.rgb2hex)(e.text.r,e.text.g,e.text.b),u.lightFg=(0,c.rgb2hex)(e.text.r-5*f,e.text.g-5*f,e.text.b-5*f),u.base07=(0,c.rgb2hex)(e.text.r-2*f,e.text.g-2*f,e.text.b-2*f),u.link=(0,c.rgb2hex)(e.link.r,e.link.g,e.link.b),u.icon=(0,c.rgb2hex)((e.bg.r+e.text.r)/2,(e.bg.g+e.text.g)/2,(e.bg.b+e.text.b)/2),u.cBlue=e.cBlue&&(0,c.rgb2hex)(e.cBlue.r,e.cBlue.g,e.cBlue.b),u.cRed=e.cRed&&(0,c.rgb2hex)(e.cRed.r,e.cRed.g,e.cRed.b),u.cGreen=e.cGreen&&(0,c.rgb2hex)(e.cGreen.r,e.cGreen.g,e.cGreen.b),u.cOrange=e.cOrange&&(0,c.rgb2hex)(e.cOrange.r,e.cOrange.g,e.cOrange.b),u.cAlertRed=e.cRed&&"rgba("+e.cRed.r+", "+e.cRed.g+", "+e.cRed.b+", .5)",d.btnRadius=e.btnRadius,d.inputRadius=e.inputRadius,d.panelRadius=e.panelRadius,d.avatarRadius=e.avatarRadius,d.avatarAltRadius=e.avatarAltRadius,d.tooltipRadius=e.tooltipRadius,d.attachmentRadius=e.attachmentRadius,o.toString(),o.insertRule("body { "+(0,r.default)(u).filter(function(e){var t=(0,n.default)(e,2),a=(t[0],t[1]);return a}).map(function(e){var t=(0,n.default)(e,2),a=t[0],s=t[1];return"--"+a+": "+s}).join(";")+" }","index-max"),o.insertRule("body { "+(0,r.default)(d).filter(function(e){var t=(0,n.default)(e,2),a=(t[0],t[1]);return a}).map(function(e){var t=(0,n.default)(e,2),a=t[0],s=t[1];return"--"+a+": "+s+"px"}).join(";")+" }","index-max"),s.style.display="initial",t("setOption",{name:"colors",value:u}),t("setOption",{name:"radii",value:d}),t("setOption",{name:"customTheme",value:e})},p=function(e,t){window.fetch("/static/styles.json").then(function(e){return e.json()}).then(function(a){var s=a[e]?a[e]:a["pleroma-dark"],i=(0,c.hex2rgb)(s[1]),n=(0,c.hex2rgb)(s[2]),o=(0,c.hex2rgb)(s[3]),r=(0,c.hex2rgb)(s[4]),l=(0,c.hex2rgb)(s[5]||"#FF0000"),u=(0,c.hex2rgb)(s[6]||"#00FF00"),d=(0,c.hex2rgb)(s[7]||"#0000FF"),p=(0,c.hex2rgb)(s[8]||"#E3FF00"),m={bg:i,fg:n,text:o,link:r,cRed:l,cBlue:d,cGreen:u,cOrange:p};window.themeLoaded||f(m,t)})},m={setStyle:d,setPreset:p,setColors:f};t.default=m},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(493),n=s(i),o=a(482),r=s(o),l=a(484),u=s(l),c=a(492),d=s(c),f=a(496),p=s(f),m=a(478),v=s(m),_=a(472),h=s(_);t.default={name:"app",components:{UserPanel:n.default,NavPanel:r.default,Notifications:u.default,UserFinder:d.default,WhoToFollowPanel:p.default,InstanceSpecificPanel:v.default,ChatPanel:h.default},data:function(){return{mobileActivePanel:"timeline"}},computed:{currentUser:function(){return this.$store.state.users.currentUser},background:function(){return this.currentUser.background_image||this.$store.state.config.background},logoStyle:function(){return{"background-image":"url("+this.$store.state.config.logo+")"}},style:function(){return{"background-image":"url("+this.background+")"}},sitename:function(){return this.$store.state.config.name},chat:function(){return"joined"===this.$store.state.chat.channel.state},showWhoToFollowPanel:function(){return this.$store.state.config.showWhoToFollowPanel},showInstanceSpecificPanel:function(){return this.$store.state.config.showInstanceSpecificPanel}},methods:{activatePanel:function(e){this.mobileActivePanel=e},scrollToTop:function(){window.scrollTo(0,0)},logout:function(){this.$store.dispatch("logout")}}}},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(65),n=s(i),o=a(467),r=s(o),l=a(105),u=s(l),c={props:["attachment","nsfw","statusId","size"],data:function(){return{nsfwImage:r.default,hideNsfwLocal:this.$store.state.config.hideNsfw,showHidden:!1,loading:!1,img:document.createElement("img")}},components:{StillImage:n.default},computed:{type:function(){return u.default.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"html"===u.default.fileType(this.attachment.mimetype)}},methods:{linkClicked:function(e){var t=e.target;"A"===t.tagName&&window.open(t.href,"_blank")},toggleHidden:function(){var e=this;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})}}};t.default=c},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={data:function(){return{currentMessage:"",channel:null,collapsed:!0}},computed:{messages:function(){return this.$store.state.chat.messages}},methods:{submit:function(e){this.$store.state.chat.channel.push("new_msg",{text:e},1e4),this.currentMessage=""},togglePanel:function(){this.collapsed=!this.collapsed}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(22),n=s(i),o=a(62),r=s(o),l=a(165),u=s(l),c={components:{Conversation:u.default},computed:{statusoid:function(){var e=(0,n.default)(this.$route.params.id),t=this.$store.state.statuses.allStatuses,a=(0,r.default)(t,{id:e});return a}}};t.default=c},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(100),n=s(i),o=a(39),r=s(o),l=a(162),u=s(l),c=a(103),d=a(64),f=s(d),p=function(e){return e=(0,r.default)(e,function(e){return"retweet"!==(0,c.statusType)(e)}),(0,n.default)(e,"id")},m={data:function(){return{highlight:null}},props:["statusoid","collapsable"],computed:{status:function(){return this.statusoid},conversation:function e(){if(!this.status)return!1;var t=this.status.statusnet_conversation_id,a=this.$store.state.statuses.allStatuses,e=(0,r.default)(a,{statusnet_conversation_id:t});return p(e)},replies:function(){var e=1;return(0,u.default)(this.conversation,function(t,a){var s=a.id,i=a.in_reply_to_status_id,n=Number(i);return n&&(t[n]=t[n]||[],t[n].push({name:"#"+e,id:s})),e++,t},{})}},components:{Status:f.default},created:function(){this.fetchConversation()},watch:{$route:"fetchConversation"},methods:{fetchConversation:function(){var e=this;if(this.status){var t=this.status.statusnet_conversation_id;this.$store.state.api.backendInteractor.fetchConversation({id:t}).then(function(t){return e.$store.dispatch("addNewStatuses",{statuses:t})}).then(function(){return e.setHighlight(e.statusoid.id)})}else{var a=this.$route.params.id;this.$store.state.api.backendInteractor.fetchStatus({id:a}).then(function(t){return e.$store.dispatch("addNewStatuses",{statuses:[t]})}).then(function(){return e.fetchConversation()})}},getReplies:function(e){return e=Number(e),this.replies[e]||[]},focused:function(e){return this.statusoid.retweeted_status?e===this.statusoid.retweeted_status.id:e===this.statusoid.id},setHighlight:function(e){this.highlight=Number(e)}}};t.default=m},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={props:["status"],methods:{deleteStatus:function(){var e=window.confirm("Do you really want to delete this status?");e&&this.$store.dispatch("deleteStatus",{id:this.status.id})}},computed:{currentUser:function(){return this.$store.state.users.currentUser},canDelete:function(){return this.currentUser&&this.currentUser.rights.delete_others_notice||this.status.user.id===this.currentUser.id}}};t.default=a},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={props:["status","loggedIn"],data:function(){return{animated:!1}},methods:{favorite:function(){var e=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(){e.animated=!1},500)}},computed:{classes:function(){return{"icon-star-empty":!this.status.favorited,"icon-star":this.status.favorited,"animate-spin":this.animated}}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(168),n=s(i),o={components:{UserCard:n.default},created:function(){this.updateRequests()},computed:{requests:function(){return this.$store.state.api.followRequests}},methods:{updateRequests:function(){var e=this;this.$store.state.api.backendInteractor.fetchFollowRequests().then(function(t){e.$store.commit("setFollowRequests",t)})}}};t.default=o},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(28),n=s(i),o={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.friends}}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={computed:{instanceSpecificPanelContent:function(){return this.$store.state.config.instanceSpecificPanelContent}}};t.default=a},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={data:function(){return{user:{},authError:!1}},computed:{loggingIn:function(){return this.$store.state.users.loggingIn},registrationOpen:function(){return this.$store.state.config.registrationOpen}},methods:{submit:function(){var e=this;this.$store.dispatch("loginUser",this.user).then(function(){},function(t){e.authError=t,e.user.username="",e.user.password=""})}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(106),n=s(i),o={mounted:function(){var e=this,t=this.$el.querySelector("input");t.addEventListener("change",function(t){var a=t.target,s=a.files[0];e.uploadFile(s)})},data:function(){return{uploading:!1}},methods:{uploadFile:function(e){var t=this,a=this.$store,s=new FormData;s.append("media",e),t.$emit("uploading"),t.uploading=!0,n.default.uploadMedia({store:a,formData:s}).then(function(e){t.$emit("uploaded",e),t.uploading=!1},function(e){t.$emit("upload-failed"),t.uploading=!1})},fileDrop:function(e){e.dataTransfer.files.length>0&&(e.preventDefault(),this.uploadFile(e.dataTransfer.files[0]))},fileDrag:function(e){var t=e.dataTransfer.types;t.contains("Files")?e.dataTransfer.dropEffect="copy":e.dataTransfer.dropEffect="none"}},props:["dropFiles"],watch:{dropFiles:function(e){this.uploading||this.uploadFile(e[0])}}};t.default=o},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(28),n=s(i),o={computed:{timeline:function(){return this.$store.state.statuses.timelines.mentions; -}},components:{Timeline:n.default}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={computed:{currentUser:function(){return this.$store.state.users.currentUser},chat:function(){return this.$store.state.chat.channel}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(64),n=s(i),o=a(65),r=s(o),l=a(43),u=s(l),c={data:function(){return{userExpanded:!1}},props:["notification"],components:{Status:n.default,StillImage:r.default,UserCardContent:u.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded}}};t.default=c},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(39),n=s(i),o=a(163),r=s(o),l=a(100),u=s(l),c=a(483),d=s(c),f={data:function(){return{visibleNotificationCount:20}},computed:{notifications:function(){return this.$store.state.statuses.notifications},unseenNotifications:function(){return(0,n.default)(this.notifications,function(e){var t=e.seen;return!t})},visibleNotifications:function(){var e=(0,u.default)(this.notifications,function(e){var t=e.action;return-t.id});return e=(0,u.default)(e,"seen"),(0,r.default)(e,this.visibleNotificationCount)},unseenCount:function(){return this.unseenNotifications.length}},components:{Notification:d.default},watch:{unseenCount:function(e){e>0?this.$store.dispatch("setPageTitle","("+e+")"):this.$store.dispatch("setPageTitle","")}},methods:{markAsSeen:function(){this.$store.commit("markNotificationsAsSeen",this.visibleNotifications)}}};t.default=f},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(222),n=s(i),o=a(458),r=s(o),l=a(42),u=s(l),c=a(448),d=s(c),f=a(39),p=s(f),m=a(163),v=s(m),_=a(106),h=s(_),g=a(480),w=s(g),b=a(105),k=s(b),C=a(175),y=s(C),x=function(e,t){var a=e.user,s=e.attentions,i=[].concat((0,n.default)(s));i.unshift(a),i=(0,r.default)(i,"id"),i=(0,d.default)(i,{id:t.id});var o=(0,u.default)(i,function(e){return"@"+e.screen_name});return o.join(" ")+" "},L={props:["replyTo","repliedUser","attentions","messageScope"],components:{MediaUpload:w.default},mounted:function(){this.resize(this.$refs.textarea)},data:function(){var e=this.$route.query.message,t=e||"";if(this.replyTo){var a=this.$store.state.users.currentUser;t=x({user:this.repliedUser,attentions:this.attentions},a)}return{dropFiles:[],submitDisabled:!1,error:null,posting:!1,highlighted:0,newStatus:{status:t,files:[],visibility:this.messageScope||"public"},caret:0}},computed:{vis:function(){return{public:{selected:"public"===this.newStatus.visibility},unlisted:{selected:"unlisted"===this.newStatus.visibility},private:{selected:"private"===this.newStatus.visibility},direct:{selected:"direct"===this.newStatus.visibility}}},candidates:function(){var e=this,t=this.textAtCaret.charAt(0);if("@"===t){var a=(0,p.default)(this.users,function(t){return String(t.name+t.screen_name).toUpperCase().match(e.textAtCaret.slice(1).toUpperCase())});return!(a.length<=0)&&(0,u.default)((0,v.default)(a,5),function(t,a){var s=t.screen_name,i=t.name,n=t.profile_image_url_original;return{screen_name:"@"+s,name:i,img:n,highlighted:a===e.highlighted}})}if(":"===t){if(":"===this.textAtCaret)return;var s=(0,p.default)(this.emoji.concat(this.customEmoji),function(t){return t.shortcode.match(e.textAtCaret.slice(1))});return!(s.length<=0)&&(0,u.default)((0,v.default)(s,5),function(t,a){var s=t.shortcode,i=t.image_url,n=t.utf;return{screen_name:":"+s+":",name:"",utf:n||"",img:i,highlighted:a===e.highlighted}})}return!1},textAtCaret:function(){return(this.wordAtCaret||{}).word||""},wordAtCaret:function(){var e=y.default.wordAtPosition(this.newStatus.status,this.caret-1)||{};return e},users:function(){return this.$store.state.users.users},emoji:function(){return this.$store.state.config.emoji||[]},customEmoji:function(){return this.$store.state.config.customEmoji||[]},statusLength:function(){return this.newStatus.status.length},statusLengthLimit:function(){return this.$store.state.config.textlimit},hasStatusLengthLimit:function(){return this.statusLengthLimit>0},charactersLeft:function(){return this.statusLengthLimit-this.statusLength},isOverLengthLimit:function(){return this.hasStatusLengthLimit&&this.statusLength>this.statusLengthLimit},scopeOptionsEnabled:function(){return this.$store.state.config.scopeOptionsEnabled}},methods:{replace:function(e){this.newStatus.status=y.default.replaceWord(this.newStatus.status,this.wordAtCaret,e);var t=this.$el.querySelector("textarea");t.focus(),this.caret=0},replaceCandidate:function(e){var t=this.candidates.length||0;if(":"!==this.textAtCaret&&!e.ctrlKey&&t>0){e.preventDefault();var a=this.candidates[this.highlighted],s=a.utf||a.screen_name+" ";this.newStatus.status=y.default.replaceWord(this.newStatus.status,this.wordAtCaret,s);var i=this.$el.querySelector("textarea");i.focus(),this.caret=0,this.highlighted=0}},cycleBackward:function(e){var t=this.candidates.length||0;t>0?(e.preventDefault(),this.highlighted-=1,this.highlighted<0&&(this.highlighted=this.candidates.length-1)):this.highlighted=0},cycleForward:function(e){var t=this.candidates.length||0;if(t>0){if(e.shiftKey)return;e.preventDefault(),this.highlighted+=1,this.highlighted>=t&&(this.highlighted=0)}else this.highlighted=0},setCaret:function(e){var t=e.target.selectionStart;this.caret=t},postStatus:function(e){var t=this;if(!this.posting&&!this.submitDisabled){if(""===this.newStatus.status){if(!(this.newStatus.files.length>0))return void(this.error="Cannot post an empty status with no files");this.newStatus.status="​"}this.posting=!0,h.default.postStatus({status:e.status,spoilerText:e.spoilerText||null,visibility:e.visibility,media:e.files,store:this.$store,inReplyToStatusId:this.replyTo}).then(function(a){if(a.error)t.error=a.error;else{t.newStatus={status:"",files:[],visibility:e.visibility},t.$emit("posted");var s=t.$el.querySelector("textarea");s.style.height="16px",t.error=null}t.posting=!1})}},addMediaFile:function(e){this.newStatus.files.push(e),this.enableSubmit()},removeMediaFile:function(e){var t=this.newStatus.files.indexOf(e);this.newStatus.files.splice(t,1)},disableSubmit:function(){this.submitDisabled=!0},enableSubmit:function(){this.submitDisabled=!1},type:function(e){return k.default.fileType(e.mimetype)},paste:function(e){e.clipboardData.files.length>0&&(this.dropFiles=[e.clipboardData.files[0]])},fileDrop:function(e){e.dataTransfer.files.length>0&&(e.preventDefault(),this.dropFiles=e.dataTransfer.files)},fileDrag:function(e){e.dataTransfer.dropEffect="copy"},resize:function(e){if(e.target){var t=Number(window.getComputedStyle(e.target)["padding-top"].substr(0,1))+Number(window.getComputedStyle(e.target)["padding-bottom"].substr(0,1));e.target.style.height="auto",e.target.style.height=e.target.scrollHeight-t+"px",""===e.target.value&&(e.target.style.height="16px")}},clearError:function(){this.error=null},changeVis:function(e){this.newStatus.visibility=e}}};t.default=L},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(28),n=s(i),o={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.publicAndExternal}},created:function(){this.$store.dispatch("startFetching","publicAndExternal")},destroyed:function(){this.$store.dispatch("stopFetching","publicAndExternal")}};t.default=o},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(28),n=s(i),o={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.public}},created:function(){this.$store.dispatch("startFetching","public")},destroyed:function(){this.$store.dispatch("stopFetching","public")}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={data:function(){return{user:{},error:!1,registering:!1}},created:function(){this.$store.state.config.registrationOpen&&!this.$store.state.users.currentUser||this.$router.push("/main/all")},computed:{termsofservice:function(){return this.$store.state.config.tos}},methods:{submit:function(){var e=this;this.registering=!0,this.user.nickname=this.user.username,this.$store.state.api.backendInteractor.register(this.user).then(function(t){t.ok?(e.$store.dispatch("loginUser",e.user),e.$router.push("/main/all"),e.registering=!1):(e.registering=!1,t.json().then(function(t){e.error=t.error}))})}}};t.default=a},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={props:["status","loggedIn"],data:function(){return{animated:!1}},methods:{retweet:function(){var e=this;this.status.repeated||this.$store.dispatch("retweet",{id:this.status.id}),this.animated=!0,setTimeout(function(){e.animated=!1},500)}},computed:{classes:function(){return{retweeted:this.status.repeated,"animate-spin":this.animated}}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(457),n=s(i),o=a(39),r=s(o),l=a(167),u=s(l),c={data:function(){return{hideAttachmentsLocal:this.$store.state.config.hideAttachments,hideAttachmentsInConvLocal:this.$store.state.config.hideAttachmentsInConv,hideNsfwLocal:this.$store.state.config.hideNsfw,muteWordsString:this.$store.state.config.muteWords.join("\n"),autoLoadLocal:this.$store.state.config.autoLoad,streamingLocal:this.$store.state.config.streaming,hoverPreviewLocal:this.$store.state.config.hoverPreview,stopGifs:this.$store.state.config.stopGifs}},components:{StyleSwitcher:u.default},computed:{user:function(){return this.$store.state.users.currentUser}},watch:{hideAttachmentsLocal:function(e){this.$store.dispatch("setOption",{name:"hideAttachments",value:e})},hideAttachmentsInConvLocal:function(e){this.$store.dispatch("setOption",{name:"hideAttachmentsInConv",value:e})},hideNsfwLocal:function(e){this.$store.dispatch("setOption",{name:"hideNsfw",value:e})},autoLoadLocal:function(e){this.$store.dispatch("setOption",{name:"autoLoad",value:e})},streamingLocal:function(e){this.$store.dispatch("setOption",{name:"streaming",value:e})},hoverPreviewLocal:function(e){this.$store.dispatch("setOption",{name:"hoverPreview",value:e})},muteWordsString:function(e){e=(0,r.default)(e.split("\n"),function(e){return(0,n.default)(e).length>0}),this.$store.dispatch("setOption",{name:"muteWords",value:e})},stopGifs:function(e){this.$store.dispatch("setOption",{name:"stopGifs",value:e})}}};t.default=c},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(62),n=s(i),o=a(39),r=s(o),l=a(471),u=s(l),c=a(475),d=s(c),f=a(488),p=s(f),m=a(474),v=s(m),_=a(166),h=s(_),g=a(43),w=s(g),b=a(65),k=s(b),C={name:"Status",props:["statusoid","expandable","inConversation","focused","highlight","compact","replies","noReplyLinks","noHeading","inlineExpanded"],data:function(){return{replying:!1,expanded:!1,unmuted:!1,userExpanded:!1,preview:null,showPreview:!1,showingTall:!1}},computed:{muteWords:function(){return this.$store.state.config.muteWords},hideAttachments:function(){return this.$store.state.config.hideAttachments&&!this.inConversation||this.$store.state.config.hideAttachmentsInConv&&this.inConversation},retweet:function(){return!!this.statusoid.retweeted_status},retweeter:function(){return this.statusoid.user.name},status:function(){return this.retweet?this.statusoid.retweeted_status:this.statusoid},loggedIn:function(){return!!this.$store.state.users.currentUser},muteWordHits:function(){var e=this.status.text.toLowerCase(),t=(0,r.default)(this.muteWords,function(t){return e.includes(t.toLowerCase())});return t},muted:function(){return!this.unmuted&&(this.status.user.muted||this.muteWordHits.length>0)},isReply:function(){return!!this.status.in_reply_to_status_id},isFocused:function(){return!!this.focused||!!this.inConversation&&this.status.id===this.highlight},hideTallStatus:function(){if(this.showingTall)return!1;var e=this.status.statusnet_html.split(/20},attachmentSize:function(){return this.$store.state.config.hideAttachments&&!this.inConversation||this.$store.state.config.hideAttachmentsInConv&&this.inConversation?"hide":this.compact?"small":"normal"}},components:{Attachment:u.default,FavoriteButton:d.default,RetweetButton:p.default,DeleteButton:v.default,PostStatusForm:h.default,UserCardContent:w.default,StillImage:k.default},methods:{visibilityIcon:function(e){switch(e){case"private":return"icon-lock";case"unlisted":return"icon-lock-open-alt";case"direct":return"icon-mail-alt";default:return"icon-globe"}},linkClicked:function(e){var t=e.target;"SPAN"===t.tagName&&(t=t.parentNode),"A"===t.tagName&&window.open(t.href,"_blank")},toggleReplying:function(){this.replying=!this.replying},gotoOriginal:function(e){this.inConversation&&this.$emit("goto",e)},toggleExpanded:function(){this.$emit("toggleExpanded")},toggleMute:function(){this.unmuted=!this.unmuted},toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},toggleShowTall:function(){this.showingTall=!this.showingTall},replyEnter:function(e,t){var a=this;this.showPreview=!0;var s=Number(e),i=this.$store.state.statuses.allStatuses;this.preview?this.preview.id!==s&&(this.preview=(0,n.default)(i,{id:s})):(this.preview=(0,n.default)(i,{id:s}),this.preview||this.$store.state.api.backendInteractor.fetchStatus({id:e}).then(function(e){a.preview=e}))},replyLeave:function(){this.showPreview=!1}},watch:{highlight:function(e){if(e=Number(e),this.status.id===e){var t=this.$el.getBoundingClientRect();t.top<100?window.scrollBy(0,t.top-200):t.bottom>window.innerHeight-50&&window.scrollBy(0,t.bottom-window.innerHeight+50)}}}};t.default=C},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(64),n=s(i),o=a(165),r=s(o),l={props:["statusoid"],data:function(){return{expanded:!1}},components:{Status:n.default,Conversation:r.default},methods:{toggleExpanded:function(){this.expanded=!this.expanded}}};t.default=l},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={props:["src","referrerpolicy","mimetype"],data:function(){return{stopGifs:this.$store.state.config.stopGifs}},computed:{animated:function(){return this.stopGifs&&("image/gif"===this.mimetype||this.src.endsWith(".gif"))}},methods:{onLoad:function(){var e=this.$refs.canvas;e&&e.getContext("2d").drawImage(this.$refs.src,1,1,e.width,e.height)}}};t.default=a},function(e,t,a){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var s=a(66);t.default={data:function(){return{availableStyles:[],selected:this.$store.state.config.theme,bgColorLocal:"",btnColorLocal:"",textColorLocal:"",linkColorLocal:"",redColorLocal:"",blueColorLocal:"",greenColorLocal:"",orangeColorLocal:"",btnRadiusLocal:"",inputRadiusLocal:"",panelRadiusLocal:"",avatarRadiusLocal:"",avatarAltRadiusLocal:"",attachmentRadiusLocal:"",tooltipRadiusLocal:""}},created:function(){var e=this;window.fetch("/static/styles.json").then(function(e){return e.json()}).then(function(t){e.availableStyles=t})},mounted:function(){this.bgColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.bg),this.btnColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.btn),this.textColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.fg),this.linkColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.link),this.redColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.cRed),this.blueColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.cBlue),this.greenColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.cGreen),this.orangeColorLocal=(0,s.rgbstr2hex)(this.$store.state.config.colors.cOrange),this.btnRadiusLocal=this.$store.state.config.radii.btnRadius||4,this.inputRadiusLocal=this.$store.state.config.radii.inputRadius||4,this.panelRadiusLocal=this.$store.state.config.radii.panelRadius||10,this.avatarRadiusLocal=this.$store.state.config.radii.avatarRadius||5,this.avatarAltRadiusLocal=this.$store.state.config.radii.avatarAltRadius||50,this.tooltipRadiusLocal=this.$store.state.config.radii.tooltipRadius||2,this.attachmentRadiusLocal=this.$store.state.config.radii.attachmentRadius||5},methods:{setCustomTheme:function(){!this.bgColorLocal&&!this.btnColorLocal&&!this.linkColorLocal;var e=function(e){var t=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(e);return t?{r:parseInt(t[1],16),g:parseInt(t[2],16),b:parseInt(t[3],16)}:null},t=e(this.bgColorLocal),a=e(this.btnColorLocal),s=e(this.textColorLocal),i=e(this.linkColorLocal),n=e(this.redColorLocal),o=e(this.blueColorLocal),r=e(this.greenColorLocal),l=e(this.orangeColorLocal);t&&a&&i&&this.$store.dispatch("setOption",{name:"customTheme",value:{fg:a,bg:t,text:s,link:i,cRed:n,cBlue:o,cGreen:r,cOrange:l,btnRadius:this.btnRadiusLocal,inputRadius:this.inputRadiusLocal,panelRadius:this.panelRadiusLocal,avatarRadius:this.avatarRadiusLocal,avatarAltRadius:this.avatarAltRadiusLocal,tooltipRadius:this.tooltipRadiusLocal,attachmentRadius:this.attachmentRadiusLocal}})}},watch:{selected:function(){this.bgColorLocal=this.selected[1],this.btnColorLocal=this.selected[2],this.textColorLocal=this.selected[3],this.linkColorLocal=this.selected[4],this.redColorLocal=this.selected[5],this.greenColorLocal=this.selected[6],this.blueColorLocal=this.selected[7],this.orangeColorLocal=this.selected[8]}}}},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(28),n=s(i),o={created:function(){this.$store.commit("clearTimeline",{timeline:"tag"}),this.$store.dispatch("startFetching",{tag:this.tag})},components:{Timeline:n.default},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("startFetching",{tag:this.tag})}},destroyed:function(){this.$store.dispatch("stopFetching","tag")}};t.default=o},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(64),n=s(i),o=a(107),r=s(o),l=a(490),u=s(l),c=a(168),d=s(c),f={props:["timeline","timelineName","title","userId","tag"],data:function(){return{paused:!1}},computed:{timelineError:function(){return this.$store.state.statuses.error},followers:function(){return this.timeline.followers},friends:function(){return this.timeline.friends},viewing:function(){return this.timeline.viewing},newStatusCount:function(){return this.timeline.newStatusCount},newStatusCountStr:function(){return 0!==this.timeline.flushMarker?"":" ("+this.newStatusCount+")"}},components:{Status:n.default,StatusOrConversation:u.default,UserCard:d.default},created:function(){var e=this.$store,t=e.state.users.currentUser.credentials,a=0===this.timeline.visibleStatuses.length;window.addEventListener("scroll",this.scrollLoad),r.default.fetchAndUpdate({store:e,credentials:t,timeline:this.timelineName,showImmediately:a,userId:this.userId,tag:this.tag}),"user"===this.timelineName&&(this.fetchFriends(),this.fetchFollowers())},destroyed:function(){window.removeEventListener("scroll",this.scrollLoad),this.$store.commit("setLoading",{timeline:this.timelineName,value:!1})},methods:{showNewStatuses:function(){0!==this.timeline.flushMarker?(this.$store.commit("clearTimeline",{timeline:this.timelineName}),this.$store.commit("queueFlush",{timeline:this.timelineName,id:0}),this.fetchOlderStatuses()):(this.$store.commit("showNewStatuses",{timeline:this.timelineName}),this.paused=!1)},fetchOlderStatuses:function(){var e=this,t=this.$store,a=t.state.users.currentUser.credentials;t.commit("setLoading",{timeline:this.timelineName,value:!0}),r.default.fetchAndUpdate({store:t,credentials:a,timeline:this.timelineName,older:!0,showImmediately:!0,userId:this.userId,tag:this.tag}).then(function(){return t.commit("setLoading",{timeline:e.timelineName,value:!1})})},fetchFollowers:function(){var e=this,t=this.userId;this.$store.state.api.backendInteractor.fetchFollowers({id:t}).then(function(t){return e.$store.dispatch("addFollowers",{followers:t})})},fetchFriends:function(){var e=this,t=this.userId;this.$store.state.api.backendInteractor.fetchFriends({id:t}).then(function(t){return e.$store.dispatch("addFriends",{friends:t})})},scrollLoad:function(e){var t=document.body.getBoundingClientRect(),a=Math.max(t.height,-t.y);this.timeline.loading===!1&&this.$store.state.config.autoLoad&&this.$el.offsetHeight>0&&window.innerHeight+window.pageYOffset>=a-750&&this.fetchOlderStatuses()}},watch:{newStatusCount:function(e){this.$store.state.config.streaming&&e>0&&(window.pageYOffset<15&&!this.paused?this.showNewStatuses():this.paused=!0)}}};t.default=f},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(43),n=s(i),o={props:["user","showFollows","showApproval"],data:function(){return{userExpanded:!1}},components:{UserCardContent:n.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded},approveUser:function(){this.$store.state.api.backendInteractor.approveUser(this.user.id),this.$store.dispatch("removeFollowRequest",this.user)},denyUser:function(){this.$store.state.api.backendInteractor.denyUser(this.user.id),this.$store.dispatch("removeFollowRequest",this.user)}}};t.default=o},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(65),n=s(i),o=a(66);t.default={props:["user","switcher","selected","hideBio"],computed:{headingStyle:function(){var e=this.$store.state.config.colors.bg;if(e){var t=(0,o.hex2rgb)(e),a="rgba("+Math.floor(t.r)+", "+Math.floor(t.g)+", "+Math.floor(t.b)+", .5)";return console.log(t),console.log(["url("+this.user.cover_photo+")","linear-gradient(to bottom, "+a+", "+a+")"].join(", ")),{backgroundColor:"rgb("+Math.floor(.53*t.r)+", "+Math.floor(.56*t.g)+", "+Math.floor(.59*t.b)+")",backgroundImage:["linear-gradient(to bottom, "+a+", "+a+")","url("+this.user.cover_photo+")"].join(", ")}}},isOtherUser:function(){return this.user.id!==this.$store.state.users.currentUser.id},subscribeUrl:function(){var e=new URL(this.user.statusnet_profile_url);return e.protocol+"//"+e.host+"/main/ostatus"},loggedIn:function(){return this.$store.state.users.currentUser},dailyAvg:function(){var e=Math.ceil((new Date-new Date(this.user.created_at))/864e5);return Math.round(this.user.statuses_count/e)}},components:{StillImage:n.default},methods:{followUser:function(){var e=this.$store;e.state.api.backendInteractor.followUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},unfollowUser:function(){var e=this.$store;e.state.api.backendInteractor.unfollowUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},blockUser:function(){var e=this.$store;e.state.api.backendInteractor.blockUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},unblockUser:function(){var e=this.$store;e.state.api.backendInteractor.unblockUser(this.user.id).then(function(t){return e.commit("addNewUsers",[t])})},toggleMute:function(){var e=this.$store;e.commit("setMuted",{user:this.user,muted:!this.user.muted}),e.state.api.backendInteractor.setUserMute(this.user)},setProfileView:function(e){if(this.switcher){var t=this.$store;t.commit("setProfileView",{v:e})}}}}},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={data:function(){return{username:void 0,hidden:!0,error:!1,loading:!1}},methods:{findUser:function(e){var t=this;e="@"===e[0]?e.slice(1):e,this.loading=!0,this.$store.state.api.backendInteractor.externalProfile(e).then(function(e){t.loading=!1,t.hidden=!0,e.error?t.error=!0:(t.$store.commit("addNewUsers",[e]),t.$router.push({name:"user-profile",params:{id:e.id}}))})},toggleHidden:function(){this.hidden=!this.hidden},dismissError:function(){this.error=!1}}};t.default=a},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(479),n=s(i),o=a(166),r=s(o),l=a(43),u=s(l),c={computed:{user:function(){return this.$store.state.users.currentUser}},components:{LoginForm:n.default,PostStatusForm:r.default,UserCardContent:u.default}};t.default=c},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(43),n=s(i),o=a(28),r=s(o),l={created:function(){this.$store.commit("clearTimeline",{timeline:"user"}),this.$store.dispatch("startFetching",["user",this.userId]),this.$store.state.users.usersObject[this.userId]||this.$store.dispatch("fetchUser",this.userId)},destroyed:function(){this.$store.dispatch("stopFetching","user")},computed:{timeline:function(){return this.$store.state.statuses.timelines.user},userId:function(){return this.$route.params.id},user:function(){return this.timeline.statuses[0]?this.timeline.statuses[0].user:this.$store.state.users.usersObject[this.userId]||!1}},watch:{userId:function(){this.$store.commit("clearTimeline",{timeline:"user"}),this.$store.dispatch("startFetching",["user",this.userId])}},components:{UserCardContent:n.default,Timeline:r.default}};t.default=l},function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var i=a(215),n=s(i),o=a(167),r=s(o),l={data:function(){return{newname:this.$store.state.users.currentUser.name,newbio:this.$store.state.users.currentUser.description,newlocked:this.$store.state.users.currentUser.locked,followList:null,followImportError:!1,followsImported:!1,enableFollowsExport:!0,uploading:[!1,!1,!1,!1],previews:[null,null,null],deletingAccount:!1,deleteAccountConfirmPasswordInput:"",deleteAccountError:!1,changePasswordInputs:["","",""],changedPassword:!1,changePasswordError:!1}},components:{StyleSwitcher:r.default},computed:{user:function(){return this.$store.state.users.currentUser},pleromaBackend:function(){return this.$store.state.config.pleromaBackend}},methods:{updateProfile:function(){var e=this,t=this.newname,a=this.newbio,s=this.newlocked;this.$store.state.api.backendInteractor.updateProfile({params:{name:t,description:a,locked:s}}).then(function(t){t.error||(e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t))})},uploadFile:function(e,t){var a=this,s=t.target.files[0];if(s){var i=new FileReader;i.onload=function(t){var s=t.target,i=s.result;a.previews[e]=i,a.$forceUpdate()},i.readAsDataURL(s)}},submitAvatar:function(){var e=this;if(this.previews[0]){var t=this.previews[0],a=new Image,s=void 0,i=void 0,n=void 0,o=void 0;a.src=t,a.height>a.width?(s=0,n=a.width,i=Math.floor((a.height-a.width)/2),o=a.width):(i=0,o=a.height,s=Math.floor((a.width-a.height)/2),n=a.height),this.uploading[0]=!0,this.$store.state.api.backendInteractor.updateAvatar({params:{img:t,cropX:s,cropY:i,cropW:n,cropH:o}}).then(function(t){t.error||(e.$store.commit("addNewUsers",[t]),e.$store.commit("setCurrentUser",t),e.previews[0]=null),e.uploading[0]=!1})}},submitBanner:function(){var e=this;if(this.previews[1]){var t=this.previews[1],a=new Image,s=void 0,i=void 0,o=void 0,r=void 0;a.src=t,o=a.width,r=a.height,s=0,i=0,this.uploading[1]=!0,this.$store.state.api.backendInteractor.updateBanner({params:{banner:t,offset_top:s,offset_left:i,width:o,height:r}}).then(function(t){if(!t.error){var a=JSON.parse((0,n.default)(e.$store.state.users.currentUser));a.cover_photo=t.url,e.$store.commit("addNewUsers",[a]),e.$store.commit("setCurrentUser",a),e.previews[1]=null}e.uploading[1]=!1})}},submitBg:function(){var e=this;if(this.previews[2]){var t=this.previews[2],a=new Image,s=void 0,i=void 0,o=void 0,r=void 0;a.src=t,s=0,i=0,o=a.width,r=a.width,this.uploading[2]=!0,this.$store.state.api.backendInteractor.updateBg({params:{img:t,cropX:s,cropY:i,cropW:o,cropH:r}}).then(function(t){if(!t.error){var a=JSON.parse((0,n.default)(e.$store.state.users.currentUser));a.background_image=t.url,e.$store.commit("addNewUsers",[a]),e.$store.commit("setCurrentUser",a),e.previews[2]=null}e.uploading[2]=!1})}},importFollows:function(){var e=this;this.uploading[3]=!0;var t=this.followList;this.$store.state.api.backendInteractor.followImport({params:t}).then(function(t){t?e.followsImported=!0:e.followImportError=!0,e.uploading[3]=!1})},exportPeople:function(e,t){var a=e.map(function(e){return e&&e.is_local&&(e.screen_name+="@"+location.hostname),e.screen_name}).join("\n"),s=document.createElement("a");s.setAttribute("href","data:text/plain;charset=utf-8,"+encodeURIComponent(a)),s.setAttribute("download",t),s.style.display="none",document.body.appendChild(s),s.click(),document.body.removeChild(s)},exportFollows:function(){var e=this;this.enableFollowsExport=!1,this.$store.state.api.backendInteractor.fetchFriends({id:this.$store.state.users.currentUser.id}).then(function(t){e.exportPeople(t,"friends.csv")})},followListChange:function(){var e=new FormData;e.append("list",this.$refs.followlist.files[0]),this.followList=e},dismissImported:function(){this.followsImported=!1,this.followImportError=!1},confirmDelete:function(){this.deletingAccount=!0},deleteAccount:function(){var e=this;this.$store.state.api.backendInteractor.deleteAccount({password:this.deleteAccountConfirmPasswordInput}).then(function(t){"success"===t.status?(e.$store.dispatch("logout"),e.$router.push("/main/all")):e.deleteAccountError=t.error})},changePassword:function(){var e=this,t={password:this.changePasswordInputs[0],newPassword:this.changePasswordInputs[1],newPasswordConfirmation:this.changePasswordInputs[2]};this.$store.state.api.backendInteractor.changePassword(t).then(function(t){"success"===t.status?(e.changedPassword=!0,e.changePasswordError=!1):(e.changedPassword=!1,e.changePasswordError=t.error)})}}};t.default=l},function(e,t){"use strict";function a(e,t,a,s){var i,n=t.ids,o=0,r=Math.floor(10*Math.random());for(i=r;i2)break}}function s(e){var t=e.$store.state.users.currentUser.screen_name;if(t){e.name1="Loading...",e.name2="Loading...",e.name3="Loading...";var s,i=window.location.hostname,n=e.$store.state.config.whoToFollowProvider;s=n.replace(/{{host}}/g,encodeURIComponent(i)),s=s.replace(/{{user}}/g,encodeURIComponent(t)),window.fetch(s,{mode:"cors"}).then(function(t){return t.ok?t.json():(e.name1="",e.name2="",e.name3="",void 0)}).then(function(s){a(e,s,i,t)})}}Object.defineProperty(t,"__esModule",{value:!0});var i={data:function(){return{img1:"/images/avi.png",name1:"",id1:0,img2:"/images/avi.png",name2:"",id2:0,img3:"/images/avi.png",name3:"",id3:0}},computed:{user:function(){return this.$store.state.users.currentUser.screen_name},moreUrl:function(){var e,t=window.location.hostname,a=this.user,s=this.$store.state.config.whoToFollowLink;return e=s.replace(/{{host}}/g,encodeURIComponent(t)),e=e.replace(/{{user}}/g,encodeURIComponent(a))},showWhoToFollowPanel:function(){return this.$store.state.config.showWhoToFollowPanel}},watch:{user:function(e,t){this.showWhoToFollowPanel&&s(this)}},mounted:function(){this.showWhoToFollowPanel&&s(this); -}};t.default=i},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){},function(e,t){e.exports=["now",["%ss","%ss"],["%smin","%smin"],["%sh","%sh"],["%sd","%sd"],["%sw","%sw"],["%smo","%smo"],["%sy","%sy"]]},function(e,t){e.exports=["たった今","%s 秒前","%s 分前","%s 時間前","%s 日前","%s 週間前","%s ヶ月前","%s 年前"]},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,a){e.exports=a.p+"static/img/nsfw.50fd83c.png"},,,function(e,t,a){a(286);var s=a(1)(a(177),a(514),null,null);e.exports=s.exports},function(e,t,a){a(285);var s=a(1)(a(178),a(513),null,null);e.exports=s.exports},function(e,t,a){a(279);var s=a(1)(a(179),a(507),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(180),a(518),null,null);e.exports=s.exports},function(e,t,a){a(292);var s=a(1)(a(182),a(524),null,null);e.exports=s.exports},function(e,t,a){a(294);var s=a(1)(a(183),a(526),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(184),a(500),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(185),a(522),null,null);e.exports=s.exports},function(e,t,a){a(290);var s=a(1)(a(186),a(521),null,null);e.exports=s.exports},function(e,t,a){a(282);var s=a(1)(a(187),a(510),null,null);e.exports=s.exports},function(e,t,a){a(287);var s=a(1)(a(188),a(515),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(189),a(505),null,null);e.exports=s.exports},function(e,t,a){a(296);var s=a(1)(a(190),a(528),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(191),a(517),null,null);e.exports=s.exports},function(e,t,a){a(274);var s=a(1)(a(192),a(497),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(194),a(506),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(195),a(516),null,null);e.exports=s.exports},function(e,t,a){a(283);var s=a(1)(a(196),a(511),null,null);e.exports=s.exports},function(e,t,a){a(278);var s=a(1)(a(197),a(504),null,null);e.exports=s.exports},function(e,t,a){a(295);var s=a(1)(a(198),a(527),null,null);e.exports=s.exports},function(e,t,a){a(281);var s=a(1)(a(200),a(509),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(203),a(503),null,null);e.exports=s.exports},function(e,t,a){a(280);var s=a(1)(a(207),a(508),null,null);e.exports=s.exports},function(e,t,a){a(298);var s=a(1)(a(208),a(530),null,null);e.exports=s.exports},function(e,t,a){a(284);var s=a(1)(a(209),a(512),null,null);e.exports=s.exports},function(e,t,a){a(291);var s=a(1)(a(210),a(523),null,null);e.exports=s.exports},function(e,t,a){a(297);var s=a(1)(a(211),a(529),null,null);e.exports=s.exports},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"notifications"},[a("div",{staticClass:"panel panel-default"},[a("div",{staticClass:"panel-heading"},[e.unseenCount?a("span",{staticClass:"unseen-count"},[e._v(e._s(e.unseenCount))]):e._e(),e._v("\n "+e._s(e.$t("notifications.notifications"))+"\n "),e.unseenCount?a("button",{staticClass:"read-button",on:{click:function(t){t.preventDefault(),e.markAsSeen(t)}}},[e._v(e._s(e.$t("notifications.read")))]):e._e()]),e._v(" "),a("div",{staticClass:"panel-body"},e._l(e.visibleNotifications,function(e){return a("div",{key:e.action.id,staticClass:"notification",class:{unseen:!e.seen}},[a("notification",{attrs:{notification:e}})],1)}))])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"profile-panel-background",style:e.headingStyle,attrs:{id:"heading"}},[a("div",{staticClass:"panel-heading text-center"},[a("div",{staticClass:"user-info"},[e.isOtherUser?e._e():a("router-link",{staticStyle:{float:"right","margin-top":"16px"},attrs:{to:"/user-settings"}},[a("i",{staticClass:"icon-cog usersettings"})]),e._v(" "),e.isOtherUser?a("a",{staticStyle:{float:"right","margin-top":"16px"},attrs:{href:e.user.statusnet_profile_url,target:"_blank"}},[a("i",{staticClass:"icon-link-ext usersettings"})]):e._e(),e._v(" "),a("div",{staticClass:"container"},[a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.user.id}}}},[a("StillImage",{staticClass:"avatar",attrs:{src:e.user.profile_image_url_original}})],1),e._v(" "),a("div",{staticClass:"name-and-screen-name"},[a("div",{staticClass:"user-name",attrs:{title:e.user.name}},[e._v(e._s(e.user.name))]),e._v(" "),a("router-link",{staticClass:"user-screen-name",attrs:{to:{name:"user-profile",params:{id:e.user.id}}}},[a("span",[e._v("@"+e._s(e.user.screen_name))]),e.user.locked?a("span",[a("i",{staticClass:"icon icon-lock"})]):e._e(),e._v(" "),a("span",{staticClass:"dailyAvg"},[e._v(e._s(e.dailyAvg)+" "+e._s(e.$t("user_card.per_day")))])])],1)],1),e._v(" "),e.isOtherUser?a("div",{staticClass:"user-interactions"},[e.user.follows_you&&e.loggedIn?a("div",{staticClass:"following"},[e._v("\n "+e._s(e.$t("user_card.follows_you"))+"\n ")]):e._e(),e._v(" "),e.loggedIn?a("div",{staticClass:"follow"},[e.user.following?a("span",[a("button",{staticClass:"pressed",on:{click:e.unfollowUser}},[e._v("\n "+e._s(e.$t("user_card.following"))+"\n ")])]):e._e(),e._v(" "),e.user.following?e._e():a("span",[a("button",{on:{click:e.followUser}},[e._v("\n "+e._s(e.$t("user_card.follow"))+"\n ")])])]):e._e(),e._v(" "),e.isOtherUser?a("div",{staticClass:"mute"},[e.user.muted?a("span",[a("button",{staticClass:"pressed",on:{click:e.toggleMute}},[e._v("\n "+e._s(e.$t("user_card.muted"))+"\n ")])]):e._e(),e._v(" "),e.user.muted?e._e():a("span",[a("button",{on:{click:e.toggleMute}},[e._v("\n "+e._s(e.$t("user_card.mute"))+"\n ")])])]):e._e(),e._v(" "),!e.loggedIn&&e.user.is_local?a("div",{staticClass:"remote-follow"},[a("form",{attrs:{method:"POST",action:e.subscribeUrl}},[a("input",{attrs:{type:"hidden",name:"nickname"},domProps:{value:e.user.screen_name}}),e._v(" "),a("input",{attrs:{type:"hidden",name:"profile",value:""}}),e._v(" "),a("button",{staticClass:"remote-button",attrs:{click:"submit"}},[e._v("\n "+e._s(e.$t("user_card.remote_follow"))+"\n ")])])]):e._e(),e._v(" "),e.isOtherUser&&e.loggedIn?a("div",{staticClass:"block"},[e.user.statusnet_blocking?a("span",[a("button",{staticClass:"pressed",on:{click:e.unblockUser}},[e._v("\n "+e._s(e.$t("user_card.blocked"))+"\n ")])]):e._e(),e._v(" "),e.user.statusnet_blocking?e._e():a("span",[a("button",{on:{click:e.blockUser}},[e._v("\n "+e._s(e.$t("user_card.block"))+"\n ")])])]):e._e()]):e._e()],1)]),e._v(" "),a("div",{staticClass:"panel-body profile-panel-body"},[a("div",{staticClass:"user-counts",class:{clickable:e.switcher}},[a("div",{staticClass:"user-count",class:{selected:"statuses"===e.selected},on:{click:function(t){t.preventDefault(),e.setProfileView("statuses")}}},[a("h5",[e._v(e._s(e.$t("user_card.statuses")))]),e._v(" "),a("span",[e._v(e._s(e.user.statuses_count)+" "),a("br")])]),e._v(" "),a("div",{staticClass:"user-count",class:{selected:"friends"===e.selected},on:{click:function(t){t.preventDefault(),e.setProfileView("friends")}}},[a("h5",[e._v(e._s(e.$t("user_card.followees")))]),e._v(" "),a("span",[e._v(e._s(e.user.friends_count))])]),e._v(" "),a("div",{staticClass:"user-count",class:{selected:"followers"===e.selected},on:{click:function(t){t.preventDefault(),e.setProfileView("followers")}}},[a("h5",[e._v(e._s(e.$t("user_card.followers")))]),e._v(" "),a("span",[e._v(e._s(e.user.followers_count))])])]),e._v(" "),e.hideBio?e._e():a("p",[e._v(e._s(e.user.description))])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return"statuses"==e.viewing?a("div",{staticClass:"timeline panel panel-default"},[a("div",{staticClass:"panel-heading timeline-heading"},[a("div",{staticClass:"title"},[e._v("\n "+e._s(e.title)+"\n ")]),e._v(" "),e.timeline.newStatusCount>0&&!e.timelineError?a("button",{staticClass:"loadmore-button",on:{click:function(t){t.preventDefault(),e.showNewStatuses(t)}}},[e._v("\n "+e._s(e.$t("timeline.show_new"))+e._s(e.newStatusCountStr)+"\n ")]):e._e(),e._v(" "),e.timelineError?a("div",{staticClass:"loadmore-error alert error",on:{click:function(e){e.preventDefault()}}},[e._v("\n "+e._s(e.$t("timeline.error_fetching"))+"\n ")]):e._e(),e._v(" "),!e.timeline.newStatusCount>0&&!e.timelineError?a("div",{staticClass:"loadmore-text",on:{click:function(e){e.preventDefault()}}},[e._v("\n "+e._s(e.$t("timeline.up_to_date"))+"\n ")]):e._e()]),e._v(" "),a("div",{staticClass:"panel-body"},[a("div",{staticClass:"timeline"},e._l(e.timeline.visibleStatuses,function(e){return a("status-or-conversation",{key:e.id,staticClass:"status-fadein",attrs:{statusoid:e}})}))]),e._v(" "),a("div",{staticClass:"panel-footer"},[e.timeline.loading?a("div",{staticClass:"new-status-notification text-center panel-footer"},[e._v("...")]):a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.fetchOlderStatuses()}}},[a("div",{staticClass:"new-status-notification text-center panel-footer"},[e._v(e._s(e.$t("timeline.load_older")))])])])]):"followers"==e.viewing?a("div",{staticClass:"timeline panel panel-default"},[a("div",{staticClass:"panel-heading timeline-heading"},[a("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("user_card.followers"))+"\n ")])]),e._v(" "),a("div",{staticClass:"panel-body"},[a("div",{staticClass:"timeline"},e._l(e.followers,function(e){return a("user-card",{key:e.id,attrs:{user:e,showFollows:!1}})}))])]):"friends"==e.viewing?a("div",{staticClass:"timeline panel panel-default"},[a("div",{staticClass:"panel-heading timeline-heading"},[a("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("user_card.followees"))+"\n ")])]),e._v(" "),a("div",{staticClass:"panel-body"},[a("div",{staticClass:"timeline"},e._l(e.friends,function(e){return a("user-card",{key:e.id,attrs:{user:e,showFollows:!0}})}))])]):e._e()},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"settings panel panel-default"},[a("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("nav.friend_requests"))+"\n ")]),e._v(" "),a("div",{staticClass:"panel-body"},e._l(e.requests,function(e){return a("user-card",{key:e.id,attrs:{user:e,showFollows:!1,showApproval:!0}})}))])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"post-status-form"},[a("form",{on:{submit:function(t){t.preventDefault(),e.postStatus(e.newStatus)}}},[a("div",{staticClass:"form-group"},[e.scopeOptionsEnabled?a("input",{directives:[{name:"model",rawName:"v-model",value:e.newStatus.spoilerText,expression:"newStatus.spoilerText"}],staticClass:"form-cw",attrs:{type:"text",placeholder:e.$t("post_status.content_warning")},domProps:{value:e.newStatus.spoilerText},on:{input:function(t){t.target.composing||e.$set(e.newStatus,"spoilerText",t.target.value)}}}):e._e(),e._v(" "),a("textarea",{directives:[{name:"model",rawName:"v-model",value:e.newStatus.status,expression:"newStatus.status"}],ref:"textarea",staticClass:"form-control",attrs:{placeholder:e.$t("post_status.default"),rows:"1"},domProps:{value:e.newStatus.status},on:{click:e.setCaret,keyup:[e.setCaret,function(t){return("button"in t||!e._k(t.keyCode,"enter",13,t.key))&&t.ctrlKey?void e.postStatus(e.newStatus):null}],keydown:[function(t){return"button"in t||!e._k(t.keyCode,"down",40,t.key)?void e.cycleForward(t):null},function(t){return"button"in t||!e._k(t.keyCode,"up",38,t.key)?void e.cycleBackward(t):null},function(t){return("button"in t||!e._k(t.keyCode,"tab",9,t.key))&&t.shiftKey?void e.cycleBackward(t):null},function(t){return"button"in t||!e._k(t.keyCode,"tab",9,t.key)?void e.cycleForward(t):null},function(t){return"button"in t||!e._k(t.keyCode,"enter",13,t.key)?void e.replaceCandidate(t):null},function(t){return("button"in t||!e._k(t.keyCode,"enter",13,t.key))&&t.metaKey?void e.postStatus(e.newStatus):null}],drop:e.fileDrop,dragover:function(t){t.preventDefault(),e.fileDrag(t)},input:[function(t){t.target.composing||e.$set(e.newStatus,"status",t.target.value)},e.resize],paste:e.paste}}),e._v(" "),e.scopeOptionsEnabled?a("div",{staticClass:"visibility-tray"},[a("i",{staticClass:"icon-mail-alt",class:e.vis.direct,on:{click:function(t){e.changeVis("direct")}}}),e._v(" "),a("i",{staticClass:"icon-lock",class:e.vis.private,on:{click:function(t){e.changeVis("private")}}}),e._v(" "),a("i",{staticClass:"icon-lock-open-alt",class:e.vis.unlisted,on:{click:function(t){e.changeVis("unlisted")}}}),e._v(" "),a("i",{staticClass:"icon-globe",class:e.vis.public,on:{click:function(t){e.changeVis("public")}}})]):e._e()]),e._v(" "),e.candidates?a("div",{staticStyle:{position:"relative"}},[a("div",{staticClass:"autocomplete-panel"},e._l(e.candidates,function(t){return a("div",{on:{click:function(a){e.replace(t.utf||t.screen_name+" ")}}},[a("div",{staticClass:"autocomplete",class:{highlighted:t.highlighted}},[t.img?a("span",[a("img",{attrs:{src:t.img}})]):a("span",[e._v(e._s(t.utf))]),e._v(" "),a("span",[e._v(e._s(t.screen_name)),a("small",[e._v(e._s(t.name))])])])])}))]):e._e(),e._v(" "),a("div",{staticClass:"form-bottom"},[a("media-upload",{attrs:{"drop-files":e.dropFiles},on:{uploading:e.disableSubmit,uploaded:e.addMediaFile,"upload-failed":e.enableSubmit}}),e._v(" "),e.isOverLengthLimit?a("p",{staticClass:"error"},[e._v(e._s(e.charactersLeft))]):e.hasStatusLengthLimit?a("p",{staticClass:"faint"},[e._v(e._s(e.charactersLeft))]):e._e(),e._v(" "),e.posting?a("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[e._v(e._s(e.$t("post_status.posting")))]):e.isOverLengthLimit?a("button",{staticClass:"btn btn-default",attrs:{disabled:""}},[e._v(e._s(e.$t("general.submit")))]):a("button",{staticClass:"btn btn-default",attrs:{disabled:e.submitDisabled,type:"submit"}},[e._v(e._s(e.$t("general.submit")))])],1),e._v(" "),e.error?a("div",{staticClass:"alert error"},[e._v("\n Error: "+e._s(e.error)+"\n "),a("i",{staticClass:"icon-cancel",on:{click:e.clearError}})]):e._e(),e._v(" "),a("div",{staticClass:"attachments"},e._l(e.newStatus.files,function(t){return a("div",{staticClass:"media-upload-container attachment"},[a("i",{staticClass:"fa icon-cancel",on:{click:function(a){e.removeMediaFile(t)}}}),e._v(" "),"image"===e.type(t)?a("img",{staticClass:"thumbnail media-upload",attrs:{src:t.image}}):e._e(),e._v(" "),"video"===e.type(t)?a("video",{attrs:{src:t.image,controls:""}}):e._e(),e._v(" "),"audio"===e.type(t)?a("audio",{attrs:{src:t.image,controls:""}}):e._e(),e._v(" "),"unknown"===e.type(t)?a("a",{attrs:{href:t.image}},[e._v(e._s(t.url))]):e._e()])}))])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"timeline panel panel-default"},[a("div",{staticClass:"panel-heading conversation-heading"},[e._v("\n "+e._s(e.$t("timeline.conversation"))+"\n "),e.collapsable?a("span",{staticStyle:{float:"right"}},[a("small",[a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.$emit("toggleExpanded")}}},[e._v(e._s(e.$t("timeline.collapse")))])])]):e._e()]),e._v(" "),a("div",{staticClass:"panel-body"},[a("div",{staticClass:"timeline"},e._l(e.conversation,function(t){return a("status",{key:t.id,staticClass:"status-fadein",attrs:{inlineExpanded:e.collapsable,statusoid:t,expandable:!1,focused:e.focused(t.id),inConversation:!0,highlight:e.highlight,replies:e.getReplies(t.id)},on:{goto:e.setHighlight}})}))])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("Timeline",{attrs:{title:e.tag,timeline:e.timeline,"timeline-name":"tag",tag:e.tag}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return e.loggedIn?a("div",[a("i",{staticClass:"icon-retweet rt-active",class:e.classes,on:{click:function(t){t.preventDefault(),e.retweet()}}}),e._v(" "),e.status.repeat_num>0?a("span",[e._v(e._s(e.status.repeat_num))]):e._e()]):a("div",[a("i",{staticClass:"icon-retweet",class:e.classes}),e._v(" "),e.status.repeat_num>0?a("span",[e._v(e._s(e.status.repeat_num))]):e._e()])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("Timeline",{attrs:{title:e.$t("nav.mentions"),timeline:e.timeline,"timeline-name":"mentions"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("Timeline",{attrs:{title:e.$t("nav.twkn"),timeline:e.timeline,"timeline-name":"publicAndExternal"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return this.collapsed?a("div",{staticClass:"chat-panel"},[a("div",{staticClass:"panel panel-default"},[a("div",{staticClass:"panel-heading stub timeline-heading chat-heading",on:{click:function(t){t.stopPropagation(),t.preventDefault(),e.togglePanel(t)}}},[a("div",{staticClass:"title"},[a("i",{staticClass:"icon-comment-empty"}),e._v("\n "+e._s(e.$t("chat.title"))+"\n ")])])])]):a("div",{staticClass:"chat-panel"},[a("div",{staticClass:"panel panel-default"},[a("div",{staticClass:"panel-heading timeline-heading chat-heading",on:{click:function(t){t.stopPropagation(),t.preventDefault(),e.togglePanel(t)}}},[a("div",{staticClass:"title"},[e._v("\n "+e._s(e.$t("chat.title"))+"\n "),a("i",{staticClass:"icon-cancel",staticStyle:{float:"right"}})])]),e._v(" "),a("div",{directives:[{name:"chat-scroll",rawName:"v-chat-scroll"}],staticClass:"chat-window"},e._l(e.messages,function(t){return a("div",{key:t.id,staticClass:"chat-message"},[a("span",{staticClass:"chat-avatar"},[a("img",{attrs:{src:t.author.avatar}})]),e._v(" "),a("div",{staticClass:"chat-content"},[a("router-link",{staticClass:"chat-name",attrs:{to:{name:"user-profile",params:{id:t.author.id}}}},[e._v("\n "+e._s(t.author.username)+"\n ")]),e._v(" "),a("br"),e._v(" "),a("span",{staticClass:"chat-text"},[e._v("\n "+e._s(t.text)+"\n ")])],1)])})),e._v(" "),a("div",{staticClass:"chat-input"},[a("textarea",{directives:[{name:"model",rawName:"v-model",value:e.currentMessage,expression:"currentMessage"}],staticClass:"chat-input-textarea",attrs:{rows:"1"},domProps:{value:e.currentMessage},on:{keyup:function(t){return"button"in t||!e._k(t.keyCode,"enter",13,t.key)?void e.submit(e.currentMessage):null},input:function(t){t.target.composing||(e.currentMessage=t.target.value)}}})])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("span",{staticClass:"user-finder-container"},[e.error?a("span",{staticClass:"alert error"},[a("i",{staticClass:"icon-cancel user-finder-icon",on:{click:e.dismissError}}),e._v("\n "+e._s(e.$t("finder.error_fetching_user"))+"\n ")]):e._e(),e._v(" "),e.loading?a("i",{staticClass:"icon-spin4 user-finder-icon animate-spin-slow"}):e._e(),e._v(" "),e.hidden?a("a",{attrs:{href:"#"}},[a("i",{staticClass:"icon-user-plus user-finder-icon",on:{click:function(t){t.preventDefault(),t.stopPropagation(),e.toggleHidden(t)}}})]):a("span",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.username,expression:"username"}],staticClass:"user-finder-input",attrs:{placeholder:e.$t("finder.find_user"),id:"user-finder-input",type:"text"},domProps:{value:e.username},on:{keyup:function(t){return"button"in t||!e._k(t.keyCode,"enter",13,t.key)?void e.findUser(e.username):null},input:function(t){t.target.composing||(e.username=t.target.value)}}}),e._v(" "),a("i",{staticClass:"icon-cancel user-finder-icon",on:{click:function(t){t.preventDefault(),t.stopPropagation(),e.toggleHidden(t)}}})])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",[e.expanded?a("conversation",{attrs:{collapsable:!0,statusoid:e.statusoid},on:{toggleExpanded:e.toggleExpanded}}):e._e(),e._v(" "),e.expanded?e._e():a("status",{attrs:{expandable:!0,inConversation:!1,focused:!1,statusoid:e.statusoid},on:{toggleExpanded:e.toggleExpanded}})],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"login panel panel-default"},[a("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("login.login"))+"\n ")]),e._v(" "),a("div",{staticClass:"panel-body"},[a("form",{staticClass:"login-form",on:{submit:function(t){t.preventDefault(),e.submit(e.user)}}},[a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"username"}},[e._v(e._s(e.$t("login.username")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.username,expression:"user.username"}],staticClass:"form-control",attrs:{disabled:e.loggingIn,id:"username",placeholder:e.$t("login.placeholder")},domProps:{value:e.user.username},on:{input:function(t){t.target.composing||e.$set(e.user,"username",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"password"}},[e._v(e._s(e.$t("login.password")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.password,expression:"user.password"}],staticClass:"form-control",attrs:{disabled:e.loggingIn,id:"password",type:"password"},domProps:{value:e.user.password},on:{input:function(t){t.target.composing||e.$set(e.user,"password",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("div",{staticClass:"login-bottom"},[a("div",[e.registrationOpen?a("router-link",{staticClass:"register",attrs:{to:{name:"registration"}}},[e._v(e._s(e.$t("login.register")))]):e._e()],1),e._v(" "),a("button",{staticClass:"btn btn-default",attrs:{disabled:e.loggingIn,type:"submit"}},[e._v(e._s(e.$t("login.login")))])])]),e._v(" "),e.authError?a("div",{staticClass:"form-group"},[a("div",{staticClass:"alert error"},[e._v(e._s(e.authError))])]):e._e()])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"settings panel panel-default"},[a("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("registration.registration"))+"\n ")]),e._v(" "),a("div",{staticClass:"panel-body"},[a("form",{staticClass:"registration-form",on:{submit:function(t){t.preventDefault(),e.submit(e.user)}}},[a("div",{staticClass:"container"},[a("div",{staticClass:"text-fields"},[a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"username"}},[e._v(e._s(e.$t("login.username")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.username,expression:"user.username"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"username",placeholder:"e.g. lain"},domProps:{value:e.user.username},on:{input:function(t){t.target.composing||e.$set(e.user,"username",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"fullname"}},[e._v(e._s(e.$t("registration.fullname")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.fullname,expression:"user.fullname"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"fullname",placeholder:"e.g. Lain Iwakura"},domProps:{value:e.user.fullname},on:{input:function(t){t.target.composing||e.$set(e.user,"fullname",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"email"}},[e._v(e._s(e.$t("registration.email")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.email,expression:"user.email"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"email",type:"email"},domProps:{value:e.user.email},on:{input:function(t){t.target.composing||e.$set(e.user,"email",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"bio"}},[e._v(e._s(e.$t("registration.bio")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.bio,expression:"user.bio"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"bio"},domProps:{value:e.user.bio},on:{input:function(t){t.target.composing||e.$set(e.user,"bio",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"password"}},[e._v(e._s(e.$t("login.password")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.password,expression:"user.password"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"password",type:"password"},domProps:{value:e.user.password},on:{input:function(t){t.target.composing||e.$set(e.user,"password",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("label",{attrs:{for:"password_confirmation"}},[e._v(e._s(e.$t("registration.password_confirm")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.user.confirm,expression:"user.confirm"}],staticClass:"form-control",attrs:{disabled:e.registering,id:"password_confirmation",type:"password"},domProps:{value:e.user.confirm},on:{input:function(t){t.target.composing||e.$set(e.user,"confirm",t.target.value)}}})]),e._v(" "),a("div",{staticClass:"form-group"},[a("button",{staticClass:"btn btn-default",attrs:{disabled:e.registering,type:"submit"}},[e._v(e._s(e.$t("general.submit")))])])]),e._v(" "),a("div",{staticClass:"terms-of-service",domProps:{innerHTML:e._s(e.termsofservice)}})]),e._v(" "),e.error?a("div",{staticClass:"form-group"},[a("div",{staticClass:"alert error"},[e._v(e._s(e.error))])]):e._e()])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",[e.user?a("div",{staticClass:"user-profile panel panel-default"},[a("user-card-content",{attrs:{user:e.user,switcher:!0,selected:e.timeline.viewing}})],1):e._e(),e._v(" "),a("Timeline",{attrs:{title:e.$t("user_profile.timeline_title"),timeline:e.timeline,"timeline-name":"user","user-id":e.userId}})],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return"hide"===e.size?a("div",["html"!==e.type?a("a",{staticClass:"placeholder",attrs:{target:"_blank",href:e.attachment.url}},[e._v("["+e._s(e.nsfw?"NSFW/":"")+e._s(e.type.toUpperCase())+"]")]):e._e()]):a("div",{directives:[{name:"show",rawName:"v-show",value:!e.isEmpty,expression:"!isEmpty"}],staticClass:"attachment",class:(s={loading:e.loading,"small-attachment":e.isSmall,fullwidth:e.fullwidth},s[e.type]=!0,s)},[e.hidden?a("a",{staticClass:"image-attachment",on:{click:function(t){t.preventDefault(),e.toggleHidden()}}},[a("img",{key:e.nsfwImage,attrs:{src:e.nsfwImage}})]):e._e(),e._v(" "),e.nsfw&&e.hideNsfwLocal&&!e.hidden?a("div",{staticClass:"hider"},[a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleHidden()}}},[e._v("Hide")])]):e._e(),e._v(" "),"image"!==e.type||e.hidden?e._e():a("a",{staticClass:"image-attachment",attrs:{href:e.attachment.url,target:"_blank"}},[a("StillImage",{class:{small:e.isSmall},attrs:{referrerpolicy:"no-referrer",mimetype:e.attachment.mimetype,src:e.attachment.large_thumb_url||e.attachment.url}})],1),e._v(" "),"video"!==e.type||e.hidden?e._e():a("video",{class:{small:e.isSmall},attrs:{src:e.attachment.url,controls:"",loop:""}}),e._v(" "),"audio"===e.type?a("audio",{attrs:{src:e.attachment.url,controls:""}}):e._e(),e._v(" "),"html"===e.type&&e.attachment.oembed?a("div",{staticClass:"oembed",on:{click:function(t){t.preventDefault(),e.linkClicked(t)}}},[e.attachment.thumb_url?a("div",{staticClass:"image"},[a("img",{attrs:{src:e.attachment.thumb_url}})]):e._e(),e._v(" "),a("div",{staticClass:"text"},[a("h1",[a("a",{attrs:{href:e.attachment.url}},[e._v(e._s(e.attachment.oembed.title))])]),e._v(" "),a("div",{domProps:{innerHTML:e._s(e.attachment.oembed.oembedHTML)}})])]):e._e()]);var s},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{style:e.style,attrs:{id:"app"}},[a("nav",{staticClass:"container",attrs:{id:"nav"},on:{click:function(t){e.scrollToTop()}}},[a("div",{staticClass:"inner-nav",style:e.logoStyle},[a("div",{staticClass:"item"},[a("router-link",{attrs:{to:{name:"root"}}},[e._v(e._s(e.sitename))])],1),e._v(" "),a("div",{staticClass:"item right"},[a("user-finder",{staticClass:"nav-icon"}),e._v(" "),a("router-link",{attrs:{to:{name:"settings"}}},[a("i",{staticClass:"icon-cog nav-icon"})]),e._v(" "),e.currentUser?a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.logout(t)}}},[a("i",{staticClass:"icon-logout nav-icon",attrs:{title:e.$t("login.logout")}})]):e._e()],1)])]),e._v(" "),a("div",{staticClass:"container",attrs:{id:"content"}},[a("div",{staticClass:"panel-switcher"},[a("button",{on:{click:function(t){e.activatePanel("sidebar")}}},[e._v("Sidebar")]),e._v(" "),a("button",{on:{click:function(t){e.activatePanel("timeline")}}},[e._v("Timeline")])]),e._v(" "),a("div",{staticClass:"sidebar-flexer",class:{"mobile-hidden":"sidebar"!=e.mobileActivePanel}},[a("div",{staticClass:"sidebar-bounds"},[a("div",{staticClass:"sidebar-scroller"},[a("div",{staticClass:"sidebar"},[a("user-panel"),e._v(" "),a("nav-panel"),e._v(" "),e.showInstanceSpecificPanel?a("instance-specific-panel"):e._e(),e._v(" "),e.currentUser&&e.showWhoToFollowPanel?a("who-to-follow-panel"):e._e(),e._v(" "),e.currentUser?a("notifications"):e._e()],1)])])]),e._v(" "),a("div",{staticClass:"main",class:{"mobile-hidden":"timeline"!=e.mobileActivePanel}},[a("transition",{attrs:{name:"fade"}},[a("router-view")],1)],1)]),e._v(" "),e.currentUser&&e.chat?a("chat-panel",{staticClass:"floating-chat mobile-hidden"}):e._e()],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"media-upload",on:{drop:[function(e){e.preventDefault()},e.fileDrop],dragover:function(t){t.preventDefault(),e.fileDrag(t)}}},[a("label",{staticClass:"btn btn-default"},[e.uploading?a("i",{staticClass:"icon-spin4 animate-spin"}):e._e(),e._v(" "),e.uploading?e._e():a("i",{staticClass:"icon-upload"}),e._v(" "),a("input",{staticStyle:{position:"fixed",top:"-100em"},attrs:{type:"file"}})])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("Timeline",{attrs:{title:e.$t("nav.public_tl"),timeline:e.timeline,"timeline-name":"public"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return"mention"===e.notification.type?a("status",{attrs:{compact:!0,statusoid:e.notification.status}}):a("div",{staticClass:"non-mention"},[a("a",{staticClass:"avatar-container",attrs:{href:e.notification.action.user.statusnet_profile_url},on:{"!click":function(t){t.stopPropagation(),t.preventDefault(),e.toggleUserExpanded(t)}}},[a("StillImage",{staticClass:"avatar-compact",attrs:{src:e.notification.action.user.profile_image_url_original}})],1),e._v(" "),a("div",{staticClass:"notification-right"},[e.userExpanded?a("div",{staticClass:"usercard notification-usercard"},[a("user-card-content",{attrs:{user:e.notification.action.user,switcher:!1}})],1):e._e(),e._v(" "),a("span",{staticClass:"notification-details"},[a("div",{staticClass:"name-and-action"},[a("span",{staticClass:"username",attrs:{title:"@"+e.notification.action.user.screen_name}},[e._v(e._s(e.notification.action.user.name))]),e._v(" "),"favorite"===e.notification.type?a("span",[a("i",{ -staticClass:"fa icon-star lit"}),e._v(" "),a("small",[e._v(e._s(e.$t("notifications.favorited_you")))])]):e._e(),e._v(" "),"repeat"===e.notification.type?a("span",[a("i",{staticClass:"fa icon-retweet lit"}),e._v(" "),a("small",[e._v(e._s(e.$t("notifications.repeated_you")))])]):e._e(),e._v(" "),"follow"===e.notification.type?a("span",[a("i",{staticClass:"fa icon-user-plus lit"}),e._v(" "),a("small",[e._v(e._s(e.$t("notifications.followed_you")))])]):e._e()]),e._v(" "),a("small",{staticClass:"timeago"},[a("router-link",{attrs:{to:{name:"conversation",params:{id:e.notification.status.id}}}},[a("timeago",{attrs:{since:e.notification.action.created_at,"auto-update":240}})],1)],1)]),e._v(" "),"follow"===e.notification.type?a("div",{staticClass:"follow-text"},[a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.notification.action.user.id}}}},[e._v("@"+e._s(e.notification.action.user.screen_name))])],1):a("status",{staticClass:"faint",attrs:{compact:!0,statusoid:e.notification.status,noHeading:!0}})],1)])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("conversation",{attrs:{collapsable:!1,statusoid:e.statusoid}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"still-image",class:{animated:e.animated}},[e.animated?a("canvas",{ref:"canvas"}):e._e(),e._v(" "),a("img",{ref:"src",attrs:{src:e.src,referrerpolicy:e.referrerpolicy},on:{load:e.onLoad}})])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"status-el",class:[{"status-el_focused":e.isFocused},{"status-conversation":e.inlineExpanded}]},[e.muted&&!e.noReplyLinks?[a("div",{staticClass:"media status container muted"},[a("small",[a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.status.user.id}}}},[e._v(e._s(e.status.user.screen_name))])],1),e._v(" "),a("small",{staticClass:"muteWords"},[e._v(e._s(e.muteWordHits.join(", ")))]),e._v(" "),a("a",{staticClass:"unmute",attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleMute(t)}}},[a("i",{staticClass:"icon-eye-off"})])])]:[e.retweet&&!e.noHeading?a("div",{staticClass:"media container retweet-info"},[e.retweet?a("StillImage",{staticClass:"avatar",attrs:{src:e.statusoid.user.profile_image_url_original}}):e._e(),e._v(" "),a("div",{staticClass:"media-body faint"},[a("a",{staticStyle:{"font-weight":"bold"},attrs:{href:e.statusoid.user.statusnet_profile_url,title:"@"+e.statusoid.user.screen_name}},[e._v(e._s(e.retweeter))]),e._v(" "),a("i",{staticClass:"fa icon-retweet retweeted"}),e._v("\n "+e._s(e.$t("timeline.repeated"))+"\n ")])],1):e._e(),e._v(" "),a("div",{staticClass:"media status"},[e.noHeading?e._e():a("div",{staticClass:"media-left"},[a("a",{attrs:{href:e.status.user.statusnet_profile_url},on:{"!click":function(t){t.stopPropagation(),t.preventDefault(),e.toggleUserExpanded(t)}}},[a("StillImage",{staticClass:"avatar",class:{"avatar-compact":e.compact},attrs:{src:e.status.user.profile_image_url_original}})],1)]),e._v(" "),a("div",{staticClass:"status-body"},[e.userExpanded?a("div",{staticClass:"usercard media-body"},[a("user-card-content",{attrs:{user:e.status.user,switcher:!1}})],1):e._e(),e._v(" "),e.noHeading?e._e():a("div",{staticClass:"media-body container media-heading"},[a("div",{staticClass:"media-heading-left"},[a("div",{staticClass:"name-and-links"},[a("h4",{staticClass:"user-name"},[e._v(e._s(e.status.user.name))]),e._v(" "),a("span",{staticClass:"links"},[a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.status.user.id}}}},[e._v(e._s(e.status.user.screen_name))]),e._v(" "),e.status.in_reply_to_screen_name?a("span",{staticClass:"faint reply-info"},[a("i",{staticClass:"icon-right-open"}),e._v(" "),a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.status.in_reply_to_user_id}}}},[e._v("\n "+e._s(e.status.in_reply_to_screen_name)+"\n ")])],1):e._e(),e._v(" "),e.isReply&&!e.noReplyLinks?a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.gotoOriginal(e.status.in_reply_to_status_id)}}},[a("i",{staticClass:"icon-reply",on:{mouseenter:function(t){e.replyEnter(e.status.in_reply_to_status_id,t)},mouseout:function(t){e.replyLeave()}}})]):e._e()],1)]),e._v(" "),e.inConversation&&!e.noReplyLinks?a("h4",{staticClass:"replies"},[e.replies.length?a("small",[e._v("Replies:")]):e._e(),e._v(" "),e._l(e.replies,function(t){return a("small",{staticClass:"reply-link"},[a("a",{attrs:{href:"#"},on:{click:function(a){a.preventDefault(),e.gotoOriginal(t.id)},mouseenter:function(a){e.replyEnter(t.id,a)},mouseout:function(t){e.replyLeave()}}},[e._v(e._s(t.name)+" ")])])})],2):e._e()]),e._v(" "),a("div",{staticClass:"media-heading-right"},[a("router-link",{staticClass:"timeago",attrs:{to:{name:"conversation",params:{id:e.status.id}}}},[a("timeago",{attrs:{since:e.status.created_at,"auto-update":60}})],1),e._v(" "),e.status.visibility?a("span",[a("i",{class:e.visibilityIcon(e.status.visibility)})]):e._e(),e._v(" "),e.status.is_local?e._e():a("a",{staticClass:"source_url",attrs:{href:e.status.external_url,target:"_blank"}},[a("i",{staticClass:"icon-link-ext"})]),e._v(" "),e.expandable?[a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleExpanded(t)}}},[a("i",{staticClass:"icon-plus-squared"})])]:e._e(),e._v(" "),e.unmuted?a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleMute(t)}}},[a("i",{staticClass:"icon-eye-off"})]):e._e()],2)]),e._v(" "),e.showPreview?a("div",{staticClass:"status-preview-container"},[e.preview?a("status",{staticClass:"status-preview",attrs:{noReplyLinks:!0,statusoid:e.preview,compact:!0}}):a("div",{staticClass:"status-preview status-preview-loading"},[a("i",{staticClass:"icon-spin4 animate-spin"})])],1):e._e(),e._v(" "),a("div",{staticClass:"status-content-wrapper",class:{"tall-status":e.hideTallStatus}},[e.hideTallStatus?a("a",{staticClass:"tall-status-hider",class:{"tall-status-hider_focused":e.isFocused},attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleShowTall(t)}}},[e._v("Show more")]):e._e(),e._v(" "),a("div",{staticClass:"status-content media-body",domProps:{innerHTML:e._s(e.status.statusnet_html)},on:{click:function(t){t.preventDefault(),e.linkClicked(t)}}}),e._v(" "),e.showingTall?a("a",{staticClass:"tall-status-unhider",attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleShowTall(t)}}},[e._v("Show less")]):e._e()]),e._v(" "),e.status.attachments?a("div",{staticClass:"attachments media-body"},e._l(e.status.attachments,function(t){return a("attachment",{key:t.id,attrs:{size:e.attachmentSize,"status-id":e.status.id,nsfw:e.status.nsfw,attachment:t}})})):e._e(),e._v(" "),e.noHeading||e.noReplyLinks?e._e():a("div",{staticClass:"status-actions media-body"},[e.loggedIn?a("div",[a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.toggleReplying(t)}}},[a("i",{staticClass:"icon-reply",class:{"icon-reply-active":e.replying}})])]):e._e(),e._v(" "),a("retweet-button",{attrs:{loggedIn:e.loggedIn,status:e.status}}),e._v(" "),a("favorite-button",{attrs:{loggedIn:e.loggedIn,status:e.status}}),e._v(" "),a("delete-button",{attrs:{status:e.status}})],1)])]),e._v(" "),e.replying?a("div",{staticClass:"container"},[a("div",{staticClass:"reply-left"}),e._v(" "),a("post-status-form",{staticClass:"reply-body",attrs:{"reply-to":e.status.id,attentions:e.status.attentions,repliedUser:e.status.user,"message-scope":e.status.visibility},on:{posted:e.toggleReplying}})],1):e._e()]],2)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"instance-specific-panel"},[a("div",{staticClass:"panel panel-default"},[a("div",{staticClass:"panel-body"},[a("div",{domProps:{innerHTML:e._s(e.instanceSpecificPanelContent)}})])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("Timeline",{attrs:{title:e.$t("nav.timeline"),timeline:e.timeline,"timeline-name":"friends"}})},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"settings panel panel-default"},[a("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("settings.user_settings"))+"\n ")]),e._v(" "),a("div",{staticClass:"panel-body profile-edit"},[a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.name_bio")))]),e._v(" "),a("p",[e._v(e._s(e.$t("settings.name")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.newname,expression:"newname"}],staticClass:"name-changer",attrs:{id:"username"},domProps:{value:e.newname},on:{input:function(t){t.target.composing||(e.newname=t.target.value)}}}),e._v(" "),a("p",[e._v(e._s(e.$t("settings.bio")))]),e._v(" "),a("textarea",{directives:[{name:"model",rawName:"v-model",value:e.newbio,expression:"newbio"}],staticClass:"bio",domProps:{value:e.newbio},on:{input:function(t){t.target.composing||(e.newbio=t.target.value)}}}),e._v(" "),a("div",{staticClass:"setting-item"},[a("input",{directives:[{name:"model",rawName:"v-model",value:e.newlocked,expression:"newlocked"}],attrs:{type:"checkbox",id:"account-locked"},domProps:{checked:Array.isArray(e.newlocked)?e._i(e.newlocked,null)>-1:e.newlocked},on:{change:function(t){var a=e.newlocked,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.newlocked=a.concat([n])):o>-1&&(e.newlocked=a.slice(0,o).concat(a.slice(o+1)))}else e.newlocked=i}}}),e._v(" "),a("label",{attrs:{for:"account-locked"}},[e._v(e._s(e.$t("settings.lock_account_description")))])]),e._v(" "),a("button",{staticClass:"btn btn-default",attrs:{disabled:e.newname.length<=0},on:{click:e.updateProfile}},[e._v(e._s(e.$t("general.submit")))])]),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.avatar")))]),e._v(" "),a("p",[e._v(e._s(e.$t("settings.current_avatar")))]),e._v(" "),a("img",{staticClass:"old-avatar",attrs:{src:e.user.profile_image_url_original}}),e._v(" "),a("p",[e._v(e._s(e.$t("settings.set_new_avatar")))]),e._v(" "),e.previews[0]?a("img",{staticClass:"new-avatar",attrs:{src:e.previews[0]}}):e._e(),e._v(" "),a("div",[a("input",{attrs:{type:"file"},on:{change:function(t){e.uploadFile(0,t)}}})]),e._v(" "),e.uploading[0]?a("i",{staticClass:"icon-spin4 animate-spin"}):e.previews[0]?a("button",{staticClass:"btn btn-default",on:{click:e.submitAvatar}},[e._v(e._s(e.$t("general.submit")))]):e._e()]),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.profile_banner")))]),e._v(" "),a("p",[e._v(e._s(e.$t("settings.current_profile_banner")))]),e._v(" "),a("img",{staticClass:"banner",attrs:{src:e.user.cover_photo}}),e._v(" "),a("p",[e._v(e._s(e.$t("settings.set_new_profile_banner")))]),e._v(" "),e.previews[1]?a("img",{staticClass:"banner",attrs:{src:e.previews[1]}}):e._e(),e._v(" "),a("div",[a("input",{attrs:{type:"file"},on:{change:function(t){e.uploadFile(1,t)}}})]),e._v(" "),e.uploading[1]?a("i",{staticClass:" icon-spin4 animate-spin uploading"}):e.previews[1]?a("button",{staticClass:"btn btn-default",on:{click:e.submitBanner}},[e._v(e._s(e.$t("general.submit")))]):e._e()]),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.profile_background")))]),e._v(" "),a("p",[e._v(e._s(e.$t("settings.set_new_profile_background")))]),e._v(" "),e.previews[2]?a("img",{staticClass:"bg",attrs:{src:e.previews[2]}}):e._e(),e._v(" "),a("div",[a("input",{attrs:{type:"file"},on:{change:function(t){e.uploadFile(2,t)}}})]),e._v(" "),e.uploading[2]?a("i",{staticClass:" icon-spin4 animate-spin uploading"}):e.previews[2]?a("button",{staticClass:"btn btn-default",on:{click:e.submitBg}},[e._v(e._s(e.$t("general.submit")))]):e._e()]),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.change_password")))]),e._v(" "),a("div",[a("p",[e._v(e._s(e.$t("settings.current_password")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.changePasswordInputs[0],expression:"changePasswordInputs[0]"}],attrs:{type:"password"},domProps:{value:e.changePasswordInputs[0]},on:{input:function(t){t.target.composing||e.$set(e.changePasswordInputs,0,t.target.value)}}})]),e._v(" "),a("div",[a("p",[e._v(e._s(e.$t("settings.new_password")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.changePasswordInputs[1],expression:"changePasswordInputs[1]"}],attrs:{type:"password"},domProps:{value:e.changePasswordInputs[1]},on:{input:function(t){t.target.composing||e.$set(e.changePasswordInputs,1,t.target.value)}}})]),e._v(" "),a("div",[a("p",[e._v(e._s(e.$t("settings.confirm_new_password")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.changePasswordInputs[2],expression:"changePasswordInputs[2]"}],attrs:{type:"password"},domProps:{value:e.changePasswordInputs[2]},on:{input:function(t){t.target.composing||e.$set(e.changePasswordInputs,2,t.target.value)}}})]),e._v(" "),a("button",{staticClass:"btn btn-default",on:{click:e.changePassword}},[e._v(e._s(e.$t("general.submit")))]),e._v(" "),e.changedPassword?a("p",[e._v(e._s(e.$t("settings.changed_password")))]):e.changePasswordError!==!1?a("p",[e._v(e._s(e.$t("settings.change_password_error")))]):e._e(),e._v(" "),e.changePasswordError?a("p",[e._v(e._s(e.changePasswordError))]):e._e()]),e._v(" "),e.pleromaBackend?a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.follow_import")))]),e._v(" "),a("p",[e._v(e._s(e.$t("settings.import_followers_from_a_csv_file")))]),e._v(" "),a("form",{model:{value:e.followImportForm,callback:function(t){e.followImportForm=t},expression:"followImportForm"}},[a("input",{ref:"followlist",attrs:{type:"file"},on:{change:e.followListChange}})]),e._v(" "),e.uploading[3]?a("i",{staticClass:" icon-spin4 animate-spin uploading"}):a("button",{staticClass:"btn btn-default",on:{click:e.importFollows}},[e._v(e._s(e.$t("general.submit")))]),e._v(" "),e.followsImported?a("div",[a("i",{staticClass:"icon-cross",on:{click:e.dismissImported}}),e._v(" "),a("p",[e._v(e._s(e.$t("settings.follows_imported")))])]):e.followImportError?a("div",[a("i",{staticClass:"icon-cross",on:{click:e.dismissImported}}),e._v(" "),a("p",[e._v(e._s(e.$t("settings.follow_import_error")))])]):e._e()]):e._e(),e._v(" "),e.enableFollowsExport?a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.follow_export")))]),e._v(" "),a("button",{staticClass:"btn btn-default",on:{click:e.exportFollows}},[e._v(e._s(e.$t("settings.follow_export_button")))])]):a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.follow_export_processing")))])]),e._v(" "),a("hr"),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.delete_account")))]),e._v(" "),e.deletingAccount?e._e():a("p",[e._v(e._s(e.$t("settings.delete_account_description")))]),e._v(" "),e.deletingAccount?a("div",[a("p",[e._v(e._s(e.$t("settings.delete_account_instructions")))]),e._v(" "),a("p",[e._v(e._s(e.$t("login.password")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.deleteAccountConfirmPasswordInput,expression:"deleteAccountConfirmPasswordInput"}],attrs:{type:"password"},domProps:{value:e.deleteAccountConfirmPasswordInput},on:{input:function(t){t.target.composing||(e.deleteAccountConfirmPasswordInput=t.target.value)}}}),e._v(" "),a("button",{staticClass:"btn btn-default",on:{click:e.deleteAccount}},[e._v(e._s(e.$t("settings.delete_account")))])]):e._e(),e._v(" "),e.deleteAccountError!==!1?a("p",[e._v(e._s(e.$t("settings.delete_account_error")))]):e._e(),e._v(" "),e.deleteAccountError?a("p",[e._v(e._s(e.deleteAccountError))]):e._e(),e._v(" "),e.deletingAccount?e._e():a("button",{staticClass:"btn btn-default",on:{click:e.confirmDelete}},[e._v(e._s(e.$t("general.submit")))])])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return e.canDelete?a("div",[a("a",{attrs:{href:"#"},on:{click:function(t){t.preventDefault(),e.deleteStatus()}}},[a("i",{staticClass:"icon-cancel delete-status"})])]):e._e()},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",[a("div",[e._v(e._s(e.$t("settings.presets"))+"\n "),a("label",{staticClass:"select",attrs:{for:"style-switcher"}},[a("select",{directives:[{name:"model",rawName:"v-model",value:e.selected,expression:"selected"}],staticClass:"style-switcher",attrs:{id:"style-switcher"},on:{change:function(t){var a=Array.prototype.filter.call(t.target.options,function(e){return e.selected}).map(function(e){var t="_value"in e?e._value:e.value;return t});e.selected=t.target.multiple?a:a[0]}}},e._l(e.availableStyles,function(t){return a("option",{domProps:{value:t}},[e._v(e._s(t[0]))])})),e._v(" "),a("i",{staticClass:"icon-down-open"})])]),e._v(" "),a("div",{staticClass:"color-container"},[a("p",[e._v(e._s(e.$t("settings.theme_help")))]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"bgcolor"}},[e._v(e._s(e.$t("settings.background")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.bgColorLocal,expression:"bgColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"bgcolor",type:"color"},domProps:{value:e.bgColorLocal},on:{input:function(t){t.target.composing||(e.bgColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.bgColorLocal,expression:"bgColorLocal"}],staticClass:"theme-color-in",attrs:{id:"bgcolor-t",type:"text"},domProps:{value:e.bgColorLocal},on:{input:function(t){t.target.composing||(e.bgColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"fgcolor"}},[e._v(e._s(e.$t("settings.foreground")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.btnColorLocal,expression:"btnColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"fgcolor",type:"color"},domProps:{value:e.btnColorLocal},on:{input:function(t){t.target.composing||(e.btnColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.btnColorLocal,expression:"btnColorLocal"}],staticClass:"theme-color-in",attrs:{id:"fgcolor-t",type:"text"},domProps:{value:e.btnColorLocal},on:{input:function(t){t.target.composing||(e.btnColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"textcolor"}},[e._v(e._s(e.$t("settings.text")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.textColorLocal,expression:"textColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"textcolor",type:"color"},domProps:{value:e.textColorLocal},on:{input:function(t){t.target.composing||(e.textColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.textColorLocal,expression:"textColorLocal"}],staticClass:"theme-color-in",attrs:{id:"textcolor-t",type:"text"},domProps:{value:e.textColorLocal},on:{input:function(t){t.target.composing||(e.textColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"linkcolor"}},[e._v(e._s(e.$t("settings.links")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.linkColorLocal,expression:"linkColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"linkcolor",type:"color"},domProps:{value:e.linkColorLocal},on:{input:function(t){t.target.composing||(e.linkColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.linkColorLocal,expression:"linkColorLocal"}],staticClass:"theme-color-in",attrs:{id:"linkcolor-t",type:"text"},domProps:{value:e.linkColorLocal},on:{input:function(t){t.target.composing||(e.linkColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"redcolor"}},[e._v(e._s(e.$t("settings.cRed")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.redColorLocal,expression:"redColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"redcolor",type:"color"},domProps:{value:e.redColorLocal},on:{input:function(t){t.target.composing||(e.redColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.redColorLocal,expression:"redColorLocal"}],staticClass:"theme-color-in",attrs:{id:"redcolor-t",type:"text"},domProps:{value:e.redColorLocal},on:{input:function(t){t.target.composing||(e.redColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"bluecolor"}},[e._v(e._s(e.$t("settings.cBlue")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.blueColorLocal,expression:"blueColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"bluecolor",type:"color"},domProps:{value:e.blueColorLocal},on:{input:function(t){t.target.composing||(e.blueColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.blueColorLocal,expression:"blueColorLocal"}],staticClass:"theme-color-in",attrs:{id:"bluecolor-t",type:"text"},domProps:{value:e.blueColorLocal},on:{input:function(t){t.target.composing||(e.blueColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"greencolor"}},[e._v(e._s(e.$t("settings.cGreen")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.greenColorLocal,expression:"greenColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"greencolor",type:"color"},domProps:{value:e.greenColorLocal},on:{input:function(t){t.target.composing||(e.greenColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.greenColorLocal,expression:"greenColorLocal"}],staticClass:"theme-color-in",attrs:{id:"greencolor-t",type:"green"},domProps:{value:e.greenColorLocal},on:{input:function(t){t.target.composing||(e.greenColorLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"color-item"},[a("label",{staticClass:"theme-color-lb",attrs:{for:"orangecolor"}},[e._v(e._s(e.$t("settings.cOrange")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.orangeColorLocal,expression:"orangeColorLocal"}],staticClass:"theme-color-cl",attrs:{id:"orangecolor",type:"color"},domProps:{value:e.orangeColorLocal},on:{input:function(t){t.target.composing||(e.orangeColorLocal=t.target.value)}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.orangeColorLocal,expression:"orangeColorLocal"}],staticClass:"theme-color-in",attrs:{id:"orangecolor-t",type:"text"},domProps:{value:e.orangeColorLocal},on:{input:function(t){t.target.composing||(e.orangeColorLocal=t.target.value)}}})])]),e._v(" "),a("div",{staticClass:"radius-container"},[a("p",[e._v(e._s(e.$t("settings.radii_help")))]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"btnradius"}},[e._v(e._s(e.$t("settings.btnRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.btnRadiusLocal,expression:"btnRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"btnradius",type:"range",max:"16"},domProps:{value:e.btnRadiusLocal},on:{__r:function(t){e.btnRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.btnRadiusLocal,expression:"btnRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"btnradius-t",type:"text"},domProps:{value:e.btnRadiusLocal},on:{input:function(t){t.target.composing||(e.btnRadiusLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"inputradius"}},[e._v(e._s(e.$t("settings.inputRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.inputRadiusLocal,expression:"inputRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"inputradius",type:"range",max:"16"},domProps:{value:e.inputRadiusLocal},on:{__r:function(t){e.inputRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.inputRadiusLocal,expression:"inputRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"inputradius-t",type:"text"},domProps:{value:e.inputRadiusLocal},on:{input:function(t){t.target.composing||(e.inputRadiusLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"panelradius"}},[e._v(e._s(e.$t("settings.panelRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.panelRadiusLocal,expression:"panelRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"panelradius",type:"range",max:"50"},domProps:{value:e.panelRadiusLocal},on:{__r:function(t){e.panelRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.panelRadiusLocal,expression:"panelRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"panelradius-t",type:"text"},domProps:{value:e.panelRadiusLocal},on:{input:function(t){t.target.composing||(e.panelRadiusLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"avatarradius"}},[e._v(e._s(e.$t("settings.avatarRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarRadiusLocal,expression:"avatarRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"avatarradius",type:"range",max:"28"},domProps:{value:e.avatarRadiusLocal},on:{__r:function(t){e.avatarRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarRadiusLocal,expression:"avatarRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"avatarradius-t",type:"green"},domProps:{value:e.avatarRadiusLocal},on:{input:function(t){t.target.composing||(e.avatarRadiusLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"avataraltradius"}},[e._v(e._s(e.$t("settings.avatarAltRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarAltRadiusLocal,expression:"avatarAltRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"avataraltradius",type:"range",max:"28"},domProps:{value:e.avatarAltRadiusLocal},on:{__r:function(t){e.avatarAltRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.avatarAltRadiusLocal,expression:"avatarAltRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"avataraltradius-t",type:"text"},domProps:{value:e.avatarAltRadiusLocal},on:{input:function(t){t.target.composing||(e.avatarAltRadiusLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"attachmentradius"}},[e._v(e._s(e.$t("settings.attachmentRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.attachmentRadiusLocal,expression:"attachmentRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"attachmentrradius",type:"range",max:"50"},domProps:{value:e.attachmentRadiusLocal},on:{__r:function(t){e.attachmentRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.attachmentRadiusLocal,expression:"attachmentRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"attachmentradius-t",type:"text"},domProps:{value:e.attachmentRadiusLocal},on:{input:function(t){t.target.composing||(e.attachmentRadiusLocal=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"radius-item"},[a("label",{staticClass:"theme-radius-lb",attrs:{for:"tooltipradius"}},[e._v(e._s(e.$t("settings.tooltipRadius")))]),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.tooltipRadiusLocal,expression:"tooltipRadiusLocal"}],staticClass:"theme-radius-rn",attrs:{id:"tooltipradius",type:"range",max:"20"},domProps:{value:e.tooltipRadiusLocal},on:{__r:function(t){e.tooltipRadiusLocal=t.target.value}}}),e._v(" "),a("input",{directives:[{name:"model",rawName:"v-model",value:e.tooltipRadiusLocal,expression:"tooltipRadiusLocal"}],staticClass:"theme-radius-in",attrs:{id:"tooltipradius-t",type:"text"},domProps:{value:e.tooltipRadiusLocal},on:{input:function(t){t.target.composing||(e.tooltipRadiusLocal=t.target.value)}}})])]),e._v(" "),a("div",{style:{"--btnRadius":e.btnRadiusLocal+"px","--inputRadius":e.inputRadiusLocal+"px","--panelRadius":e.panelRadiusLocal+"px","--avatarRadius":e.avatarRadiusLocal+"px","--avatarAltRadius":e.avatarAltRadiusLocal+"px","--tooltipRadius":e.tooltipRadiusLocal+"px","--attachmentRadius":e.attachmentRadiusLocal+"px"}},[a("div",{staticClass:"panel dummy"},[a("div",{staticClass:"panel-heading",style:{"background-color":e.btnColorLocal,color:e.textColorLocal}},[e._v("Preview")]),e._v(" "),a("div",{staticClass:"panel-body theme-preview-content",style:{"background-color":e.bgColorLocal,color:e.textColorLocal}},[a("div",{staticClass:"avatar",style:{"border-radius":e.avatarRadiusLocal+"px"}},[e._v("\n ( ͡° ͜ʖ ͡°)\n ")]),e._v(" "),a("h4",[e._v("Content")]),e._v(" "),a("br"),e._v("\n A bunch of more content and\n "),a("a",{style:{color:e.linkColorLocal}},[e._v("a nice lil' link")]),e._v(" "),a("i",{staticClass:"icon-reply",style:{color:e.blueColorLocal}}),e._v(" "),a("i",{staticClass:"icon-retweet",style:{color:e.greenColorLocal}}),e._v(" "),a("i",{staticClass:"icon-cancel",style:{color:e.redColorLocal}}),e._v(" "),a("i",{staticClass:"icon-star",style:{color:e.orangeColorLocal}}),e._v(" "),a("br"),e._v(" "),a("button",{staticClass:"btn",style:{"background-color":e.btnColorLocal,color:e.textColorLocal}},[e._v("Button")])])])]),e._v(" "),a("button",{staticClass:"btn",on:{click:e.setCustomTheme}},[e._v(e._s(e.$t("general.apply")))])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return e.loggedIn?a("div",[a("i",{staticClass:"favorite-button fav-active",class:e.classes,on:{click:function(t){t.preventDefault(),e.favorite()}}}),e._v(" "),e.status.fave_num>0?a("span",[e._v(e._s(e.status.fave_num))]):e._e()]):a("div",[a("i",{staticClass:"favorite-button",class:e.classes}),e._v(" "),e.status.fave_num>0?a("span",[e._v(e._s(e.status.fave_num))]):e._e()])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"settings panel panel-default"},[a("div",{staticClass:"panel-heading"},[e._v("\n "+e._s(e.$t("settings.settings"))+"\n ")]),e._v(" "),a("div",{staticClass:"panel-body"},[a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.theme")))]),e._v(" "),a("style-switcher")],1),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.filtering")))]),e._v(" "),a("p",[e._v(e._s(e.$t("settings.filtering_explanation")))]),e._v(" "),a("textarea",{directives:[{name:"model",rawName:"v-model",value:e.muteWordsString,expression:"muteWordsString"}],attrs:{id:"muteWords"},domProps:{value:e.muteWordsString},on:{input:function(t){t.target.composing||(e.muteWordsString=t.target.value)}}})]),e._v(" "),a("div",{staticClass:"setting-item"},[a("h2",[e._v(e._s(e.$t("settings.attachments")))]),e._v(" "),a("ul",{staticClass:"setting-list"},[a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.hideAttachmentsLocal,expression:"hideAttachmentsLocal"}],attrs:{type:"checkbox",id:"hideAttachments"},domProps:{checked:Array.isArray(e.hideAttachmentsLocal)?e._i(e.hideAttachmentsLocal,null)>-1:e.hideAttachmentsLocal},on:{change:function(t){ -var a=e.hideAttachmentsLocal,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.hideAttachmentsLocal=a.concat([n])):o>-1&&(e.hideAttachmentsLocal=a.slice(0,o).concat(a.slice(o+1)))}else e.hideAttachmentsLocal=i}}}),e._v(" "),a("label",{attrs:{for:"hideAttachments"}},[e._v(e._s(e.$t("settings.hide_attachments_in_tl")))])]),e._v(" "),a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.hideAttachmentsInConvLocal,expression:"hideAttachmentsInConvLocal"}],attrs:{type:"checkbox",id:"hideAttachmentsInConv"},domProps:{checked:Array.isArray(e.hideAttachmentsInConvLocal)?e._i(e.hideAttachmentsInConvLocal,null)>-1:e.hideAttachmentsInConvLocal},on:{change:function(t){var a=e.hideAttachmentsInConvLocal,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.hideAttachmentsInConvLocal=a.concat([n])):o>-1&&(e.hideAttachmentsInConvLocal=a.slice(0,o).concat(a.slice(o+1)))}else e.hideAttachmentsInConvLocal=i}}}),e._v(" "),a("label",{attrs:{for:"hideAttachmentsInConv"}},[e._v(e._s(e.$t("settings.hide_attachments_in_convo")))])]),e._v(" "),a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.hideNsfwLocal,expression:"hideNsfwLocal"}],attrs:{type:"checkbox",id:"hideNsfw"},domProps:{checked:Array.isArray(e.hideNsfwLocal)?e._i(e.hideNsfwLocal,null)>-1:e.hideNsfwLocal},on:{change:function(t){var a=e.hideNsfwLocal,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.hideNsfwLocal=a.concat([n])):o>-1&&(e.hideNsfwLocal=a.slice(0,o).concat(a.slice(o+1)))}else e.hideNsfwLocal=i}}}),e._v(" "),a("label",{attrs:{for:"hideNsfw"}},[e._v(e._s(e.$t("settings.nsfw_clickthrough")))])]),e._v(" "),a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.autoLoadLocal,expression:"autoLoadLocal"}],attrs:{type:"checkbox",id:"autoload"},domProps:{checked:Array.isArray(e.autoLoadLocal)?e._i(e.autoLoadLocal,null)>-1:e.autoLoadLocal},on:{change:function(t){var a=e.autoLoadLocal,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.autoLoadLocal=a.concat([n])):o>-1&&(e.autoLoadLocal=a.slice(0,o).concat(a.slice(o+1)))}else e.autoLoadLocal=i}}}),e._v(" "),a("label",{attrs:{for:"autoload"}},[e._v(e._s(e.$t("settings.autoload")))])]),e._v(" "),a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.streamingLocal,expression:"streamingLocal"}],attrs:{type:"checkbox",id:"streaming"},domProps:{checked:Array.isArray(e.streamingLocal)?e._i(e.streamingLocal,null)>-1:e.streamingLocal},on:{change:function(t){var a=e.streamingLocal,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.streamingLocal=a.concat([n])):o>-1&&(e.streamingLocal=a.slice(0,o).concat(a.slice(o+1)))}else e.streamingLocal=i}}}),e._v(" "),a("label",{attrs:{for:"streaming"}},[e._v(e._s(e.$t("settings.streaming")))])]),e._v(" "),a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.hoverPreviewLocal,expression:"hoverPreviewLocal"}],attrs:{type:"checkbox",id:"hoverPreview"},domProps:{checked:Array.isArray(e.hoverPreviewLocal)?e._i(e.hoverPreviewLocal,null)>-1:e.hoverPreviewLocal},on:{change:function(t){var a=e.hoverPreviewLocal,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.hoverPreviewLocal=a.concat([n])):o>-1&&(e.hoverPreviewLocal=a.slice(0,o).concat(a.slice(o+1)))}else e.hoverPreviewLocal=i}}}),e._v(" "),a("label",{attrs:{for:"hoverPreview"}},[e._v(e._s(e.$t("settings.reply_link_preview")))])]),e._v(" "),a("li",[a("input",{directives:[{name:"model",rawName:"v-model",value:e.stopGifs,expression:"stopGifs"}],attrs:{type:"checkbox",id:"stopGifs"},domProps:{checked:Array.isArray(e.stopGifs)?e._i(e.stopGifs,null)>-1:e.stopGifs},on:{change:function(t){var a=e.stopGifs,s=t.target,i=!!s.checked;if(Array.isArray(a)){var n=null,o=e._i(a,n);s.checked?o<0&&(e.stopGifs=a.concat([n])):o>-1&&(e.stopGifs=a.slice(0,o).concat(a.slice(o+1)))}else e.stopGifs=i}}}),e._v(" "),a("label",{attrs:{for:"stopGifs"}},[e._v(e._s(e.$t("settings.stop_gifs")))])])])])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"nav-panel"},[a("div",{staticClass:"panel panel-default"},[a("ul",[e.currentUser?a("li",[a("router-link",{attrs:{to:"/main/friends"}},[e._v("\n "+e._s(e.$t("nav.timeline"))+"\n ")])],1):e._e(),e._v(" "),e.currentUser?a("li",[a("router-link",{attrs:{to:{name:"mentions",params:{username:e.currentUser.screen_name}}}},[e._v("\n "+e._s(e.$t("nav.mentions"))+"\n ")])],1):e._e(),e._v(" "),e.currentUser&&e.currentUser.locked?a("li",[a("router-link",{attrs:{to:"/friend-requests"}},[e._v("\n "+e._s(e.$t("nav.friend_requests"))+"\n ")])],1):e._e(),e._v(" "),a("li",[a("router-link",{attrs:{to:"/main/public"}},[e._v("\n "+e._s(e.$t("nav.public_tl"))+"\n ")])],1),e._v(" "),a("li",[a("router-link",{attrs:{to:"/main/all"}},[e._v("\n "+e._s(e.$t("nav.twkn"))+"\n ")])],1)])])])},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"who-to-follow-panel"},[a("div",{staticClass:"panel panel-default base01-background"},[e._m(0),e._v(" "),a("div",{staticClass:"panel-body who-to-follow"},[a("p",[a("img",{attrs:{src:e.img1}}),e._v(" "),a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.id1}}}},[e._v(e._s(e.name1))]),a("br"),e._v(" "),a("img",{attrs:{src:e.img2}}),e._v(" "),a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.id2}}}},[e._v(e._s(e.name2))]),a("br"),e._v(" "),a("img",{attrs:{src:e.img3}}),e._v(" "),a("router-link",{attrs:{to:{name:"user-profile",params:{id:e.id3}}}},[e._v(e._s(e.name3))]),a("br"),e._v(" "),a("img",{attrs:{src:e.$store.state.config.logo}}),e._v(" "),a("a",{attrs:{href:e.moreUrl,target:"_blank"}},[e._v("More")])],1)])])])},staticRenderFns:[function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"panel-heading timeline-heading base02-background base04"},[a("div",{staticClass:"title"},[e._v("\n Who to follow\n ")])])}]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"user-panel"},[e.user?a("div",{staticClass:"panel panel-default",staticStyle:{overflow:"visible"}},[a("user-card-content",{attrs:{user:e.user,switcher:!1,hideBio:!0}}),e._v(" "),a("div",{staticClass:"panel-footer"},[e.user?a("post-status-form"):e._e()],1)],1):e._e(),e._v(" "),e.user?e._e():a("login-form")],1)},staticRenderFns:[]}},function(e,t){e.exports={render:function(){var e=this,t=e.$createElement,a=e._self._c||t;return a("div",{staticClass:"card"},[a("a",{attrs:{href:"#"}},[a("img",{staticClass:"avatar",attrs:{src:e.user.profile_image_url},on:{click:function(t){t.preventDefault(),e.toggleUserExpanded(t)}}})]),e._v(" "),e.userExpanded?a("div",{staticClass:"usercard"},[a("user-card-content",{attrs:{user:e.user,switcher:!1}})],1):a("div",{staticClass:"name-and-screen-name"},[a("div",{staticClass:"user-name",attrs:{title:e.user.name}},[e._v("\n "+e._s(e.user.name)+"\n "),!e.userExpanded&&e.showFollows&&e.user.follows_you?a("span",{staticClass:"follows-you"},[e._v("\n "+e._s(e.$t("user_card.follows_you"))+"\n ")]):e._e()]),e._v(" "),a("a",{attrs:{href:e.user.statusnet_profile_url,target:"blank"}},[a("div",{staticClass:"user-screen-name"},[e._v("@"+e._s(e.user.screen_name))])])]),e._v(" "),e.showApproval?a("div",{staticClass:"approval"},[a("button",{staticClass:"btn btn-default",on:{click:e.approveUser}},[e._v(e._s(e.$t("user_card.approve")))]),e._v(" "),a("button",{staticClass:"btn btn-default",on:{click:e.denyUser}},[e._v(e._s(e.$t("user_card.deny")))])]):e._e()])},staticRenderFns:[]}}]); -//# sourceMappingURL=app.de965bb2a0a8bffbeafa.js.map \ No newline at end of file diff --git a/priv/static/static/js/app.de965bb2a0a8bffbeafa.js.map b/priv/static/static/js/app.de965bb2a0a8bffbeafa.js.map deleted file mode 100644 index c6af67cc7..000000000 --- a/priv/static/static/js/app.de965bb2a0a8bffbeafa.js.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"sources":["webpack:///static/js/app.de965bb2a0a8bffbeafa.js","webpack:///./src/main.js","webpack:///./src/components/timeline/timeline.vue","webpack:///./src/components/user_card_content/user_card_content.vue","webpack:///./src/services/api/api.service.js","webpack:///./src/components/status/status.vue","webpack:///./src/components/still-image/still-image.vue","webpack:///./src/services/color_convert/color_convert.js","webpack:///./src/modules/statuses.js","webpack:///./src/services/backend_interactor_service/backend_interactor_service.js","webpack:///./src/services/file_type/file_type.service.js","webpack:///./src/services/status_poster/status_poster.service.js","webpack:///./src/services/timeline_fetcher/timeline_fetcher.service.js","webpack:///./src/components/conversation/conversation.vue","webpack:///./src/components/post_status_form/post_status_form.vue","webpack:///./src/components/style_switcher/style_switcher.vue","webpack:///./src/components/user_card/user_card.vue","webpack:///./src/i18n/messages.js","webpack:///./src/lib/persisted_state.js","webpack:///./src/modules/api.js","webpack:///./src/modules/chat.js","webpack:///./src/modules/config.js","webpack:///./src/modules/users.js","webpack:///./src/services/completion/completion.js","webpack:///./src/services/style_setter/style_setter.js","webpack:///./src/App.js","webpack:///./src/components/attachment/attachment.js","webpack:///./src/components/chat_panel/chat_panel.js","webpack:///./src/components/conversation-page/conversation-page.js","webpack:///./src/components/conversation/conversation.js","webpack:///./src/components/delete_button/delete_button.js","webpack:///./src/components/favorite_button/favorite_button.js","webpack:///./src/components/follow_requests/follow_requests.js","webpack:///./src/components/friends_timeline/friends_timeline.js","webpack:///./src/components/instance_specific_panel/instance_specific_panel.js","webpack:///./src/components/login_form/login_form.js","webpack:///./src/components/media_upload/media_upload.js","webpack:///./src/components/mentions/mentions.js","webpack:///./src/components/nav_panel/nav_panel.js","webpack:///./src/components/notification/notification.js","webpack:///./src/components/notifications/notifications.js","webpack:///./src/components/post_status_form/post_status_form.js","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.js","webpack:///./src/components/public_timeline/public_timeline.js","webpack:///./src/components/registration/registration.js","webpack:///./src/components/retweet_button/retweet_button.js","webpack:///./src/components/settings/settings.js","webpack:///./src/components/status/status.js","webpack:///./src/components/status_or_conversation/status_or_conversation.js","webpack:///./src/components/still-image/still-image.js","webpack:///./src/components/style_switcher/style_switcher.js","webpack:///./src/components/tag_timeline/tag_timeline.js","webpack:///./src/components/timeline/timeline.js","webpack:///./src/components/user_card/user_card.js","webpack:///./src/components/user_card_content/user_card_content.js","webpack:///./src/components/user_finder/user_finder.js","webpack:///./src/components/user_panel/user_panel.js","webpack:///./src/components/user_profile/user_profile.js","webpack:///./src/components/user_settings/user_settings.js","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.js","webpack:///./static/timeago-en.json","webpack:///./static/timeago-ja.json","webpack:///./src/assets/nsfw.png","webpack:///./src/App.vue","webpack:///./src/components/attachment/attachment.vue","webpack:///./src/components/chat_panel/chat_panel.vue","webpack:///./src/components/conversation-page/conversation-page.vue","webpack:///./src/components/delete_button/delete_button.vue","webpack:///./src/components/favorite_button/favorite_button.vue","webpack:///./src/components/follow_requests/follow_requests.vue","webpack:///./src/components/friends_timeline/friends_timeline.vue","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue","webpack:///./src/components/login_form/login_form.vue","webpack:///./src/components/media_upload/media_upload.vue","webpack:///./src/components/mentions/mentions.vue","webpack:///./src/components/nav_panel/nav_panel.vue","webpack:///./src/components/notification/notification.vue","webpack:///./src/components/notifications/notifications.vue","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue","webpack:///./src/components/public_timeline/public_timeline.vue","webpack:///./src/components/registration/registration.vue","webpack:///./src/components/retweet_button/retweet_button.vue","webpack:///./src/components/settings/settings.vue","webpack:///./src/components/status_or_conversation/status_or_conversation.vue","webpack:///./src/components/tag_timeline/tag_timeline.vue","webpack:///./src/components/user_finder/user_finder.vue","webpack:///./src/components/user_panel/user_panel.vue","webpack:///./src/components/user_profile/user_profile.vue","webpack:///./src/components/user_settings/user_settings.vue","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue","webpack:///./src/components/notifications/notifications.vue?110d","webpack:///./src/components/user_card_content/user_card_content.vue?dc7c","webpack:///./src/components/timeline/timeline.vue?553c","webpack:///./src/components/follow_requests/follow_requests.vue?81fe","webpack:///./src/components/post_status_form/post_status_form.vue?6c54","webpack:///./src/components/conversation/conversation.vue?d3cb","webpack:///./src/components/tag_timeline/tag_timeline.vue?ba5d","webpack:///./src/components/retweet_button/retweet_button.vue?f246","webpack:///./src/components/mentions/mentions.vue?4c17","webpack:///./src/components/public_and_external_timeline/public_and_external_timeline.vue?f3ad","webpack:///./src/components/chat_panel/chat_panel.vue?b29f","webpack:///./src/components/user_finder/user_finder.vue?fdda","webpack:///./src/components/status_or_conversation/status_or_conversation.vue?6082","webpack:///./src/components/login_form/login_form.vue?bf4a","webpack:///./src/components/registration/registration.vue?0694","webpack:///./src/components/user_profile/user_profile.vue?0a18","webpack:///./src/components/attachment/attachment.vue?0a61","webpack:///./src/App.vue?ed72","webpack:///./src/components/media_upload/media_upload.vue?6fd6","webpack:///./src/components/public_timeline/public_timeline.vue?a42e","webpack:///./src/components/notification/notification.vue?a4a9","webpack:///./src/components/conversation-page/conversation-page.vue?e263","webpack:///./src/components/still-image/still-image.vue?29e1","webpack:///./src/components/status/status.vue?9dd7","webpack:///./src/components/instance_specific_panel/instance_specific_panel.vue?6986","webpack:///./src/components/friends_timeline/friends_timeline.vue?e2be","webpack:///./src/components/user_settings/user_settings.vue?b71a","webpack:///./src/components/delete_button/delete_button.vue?a06e","webpack:///./src/components/style_switcher/style_switcher.vue?7da7","webpack:///./src/components/favorite_button/favorite_button.vue?95b5","webpack:///./src/components/settings/settings.vue?8fb0","webpack:///./src/components/nav_panel/nav_panel.vue?2994","webpack:///./src/components/who_to_follow_panel/who_to_follow_panel.vue?b7e9","webpack:///./src/components/user_panel/user_panel.vue?cc0b","webpack:///./src/components/user_card/user_card.vue?91fc"],"names":["webpackJsonp","module","exports","__webpack_require__","_interopRequireDefault","obj","__esModule","default","_keys","_keys2","_vue","_vue2","_vueRouter","_vueRouter2","_vuex","_vuex2","_App","_App2","_public_timeline","_public_timeline2","_public_and_external_timeline","_public_and_external_timeline2","_friends_timeline","_friends_timeline2","_tag_timeline","_tag_timeline2","_conversationPage","_conversationPage2","_mentions","_mentions2","_user_profile","_user_profile2","_settings","_settings2","_registration","_registration2","_user_settings","_user_settings2","_follow_requests","_follow_requests2","_statuses","_statuses2","_users","_users2","_api","_api2","_config","_config2","_chat","_chat2","_vueTimeago","_vueTimeago2","_vueI18n","_vueI18n2","_persisted_state","_persisted_state2","_messages","_messages2","_vueChatScroll","_vueChatScroll2","currentLocale","window","navigator","language","split","use","locale","locales","en","ja","persistedStateOptions","paths","store","Store","modules","statuses","users","api","config","chat","plugins","strict","i18n","fallbackLocale","messages","fetch","then","res","json","data","_data$site","site","name","registrationClosed","closed","textlimit","dispatch","value","parseInt","theme","background","logo","showWhoToFollowPanel","whoToFollowProvider","whoToFollowLink","showInstanceSpecificPanel","scopeOptionsEnabled","routes","path","redirect","to","redirectRootLogin","redirectRootNoLogin","state","currentUser","component","meta","dontScroll","router","mode","scrollBehavior","from","savedPosition","matched","some","m","x","y","el","render","h","text","html","values","emoji","map","key","shortcode","image_url","failure","error","console","log","utf","Component","Object","defineProperty","_map2","_map3","_each2","_each3","LOGIN_URL","FRIENDS_TIMELINE_URL","ALL_FOLLOWING_URL","PUBLIC_TIMELINE_URL","PUBLIC_AND_EXTERNAL_TIMELINE_URL","TAG_TIMELINE_URL","FAVORITE_URL","UNFAVORITE_URL","RETWEET_URL","STATUS_UPDATE_URL","STATUS_DELETE_URL","STATUS_URL","MEDIA_UPLOAD_URL","CONVERSATION_URL","MENTIONS_URL","FOLLOWERS_URL","FRIENDS_URL","FOLLOWING_URL","UNFOLLOWING_URL","QVITTER_USER_PREF_URL","REGISTRATION_URL","AVATAR_UPDATE_URL","BG_UPDATE_URL","BANNER_UPDATE_URL","PROFILE_UPDATE_URL","EXTERNAL_PROFILE_URL","QVITTER_USER_TIMELINE_URL","BLOCKING_URL","UNBLOCKING_URL","USER_URL","FOLLOW_IMPORT_URL","DELETE_ACCOUNT_URL","CHANGE_PASSWORD_URL","FOLLOW_REQUESTS_URL","APPROVE_USER_URL","DENY_USER_URL","oldfetch","url","options","baseUrl","fullUrl","credentials","utoa","str","btoa","encodeURIComponent","replace","match","p1","String","fromCharCode","updateAvatar","_ref","params","form","FormData","append","headers","authHeaders","method","body","updateBg","_ref2","updateBanner","_ref3","updateProfile","_ref4","register","user","username","password","Authorization","externalProfile","_ref5","profileUrl","followUser","_ref6","id","unfollowUser","_ref7","blockUser","_ref8","unblockUser","_ref9","approveUser","_ref10","denyUser","_ref11","fetchUser","_ref12","fetchFriends","_ref13","fetchFollowers","_ref14","fetchAllFollowing","_ref15","fetchFollowRequests","_ref16","fetchConversation","_ref17","fetchStatus","_ref18","setUserMute","_ref19","_ref19$muted","muted","undefined","muteInteger","fetchTimeline","_ref20","timeline","_ref20$since","since","_ref20$until","until","_ref20$userId","userId","_ref20$tag","tag","timelineUrls","public","friends","mentions","publicAndExternal","push","queryString","param","join","verifyCredentials","favorite","_ref21","unfavorite","_ref22","retweet","_ref23","postStatus","_ref24","status","spoilerText","visibility","mediaIds","inReplyToStatusId","idsText","deleteStatus","_ref25","uploadMedia","_ref26","formData","response","DOMParser","parseFromString","followImport","_ref27","ok","deleteAccount","_ref28","changePassword","_ref29","newPassword","newPasswordConfirmation","fetchMutes","_ref30","apiService","rgbstr2hex","hex2rgb","rgb2hex","_slicedToArray2","_slicedToArray3","_map4","_map5","r","g","b","val","Math","ceil","toString","slice","hex","result","exec","rgb","Number","mutations","findMaxId","statusType","prepareStatus","defaultState","_set","_set2","_isArray2","_isArray3","_last2","_last3","_merge2","_merge3","_minBy2","_minBy3","_maxBy2","_maxBy3","_flatten2","_flatten3","_find2","_find3","_toInteger2","_toInteger3","_sortBy2","_sortBy3","_slice2","_slice3","_remove2","_remove3","_includes2","_includes3","_apiService","_apiService2","emptyTl","statusesObject","faves","visibleStatuses","visibleStatusesObject","newStatusCount","maxId","minVisibleId","loading","followers","viewing","flushMarker","allStatuses","allStatusesObject","notifications","favorites","timelines","isNsfw","nsfwRegex","tags","nsfw","retweeted_status","deleted","attachments","is_post_verb","uri","qvitter_delete_notice","mergeOrAdd","_len","arguments","length","args","Array","_key","arr","item","oldItem","splice","new","sortTimeline","addNewStatuses","_ref3$showImmediately","showImmediately","_ref3$user","_ref3$noIdUpdate","noIdUpdate","timelineObject","maxNew","older","addStatus","addToTimeline","addNotification","type","action","attentions","resultForCurrentTimeline","oldNotification","seen","Notification","permission","title","icon","profile_image_url","mimetype","startsWith","image","notification","setTimeout","close","bind","favoriteStatus","in_reply_to_status_id","fave_num","favorited","processors","retweetedStatus","s","has","add","follow","re","RegExp","statusnet_profile_url","repleroma","screen_name","deletion","unknown","processor","showNewStatuses","oldTimeline","clearTimeline","setFavorited","newStatus","setRetweeted","repeated","setDeleted","setLoading","setNsfw","setError","setProfileView","v","addFriends","addFollowers","markNotificationsAsSeen","queueFlush","actions","rootState","commit","_ref19$showImmediatel","_ref19$timeline","_ref19$noIdUpdate","_ref31","_timeline_fetcherService","_timeline_fetcherService2","backendInteractorService","startFetching","_ref7$userId","_ref8$muted","backendInteractorServiceInstance","fileType","typeString","fileTypeService","_ref$media","media","_ref$inReplyToStatusI","catch","err","message","xml","link","getElementsByTagName","mediaData","textContent","getAttribute","statusPosterService","_camelCase2","_camelCase3","update","ccTimeline","fetchAndUpdate","_ref2$timeline","_ref2$older","_ref2$showImmediately","_ref2$userId","_ref2$tag","timelineData","_ref3$timeline","_ref3$userId","_ref3$tag","boundFetchAndUpdate","setInterval","timelineFetcher","de","nav","public_tl","twkn","user_card","follows_you","following","blocked","block","mute","followees","per_day","remote_follow","show_new","error_fetching","up_to_date","load_older","conversation","collapse","settings","user_settings","name_bio","bio","avatar","current_avatar","set_new_avatar","profile_banner","current_profile_banner","set_new_profile_banner","profile_background","set_new_profile_background","presets","theme_help","radii_help","foreground","links","cBlue","cRed","cOrange","cGreen","btnRadius","inputRadius","panelRadius","avatarRadius","avatarAltRadius","tooltipRadius","attachmentRadius","filtering","filtering_explanation","hide_attachments_in_tl","hide_attachments_in_convo","nsfw_clickthrough","stop_gifs","autoload","streaming","reply_link_preview","follow_import","import_followers_from_a_csv_file","follows_imported","follow_import_error","delete_account","delete_account_description","delete_account_instructions","delete_account_error","follow_export","follow_export_processing","follow_export_button","change_password","current_password","new_password","confirm_new_password","changed_password","change_password_error","read","followed_you","favorited_you","repeated_you","login","placeholder","logout","registration","fullname","email","password_confirm","post_status","posting","finder","find_user","error_fetching_user","general","submit","apply","user_profile","timeline_title","fi","friend_requests","approve","deny","lock_account_description","content_warning","eo","et","hu","ro","fr","it","oc","pl","es","pt","ru","nb","he","createPersistedState","_ref$key","_ref$paths","_ref$getState","getState","storage","getItem","_ref$setState","setState","_throttle3","defaultSetState","_ref$reducer","reducer","defaultReducer","_ref$storage","defaultStorage","_ref$subscriber","subscriber","handler","subscribe","savedState","_typeof3","usersState","usersObject","replaceState","_lodash2","customTheme","themeLoaded","lastLoginName","loaded","e","mutation","_typeof2","_throttle2","_lodash","_objectPath","_objectPath2","_localforage","_localforage2","reduce","substate","set","get","setItem","_backend_interactor_service","_backend_interactor_service2","_phoenix","backendInteractor","fetchers","socket","chatDisabled","followRequests","setBackendInteractor","addFetcher","fetcher","removeFetcher","setSocket","setChatDisabled","setFollowRequests","stopFetching","clearInterval","initializeSocket","token","Socket","connect","disableChat","removeFollowRequest","request","requests","filter","channel","setChannel","addMessage","setMessages","initializeChat","on","msg","_style_setter","_style_setter2","colors","hideAttachments","hideAttachmentsInConv","hideNsfw","autoLoad","hoverPreview","muteWords","setOption","setPageTitle","option","document","setPreset","setColors","_promise","_promise2","_compact2","_compact3","setMuted","setCurrentUser","clearCurrentUser","beginLogin","loggingIn","endLogin","addNewUsers","setUserForStatus","retweetedUsers","loginUser","userCredentials","resolve","reject","mutedUsers","requestPermission","splitIntoWords","addPositionToWords","wordAtPosition","replaceWord","_reduce2","_reduce3","toReplace","replacement","start","end","pos","words","wordsWithPosition","word","previous","pop","regex","triggers","matches","completion","_entries","_entries2","_times2","_times3","_color_convert","setStyle","href","head","style","display","cssEl","createElement","setAttribute","appendChild","setDynamic","baseEl","n","toUpperCase","color","getComputedStyle","getPropertyValue","removeChild","styleEl","addEventListener","col","styleSheet","sheet","isDark","bg","radii","mod","lightBg","fg","btn","input","border","faint","lightFg","cAlertRed","insertRule","k","themes","bgRgb","fgRgb","textRgb","linkRgb","cRedRgb","cGreenRgb","cBlueRgb","cOrangeRgb","StyleSetter","_user_panel","_user_panel2","_nav_panel","_nav_panel2","_notifications","_notifications2","_user_finder","_user_finder2","_who_to_follow_panel","_who_to_follow_panel2","_instance_specific_panel","_instance_specific_panel2","_chat_panel","_chat_panel2","components","UserPanel","NavPanel","Notifications","UserFinder","WhoToFollowPanel","InstanceSpecificPanel","ChatPanel","mobileActivePanel","computed","this","$store","background_image","logoStyle","background-image","sitename","methods","activatePanel","panelName","scrollToTop","scrollTo","_stillImage","_stillImage2","_nsfw","_nsfw2","_file_typeService","_file_typeService2","Attachment","props","nsfwImage","hideNsfwLocal","showHidden","img","StillImage","attachment","hidden","isEmpty","oembed","isSmall","size","fullwidth","linkClicked","target","tagName","open","toggleHidden","_this","onload","src","chatPanel","currentMessage","collapsed","togglePanel","_conversation","_conversation2","conversationPage","Conversation","statusoid","$route","_filter2","_filter3","_status","_status2","sortAndFilterConversation","highlight","conversationId","statusnet_conversation_id","replies","i","irid","Status","created","watch","setHighlight","getReplies","focused","DeleteButton","confirmed","confirm","canDelete","rights","delete_others_notice","FavoriteButton","animated","classes","icon-star-empty","icon-star","animate-spin","_user_card","_user_card2","FollowRequests","UserCard","updateRequests","_timeline","_timeline2","FriendsTimeline","Timeline","instanceSpecificPanelContent","LoginForm","authError","registrationOpen","_status_posterService","_status_posterService2","mediaUpload","mounted","$el","querySelector","file","files","uploadFile","uploading","self","$emit","fileData","fileDrop","dataTransfer","preventDefault","fileDrag","types","contains","dropEffect","dropFiles","fileInfos","Mentions","_user_card_content","_user_card_content2","userExpanded","UserCardContent","toggleUserExpanded","_take2","_take3","_notification","_notification2","visibleNotificationCount","unseenNotifications","visibleNotifications","sortedNotifications","unseenCount","count","markAsSeen","_toConsumableArray2","_toConsumableArray3","_uniqBy2","_uniqBy3","_reject2","_reject3","_media_upload","_media_upload2","_completion","_completion2","buildMentionsString","allAttentions","unshift","attention","PostStatusForm","MediaUpload","resize","$refs","textarea","preset","query","statusText","replyTo","repliedUser","submitDisabled","highlighted","messageScope","caret","vis","selected","unlisted","private","direct","candidates","firstchar","textAtCaret","charAt","matchedUsers","index","profile_image_url_original","matchedEmoji","concat","customEmoji","wordAtCaret","statusLength","statusLengthLimit","hasStatusLengthLimit","charactersLeft","isOverLengthLimit","focus","replaceCandidate","len","ctrlKey","candidate","cycleBackward","cycleForward","shiftKey","setCaret","selectionStart","_this2","height","addMediaFile","fileInfo","enableSubmit","removeMediaFile","indexOf","disableSubmit","paste","clipboardData","vertPadding","substr","scrollHeight","clearError","changeVis","PublicAndExternalTimeline","destroyed","PublicTimeline","registering","$router","termsofservice","tos","nickname","RetweetButton","retweeted","_trim2","_trim3","_style_switcher","_style_switcher2","hideAttachmentsLocal","hideAttachmentsInConvLocal","muteWordsString","autoLoadLocal","streamingLocal","hoverPreviewLocal","stopGifs","StyleSwitcher","_attachment","_attachment2","_favorite_button","_favorite_button2","_retweet_button","_retweet_button2","_delete_button","_delete_button2","_post_status_form","_post_status_form2","replying","expanded","unmuted","preview","showPreview","showingTall","inConversation","retweeter","loggedIn","muteWordHits","toLowerCase","hits","muteWord","includes","isReply","isFocused","hideTallStatus","lengthScore","statusnet_html","attachmentSize","compact","visibilityIcon","parentNode","toggleReplying","gotoOriginal","toggleExpanded","toggleMute","toggleShowTall","replyEnter","event","targetId","replyLeave","rect","getBoundingClientRect","top","scrollBy","bottom","innerHeight","statusOrConversation","endsWith","onLoad","canvas","getContext","drawImage","width","availableStyles","bgColorLocal","btnColorLocal","textColorLocal","linkColorLocal","redColorLocal","blueColorLocal","greenColorLocal","orangeColorLocal","btnRadiusLocal","inputRadiusLocal","panelRadiusLocal","avatarRadiusLocal","avatarAltRadiusLocal","attachmentRadiusLocal","tooltipRadiusLocal","setCustomTheme","btnRgb","redRgb","blueRgb","greenRgb","orangeRgb","TagTimeline","_status_or_conversation","_status_or_conversation2","paused","timelineError","newStatusCountStr","StatusOrConversation","scrollLoad","timelineName","removeEventListener","fetchOlderStatuses","_this3","bodyBRect","max","offsetHeight","pageYOffset","headingStyle","tintColor","floor","cover_photo","backgroundColor","backgroundImage","isOtherUser","subscribeUrl","serverUrl","URL","protocol","host","dailyAvg","days","Date","created_at","round","statuses_count","followedUser","unfollowedUser","blockedUser","unblockedUser","switcher","findUser","dismissError","_login_form","_login_form2","UserProfile","_stringify","_stringify2","UserSettings","newname","newbio","description","newlocked","locked","followList","followImportError","followsImported","enableFollowsExport","previews","deletingAccount","deleteAccountConfirmPasswordInput","deleteAccountError","changePasswordInputs","changedPassword","changePasswordError","pleromaBackend","slot","reader","FileReader","$forceUpdate","readAsDataURL","submitAvatar","imginfo","Image","cropX","cropY","cropW","cropH","submitBanner","_this4","banner","offset_top","offset_left","clone","JSON","parse","submitBg","_this5","importFollows","_this6","exportPeople","filename","UserAddresses","is_local","location","hostname","fileToDownload","click","exportFollows","_this7","friendList","followListChange","followlist","dismissImported","confirmDelete","_this8","_this9","showWhoToFollow","panel","reply","aHost","aUser","cn","ids","random","to_id","img1","name1","externalUser","id1","img2","name2","id2","img3","name3","id3","getWhoToFollow","moreUrl","oldUser","p","_vm","_h","$createElement","_c","_self","staticClass","_v","_s","_e","$t","$event","_l","class","unseen","attrs","staticRenderFns","staticStyle","float","margin-top","domProps","statusnet_blocking","clickable","friends_count","followers_count","hideBio","follower","showFollows","friend","showApproval","directives","rawName","expression","composing","$set","ref","rows","keyup","_k","keyCode","keydown","metaKey","drop","dragover","position","drop-files","uploaded","upload-failed","disabled","controls","inlineExpanded","collapsable","expandable","goto","timeline-name","repeat_num","stopPropagation","author","for","innerHTML","user-id","_obj","small-attachment","small","referrerpolicy","large_thumb_url","loop","thumb_url","oembedHTML","mobile-hidden","!click","auto-update","noHeading","load","status-el_focused","status-conversation","noReplyLinks","font-weight","avatar-compact","in_reply_to_user_id","in_reply_to_screen_name","mouseenter","mouseout","external_url","tall-status","tall-status-hider_focused","status-id","icon-reply-active","reply-to","message-scope","posted","checked","isArray","_i","change","$$a","$$el","$$c","$$v","$$i","model","callback","followImportForm","$$selectedVal","prototype","call","o","_value","multiple","__r","--btnRadius","--inputRadius","--panelRadius","--avatarRadius","--avatarAltRadius","--tooltipRadius","--attachmentRadius","background-color","border-radius","_m","overflow"],"mappings":"AAAAA,cAAc,EAAE,IAEV,SAAUC,EAAQC,EAASC,GAEhC,YA0GA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAxGvF,GAAIG,GAAQL,EAAoB,KAE5BM,EAASL,EAAuBI,GCRrCE,EAAAP,EAAA,KDYKQ,EAAQP,EAAuBM,GCXpCE,EAAAT,EAAA,KDeKU,EAAcT,EAAuBQ,GCd1CE,EAAAX,EAAA,KDkBKY,EAASX,EAAuBU,GCjBrCE,EAAAb,EAAA,KDqBKc,EAAQb,EAAuBY,GCpBpCE,EAAAf,EAAA,KDwBKgB,EAAoBf,EAAuBc,GCvBhDE,EAAAjB,EAAA,KD2BKkB,EAAiCjB,EAAuBgB,GC1B7DE,EAAAnB,EAAA,KD8BKoB,EAAqBnB,EAAuBkB,GC7BjDE,EAAArB,EAAA,KDiCKsB,EAAiBrB,EAAuBoB,GChC7CE,EAAAvB,EAAA,KDoCKwB,EAAqBvB,EAAuBsB,GCnCjDE,EAAAzB,EAAA,KDuCK0B,EAAazB,EAAuBwB,GCtCzCE,EAAA3B,EAAA,KD0CK4B,EAAiB3B,EAAuB0B,GCzC7CE,EAAA7B,EAAA,KD6CK8B,EAAa7B,EAAuB4B,GC5CzCE,EAAA/B,EAAA,KDgDKgC,EAAiB/B,EAAuB8B,GC/C7CE,EAAAjC,EAAA,KDmDKkC,EAAkBjC,EAAuBgC,GClD9CE,EAAAnC,EAAA,KDsDKoC,EAAoBnC,EAAuBkC,GCpDhDE,EAAArC,EAAA,KDwDKsC,EAAarC,EAAuBoC,GCvDzCE,EAAAvC,EAAA,KD2DKwC,EAAUvC,EAAuBsC,GC1DtCE,EAAAzC,EAAA,KD8DK0C,EAAQzC,EAAuBwC,GC7DpCE,EAAA3C,EAAA,KDiEK4C,EAAW3C,EAAuB0C,GChEvCE,EAAA7C,EAAA,KDoEK8C,EAAS7C,EAAuB4C,GClErCE,EAAA/C,EAAA,KDsEKgD,EAAe/C,EAAuB8C,GCrE3CE,EAAAjD,EAAA,KDyEKkD,EAAYjD,EAAuBgD,GCvExCE,EAAAnD,EAAA,KD2EKoD,EAAoBnD,EAAuBkD,GCzEhDE,EAAArD,EAAA,KD6EKsD,EAAarD,EAAuBoD,GC3EzCE,GAAAvD,EAAA,KD+EKwD,GAAkBvD,EAAuBsD,IC7ExCE,IAAiBC,OAAOC,UAAUC,UAAY,MAAMC,MAAM,KAAK,EAErErD,GAAAJ,QAAI0D,IAAJlD,EAAAR,SACAI,EAAAJ,QAAI0D,IAAJpD,EAAAN,SACAI,EAAAJ,QAAI0D,IAAJd,EAAA5C,SACE2D,OAA0B,OAAlBN,GAAyB,KAAO,KACxCO,SACEC,GAAMjE,EAAQ,KACdkE,GAAMlE,EAAQ,QAGlBQ,EAAAJ,QAAI0D,IAAJZ,EAAA9C,SACAI,EAAAJ,QAAI0D,IAAJN,GAAApD,QAEA,IAAM+D,KACJC,OACE,yBACA,+BACA,kBACA,kBACA,sBACA,mBACA,mBACA,qBACA,wBAIEC,GAAQ,GAAIzD,GAAAR,QAAKkE,OACrBC,SACEC,mBACAC,gBACAC,cACAC,iBACAC,gBAEFC,UAAU,EAAAzB,EAAAhD,SAAqB+D,KAC/BW,QAAQ,IAIJC,GAAO,GAAA7B,GAAA9C,SACX2D,OAAQN,GACRuB,eAAgB,KAChBC,oBAGFvB,QAAOwB,MAAM,8BACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAACG,GAAS,GAAAC,GACwCD,EAAKE,KAApDC,EADOF,EACPE,KAAcC,EADPH,EACDI,OAA4BC,EAD3BL,EAC2BK,SAEzCvB,IAAMwB,SAAS,aAAeJ,KAAM,OAAQK,MAAOL,IACnDpB,GAAMwB,SAAS,aAAeJ,KAAM,mBAAoBK,MAA+B,MAAvBJ,IAChErB,GAAMwB,SAAS,aAAeJ,KAAM,YAAaK,MAAOC,SAASH,OAGrElC,OAAOwB,MAAM,uBACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAACG,GAAS,GACPU,GAAuIV,EAAvIU,MAAOC,EAAgIX,EAAhIW,WAAYC,EAAoHZ,EAApHY,KAAMC,EAA8Gb,EAA9Ga,qBAAsBC,EAAwFd,EAAxFc,oBAAqBC,EAAmEf,EAAnEe,gBAAiBC,EAAkDhB,EAAlDgB,0BAA2BC,EAAuBjB,EAAvBiB,mBACvHlC,IAAMwB,SAAS,aAAeJ,KAAM,QAASK,MAAOE,IACpD3B,GAAMwB,SAAS,aAAeJ,KAAM,aAAcK,MAAOG,IACzD5B,GAAMwB,SAAS,aAAeJ,KAAM,OAAQK,MAAOI,IACnD7B,GAAMwB,SAAS,aAAeJ,KAAM,uBAAwBK,MAAOK,IACnE9B,GAAMwB,SAAS,aAAeJ,KAAM,sBAAuBK,MAAOM,IAClE/B,GAAMwB,SAAS,aAAeJ,KAAM,kBAAmBK,MAAOO,IAC9DhC,GAAMwB,SAAS,aAAeJ,KAAM,4BAA6BK,MAAOQ,IACxEjC,GAAMwB,SAAS,aAAeJ,KAAM,sBAAuBK,MAAOS,IAC9DjB,EAAA,cACFjB,GAAMwB,SAAS,cAGjB,IAAMW,KACFf,KAAM,OACNgB,KAAM,IACNC,SAAU,SAAAC,GACR,GAAIC,GAAoBtB,EAAA,kBACpBuB,EAAsBvB,EAAA,mBAC1B,QAAQjB,GAAMyC,MAAMrC,MAAMsC,YAAcH,EAAoBC,IAAwB,eAEtFJ,KAAM,YAAaO,sBACnBP,KAAM,eAAgBO,sBACtBP,KAAM,gBAAiBO,sBACvBP,KAAM,YAAaO,sBACnBvB,KAAM,eAAgBgB,KAAM,cAAeO,oBAA6BC,MAAQC,YAAY,KAC5FzB,KAAM,eAAgBgB,KAAM,aAAcO,sBAC1CvB,KAAM,WAAYgB,KAAM,sBAAuBO,sBAC/CvB,KAAM,WAAYgB,KAAM,YAAaO,sBACrCvB,KAAM,eAAgBgB,KAAM,gBAAiBO,sBAC7CvB,KAAM,kBAAmBgB,KAAM,mBAAoBO,sBACnDvB,KAAM,gBAAiBgB,KAAM,iBAAkBO,sBAG7CG,EAAS,GAAAzG,GAAAN,SACbgH,KAAM,UACNZ,SACAa,eAAgB,SAACV,EAAIW,EAAMC,GACzB,OAAIZ,EAAGa,QAAQC,KAAK,SAAAC,GAAA,MAAKA,GAAET,KAAKC,eAGzBK,IAAmBI,EAAG,EAAGC,EAAG,MAKvC,IAAApH,GAAAJ,SACE+G,SACA9C,SACAU,QACA8C,GAAI,OACJC,OAAQ,SAAAC,GAAA,MAAKA,mBAInBrE,OAAOwB,MAAM,iCACVC,KAAK,SAACC,GAAD,MAASA,GAAI4C,SAClB7C,KAAK,SAAC8C,GACL5D,GAAMwB,SAAS,aAAeJ,KAAM,MAAOK,MAAOmC,MAGtDvE,OAAOwB,MAAM,2BACVC,KACC,SAACC,GAAD,MAASA,GAAIC,OACVF,KACC,SAAC+C,GACC,GAAMC,IAAQ,EAAA7H,EAAAF,SAAY8H,GAAQE,IAAI,SAACC,GACrC,OAASC,UAAWD,EAAKE,UAAWL,EAAOG,KAE7ChE,IAAMwB,SAAS,aAAeJ,KAAM,cAAeK,MAAOqC,IAC1D9D,GAAMwB,SAAS,aAAeJ,KAAM,iBAAkBK,OAAO,KAE/D,SAAC0C,GACCnE,GAAMwB,SAAS,aAAeJ,KAAM,iBAAkBK,OAAO,OAGnE,SAAC2C,GAAD,MAAWC,SAAQC,IAAIF,KAG3B/E,OAAOwB,MAAM,sBACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAAC+C,GACL,GAAMC,IAAQ,EAAA7H,EAAAF,SAAY8H,GAAQE,IAAI,SAACC,GACrC,OAASC,UAAWD,EAAKE,WAAW,EAAOK,IAAOV,EAAOG,KAE3DhE,IAAMwB,SAAS,aAAeJ,KAAM,QAASK,MAAOqC,MAGxDzE,OAAOwB,MAAM,wBACVC,KAAK,SAACC,GAAD,MAASA,GAAI4C,SAClB7C,KAAK,SAAC8C,GACL5D,GAAMwB,SAAS,aAAeJ,KAAM,+BAAgCK,MAAOmC,ODuExE,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACC,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUnI,EAAQC,EAASC,GEvRjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SF+RQ,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUD,EAAQC,EAASC,GG3TjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SHoUM,SAAUD,EAAQC,EAASC,GAEhC,YAgBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAdvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIkD,GAAQhJ,EAAoB,IAE5BiJ,EAAQhJ,EAAuB+I,GAE/BE,EAASlJ,EAAoB,IAE7BmJ,EAASlJ,EAAuBiJ,EI1TrClJ,GAAA,IAtCA,IAAMoJ,GAAY,uCACZC,EAAuB,sCACvBC,EAAoB,4BACpBC,EAAsB,qCACtBC,EAAmC,kDACnCC,EAAmB,+BACnBC,EAAe,wBACfC,EAAiB,yBACjBC,EAAc,wBACdC,EAAoB,4BACpBC,EAAoB,wBACpBC,EAAa,qBACbC,EAAmB,8BACnBC,EAAmB,8BACnBC,EAAe,8BACfC,EAAgB,+BAChBC,EAAc,6BACdC,EAAgB,+BAChBC,EAAkB,gCAClBC,EAAwB,qCACxBC,EAAmB,6BACnBC,EAAoB,kCACpBC,EAAgB,4CAChBC,EAAoB,0CACpBC,EAAqB,mCACrBC,EAAuB,iCACvBC,EAA4B,2CAC5BC,EAAe,0BACfC,EAAiB,2BACjBC,EAAW,uBACXC,EAAoB,6BACpBC,EAAqB,8BACrBC,EAAsB,+BACtBC,EAAsB,+BACtBC,EAAmB,mCACnBC,EAAgB,gCAKhBC,EAAW9H,OAAOwB,MAEpBA,EAAQ,SAACuG,EAAKC,GAChBA,EAAUA,KACV,IAAMC,GAAU,GACVC,EAAUD,EAAUF,CAE1B,OADAC,GAAQG,YAAc,cACfL,EAASI,EAASF,IAIvBI,EAAO,SAACC,GAIV,MAAOC,MAAKC,mBAAmBF,GAClBG,QAAQ,kBACA,SAACC,EAAOC,GAAS,MAAOC,QAAOC,aAAa,KAAOF,OASpEG,EAAe,SAAAC,GAA2B,GAAzBX,GAAyBW,EAAzBX,YAAaY,EAAYD,EAAZC,OAC9BhB,EAAMhB,EAEJiC,EAAO,GAAIC,SAOjB,QALA,EAAAxD,EAAA/I,SAAKqM,EAAQ,SAAC3G,EAAOuC,GACfvC,GACF4G,EAAKE,OAAOvE,EAAKvC,KAGdZ,EAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLvH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB4H,EAAW,SAAAC,GAA2B,GAAzBrB,GAAyBqB,EAAzBrB,YAAaY,EAAYS,EAAZT,OAC1BhB,EAAMf,EAEJgC,EAAO,GAAIC,SAOjB,QALA,EAAAxD,EAAA/I,SAAKqM,EAAQ,SAAC3G,EAAOuC,GACfvC,GACF4G,EAAKE,OAAOvE,EAAKvC,KAGdZ,EAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLvH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UASnB8H,EAAe,SAAAC,GAA2B,GAAzBvB,GAAyBuB,EAAzBvB,YAAaY,EAAYW,EAAZX,OAC9BhB,EAAMd,EAEJ+B,EAAO,GAAIC,SAOjB,QALA,EAAAxD,EAAA/I,SAAKqM,EAAQ,SAAC3G,EAAOuC,GACfvC,GACF4G,EAAKE,OAAOvE,EAAKvC,KAGdZ,EAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLvH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAQnBgI,EAAgB,SAAAC,GAA2B,GAAzBzB,GAAyByB,EAAzBzB,YAAaY,EAAYa,EAAZb,OAC/BhB,EAAMb,CAEVlC,SAAQC,IAAI8D,EAEZ,IAAMC,GAAO,GAAIC,SAQjB,QANA,EAAAxD,EAAA/I,SAAKqM,EAAQ,SAAC3G,EAAOuC,IAEP,gBAARA,GAAiC,WAARA,GAAoBvC,IAC/C4G,EAAKE,OAAOvE,EAAKvC,KAGdZ,EAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLvH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAcnBkI,EAAW,SAACd,GAChB,GAAMC,GAAO,GAAIC,SAQjB,QANA,EAAAxD,EAAA/I,SAAKqM,EAAQ,SAAC3G,EAAOuC,GACfvC,GACF4G,EAAKE,OAAOvE,EAAKvC,KAIdZ,EAAMsF,GACXuC,OAAQ,OACRC,KAAMN,KAIJI,EAAc,SAACU,GACnB,MAAIA,IAAQA,EAAKC,UAAYD,EAAKE,UACvBC,cAAA,SAA0B7B,EAAQ0B,EAAKC,SAAb,IAAyBD,EAAKE,eAM/DE,EAAkB,SAAAC,GAA+B,GAA7BC,GAA6BD,EAA7BC,WAAYjC,EAAiBgC,EAAjBhC,YAChCJ,EAASZ,EAAT,eAA4CiD,CAChD,OAAO5I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,QACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB0I,GAAa,SAAAC,GAAuB,GAArBC,GAAqBD,EAArBC,GAAIpC,EAAiBmC,EAAjBnC,YACnBJ,EAASpB,EAAT,YAAkC4D,CACtC,OAAO/I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB6I,GAAe,SAAAC,GAAuB,GAArBF,GAAqBE,EAArBF,GAAIpC,EAAiBsC,EAAjBtC,YACrBJ,EAASnB,EAAT,YAAoC2D,CACxC,OAAO/I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB+I,GAAY,SAAAC,GAAuB,GAArBJ,GAAqBI,EAArBJ,GAAIpC,EAAiBwC,EAAjBxC,YAClBJ,EAASV,EAAT,YAAiCkD,CACrC,OAAO/I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBiJ,GAAc,SAAAC,GAAuB,GAArBN,GAAqBM,EAArBN,GAAIpC,EAAiB0C,EAAjB1C,YACpBJ,EAAST,EAAT,YAAmCiD,CACvC,OAAO/I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBmJ,GAAc,SAAAC,GAAuB,GAArBR,GAAqBQ,EAArBR,GAAIpC,EAAiB4C,EAAjB5C,YACpBJ,EAASH,EAAT,YAAqC2C,CACzC,OAAO/I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBqJ,GAAW,SAAAC,GAAuB,GAArBV,GAAqBU,EAArBV,GAAIpC,EAAiB8C,EAAjB9C,YACjBJ,EAASF,EAAT,YAAkC0C,CACtC,OAAO/I,GAAMuG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACP5H,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBuJ,GAAY,SAAAC,GAAuB,GAArBZ,GAAqBY,EAArBZ,GAAIpC,EAAiBgD,EAAjBhD,YAClBJ,EAASR,EAAT,YAA6BgD,CACjC,OAAO/I,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnByJ,GAAe,SAAAC,GAAuB,GAArBd,GAAqBc,EAArBd,GAAIpC,EAAiBkD,EAAjBlD,YACrBJ,EAASrB,EAAT,YAAgC6D,CACpC,OAAO/I,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB2J,GAAiB,SAAAC,GAAuB,GAArBhB,GAAqBgB,EAArBhB,GAAIpC,EAAiBoD,EAAjBpD,YACvBJ,EAAStB,EAAT,YAAkC8D,CACtC,OAAO/I,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB6J,GAAoB,SAAAC,GAA6B,GAA3B1B,GAA2B0B,EAA3B1B,SAAU5B,EAAiBsD,EAAjBtD,YAC9BJ,EAASnC,EAAT,IAA8BmE,EAA9B,OACN,OAAOvI,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB+J,GAAsB,SAAAC,GAAmB,GAAjBxD,GAAiBwD,EAAjBxD,YACtBJ,EAAMJ,CACZ,OAAOnG,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBiK,GAAoB,SAAAC,GAAuB,GAArBtB,GAAqBsB,EAArBtB,GAAIpC,EAAiB0D,EAAjB1D,YAC1BJ,EAASxB,EAAT,IAA6BgE,EAA7B,iBACJ,OAAO/I,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBmK,GAAc,SAAAC,GAAuB,GAArBxB,GAAqBwB,EAArBxB,GAAIpC,EAAiB4D,EAAjB5D,YACpBJ,EAAS1B,EAAT,IAAuBkE,EAAvB,OACJ,OAAO/I,GAAMuG,GAAOoB,QAASC,EAAYjB,KACtC1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBqK,GAAc,SAAAC,GAAqC,GAAnC1B,GAAmC0B,EAAnC1B,GAAIpC,EAA+B8D,EAA/B9D,YAA+B+D,EAAAD,EAAlBE,QAAkBC,SAAAF,KACjDlD,EAAO,GAAIC,UAEXoD,EAAcF,EAAQ,EAAI,CAMhC,OAJAnD,GAAKE,OAAO,YAAa,WACzBF,EAAKE,OAAO,OAAQmD,GACpBrD,EAAKE,OAAO,QAAZ,QAA6BqB,GAEtB/I,EAAMqF,GACXwC,OAAQ,OACRF,QAASC,EAAYjB,GACrBmB,KAAMN,KAIJsD,GAAgB,SAAAC,GAAwF,GAAtFC,GAAsFD,EAAtFC,SAAUrE,EAA4EoE,EAA5EpE,YAA4EsE,EAAAF,EAA/DG,QAA+DN,SAAAK,KAAAE,EAAAJ,EAAhDK,QAAgDR,SAAAO,KAAAE,EAAAN,EAAjCO,SAAiCV,SAAAS,KAAAE,EAAAR,EAAjBS,MAAiBZ,SAAAW,KACtGE,GACJC,OAAQrH,EACRsH,QAASxH,EACTyH,SAAU5G,EACV6G,kBAAqBvH,EACrBgE,KAAM1C,EACN4F,IAAKjH,GAGHgC,EAAMkF,EAAaT,GAEnBzD,IAEA2D,IACF3D,EAAOuE,MAAM,WAAYZ,IAEvBE,GACF7D,EAAOuE,MAAM,SAAUV,IAErBE,GACF/D,EAAOuE,MAAM,UAAWR,IAEtBE,IACFjF,OAAWiF,EAAX,SAGFjE,EAAOuE,MAAM,QAAS,IAEtB,IAAMC,IAAc,EAAAhI,EAAA7I,SAAIqM,EAAQ,SAACyE,GAAD,MAAcA,GAAM,GAApB,IAA0BA,EAAM,KAAMC,KAAK,IAG3E,OAFA1F,QAAWwF,EAEJ/L,EAAMuG,GAAOoB,QAASC,EAAYjB,KAAgB1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGzE+L,GAAoB,SAAC5D,GACzB,MAAOtI,GAAMkE,GACX2D,OAAQ,OACRF,QAASC,EAAYU,MAInB6D,GAAW,SAAAC,GAAyB,GAAtBrD,GAAsBqD,EAAtBrD,GAAIpC,EAAkByF,EAAlBzF,WACtB,OAAO3G,GAASwE,EAAT,IAAyBuE,EAAzB,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAINwE,GAAa,SAAAC,GAAyB,GAAtBvD,GAAsBuD,EAAtBvD,GAAIpC,EAAkB2F,EAAlB3F,WACxB,OAAO3G,GAASyE,EAAT,IAA2BsE,EAA3B,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAIN0E,GAAU,SAAAC,GAAyB,GAAtBzD,GAAsByD,EAAtBzD,GAAIpC,EAAkB6F,EAAlB7F,WACrB,OAAO3G,GAAS0E,EAAT,IAAwBqE,EAAxB,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAIN4E,GAAa,SAAAC,GAAiF,GAA/E/F,GAA+E+F,EAA/E/F,YAAagG,EAAkED,EAAlEC,OAAQC,EAA0DF,EAA1DE,YAAaC,EAA6CH,EAA7CG,WAAYC,EAAiCJ,EAAjCI,SAAUC,EAAuBL,EAAvBK,kBACrEC,EAAUF,EAASb,KAAK,KACxBzE,EAAO,GAAIC,SAWjB,OATAD,GAAKE,OAAO,SAAUiF,GACtBnF,EAAKE,OAAO,SAAU,cAClBkF,GAAapF,EAAKE,OAAO,eAAgBkF,GACzCC,GAAYrF,EAAKE,OAAO,aAAcmF,GAC1CrF,EAAKE,OAAO,YAAasF,GACrBD,GACFvF,EAAKE,OAAO,wBAAyBqF,GAGhC/M,EAAM2E,GACXmD,KAAMN,EACNK,OAAQ,OACRF,QAASC,EAAYjB,MAInBsG,GAAe,SAAAC,GAAyB,GAAtBnE,GAAsBmE,EAAtBnE,GAAIpC,EAAkBuG,EAAlBvG,WAC1B,OAAO3G,GAAS4E,EAAT,IAA8BmE,EAA9B,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAINsF,GAAc,SAAAC,GAA6B,GAA3BC,GAA2BD,EAA3BC,SAAU1G,EAAiByG,EAAjBzG,WAC9B,OAAO3G,GAAM8E,GACXgD,KAAMuF,EACNxF,OAAQ,OACRF,QAASC,EAAYjB,KAEpB1G,KAAK,SAACqN,GAAD,MAAcA,GAASxK,SAC5B7C,KAAK,SAAC6C,GAAD,OAAW,GAAIyK,YAAaC,gBAAgB1K,EAAM,sBAGtD2K,GAAe,SAAAC,GAA2B,GAAzBnG,GAAyBmG,EAAzBnG,OAAQZ,EAAiB+G,EAAjB/G,WAC7B,OAAO3G,GAAMgG,GACX8B,KAAMP,EACNM,OAAQ,OACRF,QAASC,EAAYjB,KAEpB1G,KAAK,SAACqN,GAAD,MAAcA,GAASK,MAG3BC,GAAgB,SAAAC,GAA6B,GAA3BlH,GAA2BkH,EAA3BlH,YAAa6B,EAAcqF,EAAdrF,SAC7BhB,EAAO,GAAIC,SAIjB,OAFAD,GAAKE,OAAO,WAAYc,GAEjBxI,EAAMiG,GACX6B,KAAMN,EACNK,OAAQ,OACRF,QAASC,EAAYjB,KAEpB1G,KAAK,SAACqN,GAAD,MAAcA,GAASnN,UAG3B2N,GAAiB,SAAAC,GAAmE,GAAjEpH,GAAiEoH,EAAjEpH,YAAa6B,EAAoDuF,EAApDvF,SAAUwF,EAA0CD,EAA1CC,YAAaC,EAA6BF,EAA7BE,wBACrDzG,EAAO,GAAIC,SAMjB,OAJAD,GAAKE,OAAO,WAAYc,GACxBhB,EAAKE,OAAO,eAAgBsG,GAC5BxG,EAAKE,OAAO,4BAA6BuG,GAElCjO,EAAMkG,GACX4B,KAAMN,EACNK,OAAQ,OACRF,QAASC,EAAYjB,KAEpB1G,KAAK,SAACqN,GAAD,MAAcA,GAASnN,UAG3B+N,GAAa,SAAAC,GAAmB,GAAjBxH,GAAiBwH,EAAjBxH,YACbJ,EAAM,yBAEZ,OAAOvG,GAAMuG,GACXoB,QAASC,EAAYjB,KACpB1G,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBiO,IACJlC,qBACApB,iBACAV,qBACAE,eACAV,gBACAE,kBACAjB,cACAG,gBACAE,aACAE,eACAM,aACAyC,YACAE,cACAE,WACAE,cACAQ,gBACAE,eACAnD,qBACAQ,eACA0D,cACA7F,WACAhB,eACAU,WACAI,gBACAF,eACAS,kBACA+E,gBACAG,iBACAE,kBACA5D,uBACAZ,eACAE,YJqdD3O,GAAQK,QIldMkT,IJqdP,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUxT,EAAQC,EAASC,GKp8BjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SL68BM,SAAUD,EAAQC,EAASC,GM19BjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SNm+BM,SAAUD,EAAQC,EAASC,GAEhC,YAeA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAbvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,IAET/F,EAAQwT,WAAaxT,EAAQyT,QAAUzT,EAAQ0T,QAAU3D,MAEzD,IAAI4D,GAAkB1T,EAAoB,KAEtC2T,EAAkB1T,EAAuByT,GAEzCE,EAAQ5T,EAAoB,IAE5B6T,EAAQ5T,EAAuB2T,GO//B9BH,EAAU,SAACK,EAAGC,EAAGC,GAAM,GAAAhL,IACf,EAAA6K,EAAAzT,UAAK0T,EAAGC,EAAGC,GAAI,SAACC,GAI1B,MAHAA,GAAMC,KAAKC,KAAKF,GAChBA,EAAMA,EAAM,EAAI,EAAIA,EACpBA,EAAMA,EAAM,IAAM,IAAMA,IAJChL,GAAA,EAAA0K,EAAAvT,SAAA4I,EAAA,EAO3B,OANC8K,GAD0B7K,EAAA,GACvB8K,EADuB9K,EAAA,GACpB+K,EADoB/K,EAAA,GAO3B,MAAa,GAAK,KAAO6K,GAAK,KAAOC,GAAK,GAAKC,GAAGI,SAAS,IAAIC,MAAM,IAGjEb,EAAU,SAACc,GACf,GAAMC,GAAS,4CAA4CC,KAAKF,EAChE,OAAOC,IACLT,EAAG/N,SAASwO,EAAO,GAAI,IACvBR,EAAGhO,SAASwO,EAAO,GAAI,IACvBP,EAAGjO,SAASwO,EAAO,GAAI,KACrB,MAGAhB,EAAa,SAACkB,GAClB,MAAe,MAAXA,EAAI,GACCA,GAETA,EAAMA,EAAItI,MAAM,QAChB,MAAauI,OAAOD,EAAI,KAAO,KAAOC,OAAOD,EAAI,KAAO,GAAKC,OAAOD,EAAI,KAAKL,SAAS,KP6gCvFrU,GOzgCC0T,UP0gCD1T,EOzgCCyT,UP0gCDzT,EOzgCCwT,cP4gCM,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACC,CACA,CACA,CAEH,SAAUzT,EAAQC,EAASC,GAEhC,YAmEA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAjEvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,IAET/F,EAAQ4U,UAAY5U,EAAQ6U,UAAY7U,EAAQ8U,WAAa9U,EAAQ+U,cAAgB/U,EAAQgV,aAAejF,MAE5G,IAAIkF,GAAOhV,EAAoB,KAE3BiV,EAAQhV,EAAuB+U,GAE/BE,EAAYlV,EAAoB,GAEhCmV,EAAYlV,EAAuBiV,GAEnCE,EAASpV,EAAoB,KAE7BqV,EAASpV,EAAuBmV,GAEhCE,EAAUtV,EAAoB,KAE9BuV,EAAUtV,EAAuBqV,GAEjCE,EAAUxV,EAAoB,KAE9ByV,EAAUxV,EAAuBuV,GAEjCE,EAAU1V,EAAoB,KAE9B2V,EAAU1V,EAAuByV,GAEjCE,EAAY5V,EAAoB,KAEhC6V,EAAY5V,EAAuB2V,GAEnCE,EAAS9V,EAAoB,IAE7B+V,EAAS9V,EAAuB6V,GAEhC5M,EAASlJ,EAAoB,IAE7BmJ,EAASlJ,EAAuBiJ,GAEhC8M,EAAchW,EAAoB,IAElCiW,EAAchW,EAAuB+V,GAErCE,EAAWlW,EAAoB,KAE/BmW,EAAWlW,EAAuBiW,GAElCE,EAAUpW,EAAoB,KAE9BqW,EAAUpW,EAAuBmW,GAEjCE,EAAWtW,EAAoB,KAE/BuW,EAAWtW,EAAuBqW,GAElCE,EAAaxW,EAAoB,KAEjCyW,EAAaxW,EAAuBuW,GQ/oCzCE,EAAA1W,EAAA,IRmpCK2W,EAAe1W,EAAuByW,GQhpCrCE,EAAU,kBACdpS,YACAqS,kBACAC,SACAC,mBACAC,yBACAC,eAAgB,EAChBC,MAAO,EACPC,aAAc,EACdC,SAAS,EACTC,aACAxG,WACAyG,QAAS,WACTC,YAAa,IAGFxC,kBACXyC,eACAC,qBACAP,MAAO,EACPQ,iBACAC,UAAW,GAAA1C,GAAA7U,QACXqI,OAAO,EACPmP,WACE9G,SAAU8F,IACVhG,OAAQgG,IACRpJ,KAAMoJ,IACN7F,kBAAmB6F,IACnB/F,QAAS+F,IACTlG,IAAKkG,MAIHiB,EAAS,SAAChG,GACd,GAAMiG,GAAY,QAClB,QAAO,EAAArB,EAAArW,SAASyR,EAAOkG,KAAM,WAAalG,EAAO7J,KAAKmE,MAAM2L,IAGjDhD,kBAAgB,SAACjD,GAe5B,MAboB/B,UAAhB+B,EAAOmG,OACTnG,EAAOmG,KAAOH,EAAOhG,GACjBA,EAAOoG,mBACTpG,EAAOmG,KAAOnG,EAAOoG,iBAAiBD,OAK1CnG,EAAOqG,SAAU,EAGjBrG,EAAOsG,YAActG,EAAOsG,gBAErBtG,GAGIgD,eAAa,SAAChD,GACzB,MAAIA,GAAOuG,aACF,SAGLvG,EAAOoG,iBACF,UAGkB,gBAAfpG,GAAOwG,KAAoBxG,EAAOwG,IAAIlM,MAAM,gCAC5B,gBAAhB0F,GAAO7J,MAAqB6J,EAAO7J,KAAKmE,MAAM,aACjD,WAGL0F,EAAO7J,KAAKmE,MAAM,yBAA2B0F,EAAOyG,sBAC/C,WAILzG,EAAO7J,KAAKmE,MAAM,qBACb,SAGF,WAOHoM,GAJO3D,YAAY,WAAa,OAAA4D,GAAAC,UAAAC,OAATC,EAASC,MAAAJ,GAAAK,EAAA,EAAAA,EAAAL,EAAAK,IAATF,EAASE,GAAAJ,UAAAI,EACpC,SAAQ,EAAAlD,EAAAvV,UAAM,EAAAyV,EAAAzV,SAAQuY,GAAO,WAAa1K,IAGzB,SAAC6K,EAAK5Y,EAAK6Y,GAC5B,GAAMC,GAAU9Y,EAAI6Y,EAAK9K,GAEzB,OAAI+K,KAEF,EAAAzD,EAAAnV,SAAM4Y,EAASD,GAEfC,EAAQb,YAAYc,OAAOD,EAAQb,YAAYO,SACvCK,KAAMC,EAASE,KAAK,KAG5BpE,EAAciE,GACdD,EAAI9H,KAAK+H,GACT7Y,EAAI6Y,EAAK9K,IAAM8K,GACPA,OAAMG,KAAK,MAIjBC,EAAe,SAACjJ,GAIpB,MAHAA,GAAS6G,iBAAkB,EAAAZ,EAAA/V,SAAO8P,EAAS6G,gBAAiB,SAAAvK,GAAA,GAAEyB,GAAFzB,EAAEyB,EAAF,QAAWA,IACvEiC,EAAS1L,UAAW,EAAA2R,EAAA/V,SAAO8P,EAAS1L,SAAU,SAAA0I,GAAA,GAAEe,GAAFf,EAAEe,EAAF,QAAWA,IACzDiC,EAASiH,eAAgB,EAAA9B,EAAAjV,SAAK8P,EAAS6G,sBAAwB9I,GACxDiC,GAGHkJ,EAAiB,SAACtS,EAADsG,GAA2F,GAAjF5I,GAAiF4I,EAAjF5I,SAAiF6U,EAAAjM,EAAvEkM,kBAAuExJ,SAAAuJ,KAA9CnJ,EAA8C9C,EAA9C8C,SAA8CqJ,EAAAnM,EAApCI,OAAoCsC,SAAAyJ,OAAAC,EAAApM,EAAzBqM,aAAyB3J,SAAA0J,IAEhH,MAAK,EAAArE,EAAA/U,SAAQoE,GACX,OAAO,CAGT,IAAMgT,GAAc1Q,EAAM0Q,YACpBC,EAAoB3Q,EAAM2Q,kBAC1BiC,EAAiB5S,EAAM8Q,UAAU1H,GAEjCyJ,EAASnV,EAASkU,OAAS,GAAI,EAAA/C,EAAAvV,SAAMoE,EAAU,MAAMyJ,GAAK,EAC1D2L,EAAQ1J,GAAYyJ,EAASD,EAAexC,KAE9ChH,KAAauJ,GAAcjV,EAASkU,OAAS,IAAMkB,IACrDF,EAAexC,MAAQyC,EAGzB,IAAME,GAAY,SAAChI,EAAQyH,GAA0C,GAAzBQ,KAAyBrB,UAAAC,OAAA,GAAA5I,SAAA2I,UAAA,KAAAA,UAAA,GAC7DlE,EAASgE,EAAWf,EAAaC,EAAmB5F,EAG1D,IAFAA,EAAS0C,EAAOwE,KAEZxE,EAAO2E,MACkB,YAAvBrE,EAAWhD,IAAyBA,EAAOoG,iBAAiBzK,KAAKS,KAAOT,EAAKS,IAC/E8L,GAAkBC,KAAM,SAAUnI,OAAQA,EAAQoI,OAAQpI,IAIjC,WAAvBgD,EAAWhD,KAAwB,EAAAkE,EAAA3V,SAAKyR,EAAOqI,YAAcjM,GAAIT,EAAKS,MAAO,CAC/E,GAAM6C,GAAWhK,EAAM8Q,UAAU9G,QAG7B4I,KAAmB5I,IACrByH,EAAWzH,EAAStM,SAAUsM,EAAS+F,eAAgBhF,GACvDf,EAASmG,gBAAkB,EAE3BkC,EAAarI,IAGXe,EAAOrE,KAAKS,KAAOT,EAAKS,IAC1B8L,GAAkBC,KAAM,UAAWnI,SAAQoI,OAAQpI,IAMzD,GAAIsI,SAeJ,OAbIjK,IAAY4J,IACdK,EAA2B5B,EAAWmB,EAAelV,SAAUkV,EAAe7C,eAAgBhF,IAG5F3B,GAAYoJ,EAGdf,EAAWmB,EAAe3C,gBAAiB2C,EAAe1C,sBAAuBnF,GACxE3B,GAAY4J,GAAiBK,EAAyBjB,MAE/DQ,EAAezC,gBAAkB,GAG5BpF,GAGHkI,EAAkB,SAAAzM,GAA4B,GAA1B0M,GAA0B1M,EAA1B0M,KAAMnI,EAAoBvE,EAApBuE,OAAQoI,EAAY3M,EAAZ2M,MAEtC,MAAK,EAAAlE,EAAA3V,SAAK0G,EAAM4Q,cAAe,SAAC0C,GAAD,MAAqBA,GAAgBH,OAAOhM,KAAOgM,EAAOhM,OACvFnH,EAAM4Q,cAAc1G,MAAOgJ,OAAMnI,SAAQoI,SAAQI,MAAM,IAEnD,gBAAkB3W,SAA6C,YAAnCA,OAAO4W,aAAaC,YAA0B,CAC5E,GAAMC,GAAQP,EAAOzM,KAAK/H,KACpB8O,IACNA,GAAOkG,KAAOR,EAAOzM,KAAKkN,kBAC1BnG,EAAOvH,KAAOiN,EAAOjS,KAGjBiS,EAAO9B,aAAe8B,EAAO9B,YAAYO,OAAS,IAAMuB,EAAOjC,MAC/DiC,EAAO9B,YAAY,GAAGwC,SAASC,WAAW,YAC5CrG,EAAOsG,MAAQZ,EAAO9B,YAAY,GAAG1M,IAGvC,IAAIqP,GAAe,GAAIpX,QAAO4W,aAAaE,EAAOjG,EAIlDwG,YAAWD,EAAaE,MAAMC,KAAKH,GAAe,OAKlDI,EAAiB,SAAC7J,GACtB,GAAMQ,IAAS,EAAAkE,EAAA3V,SAAKoX,GAAevJ,IAAI,EAAAgI,EAAA7V,SAAUiR,EAAS8J,wBAc1D,OAbItJ,KACFA,EAAOuJ,UAAY,EAGf/J,EAAS7D,KAAKS,KAAOT,EAAKS,KAC5B4D,EAAOwJ,WAAY,GAIjBxJ,EAAOrE,KAAKS,KAAOT,EAAKS,IAC1B8L,GAAiBC,KAAM,WAAYnI,SAAQoI,OAAQ5I,KAGhDQ,GAGHyJ,GACJzJ,OAAU,SAACA,GACTgI,EAAUhI,EAAQyH,IAEpB7H,QAAW,QAAAA,GAACI,GAEV,GAAM0J,GAAkB1B,EAAUhI,EAAOoG,kBAAkB,GAAO,GAE9DxG,QAWFA,GAREvB,IAAY,EAAA6F,EAAA3V,SAAKsZ,EAAelV,SAAU,SAACgX,GAC7C,MAAIA,GAAEvD,iBACGuD,EAAEvN,KAAOsN,EAAgBtN,IAAMuN,EAAEvD,iBAAiBhK,KAAOsN,EAAgBtN,GAEzEuN,EAAEvN,KAAOsN,EAAgBtN,KAIxB4L,EAAUhI,GAAQ,GAAO,GAEzBgI,EAAUhI,EAAQyH,GAG9B7H,EAAQwG,iBAAmBsD,GAE7BlK,SAAY,SAACA,GAENvK,EAAM6Q,UAAU8D,IAAIpK,EAASpD,MAChCnH,EAAM6Q,UAAU+D,IAAIrK,EAASpD,IAC7BiN,EAAe7J,KAGnBsK,OAAU,SAAC9J,GACT,GAAI+J,GAAK,GAAIC,QAAJ,qBAAgCrO,EAAK/H,KAArC,OAAgD+H,EAAKsO,sBAArD,OACLC,EAAY,GAAIF,QAAJ,qBAAgCrO,EAAKwO,YAArC,MACZnK,EAAO7J,KAAKmE,MAAMyP,IAAO/J,EAAO7J,KAAKmE,MAAM4P,KAC7ChC,GAAkBC,KAAM,SAAUnI,OAAQA,EAAQoI,OAAQpI,KAG9DoK,SAAY,SAACA,GACX,GAAM5D,GAAM4D,EAAS5D,IAGfxG,GAAS,EAAAkE,EAAA3V,SAAKoX,GAAca,OAC7BxG,MAIL,EAAA0E,EAAAnW,SAAO0G,EAAM4Q,cAAe,SAAA7J,GAAA,GAAWI,GAAXJ,EAAEoM,OAAShM,EAAX,OAAoBA,KAAO4D,EAAO5D,MAE9D,EAAAsI,EAAAnW,SAAOoX,GAAea,QAClBnI,KACF,EAAAqG,EAAAnW,SAAOsZ,EAAelV,UAAY6T,SAClC,EAAA9B,EAAAnW,SAAOsZ,EAAe3C,iBAAmBsB,WAG7CjY,QAAW,SAAC8b,GACVxT,QAAQC,IAAI,uBACZD,QAAQC,IAAIuT,MAIhB,EAAA/S,EAAA/I,SAAKoE,EAAU,SAACqN,GACd,GAAMmI,GAAOnF,EAAWhD,GAClBsK,EAAYb,EAAWtB,IAASsB,EAAA,OACtCa,GAAUtK,KAIR3B,IACFiJ,EAAaO,IACRE,GAASF,EAAevC,cAAgB,IAAM3S,EAASkU,OAAS,IACnEgB,EAAevC,cAAe,EAAA1B,EAAArV,SAAMoE,EAAU,MAAMyJ,MAK7C0G,eACXyE,iBACAgD,gBAFuB,SAENtV,EAFMkH,GAEe,GAAZkC,GAAYlC,EAAZkC,SAClBmM,EAAevV,EAAM8Q,UAAU1H,EAErCmM,GAAYpF,eAAiB,EAC7BoF,EAAYtF,iBAAkB,EAAAV,EAAAjW,SAAMic,EAAY7X,SAAU,EAAG,IAC7D6X,EAAYlF,cAAe,EAAA9B,EAAAjV,SAAKic,EAAYtF,iBAAiB9I,GAC7DoO,EAAYrF,0BACZ,EAAA7N,EAAA/I,SAAKic,EAAYtF,gBAAiB,SAAClF,GAAawK,EAAYrF,sBAAsBnF,EAAO5D,IAAM4D,KAEjGyK,cAXuB,SAWRxV,EAXQqH,GAWa,GAAZ+B,GAAY/B,EAAZ+B,QACtBpJ,GAAM8Q,UAAU1H,GAAY0G,KAE9B2F,aAduB,SAcTzV,EAdSuH,GAciB,GAAjBwD,GAAiBxD,EAAjBwD,OAAQ/L,EAASuI,EAATvI,MACvB0W,EAAY1V,EAAM2Q,kBAAkB5F,EAAO5D,GACjDuO,GAAUnB,UAAYvV,GAExB2W,aAlBuB,SAkBT3V,EAlBSyH,GAkBiB,GAAjBsD,GAAiBtD,EAAjBsD,OAAQ/L,EAASyI,EAATzI,MACvB0W,EAAY1V,EAAM2Q,kBAAkB5F,EAAO5D,GACjDuO,GAAUE,SAAW5W,GAEvB6W,WAtBuB,SAsBX7V,EAtBW2H,GAsBQ,GAAVoD,GAAUpD,EAAVoD,OACb2K,EAAY1V,EAAM2Q,kBAAkB5F,EAAO5D,GACjDuO,GAAUtE,SAAU,GAEtB0E,WA1BuB,SA0BX9V,EA1BW6H,GA0BiB,GAAnBuB,GAAmBvB,EAAnBuB,SAAUpK,EAAS6I,EAAT7I,KAC7BgB,GAAM8Q,UAAU1H,GAAUkH,QAAUtR,GAEtC+W,QA7BuB,SA6Bd/V,EA7Bc+H,GA6BO,GAAZZ,GAAYY,EAAZZ,GAAI+J,EAAQnJ,EAARmJ,KACdwE,EAAY1V,EAAM2Q,kBAAkBxJ,EAC1CuO,GAAUxE,KAAOA,GAEnB8E,SAjCuB,SAiCbhW,EAjCaiI,GAiCK,GAATjJ,GAASiJ,EAATjJ,KACjBgB,GAAM2B,MAAQ3C,GAEhBiX,eApCuB,SAoCPjW,EApCOmI,GAoCO,GAAL+N,GAAK/N,EAAL+N,CAEvBlW,GAAM8Q,UAAN,KAAwBN,QAAU0F,GAEpCC,WAxCuB,SAwCXnW,EAxCWqI,GAwCS,GAAX0B,GAAW1B,EAAX0B,OACnB/J,GAAM8Q,UAAN,KAAwB/G,QAAUA,GAEpCqM,aA3CuB,SA2CTpW,EA3CSuI,GA2Ca,GAAbgI,GAAahI,EAAbgI,SACrBvQ,GAAM8Q,UAAN,KAAwBP,UAAYA,GAEtC8F,wBA9CuB,SA8CErW,EAAO4Q,IAC9B,EAAAvO,EAAA/I,SAAKsX,EAAe,SAACoD,GACnBA,EAAaT,MAAO,KAGxB+C,WAnDuB,SAmDXtW,EAnDWyI,GAmDc,GAAhBW,GAAgBX,EAAhBW,SAAUjC,EAAMsB,EAANtB,EAC7BnH,GAAM8Q,UAAU1H,GAAUqH,YAActJ,IAItCzJ,GACJsC,MAAOiO,EACPsI,SACEjE,eADO,SAAA3J,EAAAE,GAC6G,GAAlG2N,GAAkG7N,EAAlG6N,UAAWC,EAAuF9N,EAAvF8N,OAAY/Y,EAA2EmL,EAA3EnL,SAA2EgZ,EAAA7N,EAAjE2J,kBAAiExJ,SAAA0N,KAAAC,EAAA9N,EAAxCO,WAAwCJ,SAAA2N,KAAAC,EAAA/N,EAAtB8J,aAAsB3J,SAAA4N,IAClHH,GAAO,kBAAoB/Y,WAAU8U,kBAAiBpJ,WAAUuJ,aAAYjM,KAAM8P,EAAU7Y,MAAMsC,eAEpG+V,SAJO,SAAA7M,EAAAqB,GAIqC,GAArBiM,IAAqBtN,EAAhCqN,UAAgCrN,EAArBsN,QAAYzX,EAASwL,EAATxL,KACjCyX,GAAO,YAAczX,WAEvBmX,WAPO,SAAAzL,EAAAE,GAOyC,GAAvB6L,IAAuB/L,EAAlC8L,UAAkC9L,EAAvB+L,QAAY1M,EAAWa,EAAXb,OACnC0M,GAAO,cAAgB1M,aAEzBqM,aAVO,SAAAtL,EAAAQ,GAU6C,GAAzBmL,IAAyB3L,EAApC0L,UAAoC1L,EAAzB2L,QAAYlG,EAAajF,EAAbiF,SACrCkG,GAAO,gBAAkBlG,eAE3BlF,aAbO,SAAAG,EAa8BT,GAAQ,GAA7ByL,GAA6BhL,EAA7BgL,UAAWC,EAAkBjL,EAAlBiL,MACzBA,GAAO,cAAgB1L,WACvB8E,EAAAvW,QAAW+R,cAAelE,GAAI4D,EAAO5D,GAAIpC,YAAayR,EAAU7Y,MAAMsC,YAAY8E,eAEpFwF,SAjBO,SAAAuB,EAiB0Bf,GAAQ,GAA7ByL,GAA6B1K,EAA7B0K,UAAWC,EAAkB3K,EAAlB2K,MAErBA,GAAO,gBAAkB1L,SAAQ/L,OAAO,IACxC6Q,EAAAvW,QAAWiR,UAAWpD,GAAI4D,EAAO5D,GAAIpC,YAAayR,EAAU7Y,MAAMsC,YAAY8E,eAEhF0F,WAtBO,SAAAwB,EAsB4BlB,GAAQ,GAA7ByL,GAA6BvK,EAA7BuK,UAAWC,EAAkBxK,EAAlBwK,MAEvBA,GAAO,gBAAkB1L,SAAQ/L,OAAO,IACxC6Q,EAAAvW,QAAWmR,YAAatD,GAAI4D,EAAO5D,GAAIpC,YAAayR,EAAU7Y,MAAMsC,YAAY8E,eAElF4F,QA3BO,SAAAwB,EA2ByBpB,GAAQ,GAA7ByL,GAA6BrK,EAA7BqK,UAAWC,EAAkBtK,EAAlBsK,MAEpBA,GAAO,gBAAkB1L,SAAQ/L,OAAO,IACxC6Q,EAAAvW,QAAWqR,SAAUxD,GAAI4D,EAAO5D,GAAIpC,YAAayR,EAAU7Y,MAAMsC,YAAY8E,eAE/EuR,WAhCO,SAAA/J,EAAAsK,GAgC8C,GAA5BJ,IAA4BlK,EAAvCiK,UAAuCjK,EAA5BkK,QAAYrN,EAAgByN,EAAhBzN,SAAUjC,EAAM0P,EAAN1P,EAC7CsP,GAAO,cAAgBrN,WAAUjC,SAGrC0G,YR6tCD5U,GAAQK,QQ1tCMoE,GR8tCT,SAAU1E,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GShnDV,IAAA4Q,GAAA1W,EAAA,ITqnDK2W,EAAe1W,EAAuByW,GSpnD3CkH,EAAA5d,EAAA,KTwnDK6d,EAA4B5d,EAAuB2d,GStnDlDE,EAA2B,SAACjS,GAChC,GAAM2D,GAAc,SAAAhD,GAAU,GAARyB,GAAQzB,EAARyB,EACpB,OAAO0I,GAAAvW,QAAWoP,aAAavB,KAAIpC,iBAG/ByD,EAAoB,SAAApC,GAAU,GAARe,GAAQf,EAARe,EAC1B,OAAO0I,GAAAvW,QAAWkP,mBAAmBrB,KAAIpC,iBAGrCiD,EAAe,SAAA1B,GAAU,GAARa,GAAQb,EAARa,EACrB,OAAO0I,GAAAvW,QAAW0O,cAAcb,KAAIpC,iBAGhCmD,EAAiB,SAAA1B,GAAU,GAARW,GAAQX,EAARW,EACvB,OAAO0I,GAAAvW,QAAW4O,gBAAgBf,KAAIpC,iBAGlCqD,EAAoB,SAAArB,GAAgB,GAAdJ,GAAcI,EAAdJ,QAC1B,OAAOkJ,GAAAvW,QAAW8O,mBAAmBzB,WAAU5B,iBAG3C+C,EAAY,SAAAZ,GAAU,GAARC,GAAQD,EAARC,EAClB,OAAO0I,GAAAvW,QAAWwO,WAAWX,KAAIpC,iBAG7BkC,EAAa,SAACE,GAClB,MAAO0I,GAAAvW,QAAW2N,YAAYlC,cAAaoC,QAGvCC,EAAe,SAACD,GACpB,MAAO0I,GAAAvW,QAAW8N,cAAcrC,cAAaoC,QAGzCG,EAAY,SAACH,GACjB,MAAO0I,GAAAvW,QAAWgO,WAAWvC,cAAaoC,QAGtCK,EAAc,SAACL,GACnB,MAAO0I,GAAAvW,QAAWkO,aAAazC,cAAaoC,QAGxCO,EAAc,SAACP,GACnB,MAAO0I,GAAAvW,QAAWoO,aAAa3C,cAAaoC,QAGxCS,EAAW,SAACT,GAChB,MAAO0I,GAAAvW,QAAWsO,UAAU7C,cAAaoC,QAGrC8P,EAAgB,SAAA5P,GAAuC,GAArC+B,GAAqC/B,EAArC+B,SAAU7L,EAA2B8J,EAA3B9J,MAA2B2Z,EAAA7P,EAApBqC,SAAoBV,SAAAkO,IAC3D,OAAOH,GAAAzd,QAAuB2d,eAAe7N,WAAU7L,QAAOwH,cAAa2E,YAGvEd,EAAc,SAAArB,GAAwB,GAAtBJ,GAAsBI,EAAtBJ,GAAsBgQ,EAAA5P,EAAlBwB,QAAkBC,SAAAmO,IAC1C,OAAOtH,GAAAvW,QAAWsP,aAAazB,KAAI4B,QAAOhE,iBAGtCuH,EAAa,iBAAMuD,GAAAvW,QAAWgT,YAAYvH,iBAC1CuD,EAAsB,iBAAMuH,GAAAvW,QAAWgP,qBAAqBvD,iBAE5D0B,EAAW,SAACd,GAAD,MAAYkK,GAAAvW,QAAWmN,SAASd,IAC3CF,EAAe,SAAAgC,GAAA,GAAE9B,GAAF8B,EAAE9B,MAAF,OAAckK,GAAAvW,QAAWmM,cAAcV,cAAaY,YACnEQ,EAAW,SAAAwB,GAAA,GAAEhC,GAAFgC,EAAEhC,MAAF,OAAckK,GAAAvW,QAAW6M,UAAUpB,cAAaY,YAC3DU,EAAe,SAAAwB,GAAA,GAAElC,GAAFkC,EAAElC,MAAF,OAAckK,GAAAvW,QAAW+M,cAActB,cAAaY,YACnEY,EAAgB,SAAAwB,GAAA,GAAEpC,GAAFoC,EAAEpC,MAAF,OAAckK,GAAAvW,QAAWiN,eAAexB,cAAaY,YAErEmB,EAAkB,SAACE,GAAD,MAAgB6I,GAAAvW,QAAWwN,iBAAiBE,aAAYjC,iBAC1E8G,EAAe,SAAA5D,GAAA,GAAEtC,GAAFsC,EAAEtC,MAAF,OAAckK,GAAAvW,QAAWuS,cAAclG,SAAQZ,iBAE9DiH,EAAgB,SAAA7D,GAAA,GAAEvB,GAAFuB,EAAEvB,QAAF,OAAgBiJ,GAAAvW,QAAW0S,eAAejH,cAAa6B,cACvEsF,EAAiB,SAAA7D,GAAA,GAAEzB,GAAFyB,EAAEzB,SAAUwF,EAAZ/D,EAAY+D,YAAaC,EAAzBhE,EAAyBgE,uBAAzB,OAAsDwD,GAAAvW,QAAW4S,gBAAgBnH,cAAa6B,WAAUwF,cAAaC,6BAEtI+K,GACJ1O,cACAF,oBACAR,eACAE,iBACAjB,aACAG,eACAE,YACAE,cACAM,YACAM,oBACAkC,kBAAmBuF,EAAAvW,QAAWgR,kBAC9B2M,gBACArO,cACA0D,aACA7F,WACAhB,eACAU,WACAE,eACAE,gBACAO,kBACA+E,eACAG,gBACAE,iBACA5D,sBACAZ,cACAE,WAGF,OAAOwP,GTirDRne,GAAQK,QS9qDM0d,GTkrDT,SAAUhe,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GUlyDV,IAAMqY,GAAW,SAACC,GAChB,GAAIpE,GAAO,SAkBX,OAhBIoE,GAAWjS,MAAM,gBACnB6N,EAAO,QAGLoE,EAAWjS,MAAM,WACnB6N,EAAO,SAGLoE,EAAWjS,MAAM,uBACnB6N,EAAO,SAGLoE,EAAWjS,MAAM,eACnB6N,EAAO,SAGFA,GAGHqE,GACJF,WVuyDDpe,GAAQK,QUpyDMie,GVwyDT,SAAUve,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIkD,GAAQhJ,EAAoB,IAE5BiJ,EAAQhJ,EAAuB+I,GW30DpC0N,EAAA1W,EAAA,IX+0DK2W,EAAe1W,EAAuByW,GW70DrC/E,EAAa,SAAAnF,GAA2F,GAAxFnI,GAAwFmI,EAAxFnI,MAAOwN,EAAiFrF,EAAjFqF,OAAQC,EAAyEtF,EAAzEsF,YAAaC,EAA4DvF,EAA5DuF,WAA4DuM,EAAA9R,EAAhD+R,QAAgDzO,SAAAwO,OAAAE,EAAAhS,EAApCyF,oBAAoCnC,SAAA0O,EAAhB1O,OAAgB0O,EACtGxM,GAAW,EAAA/I,EAAA7I,SAAIme,EAAO,KAE5B,OAAO5H,GAAAvW,QAAWuR,YAAY9F,YAAaxH,EAAMyC,MAAMrC,MAAMsC,YAAY8E,YAAagG,SAAQC,cAAaC,aAAYC,WAAUC,sBAC9H9M,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACG,GASL,MARKA,GAAKmD,OACRpE,EAAMwB,SAAS,kBACbrB,UAAWc,GACX4K,SAAU,UACVoJ,iBAAiB,EACjBG,YAAY,IAGTnU,IAERmZ,MAAM,SAACC,GACN,OACEjW,MAAOiW,EAAIC,YAKbtM,EAAc,SAAAnF,GAAyB,GAAtB7I,GAAsB6I,EAAtB7I,MAAOkO,EAAerF,EAAfqF,SACtB1G,EAAcxH,EAAMyC,MAAMrC,MAAMsC,YAAY8E,WAElD,OAAO8K,GAAAvW,QAAWiS,aAAcxG,cAAa0G,aAAYpN,KAAK,SAACyZ,GAE7D,GAAIC,GAAOD,EAAIE,qBAAqB,OAEhB,KAAhBD,EAAKnG,SACPmG,EAAOD,EAAIE,qBAAqB,cAGlCD,EAAOA,EAAK,EAEZ,IAAME,IACJ9Q,GAAI2Q,EAAIE,qBAAqB,YAAY,GAAGE,YAC5CvT,IAAKmT,EAAIE,qBAAqB,aAAa,GAAGE,YAC9CnE,MAAOgE,EAAKI,aAAa,QACzBtE,SAAUkE,EAAKI,aAAa,QAG9B,OAAOF,MAILG,GACJvN,aACAU,cX61DDtS,GAAQK,QW11DM8e,GX81DT,SAAUpf,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIqZ,GAAcnf,EAAoB,KAElCof,EAAcnf,EAAuBkf,GY75D1CzI,EAAA1W,EAAA,IZi6DK2W,EAAe1W,EAAuByW,GY/5DrC2I,EAAS,SAAA7S,GAAkD,GAAhDnI,GAAgDmI,EAAhDnI,MAAOG,EAAyCgI,EAAzChI,SAAU0L,EAA+B1D,EAA/B0D,SAAUoJ,EAAqB9M,EAArB8M,gBACpCgG,GAAa,EAAAF,EAAAhf,SAAU8P,EAE7B7L,GAAMwB,SAAS,YAAcC,OAAO,IAEpCzB,EAAMwB,SAAS,kBACbqK,SAAUoP,EACV9a,WACA8U,qBAIEiG,EAAiB,SAAArS,GAAqH,GAAnH7I,GAAmH6I,EAAnH7I,MAAOwH,EAA4GqB,EAA5GrB,YAA4G2T,EAAAtS,EAA/FgD,WAA+FJ,SAAA0P,EAApF,UAAoFA,EAAAC,EAAAvS,EAAzE0M,QAAyE9J,SAAA2P,KAAAC,EAAAxS,EAA1DoM,kBAA0DxJ,SAAA4P,KAAAC,EAAAzS,EAAjCsD,SAAiCV,SAAA6P,KAAAC,EAAA1S,EAAjBwD,MAAiBZ,SAAA8P,KACpIjH,GAASzI,WAAUrE,eACnByR,EAAYjZ,EAAMiZ,WAAajZ,EAAMyC,MACrC+Y,EAAevC,EAAU9Y,SAASoT,WAAU,EAAAwH,EAAAhf,SAAU8P,GAW5D,OATI0J,GACFjB,EAAA,MAAgBkH,EAAa1I,aAE7BwB,EAAA,MAAgBkH,EAAa3I,MAG/ByB,EAAA,OAAiBnI,EACjBmI,EAAA,IAAcjI,EAEPiG,EAAAvW,QAAW4P,cAAc2I,GAC7BxT,KAAK,SAACX,IACAoV,GAASpV,EAASkU,QAAU,KAAOmH,EAAazI,SACnD/S,EAAMwB,SAAS,cAAgBqK,SAAUA,EAAUjC,GAAI4R,EAAa3I,QAEtEmI,GAAQhb,QAAOG,WAAU0L,WAAUoJ,qBAClC,iBAAMjV,GAAMwB,SAAS,YAAcC,OAAO,OAG3CiY,EAAgB,SAAA3Q,GAA6E,GAAA0S,GAAA1S,EAA3E8C,WAA2EJ,SAAAgQ,EAAhE,UAAgEA,EAArDjU,EAAqDuB,EAArDvB,YAAaxH,EAAwC+I,EAAxC/I,MAAwC0b,EAAA3S,EAAjCoD,SAAiCV,SAAAiQ,KAAAC,EAAA5S,EAAjBsD,MAAiBZ,SAAAkQ,KAC3F1C,EAAYjZ,EAAMiZ,WAAajZ,EAAMyC,MACrC+Y,EAAevC,EAAU9Y,SAASoT,WAAU,EAAAwH,EAAAhf,SAAU8P,IACtDoJ,EAA0D,IAAxCuG,EAAa9I,gBAAgB2B,MACrD6G,IAAgBrP,WAAUrE,cAAaxH,QAAOiV,kBAAiB9I,SAAQE,OACvE,IAAMuP,GAAsB,iBAAMV,IAAiBrP,WAAUrE,cAAaxH,QAAOmM,SAAQE,QACzF,OAAOwP,aAAYD,EAAqB,MAEpCE,GACJZ,iBACAxB,gBZo8DDhe,GAAQK,QYj8DM+f,GZo8DN,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEH,SAAUrgB,EAAQC,EAASC,GaljEjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SbyjEM,SAAUD,EAAQC,EAASC,GclkEjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,Sd2kEM,SAAUD,EAAQC,EAASC,GexlEjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SfimEM,SAAUD,EAAQC,EAASC,GgB9mEjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,ShBunEM,SAAUD,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GiB3oEV,IAAMsa,IACJxb,MACE4V,MAAO,QAET6F,KACEzb,KAAM,eACNsL,SAAU,aACVY,SAAU,cACVwP,UAAW,oBACXC,KAAM,wBAERC,WACEC,YAAa,aACbC,UAAW,aACX/E,OAAQ,SACRgF,QAAS,aACTC,MAAO,aACPpc,SAAU,WACVqc,KAAM,gBACNhR,MAAO,kBACPwH,UAAW,WACXyJ,UAAW,QACXC,QAAS,UACTC,cAAe,iBAEjB9Q,UACE+Q,SAAU,eACVC,eAAgB,oBAChBC,WAAY,UACZC,WAAY,uBACZC,aAAc,eACdC,SAAU,aACV5E,SAAU,eAEZ6E,UACEC,cAAe,wBACfC,SAAU,aACVhc,KAAM,OACNic,IAAK,MACLC,OAAQ,SACRC,eAAgB,0BAChBC,eAAgB,qBAChBC,eAAgB,gBAChBC,uBAAwB,iCACxBC,uBAAwB,4BACxBC,mBAAoB,qBACpBC,2BAA4B,iCAC5BX,SAAU,gBACVvb,MAAO,aACPmc,QAAS,mBACTC,WAAY,iEACZC,WAAY,mDACZpc,WAAY,cACZqc,WAAY,cACZta,KAAM,OACNua,MAAO,QACPC,MAAO,8BACPC,KAAM,kBACNC,QAAS,wBACTC,OAAQ,iBACRC,UAAW,UACXC,YAAa,gBACbC,YAAa,QACbC,aAAc,UACdC,gBAAiB,+BACjBC,cAAe,qBACfC,iBAAkB,UAClBC,UAAW,SACXC,sBAAuB,oFACvBjL,YAAa,UACbkL,uBAAwB,uCACxBC,0BAA2B,uCAC3BC,kBAAmB,0EACnBC,UAAW,qBACXC,SAAU,oEACVC,UAAW,gEACXC,mBAAoB,+CACpBC,cAAe,yBACfC,iCAAkC,qEAClCC,iBAAkB,qEAClBC,oBAAqB,yCACrBC,eAAgB,kBAChBC,2BAA4B,8DAC5BC,4BAA6B,2FAC7BC,qBAAsB,qIACtBC,cAAe,yBACfC,yBAA0B,mEAC1BC,qBAAsB,yBACtBC,gBAAiB,kBACjBC,iBAAkB,qBAClBC,aAAc,iBACdC,qBAAsB,4BACtBC,iBAAkB,iCAClBC,sBAAuB,sDAEzBlN,eACEA,cAAe,qBACfmN,KAAM,WACNC,aAAc,YACdC,cAAe,+BACfC,aAAc,+BAEhBC,OACEA,MAAO,WACPxX,SAAU,eACVyX,YAAa,YACbxX,SAAU,WACVH,SAAU,eACV4X,OAAQ,YAEVC,cACEA,aAAc,gBACdC,SAAU,mBACVC,MAAO,QACP5D,IAAK,MACL6D,iBAAkB,uBAEpBC,aACEC,QAAS,kBACTrlB,QAAS,gCAEXslB,QACEC,UAAW,iBACXC,oBAAqB,oCAEvBC,SACEC,OAAQ,WACRC,MAAO,YAETC,cACEC,eAAgB,aAIdC,GACJ7F,KACEnQ,SAAU,WACVY,SAAU,YACVwP,UAAW,oBACXC,KAAM,0BAERC,WACEC,YAAa,gBACbC,UAAW,WACX/E,OAAQ,SACRnX,SAAU,UACVqc,KAAM,WACNhR,MAAO,cACPwH,UAAW,YACXyJ,UAAW,SACXC,QAAS,YAEX7Q,UACE+Q,SAAU,cACVC,eAAgB,2BAChBC,WAAY,cACZC,WAAY,2BACZC,aAAc,aACdC,SAAU,QACV5E,SAAU,UAEZ6E,UACEC,cAAe,sBACfC,SAAU,iBACVhc,KAAM,OACNic,IAAK,SACLC,OAAQ,eACRC,eAAgB,0BAChBC,eAAgB,0BAChBC,eAAgB,UAChBC,uBAAwB,sBACxBC,uBAAwB,qBACxBC,mBAAoB,aACpBC,2BAA4B,wBAC5BX,SAAU,YACVvb,MAAO,QACPmc,QAAS,iBACTC,WAAY,wDACZnc,WAAY,SACZqc,WAAY,WACZta,KAAM,SACNua,MAAO,SACPY,UAAW,WACXC,sBAAuB,kFACvBjL,YAAa,WACbkL,uBAAwB,+BACxBC,0BAA2B,kCAC3BC,kBAAmB,4CACnBE,SAAU,2DACVC,UAAW,gEACXC,mBAAoB,6CAEtBjM,eACEA,cAAe,cACfmN,KAAM,OACNC,aAAc,eACdC,cAAe,sBACfC,aAAc,mBAEhBC,OACEA,MAAO,kBACPxX,SAAU,eACVyX,YAAa;AACbxX,SAAU,WACVH,SAAU,eACV4X,OAAQ,iBAEVC,cACEA,aAAc,oBACdC,SAAU,YACVC,MAAO,aACP5D,IAAK,SACL6D,iBAAkB,2BAEpBC,aACEC,QAAS,aACTrlB,QAAS,yBAEXslB,QACEC,UAAW,eACXC,oBAAqB,4BAEvBC,SACEC,OAAQ,SACRC,MAAO,UAIL9hB,GACJW,MACE4V,MAAO,QAET6F,KACEzb,KAAM,aACNsL,SAAU,WACVY,SAAU,WACVwP,UAAW,kBACXC,KAAM,0BACN4F,gBAAiB,mBAEnB3F,WACEC,YAAa,eACbC,UAAW,aACX/E,OAAQ,SACRgF,QAAS,WACTC,MAAO,QACPpc,SAAU,WACVqc,KAAM,OACNhR,MAAO,QACPwH,UAAW,YACXyJ,UAAW,YACXC,QAAS,UACTC,cAAe,gBACfoF,QAAS,UACTC,KAAM,QAERnW,UACE+Q,SAAU,WACVC,eAAgB,yBAChBC,WAAY,aACZC,WAAY,sBACZC,aAAc,eACdC,SAAU,WACV5E,SAAU,YAEZ6E,UACEC,cAAe,gBACfC,SAAU,aACVhc,KAAM,OACNic,IAAK,MACLC,OAAQ,SACRC,eAAgB,sBAChBC,eAAgB,iBAChBC,eAAgB,iBAChBC,uBAAwB,8BACxBC,uBAAwB,yBACxBC,mBAAoB,qBACpBC,2BAA4B,6BAC5BX,SAAU,WACVvb,MAAO,QACPmc,QAAS,UACTC,WAAY,+DACZC,WAAY,6CACZpc,WAAY,aACZqc,WAAY,aACZta,KAAM,OACNua,MAAO,QACPC,MAAO,uBACPC,KAAM,eACNC,QAAS,oBACTC,OAAQ,kBACRC,UAAW,UACXC,YAAa,eACbC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,cAClBC,UAAW,YACXC,sBAAuB,kEACvBjL,YAAa,cACbkL,uBAAwB,+BACxBC,0BAA2B,oCAC3BC,kBAAmB,6CACnBC,UAAW,qBACXC,SAAU,uDACVC,UAAW,mEACXC,mBAAoB,2CACpBC,cAAe,gBACfC,iCAAkC,iCAClCC,iBAAkB,uDAClBC,oBAAqB,4BACrBC,eAAgB,iBAChBC,2BAA4B,yDAC5BC,4BAA6B,qEAC7BC,qBAAsB,yGACtBC,cAAe,gBACfC,yBAA0B,yDAC1BC,qBAAsB,oCACtBC,gBAAiB,kBACjBC,iBAAkB,mBAClBC,aAAc,eACdC,qBAAsB,uBACtBC,iBAAkB,iCAClBC,sBAAuB,6CACvB0B,yBAA0B,oDAE5B5O,eACEA,cAAe,gBACfmN,KAAM,QACNC,aAAc,eACdC,cAAe,wBACfC,aAAc,wBAEhBC,OACEA,MAAO,SACPxX,SAAU,WACVyX,YAAa,YACbxX,SAAU,WACVH,SAAU,WACV4X,OAAQ,WAEVC,cACEA,aAAc,eACdC,SAAU,eACVC,MAAO,QACP5D,IAAK,MACL6D,iBAAkB,yBAEpBC,aACEC,QAAS,UACTc,gBAAiB,qBACjBnmB,QAAS,uBAEXslB,QACEC,UAAW,YACXC,oBAAqB,uBAEvBC,SACEC,OAAQ,SACRC,MAAO,SAETC,cACEC,eAAgB,kBAIdO,GACJ5hB,MACE4V,MAAO,UAET6F,KACEzb,KAAM,cACNsL,SAAU,YACVY,SAAU,UACVwP,UAAW,oBACXC,KAAM,oBAERC,WACEC,YAAa,cACbC,UAAW,YACX/E,OAAQ,QACRgF,QAAS,UACTC,MAAO,OACPpc,SAAU,SACVqc,KAAM,YACNhR,MAAO,cACPwH,UAAW,YACXyJ,UAAW,WACXC,QAAS,OACTC,cAAe,cAEjB9Q,UACE+Q,SAAU,gBACVC,eAAgB,qBAChBC,WAAY,UACZC,WAAY,+BACZC,aAAc,cACdC,SAAU,YACV5E,SAAU,YAEZ6E,UACEC,cAAe,iBACfC,SAAU,gBACVhc,KAAM,OACNic,IAAK,OACLC,OAAQ,cACRC,eAAgB,uBAChBC,eAAgB,4BAChBC,eAAgB,kBAChBC,uBAAwB,2BACxBC,uBAAwB,iCACxBC,mBAAoB,eACpBC,2BAA4B,8BAC5BX,SAAU,UACVvb,MAAO,QACPmc,QAAS,eACTC,WAAY,wEACZC,WAAY,iDACZpc,WAAY,OACZqc,WAAY,UACZta,KAAM,SACNua,MAAO,UACPC,MAAO,yBACPC,KAAM,gBACNC,QAAS,gBACTC,OAAQ,oBACRC,UAAW,UACXE,YAAa,UACbC,aAAc,eACdC,gBAAiB,yBACjBC,cAAe,wBACfC,iBAAkB,cAClBC,UAAW,WACXC,sBAAuB,0DACvBjL,YAAa,cACbkL,uBAAwB,iCACxBC,0BAA2B,oCAC3BC,kBAAmB,kDACnBC,UAAW,6BACXC,SAAU,2CACVC,UAAW,0DACXC,mBAAoB,6CACpBC,cAAe,gBACfC,iCAAkC,iCAClCC,iBAAkB,0CAClBC,oBAAqB,4BAEvBrM,eACEA,cAAe,UACfmN,KAAM,UACNC,aAAc,eACdC,cAAe,oBACfC,aAAc,uBAEhBC,OACEA,MAAO,SACPxX,SAAU,YACVyX,YAAa,YACbxX,SAAU,WACVH,SAAU,aACV4X,OAAQ,UAEVC,cACEA,aAAc,aACdC,SAAU,cACVC,MAAO,gBACP5D,IAAK,OACL6D,iBAAkB,wBAEpBC,aACEC,QAAS,WACTrlB,QAAS,yCAEXslB,QACEC,UAAW,eACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,QACRC,MAAO,UAETC,cACEC,eAAgB,oBAIdQ,GACJpG,KACEnQ,SAAU,UACVY,SAAU,aACVwP,UAAW,iBACXC,KAAM,4BAERC,WACEC,YAAa,eACbC,UAAW,UACX/E,OAAQ,QACRgF,QAAS,eACTC,MAAO,WACPpc,SAAU,aACVqc,KAAM,WACNhR,MAAO,cACPwH,UAAW,YACXyJ,UAAW,cACXC,QAAS,UAEX7Q,UACE+Q,SAAU,aACVC,eAAgB,4BAChBC,WAAY,YACZC,WAAY,2BACZC,aAAc,WAEhBE,UACEC,cAAe,kBACfC,SAAU,cACVhc,KAAM,OACNic,IAAK,MACLC,OAAQ,eACRC,eAAgB,6BAChBC,eAAgB,wBAChBC,eAAgB,iBAChBC,uBAAwB,0BACxBC,uBAAwB,0BACxBC,mBAAoB,gBACpBC,2BAA4B,yBAC5BX,SAAU,SACVvb,MAAO,QACPmd,UAAW,qBACXC,sBAAuB,yEACvBjL,YAAa,UACbkL,uBAAwB,0BACxBC,0BAA2B,2BAC3BC,kBAAmB,0DACnBE,SAAU,mEACVE,mBAAoB,wCAEtBjM,eACEA,cAAe,aACfmN,KAAM,OACNC,aAAc,0BAEhBG,OACEA,MAAO,aACPxX,SAAU,eACVyX,YAAa,UACbxX,SAAU,SACVH,SAAU,cACV4X,OAAQ,cAEVC,cACEA,aAAc,kBACdC,SAAU,eACVC,MAAO,SACP5D,IAAK,MACL6D,iBAAkB,uBAEpBC,aACEC,QAAS,WACTrlB,QAAS,qDAEXslB,QACEC,UAAW,kBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,YAINY,GACJrG,KACEnQ,SAAU,WACVY,SAAU,aACVwP,UAAW,oBACXC,KAAM,2BAERC,WACEC,YAAa,eACbC,UAAW,WACX/E,OAAQ,QACRgF,QAAS,YACTC,MAAO,SACPpc,SAAU,YACVqc,KAAM,QACNhR,MAAO,WACPwH,UAAW,UACXyJ,UAAW,aACXC,QAAS,WAEX7Q,UACE+Q,SAAU,gBACVC,eAAgB,mCAChBC,WAAY,YACZC,WAAY,8BACZC,aAAc,aAEhBE,UACEC,cAAe,2BACfC,SAAU,aACVhc,KAAM,MACNic,IAAK,MACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,YAChBC,eAAgB,gBAChBC,uBAAwB,0BACxBC,uBAAwB,mBACxBC,mBAAoB,mBACpBC,2BAA4B,8BAC5BX,SAAU,cACVvb,MAAO,OACPmd,UAAW,SACXC,sBAAuB,6EACvBjL,YAAa,eACbkL,uBAAwB,uCACxBC,0BAA2B,0CAC3BC,kBAAmB,wDACnBE,SAAU,2DACVE,mBAAoB,iDAEtBjM,eACEA,cAAe,cACfmN,KAAM,WACNC,aAAc,eAEhBG,OACEA,MAAO,gBACPxX,SAAU,kBACVyX,YAAa,YACbxX,SAAU,SACVH,SAAU,eACV4X,OAAQ,iBAEVC,cACEA,aAAc,eACdC,SAAU,aACVC,MAAO,QACP5D,IAAK,MACL6D,iBAAkB,uBAEpBC,aACEC,QAAS,qBACTrlB,QAAS,yBAEXslB,QACEC,UAAW,uBACXC,oBAAqB,kCAEvBC,SACEC,OAAQ,WAINa,GACJtG,KACEnQ,SAAU,aACVY,SAAU,aACVwP,UAAW,qBACXC,KAAM,2BAERC,WACEC,YAAa,gBACbC,UAAW,WACX/E,OAAQ,YACRgF,QAAS,UACTC,MAAO,YACPpc,SAAU,QACVqc,KAAM,cACNhR,MAAO,aACPwH,UAAW,WACXyJ,UAAW,YACXC,QAAS,SAEX7Q,UACE+Q,SAAU,iBACVC,eAAgB,oCAChBC,WAAY,QACZC,WAAY,0BACZC,aAAc,eAEhBE,UACEC,cAAe,0BACfC,SAAU,cACVhc,KAAM,OACNic,IAAK,MACLC,OAAQ,SACRC,eAAgB,kBAChBC,eAAgB,qBAChBC,eAAgB,mBAChBC,uBAAwB,gCACxBC,uBAAwB,+BACxBC,mBAAoB,qBACpBC,2BAA4B,qBAC5BX,SAAU,SACVvb,MAAO,OACPmd,UAAW,SACXC,sBAAuB,4EACvBjL,YAAa,aACbkL,uBAAwB,qCACxBC,0BAA2B,sCAC3BC,kBAAmB,2CACnBE,SAAU,oDACVE,mBAAoB,oEAEtBjM,eACEA,cAAe,aACfmN,KAAM,SACNC,aAAc,gBAEhBG,OACEA,MAAO,WACPxX,SAAU,kBACVyX,YAAa,YACbxX,SAAU,SACVH,SAAU,eACV4X,OAAQ,cAEVC,cACEA,aAAc,cACdC,SAAU,gBACVC,MAAO,QACP5D,IAAK,MACL6D,iBAAkB,kBAEpBC,aACEC,QAAS,WACTrlB,QAAS,kCAEXslB,QACEC,UAAW,qBACXC,oBAAqB,sCAEvBC,SACEC,OAAQ,YAIN5hB,GACJU,MACE4V,MAAO,QAET6F,KACEzb,KAAM,WACNsL,SAAU,SACVY,SAAU,QACVwP,UAAW,WACXC,KAAM,oBAERC,WACEC,YAAa,aACbC,UAAW,SACX/E,OAAQ,OACRgF,QAAS,UACTC,MAAO,OACPpc,SAAU,KACVqc,KAAM,OACNhR,MAAO,SACPwH,UAAW,QACXyJ,UAAW,OACXC,QAAS,KACTC,cAAe,YAEjB9Q,UACE+Q,SAAU,KACVC,eAAgB,qBAChBC,WAAY,KACZC,WAAY,YACZC,aAAc,KACdC,SAAU,OACV5E,SAAU,QAEZ6E,UACEC,cAAe,SACfC,SAAU,YACVhc,KAAM,KACNic,IAAK,SACLC,OAAQ,OACRC,eAAgB,cAChBC,eAAgB,eAChBC,eAAgB,YAChBC,uBAAwB,eACxBC,uBAAwB,oBACxBC,mBAAoB,YACpBC,2BAA4B,oBAC5BX,SAAU,KACVvb,MAAO,MACPmc,QAAS,QACTC,WAAY,+CACZC,WAAY,sBACZpc,WAAY,KACZqc,WAAY,KACZta,KAAM,KACNua,MAAO,MACPC,MAAO,eACPC,KAAM,YACNC,QAAS,eACTC,OAAQ,YACRC,UAAW,MACXE,YAAa,MACbC,aAAc,OACdC,gBAAiB,YACjBC,cAAe,cACfC,iBAAkB,OAClBC,UAAW,UACXC,sBAAuB,8CACvBjL,YAAa,OACbkL,uBAAwB,kBACxBC,0BAA2B,gBAC3BC,kBAAmB,sBACnBC,UAAW,sBACXC,SAAU,2BACVC,UAAW,kCACXC,mBAAoB,mCACpBC,cAAe,YACfC,iCAAkC,yBAClCC,iBAAkB,sCAClBC,oBAAqB,4BAEvBrM,eACEA,cAAe,KACfmN,KAAM,OACNC,aAAc,YACdC,cAAe,oBACfC,aAAc,oBAEhBC,OACEA,MAAO,OACPxX,SAAU,QACVyX,YAAa,WACbxX,SAAU,QACVH,SAAU,KACV4X,OAAQ,SAEVC,cACEA,aAAc,KACdC,SAAU,MACVC,MAAO,OACP5D,IAAK,SACL6D,iBAAkB,YAEpBC,aACEC,QAAS,KACTrlB,QAAS,oBAEXslB,QACEC,UAAW,SACXC,oBAAqB,qBAEvBC,SACEC,OAAQ,KACRC,MAAO,MAETC,cACEC,eAAgB,eAIdW,GACJvG,KACEzb,KAAM,aACNsL,SAAU,UACVY,SAAU,gBACVwP,UAAW,iBACXC,KAAM,mBAERC,WACEC,YAAa,cACbC,UAAW,UACX/E,OAAQ,SACRgF,QAAS,SACTC,MAAO,UACPpc,SAAU,UACVqc,KAAM,UACNhR,MAAO,SACPwH,UAAW,eACXyJ,UAAW,SACXC,QAAS,WACTC,cAAe,+BAEjB9Q,UACE+Q,SAAU,gBACVC,eAAgB,uCAChBC,WAAY,SACZC,WAAY,gBACZC,aAAc,eACdC,SAAU,SACV5E,SAAU,aAEZ6E,UACEC,cAAe,yBACfC,SAAU,YACVhc,KAAM,MACNic,IAAK,aACLC,OAAQ,SACRC,eAAgB,gBAChBC,eAAgB,mBAChBC,eAAgB,qBAChBC,uBAAwB,8BACxBC,uBAAwB,sBACxBC,mBAAoB,gBACpBC,2BAA4B,0BAC5BX,SAAU,aACVvb,MAAO,QACPmd,UAAW,SACXC,sBAAuB,wEACvBjL,YAAa,iBACbkL,uBAAwB,6CACxBC,0BAA2B,oDAC3BC,kBAAmB,+DACnBE,SAAU,sEACVE,mBAAoB,8DACpBxB,QAAS,oBACTC,WAAY,8FACZnc,WAAY,eACZqc,WAAY,eACZta,KAAM,QACNua,MAAO,QACPmB,UAAW,oFACXE,cAAe,2BACfC,iCAAkC,iDAClCC,iBAAkB,+DAClBC,oBAAqB,gDACrBK,cAAe,2BACfE,qBAAsB,kCACtBD,yBAA0B,0BAC1B7B,MAAO,0BACPC,KAAM,kBACNC,QAAS,iBACTC,OAAQ,kBACRC,UAAW,UACXE,YAAa,WACbD,YAAa,kBACbE,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,uBACfC,iBAAkB,iBAClBb,WAAY,oFACZmB,UAAW,+DACXe,gBAAiB,4BACjBC,iBAAkB,sBAClBC,aAAc,uBACdC,qBAAsB,uCACtBV,eAAgB,sBAChBC,2BAA4B,6DAC5BC,4BAA6B,wFAC7BC,qBAAsB,qJAExBzM,eACEA,cAAe,gBACfmN,KAAM,OACNC,aAAc,2BACdC,cAAe,sBACfC,aAAc,0BAEhBC,OACEA,MAAO,YACPxX,SAAU,cACVyX,YAAa,YACbxX,SAAU,eACVH,SAAU,aACV4X,OAAQ,eAEVC,cACEA,aAAc,cACdC,SAAU,aACVC,MAAO,gBACP5D,IAAK,aACL6D,iBAAkB,gCAEpBC,aACEC,QAAS,iBACTrlB,QAAS,sCAEXslB,QACEC,UAAW,0BACXC,oBAAqB,gDAEvBC,SACEC,OAAQ,UACRC,MAAO,aAETC,cACEC,eAAgB,6BAIdY,GACJxG,KACEnQ,SAAU,qBACVY,SAAU,WACVwP,UAAW,8BACXC,KAAM,6BAERC,WACEC,YAAa,YACbC,UAAW,oBACX/E,OAAQ,QACRnX,SAAU,WACVqc,KAAM,cACNhR,MAAO,aACPwH,UAAW,eACXyJ,UAAW,oBACXC,QAAS,aAEX7Q,UACE+Q,SAAU,eACVC,eAAgB,oCAChBC,WAAY,aACZC,WAAY,8BAEdG,UACEC,cAAe,6BACfC,SAAU,sBACVhc,KAAM,OACNic,IAAK,eACLC,OAAQ,SACRC,eAAgB,wBAChBC,eAAgB,yBAChBC,eAAgB,yBAChBC,uBAAwB,iBACxBC,uBAAwB,4CACxBC,mBAAoB,0BACpBC,2BAA4B,2CAC5BX,SAAU,WACVvb,MAAO,OACPmd,UAAW,SACXC,sBAAuB,2GACvBjL,YAAa,WACbkL,uBAAwB,0DACxBC,0BAA2B,qDAC3BC,kBAAmB,6CACnBE,SAAU,sEACVE,mBAAoB,wDAEtBjM,eACEA,cAAe,YACfmN,KAAM,SACNC,aAAc,iBAEhBe,SACEC,OAAQ,UAINgB,GACJliB,MACE4V,MAAO,eAET6F,KACEzb,KAAM,aACNsL,SAAU,oBACVY,SAAU,gBACVwP,UAAW,kBACXC,KAAM,qBAERC,WACEC,YAAa,YACbC,UAAW,WACX/E,OAAQ,SACRgF,QAAS,SACTC,MAAO,SACPpc,SAAU,WACVqc,KAAM,SACNhR,MAAO,SACPwH,UAAW,YACXyJ,UAAW,aACXC,QAAS,WACTC,cAAe,sBAEjB9Q,UACE+Q,SAAU,eACVC,eAAgB,mCAChBC,WAAY,SACZC,WAAY,eACZC,aAAc,eACdC,SAAU,SACV5E,SAAU,WAEZ6E,UACEC,cAAe,wBACfC,SAAU,YACVhc,KAAM,MACNic,IAAK,YACLC,OAAQ,SACRC,eAAgB,uBAChBC,eAAgB,mBAChBC,eAAgB,sBAChBC,uBAAwB,8BACxBC,uBAAwB,sBACxBC,mBAAoB,iBACpBC,2BAA4B,2BAC5BX,SAAU,aACVvb,MAAO,OACPmc,QAAS,mBACTC,WAAY,oFACZC,WAAY,gEACZpc,WAAY,aACZqc,WAAY,WACZta,KAAM,QACNua,MAAO,SACPC,MAAO,2BACPC,KAAM,iBACNC,QAAS,4BACTC,OAAQ,oBACRE,YAAa,cACbD,UAAW,SACXE,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,eAClBC,UAAW,SACXC,sBAAuB,0EACvBjL,YAAa,eACbkL,uBAAwB,6BACxBC,0BAA2B,oDAC3BC,kBAAmB,+EACnBC,UAAW,8BACXC,SAAU,oEACVC,UAAW,mEACXC,mBAAoB,yCACpBC,cAAe,0BACfC,iCAAkC,0CAClCC,iBAAkB,4DAClBC,oBAAqB,oCAEvBrM,eACEA,cAAe,eACfmN,KAAM,UACNC,aAAc,UACdC,cAAe,yBACfC,aAAc,iCAEhBC,OACEA,MAAO,YACPxX,SAAU,mBACVyX,YAAa,YACbxX,SAAU,SACVH,SAAU,YACV4X,OAAQ,gBAEVC,cACEA,aAAc,cACdC,SAAU,cACVC,MAAO,oBACP5D,IAAK,YACL6D,iBAAkB,uBAEpBC,aACEC,QAAS,WACTrlB,QAAS,kCAEXslB,QACEC,UAAW,uBACXC,oBAAqB,4CAEvBC,SACEC,OAAQ,SACRC,MAAO,WAETC,cACEC,eAAgB,oBAIdc,GACJniB,MACE4V,MAAO,QAET6F,KACEzb,KAAM,eACNsL,SAAU,WACVY,SAAU,WACVwP,UAAW,qBACXC,KAAM,mBAERC,WACEC,YAAa,iBACbC,UAAW,eACX/E,OAAQ,WACRgF,QAAS,eACTC,MAAO,WACPpc,SAAU,UACVqc,KAAM,SACNhR,MAAO,YACPwH,UAAW,cACXyJ,UAAW,cACXC,QAAS,WACTC,cAAe,qBAEjB9Q,UACE+Q,SAAU,aACVC,eAAgB,kBAChBC,WAAY,aACZC,WAAY,0BACZC,aAAc,UACdC,SAAU,OACV5E,SAAU,cAEZ6E,UACEC,cAAe,yBACfC,SAAU,aACVhc,KAAM,OACNic,IAAK,MACLC,OAAQ,SACRC,eAAgB,qBAChBC,eAAgB,oBAChBC,eAAgB,iBAChBC,uBAAwB,6BACxBC,uBAAwB,4BACxBC,mBAAoB,cACpBC,2BAA4B,yBAC5BX,SAAU,aACVvb,MAAO,QACPmc,QAAS,gBACTC,WAAY,0EACZC,WAAY,uDACZpc,WAAY,MACZqc,WAAY,gBACZta,KAAM,QACNua,MAAO,QACPC,MAAO,kCACPC,KAAM,oBACNC,QAAS,0BACTC,OAAQ,wBACRC,UAAW,YACXC,YAAa,gBACbC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,aAClBC,UAAW,cACXC,sBAAuB,iFACvBjL,YAAa,aACbkL,uBAAwB,+BACxBC,0BAA2B,+BAC3BC,kBAAmB,sEACnBC,UAAW,wCACXC,SAAU,+DACVC,UAAW,2EACXC,mBAAoB,iEACpBC,cAAe,uBACfC,iCAAkC,qCAClCC,iBAAkB,gEAClBC,oBAAqB,uCACrBC,eAAgB,aAChBC,2BAA4B,uCAC5BC,4BAA6B,wEAC7BC,qBAAsB,uHACtBC,cAAe,wBACfC,yBAA0B,wDAC1BC,qBAAsB,mDACtBC,gBAAiB,cACjBC,iBAAkB,eAClBC,aAAc,aACdC,qBAAsB,uBACtBC,iBAAkB,6BAClBC,sBAAuB,0CAEzBlN,eACEA,cAAe,gBACfmN,KAAM,eACNC,aAAc,gBACdC,cAAe,kCACfC,aAAc,yBAEhBC,OACEA,MAAO,UACPxX,SAAU,aACVyX,YAAa,YACbxX,SAAU,QACVH,SAAU,cACV4X,OAAQ,WAEVC,cACEA,aAAc,cACdC,SAAU,4BACVC,MAAO,QACP5D,IAAK,MACL6D,iBAAkB,uBAEpBC,aACEC,QAAS,YACTrlB,QAAS,+BAEXslB,QACEC,UAAW,qBACXC,oBAAqB,gCAEvBC,SACEC,OAAQ,SACRC,MAAO,YAETC,cACEC,eAAgB,yBAIde,GACJpiB,MACE4V,MAAO,QAET6F,KACEzb,KAAM,aACNsL,SAAU,iBACVY,SAAU,YACVwP,UAAW,yBACXC,KAAM,wBAERC,WACEC,YAAa,aACbC,UAAW,cACX/E,OAAQ,SACRgF,QAAS,cACTC,MAAO,WACPpc,SAAU,UACVqc,KAAM,YACNhR,MAAO,aACPwH,UAAW,aACXyJ,UAAW,YACXC,QAAS,UACTC,cAAe,UAEjB9Q,UACE+Q,SAAU,mBACVC,eAAgB,sCAChBC,WAAY,cACZC,WAAY,oCACZC,aAAc,gBAEhBE,UACEC,cAAe,qBACfC,SAAU,qBACVhc,KAAM,SACNic,IAAK,YACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,iBAChBC,eAAgB,sBAChBC,uBAAwB,kBACxBC,uBAAwB,mBACxBC,mBAAoB,mBACpBC,2BAA4B,2BAC5BX,SAAU,UACVvb,MAAO,OACPmc,QAAS,cACTC,WAAY,qFACZnc,WAAY,gBACZqc,WAAY,eACZta,KAAM,QACNua,MAAO,QACPY,UAAW,UACXC,sBAAuB,kFACvBjL,YAAa,WACbkL,uBAAwB,wCACxBC,0BAA2B,yCAC3BC,kBAAmB,iDACnBE,SAAU,2DACVC,UAAW,wGACXC,mBAAoB,mFACpBC,cAAe,kCACfC,iCAAkC,4DAClCC,iBAAkB,0CAClBC,oBAAqB,gCAEvBrM,eACEA,cAAe,iBACfmN,KAAM,UACNC,aAAc,qBAEhBG,OACEA,MAAO,iBACPxX,SAAU,UACVyX,YAAa,aACbxX,SAAU,aACVH,SAAU,YACV4X,OAAQ,SAEVC,cACEA,aAAc,WACdC,SAAU,mBACVC,MAAO,qBACP5D,IAAK,YACL6D,iBAAkB,8BAEpBC,aACEC,QAAS,aACTrlB,QAAS,8BAEXslB,QACEC,UAAW,oBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,SACRC,MAAO,YAILkB,GACJriB,MACE4V,MAAO,QAET6F,KACEzb,KAAM,aACNsL,SAAU,iBACVY,SAAU,UACVwP,UAAW,yBACXC,KAAM,yBAERC,WACEC,YAAa,cACbC,UAAW,YACX/E,OAAQ,SACRgF,QAAS,aACTC,MAAO,WACPpc,SAAU,YACVqc,KAAM,YACNhR,MAAO,aACPwH,UAAW,aACXyJ,UAAW,WACXC,QAAS,UACTC,cAAe,mBAEjB9Q,UACE+Q,SAAU,gBACVC,eAAgB,6BAChBC,WAAY,aACZC,WAAY,6BACZC,aAAc,YAEhBE,UACEC,cAAe,2BACfC,SAAU,mBACVhc,KAAM,OACNic,IAAK,YACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB;AAChBC,eAAgB,iBAChBC,uBAAwB,2BACxBC,uBAAwB,yBACxBC,mBAAoB,2BACpBC,2BAA4B,qCAC5BX,SAAU,gBACVvb,MAAO,OACPmc,QAAS,gBACTC,WAAY,oFACZnc,WAAY,iBACZqc,WAAY,iBACZta,KAAM,QACNua,MAAO,QACPY,UAAW,YACXC,sBAAuB,+EACvBjL,YAAa,SACbkL,uBAAwB,oCACxBC,0BAA2B,8BAC3BC,kBAAmB,4CACnBE,SAAU,oEACVC,UAAW,qEACXC,mBAAoB,uEACpBC,cAAe,oBACfC,iCAAkC,gDAClCC,iBAAkB,gEAClBC,oBAAqB,+BAEvBrM,eACEA,cAAe,eACfmN,KAAM,OACNC,aAAc,eAEhBG,OACEA,MAAO,SACPxX,SAAU,UACVyX,YAAa,YACbxX,SAAU,QACVH,SAAU,YACV4X,OAAQ,QAEVC,cACEA,aAAc,WACdC,SAAU,qBACVC,MAAO,qBACP5D,IAAK,YACL6D,iBAAkB,wBAEpBC,aACEC,QAAS,aACTrlB,QAAS,8BAEXslB,QACEC,UAAW,iBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,SACRC,MAAO,YAILmB,GACJtiB,MACE4V,MAAO,OAET6F,KACEzb,KAAM,gBACNsL,SAAU,QACVY,SAAU,aACVwP,UAAW,kBACXC,KAAM,sBAERC,WACEC,YAAa,aACbC,UAAW,QACX/E,OAAQ,SACRgF,QAAS,eACTC,MAAO,gBACPpc,SAAU,UACVqc,KAAM,eACNhR,MAAO,YACPwH,UAAW,WACXyJ,UAAW,WACXC,QAAS,SACTC,cAAe,mBAEjB9Q,UACE+Q,SAAU,iBACVC,eAAgB,wBAChBC,WAAY,YACZC,WAAY,2BACZC,aAAc,WACdC,SAAU,WACV5E,SAAU,eAEZ6E,UACEC,cAAe,yBACfC,SAAU,iBACVhc,KAAM,MACNic,IAAK,WACLC,OAAQ,SACRC,eAAgB,iBAChBC,eAAgB,yBAChBC,eAAgB,iBAChBC,uBAAwB,yBACxBC,uBAAwB,iCACxBC,mBAAoB,cACpBC,2BAA4B,8BAC5BX,SAAU,YACVvb,MAAO,OACPmc,QAAS,UACTC,WAAY,0EACZC,WAAY,qDACZpc,WAAY,MACZqc,WAAY,gBACZta,KAAM,QACNua,MAAO,SACPC,MAAO,mBACPC,KAAM,WACNC,QAAS,WACTC,OAAQ,YACRC,UAAW,SACXC,YAAa,aACbC,YAAa,SACbC,aAAc,UACdC,gBAAiB,yBACjBC,cAAe,oCACfC,iBAAkB,sBAClBC,UAAW,aACXC,sBAAuB,iFACvBjL,YAAa,WACbkL,uBAAwB,2BACxBC,0BAA2B,gCAC3BE,UAAW,gDACXD,kBAAmB,iCACnBE,SAAU,sDACVC,UAAW,uEACXC,mBAAoB,8DACpBC,cAAe,yBACfC,iCAAkC,uCAClCC,iBAAkB,mEAClBC,oBAAqB,sCACrBC,eAAgB,kBAChBC,2BAA4B,4CAC5BC,4BAA6B,6DAC7BC,qBAAsB,yHACtBC,cAAe,0BACfC,yBAA0B,+DAC1BC,qBAAsB,sCACtBC,gBAAiB,iBACjBC,iBAAkB,iBAClBC,aAAc,eACdC,qBAAsB,8BACtBC,iBAAkB,0BAClBC,sBAAuB,iDAEzBlN,eACEA,cAAe,cACfmN,KAAM,WACNC,aAAc,sBACdC,cAAe,sBACfC,aAAc,0BAEhBC,OACEA,MAAO,QACPxX,SAAU,mBACVyX,YAAa,YACbxX,SAAU,SACVH,SAAU,qBACV4X,OAAQ,SAEVC,cACEA,aAAc,cACdC,SAAU,mBACVC,MAAO,QACP5D,IAAK,WACL6D,iBAAkB,wBAEpBC,aACEC,QAAS,eACTrlB,QAAS,eAEXslB,QACEC,UAAW,qBACXC,oBAAqB,0BAEvBC,SACEC,OAAQ,YACRC,MAAO,aAETC,cACEC,eAAgB,uBAGdkB,GACJviB,MACE4V,MAAO,QAET6F,KACEzb,KAAM,aACNsL,SAAU,YACVY,SAAU,QACVwP,UAAW,sBACXC,KAAM,8BAERC,WACEC,YAAa,cACbC,UAAW,UACX/E,OAAQ,OACRgF,QAAS,YACTC,MAAO,UACPpc,SAAU,WACVqc,KAAM,OACNhR,MAAO,SACPwH,UAAW,UACXyJ,UAAW,SACXC,QAAS,UACTC,cAAe,iBAEjB9Q,UACE+Q,SAAU,UACVC,eAAgB,oCAChBC,WAAY,YACZC,WAAY,sBACZC,aAAc,UACdC,SAAU,aACV5E,SAAU,WAEZ6E,UACEC,cAAe,qBACfC,SAAU,kBACVhc,KAAM,OACNic,IAAK,WACLC,OAAQ,cACRC,eAAgB,6BAChBC,eAAgB,sBAChBC,eAAgB,gBAChBC,uBAAwB,8BACxBC,uBAAwB,wBACxBC,mBAAoB,kBACpBC,2BAA4B,0BAC5BX,SAAU,gBACVvb,MAAO,OACPmc,QAAS,+BACTC,WAAY,yEACZC,WAAY,yEACZpc,WAAY,WACZqc,WAAY,YACZta,KAAM,QACNua,MAAO,SACPC,MAAO,mBACPC,KAAM,eACNC,QAAS,gBACTC,OAAQ,iBACRC,UAAW,UACXE,YAAa,QACbC,aAAc,cACdC,gBAAiB,2BACjBC,cAAe,wBACfC,iBAAkB,UAClBC,UAAW,aACXC,sBAAuB,6FACvBjL,YAAa,UACbkL,uBAAwB,4BACxBC,0BAA2B,0BAC3BC,kBAAmB,wDACnBC,UAAW,uCACXC,SAAU,gDACVC,UAAW,mEACXC,mBAAoB,qEACpBC,cAAe,qBACfC,iCAAkC,oCAClCC,iBAAkB,yDAClBC,oBAAqB,sCAEvBrM,eACEA,cAAe,aACfmN,KAAM,OACNC,aAAc,aACdC,cAAe,mBACfC,aAAc,sBAEhBC,OACEA,MAAO,WACPxX,SAAU,aACVyX,YAAa,cACbxX,SAAU,UACVH,SAAU,YACV4X,OAAQ,WAEVC,cACEA,aAAc,eACdC,SAAU,eACVC,MAAO,gBACP5D,IAAK,WACL6D,iBAAkB,mBAEpBC,aACEC,QAAS,aACTrlB,QAAS,yBAEXslB,QACEC,UAAW,cACXC,oBAAqB,8BAEvBC,SACEC,OAAQ,UACRC,MAAO,QAETC,cACEC,eAAgB,qBAIdmB,GACJxiB,MACE4V,MAAO,QAET6F,KACEzb,KAAM,aACNsL,SAAU,WACVY,SAAU,UACVwP,UAAW,mBACXC,KAAM,kBAERC,WACEC,YAAa,cACbC,UAAW,QACX/E,OAAQ,OACRgF,QAAS,QACTC,MAAO,QACPpc,SAAU,UACVqc,KAAM,OACNhR,MAAO,QACPwH,UAAW,SACXyJ,UAAW,SACXC,QAAS,OACTC,cAAe,eAEjB9Q,UACE+Q,SAAU,WACVC,eAAgB,qBAChBC,WAAY,QACZC,WAAY,oBACZC,aAAc,OACdC,SAAU,OACV5E,SAAU,OAEZ6E,UACEC,cAAe,eACfC,SAAU,YACVhc,KAAM,KACNic,IAAK,QACLC,OAAQ,eACRC,eAAgB,4BAChBC,eAAgB,wBAChBC,eAAgB,eAChBC,uBAAwB,2BACxBC,uBAAwB,uBACxBC,mBAAoB,cACpBC,2BAA4B,qBAC5BX,SAAU,SACVvb,MAAO,MACPmc,QAAS,oBACTC,WAAY,4FACZC,WAAY,wCACZpc,WAAY,MACZqc,WAAY,OACZta,KAAM,OACNua,MAAO,SACPC,MAAO,sBACPC,KAAM,eACNC,QAAS,cACTC,OAAQ,cACRC,UAAW,UACXC,YAAa,WACbC,YAAa,SACbC,aAAc,gBACdC,gBAAiB,yBACjBC,cAAe,mBACfC,iBAAkB,UAClBC,UAAW,QACXC,sBAAuB,uDACvBjL,YAAa,UACbkL,uBAAwB,yBACxBC,0BAA2B,sBAC3BC,kBAAmB,+DACnBC,UAAW,qBACXC,SAAU,uCACVC,UAAW,gDACXC,mBAAoB,oDACpBC,cAAe,cACfC,iCAAkC,gCAClCC,iBAAkB,uCAClBC,oBAAqB,uBACrBC,eAAgB,YAChBC,2BAA4B,6CAC5BC,4BAA6B,oDAC7BC,qBAAsB,oEACtBC,cAAe,cACfC,yBAA0B,iDAC1BC,qBAAsB,gCACtBC,gBAAiB,YACjBC,iBAAkB,eAClBC,aAAc,aACdC,qBAAsB,YACtBC,iBAAkB,sBAClBC,sBAAuB,6BAEzBlN,eACEA,cAAe,SACfmN,KAAM,OACNC,aAAc,aACdC,cAAe,oBACfC,aAAc,qBAEhBC,OACEA,MAAO,QACPxX,SAAU,YACVyX,YAAa,YACbxX,SAAU,QACVH,SAAU,QACV4X,OAAQ,SAEVC,cACEA,aAAc,QACdC,SAAU,WACVC,MAAO,SACP5D,IAAK,QACL6D,iBAAkB,eAEpBC,aACEC,QAAS,QACTrlB,QAAS,mBAEXslB,QACEC,UAAW,cACXC,oBAAqB,sBAEvBC,SACEC,OAAQ,MACRC,MAAO,OAETC,cACEC,eAAgB,mBAIdhhB,GACJmb,KACA8F,KACAjiB,KACAuiB,KACAC,KACAC,KACAC,KACAziB,KACA0iB,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KjBgpEDrnB,GAAQK,QiB7oEM6E,GjBipET,SAAUnF,EAAQC,EAASC,GAEhC,YAgCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GkB/gIzE,QAASmnB,KAWhB,GAAA7a,GAAAiM,UAAAC,OAAA,GAAA5I,SAAA2I,UAAA,GAAAA,UAAA,MAAA6O,EAAA9a,EAVNnE,MAUMyH,SAAAwX,EAVA,UAUAA,EAAAC,EAAA/a,EATNpI,QASM0L,SAAAyX,OAAAC,EAAAhb,EARNib,WAQM3X,SAAA0X,EARK,SAACnf,EAAKqf,GACf,GAAI5hB,GAAQ4hB,EAAQC,QAAQtf,EAC5B,OAAOvC,IAMH0hB,EAAAI,EAAApb,EAJNqb,WAIM/X,SAAA8X,GAJK,EAAAE,EAAA1nB,SAAS2nB,EAAiB,KAI/BH,EAAAI,EAAAxb,EAHNyb,UAGMnY,SAAAkY,EAHIE,EAGJF,EAAAG,EAAA3b,EAFNkb,UAEM5X,SAAAqY,EAFIC,EAEJD,EAAAE,EAAA7b,EADN8b,aACMxY,SAAAuY,EADO,SAAAhkB,GAAA,MAAS,UAAAkkB,GAAA,MAAWlkB,GAAMmkB,UAAUD,KAC3CF,CACN,OAAO,UAAAhkB,GACLojB,EAASpf,EAAKqf,GAASviB,KAAK,SAACsjB,GAC3B,IACE,GAA0B,YAAtB,mBAAOA,GAAP,eAAAC,EAAAtoB,SAAOqoB,IAAyB,CAElC,GAAME,GAAaF,EAAWhkB,SAC9BkkB,GAAWC,cACX,IAAMnkB,GAAQkkB,EAAWlkB,WACzB,EAAA0E,EAAA/I,SAAKqE,EAAO,SAAC+I,GAAWmb,EAAWC,YAAYpb,EAAKS,IAAMT,IAC1Dib,EAAWhkB,MAAQkkB,EAEnBtkB,EAAMwkB,cACJ,EAAAC,EAAA1oB,YAAUiE,EAAMyC,MAAO2hB,IAGvBpkB,EAAMyC,MAAMnC,OAAOokB,cAGrBrlB,OAAOslB,aAAc,EACrB3kB,EAAMwB,SAAS,aACbJ,KAAM,cACNK,MAAOzB,EAAMyC,MAAMnC,OAAOokB,eAG1B1kB,EAAMyC,MAAMrC,MAAMwkB,eACpB5kB,EAAMwB,SAAS,aAAc4H,SAAUpJ,EAAMyC,MAAMrC,MAAMwkB,cAAevb,SAAU,QAEpFwb,GAAS,EACT,MAAOC,GACPzgB,QAAQC,IAAI,uBACZugB,GAAS,KAIbZ,EAAWjkB,GAAO,SAAC+kB,EAAUtiB,GAC3B,IACE+gB,EAASxf,EAAK4f,EAAQnhB,EAAO1C,GAAQsjB,GACrC,MAAOyB,GACPzgB,QAAQC,IAAI,2BACZD,QAAQC,IAAIwgB,OlB87HnBrgB,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIujB,GAAWrpB,EAAoB,KAE/B0oB,EAAWzoB,EAAuBopB,GAElCngB,EAASlJ,EAAoB,IAE7BmJ,EAASlJ,EAAuBiJ,GAEhCogB,EAAatpB,EAAoB,KAEjC8nB,EAAa7nB,EAAuBqpB,EAExCvpB,GAAQK,QkBjgIeinB,CA1BxB,IAAAkC,GAAAvpB,EAAA,KlB+hIK8oB,EAAW7oB,EAAuBspB,GkB9hIvCC,EAAAxpB,EAAA,KlBkiIKypB,EAAexpB,EAAuBupB,GkBjiI3CE,EAAA1pB,EAAA,KlBqiIK2pB,EAAgB1pB,EAAuBypB,GkBliIxCR,GAAS,EAEPhB,EAAiB,SAACphB,EAAO1C,GAAR,MACJ,KAAjBA,EAAMsU,OAAe5R,EAAQ1C,EAAMwlB,OAAO,SAACC,EAAUpjB,GAEnD,MADAgjB,GAAArpB,QAAW0pB,IAAID,EAAUpjB,EAAMgjB,EAAArpB,QAAW2pB,IAAIjjB,EAAOL,IAC9CojB,QAILzB,EAAkB,WACtB,MAAAuB,GAAAvpB,WAGI2nB,EAAkB,SAAC1f,EAAKvB,EAAO4gB,GACnC,MAAKwB,GAGIxB,EAAQsC,QAAQ3hB,EAAKvB,OAF5B4B,SAAQC,IAAI,2ClBgnIV,SAAU7I,EAAQC,EAASC,GAEhC,YAgBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAdvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIoP,GAAYlV,EAAoB,GAEhCmV,EAAYlV,EAAuBiV,GmB9oIxC+U,EAAAjqB,EAAA,KnBkpIKkqB,EAA+BjqB,EAAuBgqB,GmBhpI3DE,EAAAnqB,EAAA,KAEM0E,GACJoC,OACEsjB,mBAAmB,EAAAF,EAAA9pB,WACnBiqB,YACAC,OAAQ,KACRC,cAAc,EACdC,mBAEF7V,WACE8V,qBADS,SACa3jB,EAAOsjB,GAC3BtjB,EAAMsjB,kBAAoBA,GAE5BM,WAJS,SAIG5jB,EAJH0F,GAI+B,GAApB0D,GAAoB1D,EAApB0D,SAAUya,EAAUne,EAAVme,OAC5B7jB,GAAMujB,SAASna,GAAYya,GAE7BC,cAPS,SAOM9jB,EAPNoG,GAOyB,GAAXgD,GAAWhD,EAAXgD,eACdpJ,GAAMujB,SAASna,IAExB2a,UAVS,SAUE/jB,EAAOwjB,GAChBxjB,EAAMwjB,OAASA,GAEjBQ,gBAbS,SAaQhkB,EAAOhB,GACtBgB,EAAMyjB,aAAezkB,GAEvBilB,kBAhBS,SAgBUjkB,EAAOhB,GACxBgB,EAAM0jB,eAAiB1kB,IAG3BuX,SACEU,cADO,SACQ1Z,EAAO6L,GACpB,GAAIM,IAAS,CASb,KANI,EAAA2E,EAAA/U,SAAQ8P,KACVM,EAASN,EAAS,GAClBA,EAAWA,EAAS,KAIjB7L,EAAMyC,MAAMujB,SAASna,GAAW,CACnC,GAAMya,GAAUtmB,EAAMyC,MAAMsjB,kBAAkBrM,eAAe7N,WAAU7L,QAAOmM,UAC9EnM,GAAMkZ,OAAO,cAAerN,WAAUya,cAG1CK,aAhBO,SAgBO3mB,EAAO6L,GACnB,GAAMya,GAAUtmB,EAAMyC,MAAMujB,SAASna,EACrCxM,QAAOunB,cAAcN,GACrBtmB,EAAMkZ,OAAO,iBAAkBrN,cAEjCgb,iBArBO,SAqBW7mB,EAAO8mB,GAEvB,IAAK9mB,EAAMyC,MAAMyjB,aAAc,CAC7B,GAAID,GAAS,GAAAH,GAAAiB,OAAW,WAAY3e,QAAS0e,MAAOA,IACpDb,GAAOe,UACPhnB,EAAMwB,SAAS,iBAAkBykB,KAGrCgB,YA7BO,SA6BMjnB,GACXA,EAAMkZ,OAAO,mBAAmB,IAElCgO,oBAhCO,SAgCclnB,EAAOmnB,GAC1B,GAAIC,GAAWpnB,EAAMyC,MAAM0jB,eAAekB,OAAO,SAAC7E,GAAD,MAAQA,KAAO2E,GAChEnnB,GAAMkZ,OAAO,oBAAqBkO,KnB6pIvC1rB,GAAQK,QmBxpIMsE,GnB4pIT,SAAU5E,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GoBxuIV,IAAMlB,IACJkC,OACE7B,YACA0mB,SAAU7kB,MAAO,KAEnB6N,WACEiX,WADS,SACG9kB,EAAO6kB,GACjB7kB,EAAM6kB,QAAUA,GAElBE,WAJS,SAIG/kB,EAAO6X,GACjB7X,EAAM7B,SAAS+L,KAAK2N,GACpB7X,EAAM7B,SAAW6B,EAAM7B,SAASoP,OAAM,GAAK,KAE7CyX,YARS,SAQIhlB,EAAO7B,GAClB6B,EAAM7B,SAAWA,EAASoP,OAAM,GAAK,MAGzCgJ,SACE0O,eADO,SACS1nB,EAAOimB,GACrB,GAAMqB,GAAUrB,EAAOqB,QAAQ,cAC/BA,GAAQK,GAAG,UAAW,SAACC,GACrB5nB,EAAMkZ,OAAO,aAAc0O,KAE7BN,EAAQK,GAAG,WAAY,SAAAxf,GAAgB,GAAdvH,GAAcuH,EAAdvH,QACvBZ,GAAMkZ,OAAO,cAAetY,KAE9B0mB,EAAQxa,OACR9M,EAAMkZ,OAAO,aAAcoO,KpBivIhC5rB,GAAQK,QoB5uIMwE,GpBgvIT,SAAU9E,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GqBrxIV,IAAAvF,GAAAP,EAAA,KACAksB,EAAAlsB,EAAA,KrB2xIKmsB,EAAiBlsB,EAAuBisB,GqBzxIvCnX,GACJtP,KAAM,aACN2mB,UACAC,iBAAiB,EACjBC,uBAAuB,EACvBC,UAAU,EACVC,UAAU,EACV9I,WAAW,EACX+I,cAAc,EACdC,cAGI/nB,GACJmC,MAAOiO,EACPJ,WACEgY,UADS,SACE7lB,EADF0F,GAC0B,GAAf/G,GAAe+G,EAAf/G,KAAMK,EAAS0G,EAAT1G,OACxB,EAAAvF,EAAAupB,KAAIhjB,EAAOrB,EAAMK,KAGrBuX,SACEuP,aADO,SAAA1f,GAC6B,GAArBpG,GAAqBoG,EAArBpG,MAAQ+lB,EAAapU,UAAAC,OAAA,GAAA5I,SAAA2I,UAAA,GAAAA,UAAA,GAAJ,EAC9BqU,UAAStS,MAAWqS,EAApB,IAA8B/lB,EAAMrB,MAEtCknB,UAJO,SAAAvf,EAAAE,GAI2C,GAArCiQ,GAAqCnQ,EAArCmQ,OAAQ1X,EAA6BuH,EAA7BvH,SAAcJ,EAAe6H,EAAf7H,KAAMK,EAASwH,EAATxH,KAEvC,QADAyX,EAAO,aAAc9X,OAAMK,UACnBL,GACN,IAAK,OACHI,EAAS,eACT,MACF,KAAK,QACHsmB,EAAA/rB,QAAY2sB,UAAUjnB,EAAOyX,EAC7B,MACF,KAAK,cACH4O,EAAA/rB,QAAY4sB,UAAUlnB,EAAOyX,MrB8yItCxd,GAAQK,QqBxyIMuE,GrB4yIT,SAAU7E,EAAQC,EAASC,GAEhC,YAiCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA/BvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,IAET/F,EAAQgV,aAAehV,EAAQ4U,UAAY5U,EAAQwY,WAAazI,MAEhE,IAAImd,GAAWjtB,EAAoB,KAE/BktB,EAAYjtB,EAAuBgtB,GAEnC3X,EAAUtV,EAAoB,KAE9BuV,EAAUtV,EAAuBqV,GAEjCpM,EAASlJ,EAAoB,IAE7BmJ,EAASlJ,EAAuBiJ,GAEhCF,EAAQhJ,EAAoB,IAE5BiJ,EAAQhJ,EAAuB+I,GAE/BmkB,EAAYntB,EAAoB,KAEhCotB,EAAYntB,EAAuBktB,GsBj3IxClD,EAAAjqB,EAAA,KtBq3IKkqB,EAA+BjqB,EAAuBgqB,GsBn3I3D1pB,EAAAP,EAAA,KAGauY,eAAa,SAACO,EAAK5Y,EAAK6Y,GACnC,IAAKA,EAAQ,OAAO,CACpB,IAAMC,GAAU9Y,EAAI6Y,EAAK9K,GACzB,OAAI+K,KAEF,EAAAzD,EAAAnV,SAAM4Y,EAASD,IACPA,KAAMC,EAASE,KAAK,KAG5BJ,EAAI9H,KAAK+H,GACT7Y,EAAI6Y,EAAK9K,IAAM8K,GACPA,OAAMG,KAAK,KAIVvE,eACX0Y,SADuB,SACbvmB,EADa0F,GACiB,GAAdyB,GAAczB,EAArBgB,KAAOS,GAAK4B,EAASrD,EAATqD,MACvBrC,EAAO1G,EAAM8hB,YAAY3a,IAC/B,EAAA1N,EAAAupB,KAAItc,EAAM,QAASqC,IAErByd,eALuB,SAKPxmB,EAAO0G,GACrB1G,EAAMmiB,cAAgBzb,EAAKwO,YAC3BlV,EAAMC,aAAc,EAAAwO,EAAAnV,SAAM0G,EAAMC,gBAAmByG,IAErD+f,iBATuB,SASLzmB,GAChBA,EAAMC,aAAc,EACpBD,EAAMmiB,eAAgB,GAExBuE,WAbuB,SAaX1mB,GACVA,EAAM2mB,WAAY,GAEpBC,SAhBuB,SAgBb5mB,GACRA,EAAM2mB,WAAY,GAEpBE,YAnBuB,SAmBV7mB,EAAOrC,IAClB,EAAA0E,EAAA/I,SAAKqE,EAAO,SAAC+I,GAAD,MAAU+K,GAAWzR,EAAMrC,MAAOqC,EAAM8hB,YAAapb,MAEnEogB,iBAtBuB,SAsBL9mB,EAAO+K,GACvBA,EAAOrE,KAAO1G,EAAM8hB,YAAY/W,EAAOrE,KAAKS,MAInC8G,kBACXkU,eAAe,EACfliB,aAAa,EACb0mB,WAAW,EACXhpB,SACAmkB,gBAGInkB,GACJqC,MAAOiO,EACPJ,YACA0I,SACEzO,UADO,SACIvK,EAAO4J,GAChB5J,EAAMiZ,UAAU5Y,IAAI0lB,kBAAkBxb,WAAWX,OAC9C9I,KAAK,SAACqI,GAAD,MAAUnJ,GAAMkZ,OAAO,cAAe/P,MAEhD4L,eALO,SAKS/U,EALT6I,GAK8B,GAAZ1I,GAAY0I,EAAZ1I,SACjBC,GAAQ,EAAAwE,EAAA7I,SAAIoE,EAAU,QACtBqpB,GAAiB,EAAAT,EAAAhtB,UAAQ,EAAA6I,EAAA7I,SAAIoE,EAAU,yBAC7CH,GAAMkZ,OAAO,cAAe9Y,GAC5BJ,EAAMkZ,OAAO,cAAesQ,IAG5B,EAAA1kB,EAAA/I,SAAKoE,EAAU,SAACqN,GACdxN,EAAMkZ,OAAO,mBAAoB1L,MAGnC,EAAA1I,EAAA/I,UAAK,EAAAgtB,EAAAhtB,UAAQ,EAAA6I,EAAA7I,SAAIoE,EAAU,qBAAsB,SAACqN,GAChDxN,EAAMkZ,OAAO,mBAAoB1L,MAGrCsT,OApBO,SAoBC9gB,GACNA,EAAMkZ,OAAO,oBACblZ,EAAMwB,SAAS,eAAgB,WAC/BxB,EAAMkZ,OAAO,wBAAwB,EAAA2M,EAAA9pB,aAEvC0tB,UAzBO,SAyBIzpB,EAAO0pB,GAChB,MAAO,IAAAb,GAAA9sB,QAAY,SAAC4tB,EAASC,GAC3B,GAAM1Q,GAASlZ,EAAMkZ,MACrBA,GAAO,cACPlZ,EAAMiZ,UAAU5Y,IAAI0lB,kBAAkBhZ,kBAAkB2c,GACrD5oB,KAAK,SAACqN,GACDA,EAASK,GACXL,EAASnN,OACNF,KAAK,SAACqI,GACLA,EAAK3B,YAAckiB,EACnBxQ,EAAO,iBAAkB/P,GACzB+P,EAAO,eAAgB/P,IAGvB+P,EAAO,wBAAwB,EAAA2M,EAAA9pB,SAAyB2tB,IAEpDvgB,EAAK2d,OACP9mB,EAAMwB,SAAS,mBAAoB2H,EAAK2d,OAI1C9mB,EAAMwB,SAAS,gBAAiB,WAGhCxB,EAAMiZ,UAAU5Y,IAAI0lB,kBAAkBhX,aAAajO,KAAK,SAAC+oB,IACvD,EAAA/kB,EAAA/I,SAAK8tB,EAAY,SAAC1gB,GAAWA,EAAKqC,OAAQ,IAC1CxL,EAAMkZ,OAAO,cAAe2Q,KAG1B,gBAAkBxqB,SAA6C,YAAnCA,OAAO4W,aAAaC,YAClD7W,OAAO4W,aAAa6T,oBAItB9pB,EAAMiZ,UAAU5Y,IAAI0lB,kBAAkBtb,eACnC3J,KAAK,SAAC0L,GAAD,MAAa0M,GAAO,cAAe1M,QAI/C0M,EAAO,YAEL0Q,EADsB,MAApBzb,EAASX,OACJ,6BAEA,wCAGX0L,EAAO,YACPyQ,MAEDvP,MAAM,SAAChW,GACNC,QAAQC,IAAIF,GACZ8U,EAAO,YACP0Q,EAAO,gDtB+3IlBluB,GAAQK,QsBx3IMqE,GtB43IT,SAAU3E,EAAQC,EAASC,GAEhC,YAeA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAbvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,IAET/F,EAAQquB,eAAiBruB,EAAQsuB,mBAAqBtuB,EAAQuuB,eAAiBvuB,EAAQwuB,YAAcze,MAErG,IAAIgG,GAAS9V,EAAoB,IAE7B+V,EAAS9V,EAAuB6V,GAEhC0Y,EAAWxuB,EAAoB,KAE/ByuB,EAAWxuB,EAAuBuuB,GuBvhJ1BD,gBAAc,SAACxiB,EAAK2iB,EAAWC,GAC1C,MAAO5iB,GAAIsI,MAAM,EAAGqa,EAAUE,OAASD,EAAc5iB,EAAIsI,MAAMqa,EAAUG,MAG9DP,mBAAiB,SAACviB,EAAK+iB,GAClC,GAAMC,GAAQX,EAAeriB,GACvBijB,EAAoBX,EAAmBU,EAE7C,QAAO,EAAAhZ,EAAA3V,SAAK4uB,EAAmB,SAAAxiB,GAAA,GAAEoiB,GAAFpiB,EAAEoiB,MAAOC,EAATriB,EAASqiB,GAAT,OAAkBD,IAASE,GAAOD,EAAMC,KAG5DT,uBAAqB,SAACU,GACjC,OAAO,EAAAN,EAAAruB,SAAO2uB,EAAO,SAACxa,EAAQ0a,GAC5B,GAAM3pB,IACJ2pB,OACAL,MAAO,EACPC,IAAKI,EAAKvW,OAGZ,IAAInE,EAAOmE,OAAS,EAAG,CACrB,GAAMwW,GAAW3a,EAAO4a,KAExB7pB,GAAKspB,OAASM,EAASL,IACvBvpB,EAAKupB,KAAOK,EAASL,IAErBta,EAAOvD,KAAKke,GAKd,MAFA3a,GAAOvD,KAAK1L,GAELiP,QAIE6Z,mBAAiB,SAACriB,GAE7B,GAAMqjB,GAAQ,KACRC,EAAW,UAEbxrB,EAAQkI,EAAIlI,MAAMurB,GAGhBL,GAAQ,EAAAN,EAAAruB,SAAOyD,EAAO,SAAC0Q,EAAQ0a,GACnC,GAAI1a,EAAOmE,OAAS,EAAG,CACrB,GAAIwW,GAAW3a,EAAO4a,MAChBG,EAAUJ,EAAS/iB,MAAMkjB,EAC3BC,KACFJ,EAAWA,EAAShjB,QAAQmjB,EAAU,IACtCJ,EAAOK,EAAQ,GAAKL,GAEtB1a,EAAOvD,KAAKke,GAId,MAFA3a,GAAOvD,KAAKie,GAEL1a,MAGT,OAAOwa,IAGHQ,GACJjB,iBACAD,qBACAD,iBACAG,cvBgiJDxuB,GAAQK,QuB7hJMmvB,GvBiiJT,SAAUzvB,EAAQC,EAASC,GAEhC,YAoBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAlBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAI4N,GAAkB1T,EAAoB,KAEtC2T,EAAkB1T,EAAuByT,GAEzC8b,EAAWxvB,EAAoB,KAE/ByvB,EAAYxvB,EAAuBuvB,GAEnCE,EAAU1vB,EAAoB,KAE9B2vB,EAAU1vB,EAAuByvB,GwBvnJtCE,EAAA5vB,EAAA,IAMM6vB,EAAW,SAACC,EAAMvS,GActB,GAAMwS,GAAOjD,SAASiD,KAChB/iB,EAAO8f,SAAS9f,IACtBA,GAAKgjB,MAAMC,QAAU,MACrB,IAAMC,GAAQpD,SAASqD,cAAc,OACrCD,GAAME,aAAa,MAAO,cAC1BF,EAAME,aAAa,OAAQN,GAC3BC,EAAKM,YAAYH,EAEjB,IAAMI,GAAa,WACjB,GAAMC,GAASzD,SAASqD,cAAc,MACtCnjB,GAAKqjB,YAAYE,EAEjB,IAAInE,OACJ,EAAAuD,EAAAvvB,SAAM,GAAI,SAACowB,GACT,GAAM/qB,WAAe+qB,EAAEpc,SAAS,IAAIqc,aACpCF,GAAOH,aAAa,QAAS3qB,EAC7B,IAAMirB,GAAQhtB,OAAOitB,iBAAiBJ,GAAQK,iBAAiB,QAC/DxE,GAAO3mB,GAAQirB,IAGjBnT,EAAO,aAAe9X,KAAM,SAAUK,MAAOsmB,IAE7Cpf,EAAK6jB,YAAYN,EAEjB,IAAMO,GAAUhE,SAASqD,cAAc,QACvCJ,GAAKM,YAAYS,GAGjB9jB,EAAKgjB,MAAMC,QAAU,UAGvBC,GAAMa,iBAAiB,OAAQT,IAG3BtD,EAAY,SAACgE,EAAKzT,GACtB,GAAMwS,GAAOjD,SAASiD,KAChB/iB,EAAO8f,SAAS9f,IACtBA,GAAKgjB,MAAMC,QAAU,MAErB,IAAMa,GAAUhE,SAASqD,cAAc,QACvCJ,GAAKM,YAAYS,EACjB,IAAMG,GAAaH,EAAQI,MAErBC,EAAUH,EAAIhpB,KAAK8L,EAAIkd,EAAIhpB,KAAK+L,EAAIid,EAAIhpB,KAAKgM,EAAMgd,EAAII,GAAGtd,EAAIkd,EAAII,GAAGrd,EAAIid,EAAII,GAAGpd,EAClFoY,KACAiF,KAEEC,EAAMH,GAAS,GAAM,EAE3B/E,GAAOgF,IAAK,EAAAxB,EAAAnc,SAAQud,EAAII,GAAGtd,EAAGkd,EAAII,GAAGrd,EAAGid,EAAII,GAAGpd,GAC/CoY,EAAOmF,SAAU,EAAA3B,EAAAnc,UAASud,EAAII,GAAGtd,EAAIkd,EAAIQ,GAAG1d,GAAK,GAAIkd,EAAII,GAAGrd,EAAIid,EAAIQ,GAAGzd,GAAK,GAAIid,EAAII,GAAGpd,EAAIgd,EAAIQ,GAAGxd,GAAK,GACvGoY,EAAOqF,KAAM,EAAA7B,EAAAnc,SAAQud,EAAIQ,GAAG1d,EAAGkd,EAAIQ,GAAGzd,EAAGid,EAAIQ,GAAGxd,GAChDoY,EAAOsF,MAAP,QAAuBV,EAAIQ,GAAG1d,EAA9B,KAAoCkd,EAAIQ,GAAGzd,EAA3C,KAAiDid,EAAIQ,GAAGxd,EAAxD,QACAoY,EAAOuF,QAAS,EAAA/B,EAAAnc,SAAQud,EAAIQ,GAAG1d,EAAIwd,EAAKN,EAAIQ,GAAGzd,EAAIud,EAAKN,EAAIQ,GAAGxd,EAAIsd,GACnElF,EAAOwF,MAAP,QAAuBZ,EAAIhpB,KAAK8L,EAAhC,KAAsCkd,EAAIhpB,KAAK+L,EAA/C,KAAqDid,EAAIhpB,KAAKgM,EAA9D,QACAoY,EAAOoF,IAAK,EAAA5B,EAAAnc,SAAQud,EAAIhpB,KAAK8L,EAAGkd,EAAIhpB,KAAK+L,EAAGid,EAAIhpB,KAAKgM,GACrDoY,EAAOyF,SAAU,EAAAjC,EAAAnc,SAAQud,EAAIhpB,KAAK8L,EAAU,EAANwd,EAASN,EAAIhpB,KAAK+L,EAAU,EAANud,EAASN,EAAIhpB,KAAKgM,EAAU,EAANsd,GAElFlF,EAAA,QAAmB,EAAAwD,EAAAnc,SAAQud,EAAIhpB,KAAK8L,EAAU,EAANwd,EAASN,EAAIhpB,KAAK+L,EAAU,EAANud,EAASN,EAAIhpB,KAAKgM,EAAU,EAANsd,GAEpFlF,EAAOvN,MAAO,EAAA+Q,EAAAnc,SAAQud,EAAInS,KAAK/K,EAAGkd,EAAInS,KAAK9K,EAAGid,EAAInS,KAAK7K,GACvDoY,EAAO3R,MAAO,EAAAmV,EAAAnc,UAASud,EAAII,GAAGtd,EAAIkd,EAAIhpB,KAAK8L,GAAK,GAAIkd,EAAII,GAAGrd,EAAIid,EAAIhpB,KAAK+L,GAAK,GAAIid,EAAII,GAAGpd,EAAIgd,EAAIhpB,KAAKgM,GAAK,GAE1GoY,EAAO5J,MAAQwO,EAAIxO,QAAS,EAAAoN,EAAAnc,SAAQud,EAAIxO,MAAM1O,EAAGkd,EAAIxO,MAAMzO,EAAGid,EAAIxO,MAAMxO,GACxEoY,EAAO3J,KAAOuO,EAAIvO,OAAQ,EAAAmN,EAAAnc,SAAQud,EAAIvO,KAAK3O,EAAGkd,EAAIvO,KAAK1O,EAAGid,EAAIvO,KAAKzO,GACnEoY,EAAOzJ,OAASqO,EAAIrO,SAAU,EAAAiN,EAAAnc,SAAQud,EAAIrO,OAAO7O,EAAGkd,EAAIrO,OAAO5O,EAAGid,EAAIrO,OAAO3O,GAC7EoY,EAAO1J,QAAUsO,EAAItO,UAAW,EAAAkN,EAAAnc,SAAQud,EAAItO,QAAQ5O,EAAGkd,EAAItO,QAAQ3O,EAAGid,EAAItO,QAAQ1O,GAElFoY,EAAO0F,UAAYd,EAAIvO,MAAJ,QAAoBuO,EAAIvO,KAAK3O,EAA7B,KAAmCkd,EAAIvO,KAAK1O,EAA5C,KAAkDid,EAAIvO,KAAKzO,EAA3D,QAEnBqd,EAAMzO,UAAYoO,EAAIpO,UACtByO,EAAMxO,YAAcmO,EAAInO,YACxBwO,EAAMvO,YAAckO,EAAIlO,YACxBuO,EAAMtO,aAAeiO,EAAIjO,aACzBsO,EAAMrO,gBAAkBgO,EAAIhO,gBAC5BqO,EAAMpO,cAAgB+N,EAAI/N,cAC1BoO,EAAMnO,iBAAmB8N,EAAI9N,iBAE7B+N,EAAW7c,WACX6c,EAAWc,WAAX,WAAgC,EAAAtC,EAAArvB,SAAegsB,GAAQV,OAAO,SAAAlf,GAAA,GAAAU,IAAA,EAAAyG,EAAAvT,SAAAoM,EAAA,GAAKwQ,GAAL9P,EAAA,GAAAA,EAAA,UAAY8P,KAAG5U,IAAI,SAAAgF,GAAA,GAAAE,IAAA,EAAAqG,EAAAvT,SAAAgN,EAAA,GAAE4kB,EAAF1kB,EAAA,GAAK0P,EAAL1P,EAAA,cAAiB0kB,EAAjB,KAAuBhV,IAAK7L,KAAK,KAAlH,KAA4H,aAC5H8f,EAAWc,WAAX,WAAgC,EAAAtC,EAAArvB,SAAeixB,GAAO3F,OAAO,SAAA7d,GAAA,GAAAG,IAAA,EAAA2F,EAAAvT,SAAAyN,EAAA,GAAKmP,GAALhP,EAAA,GAAAA,EAAA,UAAYgP,KAAG5U,IAAI,SAAA+F,GAAA,GAAAE,IAAA,EAAAsF,EAAAvT,SAAA+N,EAAA,GAAE6jB,EAAF3jB,EAAA,GAAK2O,EAAL3O,EAAA,cAAiB2jB,EAAjB,KAAuBhV,EAAvB,OAA8B7L,KAAK,KAAnH,KAA6H,aAC7HnE,EAAKgjB,MAAMC,QAAU,UAErB1S,EAAO,aAAe9X,KAAM,SAAUK,MAAOsmB,IAC7C7O,EAAO,aAAe9X,KAAM,QAASK,MAAOurB,IAC5C9T,EAAO,aAAe9X,KAAM,cAAeK,MAAOkrB,KAG9CjE,EAAY,SAAC9Y,EAAKsJ,GACtB7Z,OAAOwB,MAAM,uBACVC,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAAC8sB,GACL,GAAMjsB,GAAQisB,EAAOhe,GAAOge,EAAOhe,GAAOge,EAAO,gBAC3CC,GAAQ,EAAAtC,EAAApc,SAAQxN,EAAM,IACtBmsB,GAAQ,EAAAvC,EAAApc,SAAQxN,EAAM,IACtBosB,GAAU,EAAAxC,EAAApc,SAAQxN,EAAM,IACxBqsB,GAAU,EAAAzC,EAAApc,SAAQxN,EAAM,IAExBssB,GAAU,EAAA1C,EAAApc,SAAQxN,EAAM,IAAM,WAC9BusB,GAAY,EAAA3C,EAAApc,SAAQxN,EAAM,IAAM,WAChCwsB,GAAW,EAAA5C,EAAApc,SAAQxN,EAAM,IAAM,WAC/BysB,GAAa,EAAA7C,EAAApc,SAAQxN,EAAM,IAAM,WAEjCgrB,GACJI,GAAIc,EACJV,GAAIW,EACJnqB,KAAMoqB,EACNvT,KAAMwT,EACN5P,KAAM6P,EACN9P,MAAOgQ,EACP7P,OAAQ4P,EACR7P,QAAS+P,EASN/uB,QAAOslB,aACVgE,EAAUgE,EAAKzT,MAKjBmV,GACJ7C,WACA9C,YACAC,YxB+nJDjtB,GAAQK,QwB5nJMsyB,GxBgoJT,SAAU5yB,EAAQC,EAASC,GAEhC,YAkCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhCvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GyB9xJV,IAAA6sB,GAAA3yB,EAAA,KzBmyJK4yB,EAAe3yB,EAAuB0yB,GyBlyJ3CE,EAAA7yB,EAAA,KzBsyJK8yB,EAAc7yB,EAAuB4yB,GyBryJ1CE,EAAA/yB,EAAA,KzByyJKgzB,EAAkB/yB,EAAuB8yB,GyBxyJ9CE,EAAAjzB,EAAA,KzB4yJKkzB,EAAgBjzB,EAAuBgzB,GyB3yJ5CE,EAAAnzB,EAAA,KzB+yJKozB,EAAwBnzB,EAAuBkzB,GyB9yJpDE,EAAArzB,EAAA,KzBkzJKszB,EAA4BrzB,EAAuBozB,GyBjzJxDE,EAAAvzB,EAAA,KzBqzJKwzB,EAAevzB,EAAuBszB,EAI1CxzB,GAAQK,SyBtzJPqF,KAAM,MACNguB,YACEC,oBACAC,mBACAC,wBACAC,qBACAC,2BACAC,gCACAC,qBAEF1uB,KAAM,kBACJ2uB,kBAAmB,aAErBC,UACEntB,YADQ,WACS,MAAOotB,MAAKC,OAAOttB,MAAMrC,MAAMsC,aAChDd,WAFQ,WAGN,MAAOkuB,MAAKptB,YAAYstB,kBAAoBF,KAAKC,OAAOttB,MAAMnC,OAAOsB,YAEvEquB,UALQ,WAKO,OAASC,mBAAA,OAA2BJ,KAAKC,OAAOttB,MAAMnC,OAAOuB,KAApD,MACxB8pB,MANQ,WAMG,OAASuE,mBAAA,OAA2BJ,KAAKluB,WAAhC,MACpBuuB,SAPQ,WAOM,MAAOL,MAAKC,OAAOttB,MAAMnC,OAAOc,MAC9Cb,KARQ,WAQE,MAAgD,WAAzCuvB,KAAKC,OAAOttB,MAAMlC,KAAK+mB,QAAQ7kB,OAChDX,qBATQ,WASkB,MAAOguB,MAAKC,OAAOttB,MAAMnC,OAAOwB,sBAC1DG,0BAVQ,WAUuB,MAAO6tB,MAAKC,OAAOttB,MAAMnC,OAAO2B,4BAEjEmuB,SACEC,cADO,SACQC,GACbR,KAAKF,kBAAoBU,GAE3BC,YAJO,WAKLlxB,OAAOmxB,SAAS,EAAG,IAErB1P,OAPO,WAQLgP,KAAKC,OAAOvuB,SAAS,czB80JrB,SAAU/F,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G0B73JV,IAAAgvB,GAAA90B,EAAA,I1Bk4JK+0B,EAAe90B,EAAuB60B,G0Bj4J3CE,EAAAh1B,EAAA,K1Bq4JKi1B,EAASh1B,EAAuB+0B,G0Bp4JrCE,EAAAl1B,EAAA,K1Bw4JKm1B,EAAqBl1B,EAAuBi1B,G0Bt4J3CE,GACJC,OACE,aACA,OACA,WACA,QAEF/vB,KAPiB,WAQf,OACEgwB,oBACAC,cAAepB,KAAKC,OAAOttB,MAAMnC,OAAO4nB,SACxCiJ,YAAY,EACZpe,SAAS,EACTqe,IAAK3I,SAASqD,cAAc,SAGhCsD,YACEiC,sBAEFxB,UACEla,KADQ,WAEN,MAAOmb,GAAA/0B,QAAgB+d,SAASgW,KAAKwB,WAAWhb,WAElDib,OAJQ,WAKN,MAAOzB,MAAKnc,MAAQmc,KAAKoB,gBAAkBpB,KAAKqB,YAElDK,QAPQ,WAQN,MAAsB,SAAd1B,KAAKna,OAAoBma,KAAKwB,WAAWG,QAAyB,YAAd3B,KAAKna,MAEnE+b,QAVQ,WAWN,MAAqB,UAAd5B,KAAK6B,MAEdC,UAbQ,WAcN,MAA8D,SAAvDd,EAAA/0B,QAAgB+d,SAASgW,KAAKwB,WAAWhb,YAGpD8Z,SACEyB,YADO,SAAA1pB,GACgB,GAAT2pB,GAAS3pB,EAAT2pB,MACW,OAAnBA,EAAOC,SACT1yB,OAAO2yB,KAAKF,EAAOrG,KAAM,WAG7BwG,aANO,WAMS,GAAAC,GAAApC,IACVA,MAAKsB,IAAIe,OACXrC,KAAKsB,IAAIe,UAETrC,KAAK/c,SAAU,EACf+c,KAAKsB,IAAIgB,IAAMtC,KAAKwB,WAAWlqB,IAC/B0oB,KAAKsB,IAAIe,OAAS,WAChBD,EAAKnf,SAAU,EACfmf,EAAKf,YAAce,EAAKf,e1Bi5JjCz1B,GAAQK,Q0B14JMg1B,G1B84JT,SAAUt1B,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G2Bh9JV,IAAM4wB,IACJpxB,KADgB,WAEd,OACEqxB,eAAgB,GAChBhL,QAAS,KACTiL,WAAW,IAGf1C,UACEjvB,SADQ,WAEN,MAAOkvB,MAAKC,OAAOttB,MAAMlC,KAAKK,WAGlCwvB,SACE3O,OADO,SACCnH,GACNwV,KAAKC,OAAOttB,MAAMlC,KAAK+mB,QAAQ3a,KAAK,WAAYhJ,KAAM2W,GAAU,KAChEwV,KAAKwC,eAAiB,IAExBE,YALO,WAML1C,KAAKyC,WAAazC,KAAKyC,Y3Bw9J5B72B,GAAQK,Q2Bn9JMs2B,G3Bu9JT,SAAU52B,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIkQ,GAAchW,EAAoB,IAElCiW,EAAchW,EAAuB+V,GAErCF,EAAS9V,EAAoB,IAE7B+V,EAAS9V,EAAuB6V,G4B7/JrCghB,EAAA92B,EAAA,K5BigKK+2B,EAAiB92B,EAAuB62B,G4B9/JvCE,GACJvD,YACEwD,wBAEF/C,UACEgD,UADQ,WAEN,GAAMjpB,IAAK,EAAAgI,EAAA7V,SAAU+zB,KAAKgD,OAAO1qB,OAAOwB,IAClCzJ,EAAW2vB,KAAKC,OAAOttB,MAAMtC,SAASgT,YACtC3F,GAAS,EAAAkE,EAAA3V,SAAKoE,GAAWyJ,MAE/B,OAAO4D,K5BugKZ9R,GAAQK,Q4BlgKM42B,G5BsgKT,SAAUl3B,EAAQC,EAASC,GAEhC,YAwBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAtBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIoQ,GAAWlW,EAAoB,KAE/BmW,EAAWlW,EAAuBiW,GAElCkhB,EAAWp3B,EAAoB,IAE/Bq3B,EAAWp3B,EAAuBm3B,GAElC5I,EAAWxuB,EAAoB,KAE/ByuB,EAAWxuB,EAAuBuuB,G6BziKvCnsB,EAAArC,EAAA,KACAs3B,EAAAt3B,EAAA,I7B8iKKu3B,EAAWt3B,EAAuBq3B,G6B5iKjCE,EAA4B,SAACnW,GAEjC,MADAA,IAAe,EAAAgW,EAAAj3B,SAAOihB,EAAc,SAACxP,GAAD,MAAmC,aAAvB,EAAAxP,EAAAwS,YAAWhD,MACpD,EAAAsE,EAAA/V,SAAOihB,EAAc,OAGxBA,GACJ/b,KADmB,WAEjB,OACEmyB,UAAW,OAGfpC,OACE,YACA,eAEFnB,UACEriB,OADQ,WACI,MAAOsiB,MAAK+C,WACxB7V,aAFQ,QAAAA,KAGN,IAAK8S,KAAKtiB,OACR,OAAO,CAGT,IAAM6lB,GAAiBvD,KAAKtiB,OAAO8lB,0BAC7BnzB,EAAW2vB,KAAKC,OAAOttB,MAAMtC,SAASgT,YACtC6J,GAAe,EAAAgW,EAAAj3B,SAAOoE,GAAYmzB,0BAA2BD,GACnE,OAAOF,GAA0BnW,IAEnCuW,QAZQ,WAaN,GAAIC,GAAI,CACR,QAAO,EAAApJ,EAAAruB,SAAO+zB,KAAK9S,aAAc,SAAC9M,EAAD/H,GAAyC,GAA/ByB,GAA+BzB,EAA/ByB,GAAIkN,EAA2B3O,EAA3B2O,sBACvC2c,EAAOpjB,OAAOyG,EASpB,OARI2c,KACFvjB,EAAOujB,GAAQvjB,EAAOujB,OACtBvjB,EAAOujB,GAAM9mB,MACXvL,SAAUoyB,EACV5pB,GAAIA,KAGR4pB,IACOtjB,SAIbkf,YACEsE,kBAEFC,QAzCmB,WA0CjB7D,KAAK7kB,qBAEP2oB,OACEd,OAAU,qBAEZ1C,SACEnlB,kBADO,WACc,GAAAinB,GAAApC,IACnB,IAAIA,KAAKtiB,OAAQ,CACf,GAAM6lB,GAAiBvD,KAAKtiB,OAAO8lB,yBACnCxD,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB9a,mBAAmBrB,GAAIypB,IAC5DvyB,KAAK,SAACX,GAAD,MAAc+xB,GAAKnC,OAAOvuB,SAAS,kBAAoBrB,eAC5DW,KAAK,iBAAMoxB,GAAK2B,aAAa3B,EAAKW,UAAUjpB,UAC1C,CACL,GAAMA,GAAKkmB,KAAKgD,OAAO1qB,OAAOwB,EAC9BkmB,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB5a,aAAavB,OAClD9I,KAAK,SAAC0M,GAAD,MAAY0kB,GAAKnC,OAAOvuB,SAAS,kBAAoBrB,UAAWqN,OACrE1M,KAAK,iBAAMoxB,GAAKjnB,wBAGvB6oB,WAdO,SAcKlqB,GAEV,MADAA,GAAKyG,OAAOzG,GACLkmB,KAAKyD,QAAQ3pB,QAEtBmqB,QAlBO,SAkBEnqB,GACP,MAAIkmB,MAAK+C,UAAUjf,iBACThK,IAAOkmB,KAAK+C,UAAUjf,iBAAiBhK,GAEvCA,IAAOkmB,KAAK+C,UAAUjpB,IAGlCiqB,aAzBO,SAyBOjqB,GACZkmB,KAAKsD,UAAY/iB,OAAOzG,K7BikK7BlO,GAAQK,Q6B5jKMihB,G7BgkKT,SAAUvhB,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G8B5pKV,IAAMuyB,IACJhD,OAAS,UACTZ,SACEtiB,aADO,WAEL,GAAMmmB,GAAY50B,OAAO60B,QAAQ,4CAC7BD,IACFnE,KAAKC,OAAOvuB,SAAS,gBAAkBoI,GAAIkmB,KAAKtiB,OAAO5D,OAI7DimB,UACEntB,YADQ,WACS,MAAOotB,MAAKC,OAAOttB,MAAMrC,MAAMsC,aAChDyxB,UAFQ,WAEO,MAAOrE,MAAKptB,aAAeotB,KAAKptB,YAAY0xB,OAAOC,sBAAwBvE,KAAKtiB,OAAOrE,KAAKS,KAAOkmB,KAAKptB,YAAYkH,K9BsqKtIlO,GAAQK,Q8BlqKMi4B,G9BsqKT,SAAUv4B,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G+B3rKV,IAAM6yB,IACJtD,OAAQ,SAAU,YAClB/vB,KAFqB,WAGnB,OACEszB,UAAU,IAGdnE,SACEpjB,SADO,WACK,GAAAklB,GAAApC,IACLA,MAAKtiB,OAAOwJ,UAGf8Y,KAAKC,OAAOvuB,SAAS,cAAeoI,GAAIkmB,KAAKtiB,OAAO5D,KAFpDkmB,KAAKC,OAAOvuB,SAAS,YAAaoI,GAAIkmB,KAAKtiB,OAAO5D,KAIpDkmB,KAAKyE,UAAW,EAChB7d,WAAW,WACTwb,EAAKqC,UAAW,GACf,OAGP1E,UACE2E,QADQ,WAEN,OACEC,mBAAoB3E,KAAKtiB,OAAOwJ,UAChC0d,YAAa5E,KAAKtiB,OAAOwJ,UACzB2d,eAAgB7E,KAAKyE,Y/BssK5B74B,GAAQK,Q+BhsKMu4B,G/BosKT,SAAU74B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GgCxuKV,IAAAmzB,GAAAj5B,EAAA,KhC6uKKk5B,EAAcj5B,EAAuBg5B,GgC3uKpCE,GACJ1F,YACE2F,oBAEFpB,QAJqB,WAKnB7D,KAAKkF,kBAEPnF,UACEzI,SADQ,WAEN,MAAO0I,MAAKC,OAAOttB,MAAMpC,IAAI8lB,iBAGjCiK,SACE4E,eADO,WACW,GAAA9C,GAAApC,IAChBA,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBhb,sBACrCjK,KAAK,SAACsmB,GAAe8K,EAAKnC,OAAO7W,OAAO,oBAAqBkO,OhCwvKrE1rB,GAAQK,QgCnvKM+4B,GhCuvKT,SAAUr5B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GiClxKV,IAAAwzB,GAAAt5B,EAAA,IjCuxKKu5B,EAAat5B,EAAuBq5B,GiCtxKnCE,GACJ/F,YACEgG,oBAEFvF,UACEhkB,SADQ,WACM,MAAOikB,MAAKC,OAAOttB,MAAMtC,SAASoT,UAAU/G,UjCgyK7D9Q,GAAQK,QiC5xKMo5B,GjCgyKT,SAAU15B,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GkC/yKV,IAAMiuB,IACJG,UACEwF,6BADQ,WAEN,MAAOvF,MAAKC,OAAOttB,MAAMnC,OAAO+0B,+BlCszKrC35B,GAAQK,QkCjzKM2zB,GlCqzKT,SAAUj0B,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GmCl0KV,IAAM6zB,IACJr0B,KAAM,kBACJkI,QACAosB,WAAW,IAEb1F,UACEzG,UADQ,WACO,MAAO0G,MAAKC,OAAOttB,MAAMrC,MAAMgpB,WAC9CoM,iBAFQ,WAEc,MAAO1F,MAAKC,OAAOttB,MAAMnC,OAAOk1B,mBAExDpF,SACE3O,OADO,WACG,GAAAyQ,GAAApC,IACRA,MAAKC,OAAOvuB,SAAS,YAAasuB,KAAK3mB,MAAMrI,KAC3C,aACA,SAACsD,GACC8tB,EAAKqD,UAAYnxB,EACjB8tB,EAAK/oB,KAAKC,SAAW,GACrB8oB,EAAK/oB,KAAKE,SAAW,OnCg1K9B3N,GAAQK,QmCz0KMu5B,GnC60KT,SAAU75B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GoCx2KV,IAAAg0B,GAAA95B,EAAA,KpC62KK+5B,EAAyB95B,EAAuB65B,GoC32K/CE,GACJC,QADkB,WACP,GAAA1D,GAAApC,KACHzC,EAAQyC,KAAK+F,IAAIC,cAAc,QAErCzI,GAAMX,iBAAiB,SAAU,SAAAvkB,GAAc,GAAZ2pB,GAAY3pB,EAAZ2pB,OAC3BiE,EAAOjE,EAAOkE,MAAM,EAC1B9D,GAAK+D,WAAWF,MAGpB90B,KATkB,WAUhB,OACEi1B,WAAW,IAGf9F,SACE6F,WADO,SACKF,GACV,GAAMI,GAAOrG,KACP9vB,EAAQ8vB,KAAKC,OACb7hB,EAAW,GAAI5F,SACrB4F,GAAS3F,OAAO,QAASwtB,GAEzBI,EAAKC,MAAM,aACXD,EAAKD,WAAY,EAEjBR,EAAA35B,QAAoBiS,aAAchO,QAAOkO,aACtCpN,KAAK,SAACu1B,GACLF,EAAKC,MAAM,WAAYC,GACvBF,EAAKD,WAAY,GAChB,SAAC9xB,GACF+xB,EAAKC,MAAM,iBACXD,EAAKD,WAAY,KAGvBI,SAnBO,SAmBGxR,GACJA,EAAEyR,aAAaP,MAAM3hB,OAAS,IAChCyQ,EAAE0R,iBACF1G,KAAKmG,WAAWnR,EAAEyR,aAAaP,MAAM,MAGzCS,SAzBO,SAyBG3R,GACR,GAAI4R,GAAQ5R,EAAEyR,aAAaG,KACvBA,GAAMC,SAAS,SACjB7R,EAAEyR,aAAaK,WAAa,OAE5B9R,EAAEyR,aAAaK,WAAa,SAIlC5F,OACE,aAEF4C,OACEiD,UAAa,SAAUC,GAChBhH,KAAKoG,WACRpG,KAAKmG,WAAWa,EAAU,MpCu3KjCp7B,GAAQK,QoCj3KM45B,GpCq3KT,SAAUl6B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GqCz7KV,IAAAwzB,GAAAt5B,EAAA,IrC87KKu5B,EAAat5B,EAAuBq5B,GqC57KnC8B,GACJlH,UACEhkB,SADQ,WAEN,MAAOikB,MAAKC,OAAOttB,MAAMtC,SAASoT,UAAU9G;GAGhD2iB,YACEgG,oBrCo8KH15B,GAAQK,QqCh8KMg7B,GrCo8KT,SAAUt7B,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GsCt9KV,IAAM6tB,IACJO,UACEntB,YADQ,WAEN,MAAOotB,MAAKC,OAAOttB,MAAMrC,MAAMsC,aAEjCnC,KAJQ,WAKN,MAAOuvB,MAAKC,OAAOttB,MAAMlC,KAAK+mB,UtC69KnC5rB,GAAQK,QsCx9KMuzB,GtC49KT,SAAU7zB,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GuC5+KV,IAAAwxB,GAAAt3B,EAAA,IvCi/KKu3B,EAAWt3B,EAAuBq3B,GuCh/KvCxC,EAAA90B,EAAA,IvCo/KK+0B,EAAe90B,EAAuB60B,GuCn/K3CuG,EAAAr7B,EAAA,IvCu/KKs7B,EAAsBr7B,EAAuBo7B,GuCr/K5C/gB,GACJhV,KADmB,WAEjB,OACEi2B,cAAc,IAGlBlG,OACE,gBAEF5B,YACEsE,iBAAQrC,qBAAY8F,2BAEtB/G,SACEgH,mBADO,WAELtH,KAAKoH,cAAgBpH,KAAKoH,evC6/K/Bx7B,GAAQK,QuCx/KMka,GvC4/KT,SAAUxa,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIsxB,GAAWp3B,EAAoB,IAE/Bq3B,EAAWp3B,EAAuBm3B,GAElCsE,EAAS17B,EAAoB,KAE7B27B,EAAS17B,EAAuBy7B,GAEhCxlB,EAAWlW,EAAoB,KAE/BmW,EAAWlW,EAAuBiW,GwCriLvC0lB,EAAA57B,EAAA,KxCyiLK67B,EAAiB57B,EAAuB27B,GwCriLvChI,GACJtuB,KADoB,WAElB,OACEw2B,yBAA0B,KAG9B5H,UACExc,cADQ,WAEN,MAAOyc,MAAKC,OAAOttB,MAAMtC,SAASkT,eAEpCqkB,oBAJQ,WAKN,OAAO,EAAA1E,EAAAj3B,SAAO+zB,KAAKzc,cAAe,SAAAlL,GAAA,GAAE6N,GAAF7N,EAAE6N,IAAF,QAAaA,KAEjD2hB,qBAPQ,WASN,GAAIC,IAAsB,EAAA9lB,EAAA/V,SAAO+zB,KAAKzc,cAAe,SAAAxK,GAAA,GAAE+M,GAAF/M,EAAE+M,MAAF,QAAeA,EAAOhM,IAE3E,OADAguB,IAAsB,EAAA9lB,EAAA/V,SAAO67B,EAAqB,SAC3C,EAAAN,EAAAv7B,SAAK67B,EAAqB9H,KAAK2H,2BAExCI,YAbQ,WAcN,MAAO/H,MAAK4H,oBAAoBrjB,SAGpC+a,YACEnZ,wBAEF2d,OACEiE,YADK,SACQC,GACPA,EAAQ,EACVhI,KAAKC,OAAOvuB,SAAS,eAArB,IAAyCs2B,EAAzC,KAEAhI,KAAKC,OAAOvuB,SAAS,eAAgB,MAI3C4uB,SACE2H,WADO,WAELjI,KAAKC,OAAO7W,OAAO,0BAA2B4W,KAAK6H,wBxCojLxDj8B,GAAQK,QwC/iLMwzB,GxCmjLT,SAAU9zB,EAAQC,EAASC,GAEhC,YA8CA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA5CvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIu2B,GAAsBr8B,EAAoB,KAE1Cs8B,EAAsBr8B,EAAuBo8B,GAE7CE,EAAWv8B,EAAoB,KAE/Bw8B,EAAWv8B,EAAuBs8B,GAElCvzB,EAAQhJ,EAAoB,IAE5BiJ,EAAQhJ,EAAuB+I,GAE/ByzB,EAAWz8B,EAAoB,KAE/B08B,EAAWz8B,EAAuBw8B,GAElCrF,EAAWp3B,EAAoB,IAE/Bq3B,EAAWp3B,EAAuBm3B,GAElCsE,EAAS17B,EAAoB,KAE7B27B,EAAS17B,EAAuBy7B,GyC/nLrC5B,EAAA95B,EAAA,KzCmoLK+5B,EAAyB95B,EAAuB65B,GyCloLrD6C,EAAA38B,EAAA,KzCsoLK48B,EAAiB38B,EAAuB08B,GyCroL7CzH,EAAAl1B,EAAA,KzCyoLKm1B,EAAqBl1B,EAAuBi1B,GyCxoLjD2H,EAAA78B,EAAA,KzC4oLK88B,EAAe78B,EAAuB48B,GyCzoLrCE,EAAsB,SAAAvwB,EAAqBzF,GAAgB,GAAnCyG,GAAmChB,EAAnCgB,KAAM0M,EAA6B1N,EAA7B0N,WAC9B8iB,0BAAoB9iB,GAExB8iB,GAAcC,QAAQzvB,GAEtBwvB,GAAgB,EAAAR,EAAAp8B,SAAO48B,EAAe,MACtCA,GAAgB,EAAAN,EAAAt8B,SAAO48B,GAAgB/uB,GAAIlH,EAAYkH,IAEvD,IAAI6C,IAAW,EAAA7H,EAAA7I,SAAI48B,EAAe,SAACE,GACjC,UAAWA,EAAUlhB,aAGvB,OAAOlL,GAASK,KAAK,KAAO,KAGxBgsB,GACJ9H,OACE,UACA,cACA,aACA,gBAEF5B,YACE2J,uBAEFnD,QAVqB,WAWnB9F,KAAKkJ,OAAOlJ,KAAKmJ,MAAMC,WAEzBj4B,KAbqB,WAcnB,GAAMk4B,GAASrJ,KAAKgD,OAAOsG,MAAM9e,QAC7B+e,EAAaF,GAAU,EAE3B,IAAIrJ,KAAKwJ,QAAS,CAChB,GAAM52B,GAAcotB,KAAKC,OAAOttB,MAAMrC,MAAMsC,WAC5C22B,GAAaX,GAAsBvvB,KAAM2mB,KAAKyJ,YAAa1jB,WAAYia,KAAKja,YAAcnT,GAG5F,OACEm0B,aACA2C,gBAAgB,EAChBp1B,MAAO,KACPgd,SAAS,EACTqY,YAAa,EACbthB,WACE3K,OAAQ6rB,EACRrD,SACAtoB,WAAYoiB,KAAK4J,cAAgB,UAEnCC,MAAO,IAGX9J,UACE+J,IADQ,WAEN,OACErtB,QAAUstB,SAAwC,WAA9B/J,KAAK3X,UAAUzK,YACnCosB,UAAYD,SAAwC,aAA9B/J,KAAK3X,UAAUzK,YACrCqsB,SAAWF,SAAwC,YAA9B/J,KAAK3X,UAAUzK,YACpCssB,QAAUH,SAAwC,WAA9B/J,KAAK3X,UAAUzK,cAGvCusB,WATQ,WASM,GAAA/H,GAAApC,KACNoK,EAAYpK,KAAKqK,YAAYC,OAAO,EAC1C,IAAkB,MAAdF,EAAmB,CACrB,GAAMG,IAAe,EAAArH,EAAAj3B,SAAO+zB,KAAK1vB,MAAO,SAAC+I,GAAD,MAAWnB,QAAOmB,EAAK/H,KAAO+H,EAAKwO,aAAcyU,cACpFtkB,MAAMoqB,EAAKiI,YAAYnqB,MAAM,GAAGoc,gBACrC,SAAIiO,EAAahmB,QAAU,KAIpB,EAAAzP,EAAA7I,UAAI,EAAAu7B,EAAAv7B,SAAKs+B,EAAc,GAAI,SAAAxxB,EAAkDyxB,GAAlD,GAAE3iB,GAAF9O,EAAE8O,YAAavW,EAAfyH,EAAezH,KAAMm5B,EAArB1xB,EAAqB0xB,0BAArB,QAEhC5iB,gBAAiBA,EACjBvW,KAAMA,EACNgwB,IAAKmJ,EACLd,YAAaa,IAAUpI,EAAKuH,eAEzB,GAAkB,MAAdS,EAAmB,CAC5B,GAAyB,MAArBpK,KAAKqK,YAAuB,MAChC,IAAMK,IAAe,EAAAxH,EAAAj3B,SAAO+zB,KAAKhsB,MAAM22B,OAAO3K,KAAK4K,aAAc,SAAC52B,GAAD,MAAWA,GAAMG,UAAU6D,MAAMoqB,EAAKiI,YAAYnqB,MAAM,KACzH,SAAIwqB,EAAanmB,QAAU,KAGpB,EAAAzP,EAAA7I,UAAI,EAAAu7B,EAAAv7B,SAAKy+B,EAAc,GAAI,SAAAzxB,EAA8BuxB,GAA9B,GAAEr2B,GAAF8E,EAAE9E,UAAWC,EAAb6E,EAAa7E,UAAWK,EAAxBwE,EAAwBxE,GAAxB,QAEhCoT,gBAAiB1T,EAAjB,IACA7C,KAAM,GACNmD,IAAKA,GAAO,GACZ6sB,IAAKltB,EACLu1B,YAAaa,IAAUpI,EAAKuH,eAG9B,OAAO,GAGXU,YA3CQ,WA4CN,OAAQrK,KAAK6K,iBAAmB/P,MAAQ,IAE1C+P,YA9CQ,WA+CN,GAAM/P,GAAO6N,EAAA18B,QAAWkuB,eAAe6F,KAAK3X,UAAU3K,OAAQsiB,KAAK6J,MAAQ,MAC3E,OAAO/O,IAETxqB,MAlDQ,WAmDN,MAAO0vB,MAAKC,OAAOttB,MAAMrC,MAAMA,OAEjC0D,MArDQ,WAsDN,MAAOgsB,MAAKC,OAAOttB,MAAMnC,OAAOwD,WAElC42B,YAxDQ,WAyDN,MAAO5K,MAAKC,OAAOttB,MAAMnC,OAAOo6B,iBAElCE,aA3DQ,WA4DN,MAAO9K,MAAK3X,UAAU3K,OAAO6G,QAE/BwmB,kBA9DQ,WA+DN,MAAO/K,MAAKC,OAAOttB,MAAMnC,OAAOiB,WAElCu5B,qBAjEQ,WAkEN,MAAOhL,MAAK+K,kBAAoB,GAElCE,eApEQ,WAqEN,MAAOjL,MAAK+K,kBAAoB/K,KAAK8K,cAEvCI,kBAvEQ,WAwEN,MAAOlL,MAAKgL,sBAAyBhL,KAAK8K,aAAe9K,KAAK+K,mBAEhE34B,oBA1EQ,WA2EN,MAAO4tB,MAAKC,OAAOttB,MAAMnC,OAAO4B,sBAGpCkuB,SACEvoB,QADO,SACEyiB,GACPwF,KAAK3X,UAAU3K,OAASirB,EAAA18B,QAAWmuB,YAAY4F,KAAK3X,UAAU3K,OAAQsiB,KAAK6K,YAAarQ,EACxF,IAAM9mB,GAAKssB,KAAK+F,IAAIC,cAAc,WAClCtyB,GAAGy3B,QACHnL,KAAK6J,MAAQ,GAEfuB,iBAPO,SAOWpW,GAChB,GAAMqW,GAAMrL,KAAKmK,WAAW5lB,QAAU,CACtC,IAAyB,MAArByb,KAAKqK,cAAuBrV,EAAEsW,SAC9BD,EAAM,EAAG,CACXrW,EAAE0R,gBACF,IAAM6E,GAAYvL,KAAKmK,WAAWnK,KAAK2J,aACjCnP,EAAc+Q,EAAU92B,KAAQ82B,EAAU1jB,YAAc,GAC9DmY,MAAK3X,UAAU3K,OAASirB,EAAA18B,QAAWmuB,YAAY4F,KAAK3X,UAAU3K,OAAQsiB,KAAK6K,YAAarQ,EACxF,IAAM9mB,GAAKssB,KAAK+F,IAAIC,cAAc,WAClCtyB,GAAGy3B,QACHnL,KAAK6J,MAAQ,EACb7J,KAAK2J,YAAc,IAGvB6B,cArBO,SAqBQxW,GACb,GAAMqW,GAAMrL,KAAKmK,WAAW5lB,QAAU,CAClC8mB,GAAM,GACRrW,EAAE0R,iBACF1G,KAAK2J,aAAe,EAChB3J,KAAK2J,YAAc,IACrB3J,KAAK2J,YAAc3J,KAAKmK,WAAW5lB,OAAS,IAG9Cyb,KAAK2J,YAAc,GAGvB8B,aAjCO,SAiCOzW,GACZ,GAAMqW,GAAMrL,KAAKmK,WAAW5lB,QAAU,CACtC,IAAI8mB,EAAM,EAAG,CACX,GAAIrW,EAAE0W,SAAY,MAClB1W,GAAE0R,iBACF1G,KAAK2J,aAAe,EAChB3J,KAAK2J,aAAe0B,IACtBrL,KAAK2J,YAAc,OAGrB3J,MAAK2J,YAAc,GAGvBgC,SA9CO,SAAAxyB,GA8C+B,GAAlByyB,GAAkBzyB,EAA3B6oB,OAAS4J,cAClB5L,MAAK6J,MAAQ+B,GAEfpuB,WAjDO,SAiDK6K,GAAW,GAAAwjB,GAAA7L,IACrB,KAAIA,KAAK1O,UACL0O,KAAK0J,eAAT,CAEA,GAA8B,KAA1B1J,KAAK3X,UAAU3K,OAAe,CAChC,KAAIsiB,KAAK3X,UAAU6d,MAAM3hB,OAAS,GAIhC,YADAyb,KAAK1rB,MAAQ,4CAFb0rB,MAAK3X,UAAU3K,OAAS,IAO5BsiB,KAAK1O,SAAU,EACfsU,EAAA35B,QAAauR,YACXE,OAAQ2K,EAAU3K,OAClBC,YAAa0K,EAAU1K,aAAe,KACtCC,WAAYyK,EAAUzK,WACtBwM,MAAO/B,EAAU6d,MACjBh2B,MAAO8vB,KAAKC,OACZniB,kBAAmBkiB,KAAKwJ,UACvBx4B,KAAK,SAACG,GACP,GAAKA,EAAKmD,MAWRu3B,EAAKv3B,MAAQnD,EAAKmD,UAXH,CACfu3B,EAAKxjB,WACH3K,OAAQ,GACRwoB,SACAtoB,WAAYyK,EAAUzK,YAExBiuB,EAAKvF,MAAM,SACX,IAAI5yB,GAAKm4B,EAAK9F,IAAIC,cAAc,WAChCtyB,GAAGmoB,MAAMiQ,OAAS,OAClBD,EAAKv3B,MAAQ,KAIfu3B,EAAKva,SAAU,MAGnBya,aAvFO,SAuFOC,GACZhM,KAAK3X,UAAU6d,MAAMrpB,KAAKmvB,GAC1BhM,KAAKiM,gBAEPC,gBA3FO,SA2FUF,GACf,GAAIxB,GAAQxK,KAAK3X,UAAU6d,MAAMiG,QAAQH,EACzChM,MAAK3X,UAAU6d,MAAMphB,OAAO0lB,EAAO,IAErC4B,cA/FO,WAgGLpM,KAAK0J,gBAAiB,GAExBuC,aAlGO,WAmGLjM,KAAK0J,gBAAiB,GAExB7jB,KArGO,SAqGDmmB,GACJ,MAAOhL,GAAA/0B,QAAgB+d,SAASgiB,EAASxlB,WAE3C6lB,MAxGO,SAwGArX,GACDA,EAAEsX,cAAcpG,MAAM3hB,OAAS,IAIjCyb,KAAK+G,WAAa/R,EAAEsX,cAAcpG,MAAM,MAG5CM,SAhHO,SAgHGxR,GACJA,EAAEyR,aAAaP,MAAM3hB,OAAS,IAChCyQ,EAAE0R,iBACF1G,KAAK+G,UAAY/R,EAAEyR,aAAaP,QAGpCS,SAtHO,SAsHG3R,GACRA,EAAEyR,aAAaK,WAAa,QAE9BoC,OAzHO,SAyHClU,GACN,GAAKA,EAAEgN,OAAP,CACA,GAAMuK,GAAchsB,OAAOhR,OAAOitB,iBAAiBxH,EAAEgN,QAAQ,eAAewK,OAAO,EAAG,IAChFjsB,OAAOhR,OAAOitB,iBAAiBxH,EAAEgN,QAAQ,kBAAkBwK,OAAO,EAAG,GAC3ExX,GAAEgN,OAAOnG,MAAMiQ,OAAS,OACxB9W,EAAEgN,OAAOnG,MAAMiQ,OAAY9W,EAAEgN,OAAOyK,aAAeF,EAAnD,KACuB,KAAnBvX,EAAEgN,OAAOrwB,QACXqjB,EAAEgN,OAAOnG,MAAMiQ,OAAS,UAG5BY,WAnIO,WAoIL1M,KAAK1rB,MAAQ,MAEfq4B,UAtIO,SAsII/uB,GACToiB,KAAK3X,UAAUzK,WAAaA,IzC0qLjChS,GAAQK,QyCrqLM+8B,GzCyqLT,SAAUr9B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G0Cj8LV,IAAAwzB,GAAAt5B,EAAA,I1Cs8LKu5B,EAAat5B,EAAuBq5B,G0Cr8LnCyH,GACJtN,YACEgG,oBAEFvF,UACEhkB,SADQ,WACM,MAAOikB,MAAKC,OAAOttB,MAAMtC,SAASoT,UAAU7G,oBAE5DinB,QAPgC,WAQ9B7D,KAAKC,OAAOvuB,SAAS,gBAAiB,sBAExCm7B,UAVgC,WAW9B7M,KAAKC,OAAOvuB,SAAS,eAAgB,sB1C+8LxC9F,GAAQK,Q0C38LM2gC,G1C+8LT,SAAUjhC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G2Cp+LV,IAAAwzB,GAAAt5B,EAAA,I3Cy+LKu5B,EAAat5B,EAAuBq5B,G2Cx+LnC2H,GACJxN,YACEgG,oBAEFvF,UACEhkB,SADQ,WACM,MAAOikB,MAAKC,OAAOttB,MAAMtC,SAASoT,UAAUhH,SAE5DonB,QAPqB,WAQnB7D,KAAKC,OAAOvuB,SAAS,gBAAiB,WAExCm7B,UAVqB,WAWnB7M,KAAKC,OAAOvuB,SAAS,eAAgB,W3Ck/LxC9F,GAAQK,Q2C7+LM6gC,G3Ci/LT,SAAUnhC,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G4CvgMV,IAAMsf,IACJ9f,KAAM,kBACJkI,QACA/E,OAAO,EACPy4B,aAAa,IAEflJ,QANmB,WAOZ7D,KAAKC,OAAOttB,MAAMnC,OAAOk1B,mBAAsB1F,KAAKC,OAAOttB,MAAMrC,MAAMsC,aAC1EotB,KAAKgN,QAAQnwB,KAAK,cAGtBkjB,UACEkN,eADQ,WACY,MAAOjN,MAAKC,OAAOttB,MAAMnC,OAAO08B,MAEtD5M,SACE3O,OADO,WACG,GAAAyQ,GAAApC,IACRA,MAAK+M,aAAc,EACnB/M,KAAK3mB,KAAK8zB,SAAWnN,KAAK3mB,KAAKC,SAC/B0mB,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB7c,SAAS4mB,KAAK3mB,MAAMrI,KAC1D,SAACqN,GACKA,EAASK,IACX0jB,EAAKnC,OAAOvuB,SAAS,YAAa0wB,EAAK/oB,MACvC+oB,EAAK4K,QAAQnwB,KAAK,aAClBulB,EAAK2K,aAAc,IAEnB3K,EAAK2K,aAAc,EACnB1uB,EAASnN,OAAOF,KAAK,SAACG,GACpBixB,EAAK9tB,MAAQnD,EAAKmD,a5CuhM/B1I,GAAQK,Q4C9gMMglB,G5CkhMT,SAAUtlB,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G6C3jMV,IAAMy7B,IACJlM,OAAQ,SAAU,YAClB/vB,KAFoB,WAGlB,OACEszB,UAAU,IAGdnE,SACEhjB,QADO,WACI,GAAA8kB,GAAApC,IACJA,MAAKtiB,OAAO6K,UACfyX,KAAKC,OAAOvuB,SAAS,WAAYoI,GAAIkmB,KAAKtiB,OAAO5D,KAEnDkmB,KAAKyE,UAAW,EAChB7d,WAAW,WACTwb,EAAKqC,UAAW,GACf,OAGP1E,UACE2E,QADQ,WAEN,OACE2I,UAAarN,KAAKtiB,OAAO6K,SACzBsc,eAAgB7E,KAAKyE,Y7CskM5B74B,GAAQK,Q6ChkMMmhC,G7CokMT,SAAUzhC,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAI27B,GAASzhC,EAAoB,KAE7B0hC,EAASzhC,EAAuBwhC,GAEhCrK,EAAWp3B,EAAoB,IAE/Bq3B,EAAWp3B,EAAuBm3B,G8C9mMvCuK,EAAA3hC,EAAA,K9CknMK4hC,EAAmB3hC,EAAuB0hC,G8C/mMzCpgB,GACJjc,KADe,WAEb,OACEu8B,qBAAsB1N,KAAKC,OAAOttB,MAAMnC,OAAO0nB,gBAC/CyV,2BAA4B3N,KAAKC,OAAOttB,MAAMnC,OAAO2nB,sBACrDiJ,cAAepB,KAAKC,OAAOttB,MAAMnC,OAAO4nB,SACxCwV,gBAAiB5N,KAAKC,OAAOttB,MAAMnC,OAAO+nB,UAAUvb,KAAK,MACzD6wB,cAAe7N,KAAKC,OAAOttB,MAAMnC,OAAO6nB,SACxCyV,eAAgB9N,KAAKC,OAAOttB,MAAMnC,OAAO+e,UACzCwe,kBAAmB/N,KAAKC,OAAOttB,MAAMnC,OAAO8nB,aAC5C0V,SAAUhO,KAAKC,OAAOttB,MAAMnC,OAAOw9B,WAGvC1O,YACE2O,yBAEFlO,UACE1mB,KADQ,WAEN,MAAO2mB,MAAKC,OAAOttB,MAAMrC,MAAMsC,cAGnCkxB,OACE4J,qBADK,SACiB/7B,GACpBquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,kBAAmBK,WAE/Dg8B,2BAJK,SAIuBh8B,GAC1BquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,wBAAyBK,WAErEyvB,cAPK,SAOUzvB,GACbquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,WAAYK,WAExDk8B,cAVK,SAUUl8B,GACbquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,WAAYK,WAExDm8B,eAbK,SAaWn8B,GACdquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,YAAaK,WAEzDo8B,kBAhBK,SAgBcp8B,GACjBquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,eAAgBK,WAE5Di8B,gBAnBK,SAmBYj8B,GACfA,GAAQ,EAAAuxB,EAAAj3B,SAAO0F,EAAMjC,MAAM,MAAO,SAACorB,GAAD,OAAU,EAAAyS,EAAAthC,SAAK6uB,GAAMvW,OAAS,IAChEyb,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,YAAaK,WAEzDq8B,SAvBK,SAuBKr8B,GACRquB,KAAKC,OAAOvuB,SAAS,aAAeJ,KAAM,WAAYK,Y9C2nM3D/F,GAAQK,Q8CtnMMmhB,G9C0nMT,SAAUzhB,EAAQC,EAASC,GAEhC,YA0CA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAxCvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIgQ,GAAS9V,EAAoB,IAE7B+V,EAAS9V,EAAuB6V,GAEhCshB,EAAWp3B,EAAoB,IAE/Bq3B,EAAWp3B,EAAuBm3B,G+C7rMvCiL,EAAAriC,EAAA,K/CisMKsiC,EAAeriC,EAAuBoiC,G+ChsM3CE,EAAAviC,EAAA,K/CosMKwiC,EAAoBviC,EAAuBsiC,G+CnsMhDE,EAAAziC,EAAA,K/CusMK0iC,EAAmBziC,EAAuBwiC,G+CtsM/CE,EAAA3iC,EAAA,K/C0sMK4iC,EAAkB3iC,EAAuB0iC,G+CzsM9CE,EAAA7iC,EAAA,K/C6sMK8iC,EAAqB7iC,EAAuB4iC,G+C5sMjDxH,EAAAr7B,EAAA,I/CgtMKs7B,EAAsBr7B,EAAuBo7B,G+C/sMlDvG,EAAA90B,EAAA,I/CmtMK+0B,EAAe90B,EAAuB60B,G+ChtMrCiD,GACJtyB,KAAM,SACN4vB,OACE,YACA,aACA,iBACA,UACA,YACA,UACA,UACA,eACA,YACA,kBAEF/vB,KAAM,kBACJy9B,UAAU,EACVC,UAAU,EACVC,SAAS,EACT1H,cAAc,EACd2H,QAAS,KACTC,aAAa,EACbC,aAAa,IAEflP,UACExH,UADQ,WAEN,MAAOyH,MAAKC,OAAOttB,MAAMnC,OAAO+nB,WAElCL,gBAJQ,WAKN,MAAQ8H,MAAKC,OAAOttB,MAAMnC,OAAO0nB,kBAAoB8H,KAAKkP,gBACvDlP,KAAKC,OAAOttB,MAAMnC,OAAO2nB,uBAAyB6H,KAAKkP,gBAE5D5xB,QARQ,WAQK,QAAS0iB,KAAK+C,UAAUjf,kBACrCqrB,UATQ,WASO,MAAOnP,MAAK+C,UAAU1pB,KAAK/H,MAC1CoM,OAVQ,WAWN,MAAIsiB,MAAK1iB,QACA0iB,KAAK+C,UAAUjf,iBAEfkc,KAAK+C,WAGhBqM,SAjBQ,WAkBN,QAASpP,KAAKC,OAAOttB,MAAMrC,MAAMsC,aAEnCy8B,aApBQ,WAqBN,GAAM9F,GAAavJ,KAAKtiB,OAAO7J,KAAKy7B,cAC9BC,GAAO,EAAArM,EAAAj3B,SAAO+zB,KAAKzH,UAAW,SAACiX,GACnC,MAAOjG,GAAWkG,SAASD,EAASF,gBAGtC,OAAOC,IAET7zB,MA5BQ,WA4BG,OAAQskB,KAAK8O,UAAY9O,KAAKtiB,OAAOrE,KAAKqC,OAASskB,KAAKqP,aAAa9qB,OAAS,IACzFmrB,QA7BQ,WA6BK,QAAS1P,KAAKtiB,OAAOsJ,uBAClC2oB,UA9BQ,WAgCN,QAAI3P,KAAKiE,WAEGjE,KAAKkP,gBAIVlP,KAAKtiB,OAAO5D,KAAOkmB,KAAKsD,WASjCsM,eA/CQ,WAgDN,GAAI5P,KAAKiP,YACP,OAAO,CAET,IAAMY,GAAc7P,KAAKtiB,OAAOoyB,eAAepgC,MAAM,UAAU6U,OAASyb,KAAKtiB,OAAO7J,KAAK0Q,OAAS,EAClG,OAAOsrB,GAAc,IAEvBE,eAtDQ,WAuDN,MAAK/P,MAAKC,OAAOttB,MAAMnC,OAAO0nB,kBAAoB8H,KAAKkP,gBACpDlP,KAAKC,OAAOttB,MAAMnC,OAAO2nB,uBAAyB6H,KAAKkP,eACjD,OACElP,KAAKgQ,QACP,QAEF,WAGX1Q,YACE2B,qBACAuD,yBACA4I,wBACAlJ,uBACA8E,yBACA3B,0BACA9F,sBAEFjB,SACE2P,eADO,SACSryB,GACd,OAAQA,GACN,IAAK,UACH,MAAO,WACT,KAAK,WACH,MAAO,oBACT,KAAK,SACH,MAAO,eACT,SACE,MAAO,eAGbmkB,YAbO,SAAA1pB,GAagB,GAAT2pB,GAAS3pB,EAAT2pB,MACW,UAAnBA,EAAOC,UACTD,EAASA,EAAOkO,YAEK,MAAnBlO,EAAOC,SACT1yB,OAAO2yB,KAAKF,EAAOrG,KAAM,WAG7BwU,eArBO,WAsBLnQ,KAAK4O,UAAY5O,KAAK4O,UAExBwB,aAxBO,SAwBOt2B,GAERkmB,KAAKkP,gBACPlP,KAAKsG,MAAM,OAAQxsB,IAGvBu2B,eA9BO,WA+BLrQ,KAAKsG,MAAM,mBAEbgK,WAjCO,WAkCLtQ,KAAK8O,SAAW9O,KAAK8O,SAEvBxH,mBApCO,WAqCLtH,KAAKoH,cAAgBpH,KAAKoH,cAE5BmJ,eAvCO,WAwCLvQ,KAAKiP,aAAejP,KAAKiP,aAE3BuB,WA1CO,SA0CK12B,EAAI22B,GAAO,GAAArO,GAAApC,IACrBA,MAAKgP,aAAc,CACnB,IAAM0B,GAAWnwB,OAAOzG,GAClBzJ,EAAW2vB,KAAKC,OAAOttB,MAAMtC,SAASgT,WAEvC2c,MAAK+O,QASC/O,KAAK+O,QAAQj1B,KAAO42B,IAC7B1Q,KAAK+O,SAAU,EAAAntB,EAAA3V,SAAKoE,GAAYyJ,GAAM42B,MARtC1Q,KAAK+O,SAAU,EAAAntB,EAAA3V,SAAKoE,GAAYyJ,GAAM42B,IAEjC1Q,KAAK+O,SACR/O,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB5a,aAAavB,OAAK9I,KAAK,SAAC0M,GAC9D0kB,EAAK2M,QAAUrxB,MAOvBizB,WA5DO,WA6DL3Q,KAAKgP,aAAc,IAGvBlL,OACER,UAAa,SAAUxpB,GAErB,GADAA,EAAKyG,OAAOzG,GACRkmB,KAAKtiB,OAAO5D,KAAOA,EAAI,CACzB,GAAI82B,GAAO5Q,KAAK+F,IAAI8K,uBAChBD,GAAKE,IAAM,IACbvhC,OAAOwhC,SAAS,EAAGH,EAAKE,IAAM,KACrBF,EAAKI,OAASzhC,OAAO0hC,YAAc,IAC5C1hC,OAAOwhC,SAAS,EAAGH,EAAKI,OAASzhC,OAAO0hC,YAAc,O/CktM/DrlC,GAAQK,Q+C3sMM23B,G/C+sMT,SAAUj4B,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GgD54MV,IAAAwxB,GAAAt3B,EAAA,IhDi5MKu3B,EAAWt3B,EAAuBq3B,GgDh5MvCR,EAAA92B,EAAA,KhDo5MK+2B,EAAiB92B,EAAuB62B,GgDl5MvCuO,GACJhQ,OAAQ,aACR/vB,KAF2B,WAGzB,OACE09B,UAAU,IAGdvP,YACEsE,iBACAd,wBAEFxC,SACE+P,eADO,WAELrQ,KAAK6O,UAAY7O,KAAK6O,WhD45M3BjjC,GAAQK,QgDv5MMilC,GhD25MT,SAAUvlC,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GiDr7MV,IAAM4vB,IACJL,OACE,MACA,iBACA,YAEF/vB,KANiB,WAOf,OACE68B,SAAUhO,KAAKC,OAAOttB,MAAMnC,OAAOw9B,WAGvCjO,UACE0E,SADQ,WAEN,MAAOzE,MAAKgO,WAA+B,cAAlBhO,KAAKxZ,UAA4BwZ,KAAKsC,IAAI6O,SAAS,WAGhF7Q,SACE8Q,OADO,WAEL,GAAMC,GAASrR,KAAKmJ,MAAMkI,MACrBA,IACLA,EAAOC,WAAW,MAAMC,UAAUvR,KAAKmJ,MAAM7G,IAAK,EAAG,EAAG+O,EAAOG,MAAOH,EAAOvF,UjDy7MlFlgC,GAAQK,QiDp7MMs1B,GjDw7MT,SAAU51B,EAAQC,EAASC,GAEhC,YAEA8I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GkDt9MV,IAAA8pB,GAAA5vB,EAAA,GlD29MCD,GAAQK,SkDx9MPkF,KADa,WAEX,OACEsgC,mBACA1H,SAAU/J,KAAKC,OAAOttB,MAAMnC,OAAOqB,MACnC6/B,aAAc,GACdC,cAAe,GACfC,eAAgB,GAChBC,eAAgB,GAChBC,cAAe,GACfC,eAAgB,GAChBC,gBAAiB,GACjBC,iBAAkB,GAClBC,eAAgB,GAChBC,iBAAkB,GAClBC,iBAAkB,GAClBC,kBAAmB,GACnBC,qBAAsB,GACtBC,sBAAuB,GACvBC,mBAAoB,KAGxB3O,QAtBa,WAuBX,GAAMwC,GAAOrG,IAEbzwB,QAAOwB,MAAM,uBACVC,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAAC8sB,GACLuI,EAAKoL,gBAAkB3T,KAG7BgI,QA/Ba,WAgCX9F,KAAK0R,cAAe,EAAAjW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAOgF,IAC/D+C,KAAK2R,eAAgB,EAAAlW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAOqF,KAChE0C,KAAK4R,gBAAiB,EAAAnW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAOoF,IACjE2C,KAAK6R,gBAAiB,EAAApW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAOvN,MAEjEsV,KAAK8R,eAAgB,EAAArW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAO3J,MAChE0R,KAAK+R,gBAAiB,EAAAtW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAO5J,OACjE2R,KAAKgS,iBAAkB,EAAAvW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAOzJ,QAClEwR,KAAKiS,kBAAmB,EAAAxW,EAAArc,YAAW4gB,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAO1J,SAEnEyR,KAAKkS,eAAiBlS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMzO,WAAa,EAClEuR,KAAKmS,iBAAmBnS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMxO,aAAe,EACtEsR,KAAKoS,iBAAmBpS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMvO,aAAe,GACtEqR,KAAKqS,kBAAoBrS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMtO,cAAgB,EACxEoR,KAAKsS,qBAAuBtS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMrO,iBAAmB,GAC9EmR,KAAKwS,mBAAqBxS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMpO,eAAiB,EAC1EkR,KAAKuS,sBAAwBvS,KAAKC,OAAOttB,MAAMnC,OAAO0sB,MAAMnO,kBAAoB,GAElFuR,SACEmS,eADO,YAEAzS,KAAK0R,eAAiB1R,KAAK2R,gBAAkB3R,KAAK6R,cAIvD,IAAMvxB,GAAM,SAACH,GACX,GAAMC,GAAS,4CAA4CC,KAAKF,EAChE,OAAOC,IACLT,EAAG/N,SAASwO,EAAO,GAAI,IACvBR,EAAGhO,SAASwO,EAAO,GAAI,IACvBP,EAAGjO,SAASwO,EAAO,GAAI,KACrB,MAEA2d,EAAQzd,EAAI0f,KAAK0R,cACjBgB,EAASpyB,EAAI0f,KAAK2R,eAClB1T,EAAU3d,EAAI0f,KAAK4R,gBACnB1T,EAAU5d,EAAI0f,KAAK6R,gBAEnBc,EAASryB,EAAI0f,KAAK8R,eAClBc,EAAUtyB,EAAI0f,KAAK+R,gBACnBc,EAAWvyB,EAAI0f,KAAKgS,iBACpBc,EAAYxyB,EAAI0f,KAAKiS,iBAEvBlU,IAAS2U,GAAUxU,GACrB8B,KAAKC,OAAOvuB,SAAS,aACnBJ,KAAM,cACNK,OACE0rB,GAAIqV,EACJzV,GAAIc,EACJlqB,KAAMoqB,EACNvT,KAAMwT,EACN5P,KAAMqkB,EACNtkB,MAAOukB,EACPpkB,OAAQqkB,EACRtkB,QAASukB,EACTrkB,UAAWuR,KAAKkS,eAChBxjB,YAAasR,KAAKmS,iBAClBxjB,YAAaqR,KAAKoS,iBAClBxjB,aAAcoR,KAAKqS,kBACnBxjB,gBAAiBmR,KAAKsS,qBACtBxjB,cAAekR,KAAKwS,mBACpBzjB,iBAAkBiR,KAAKuS,2BAKjCzO,OACEiG,SADK,WAEH/J,KAAK0R,aAAe1R,KAAK+J,SAAS,GAClC/J,KAAK2R,cAAgB3R,KAAK+J,SAAS,GACnC/J,KAAK4R,eAAiB5R,KAAK+J,SAAS,GACpC/J,KAAK6R,eAAiB7R,KAAK+J,SAAS,GACpC/J,KAAK8R,cAAgB9R,KAAK+J,SAAS,GACnC/J,KAAKgS,gBAAkBhS,KAAK+J,SAAS,GACrC/J,KAAK+R,eAAiB/R,KAAK+J,SAAS,GACpC/J,KAAKiS,iBAAmBjS,KAAK+J,SAAS,OlD+9MtC,SAAUp+B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GmDhlNV,IAAAwzB,GAAAt5B,EAAA,InDqlNKu5B,EAAat5B,EAAuBq5B,GmDnlNnC4N,GACJlP,QADkB,WAEhB7D,KAAKC,OAAO7W,OAAO,iBAAmBrN,SAAU,QAChDikB,KAAKC,OAAOvuB,SAAS,iBAAmB6K,IAAOyjB,KAAKzjB,OAEtD+iB,YACEgG,oBAEFvF,UACExjB,IADQ,WACC,MAAOyjB,MAAKgD,OAAO1qB,OAAOiE,KACnCR,SAFQ,WAEM,MAAOikB,MAAKC,OAAOttB,MAAMtC,SAASoT,UAAUlH,MAE5DunB,OACEvnB,IADK,WAEHyjB,KAAKC,OAAO7W,OAAO,iBAAmBrN,SAAU,QAChDikB,KAAKC,OAAOvuB,SAAS,iBAAmB6K,IAAOyjB,KAAKzjB,QAGxDswB,UAlBkB,WAmBhB7M,KAAKC,OAAOvuB,SAAS,eAAgB,QnDgmNxC9F,GAAQK,QmD5lNM8mC,GnDgmNT,SAAUpnC,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GoD9nNV,IAAAwxB,GAAAt3B,EAAA,IpDmoNKu3B,EAAWt3B,EAAuBq3B,GoDloNvC1Z,EAAA5d,EAAA,KpDsoNK6d,EAA4B5d,EAAuB2d,GoDroNxDupB,EAAAnnC,EAAA,KpDyoNKonC,EAA2BnnC,EAAuBknC,GoDxoNvDlO,EAAAj5B,EAAA,KpD4oNKk5B,EAAcj5B,EAAuBg5B,GoD1oNpCQ,GACJpE,OACE,WACA,eACA,QACA,SACA,OAEF/vB,KARe,WASb,OACE+hC,QAAQ,IAGZnT,UACEoT,cADQ,WACW,MAAOnT,MAAKC,OAAOttB,MAAMtC,SAASiE,OACrD4O,UAFQ,WAGN,MAAO8c,MAAKjkB,SAASmH,WAEvBxG,QALQ,WAMN,MAAOsjB,MAAKjkB,SAASW,SAEvByG,QARQ,WASN,MAAO6c,MAAKjkB,SAASoH,SAEvBL,eAXQ,WAYN,MAAOkd,MAAKjkB,SAAS+G,gBAEvBswB,kBAdQ,WAeN,MAAkC,KAA9BpT,KAAKjkB,SAASqH,YACT,GAEP,KAAY4c,KAAKld,eAAjB,MAINwc,YACEsE,iBACAyP,+BACApO,oBAEFpB,QAxCe,WAyCb,GAAM3zB,GAAQ8vB,KAAKC,OACbvoB,EAAcxH,EAAMyC,MAAMrC,MAAMsC,YAAY8E,YAC5CyN,EAA2D,IAAzC6a,KAAKjkB,SAAS6G,gBAAgB2B,MAEtDhV,QAAOqtB,iBAAiB,SAAUoD,KAAKsT,YAEvC5pB,EAAAzd,QAAgBmf,gBACdlb,QACAwH,cACAqE,SAAUikB,KAAKuT,aACfpuB,kBACA9I,OAAQ2jB,KAAK3jB,OACbE,IAAKyjB,KAAKzjB,MAIc,SAAtByjB,KAAKuT,eACPvT,KAAKrlB,eACLqlB,KAAKnlB,mBAGTgyB,UA9De,WA+Dbt9B,OAAOikC,oBAAoB,SAAUxT,KAAKsT,YAC1CtT,KAAKC,OAAO7W,OAAO,cAAgBrN,SAAUikB,KAAKuT,aAAc5hC,OAAO,KAEzE2uB,SACErY,gBADO,WAE6B,IAA9B+X,KAAKjkB,SAASqH,aAChB4c,KAAKC,OAAO7W,OAAO,iBAAmBrN,SAAUikB,KAAKuT,eACrDvT,KAAKC,OAAO7W,OAAO,cAAgBrN,SAAUikB,KAAKuT,aAAcz5B,GAAI,IACpEkmB,KAAKyT,uBAELzT,KAAKC,OAAO7W,OAAO,mBAAqBrN,SAAUikB,KAAKuT,eACvDvT,KAAKkT,QAAS,IAGlBO,mBAXO,WAWe,GAAArR,GAAApC,KACd9vB,EAAQ8vB,KAAKC,OACbvoB,EAAcxH,EAAMyC,MAAMrC,MAAMsC,YAAY8E,WAClDxH,GAAMkZ,OAAO,cAAgBrN,SAAUikB,KAAKuT,aAAc5hC,OAAO,IACjE+X,EAAAzd,QAAgBmf,gBACdlb,QACAwH,cACAqE,SAAUikB,KAAKuT,aACf9tB,OAAO,EACPN,iBAAiB,EACjB9I,OAAQ2jB,KAAK3jB,OACbE,IAAKyjB,KAAKzjB,MACTvL,KAAK,iBAAMd,GAAMkZ,OAAO,cAAgBrN,SAAUqmB,EAAKmR,aAAc5hC,OAAO,OAEjFkJ,eAzBO,WAyBW,GAAAgxB,GAAA7L,KACVlmB,EAAKkmB,KAAK3jB,MAChB2jB,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBpb,gBAAiBf,OACtD9I,KAAK,SAACkS,GAAD,MAAe2oB,GAAK5L,OAAOvuB,SAAS,gBAAkBwR,iBAEhEvI,aA9BO,WA8BS,GAAA+4B,GAAA1T,KACRlmB,EAAKkmB,KAAK3jB,MAChB2jB,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBtb,cAAeb,OACpD9I,KAAK,SAAC0L,GAAD,MAAag3B,GAAKzT,OAAOvuB,SAAS,cAAgBgL,eAE5D42B,WAnCO,SAmCKte,GACV,GAAM2e,GAAYhb,SAAS9f,KAAKg4B,wBAC1B/E,EAAS/rB,KAAK6zB,IAAID,EAAU7H,QAAU6H,EAAUlgC,EAClDusB,MAAKjkB,SAASkH,WAAY,GAC1B+c,KAAKC,OAAOttB,MAAMnC,OAAO6nB,UACzB2H,KAAK+F,IAAI8N,aAAe,GACvBtkC,OAAO0hC,YAAc1hC,OAAOukC,aAAiBhI,EAAS,KACzD9L,KAAKyT,uBAIX3P,OACEhhB,eADK,SACWklB,GACThI,KAAKC,OAAOttB,MAAMnC,OAAO+e,WAG1ByY,EAAQ,IAENz4B,OAAOukC,YAAc,KAAO9T,KAAKkT,OACnClT,KAAK/X,kBAEL+X,KAAKkT,QAAS,KpDwpNvBtnC,GAAQK,QoDjpNMq5B,GpDqpNT,SAAU35B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GqDhyNV,IAAAu1B,GAAAr7B,EAAA,IrDqyNKs7B,EAAsBr7B,EAAuBo7B,GqDnyN5CjC,GACJ/D,OACE,OACA,cACA,gBAEF/vB,KANe,WAOb,OACEi2B,cAAc,IAGlB9H,YACE+H,2BAEF/G,SACEgH,mBADO,WAELtH,KAAKoH,cAAgBpH,KAAKoH,cAE5B/sB,YAJO,WAKL2lB,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB5b,YAAY2lB,KAAK3mB,KAAKS,IAC9DkmB,KAAKC,OAAOvuB,SAAS,sBAAuBsuB,KAAK3mB,OAEnDkB,SARO,WASLylB,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB1b,SAASylB,KAAK3mB,KAAKS,IAC3DkmB,KAAKC,OAAOvuB,SAAS,sBAAuBsuB,KAAK3mB,QrDyyNtDzN,GAAQK,QqDpyNMg5B,GrDwyNT,SAAUt5B,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GsD50NV,IAAAgvB,GAAA90B,EAAA,ItDi1NK+0B,EAAe90B,EAAuB60B,GsDh1N3ClF,EAAA5vB,EAAA,GtDs1NCD,GAAQK,SsDn1NPi1B,OAAS,OAAQ,WAAY,WAAY,WACzCnB,UACEgU,aADQ,WAEN,GAAMxX,GAAQyD,KAAKC,OAAOttB,MAAMnC,OAAOynB,OAAOgF,EAC9C,IAAIV,EAAO,CACT,GAAMjc,IAAM,EAAAmb,EAAApc,SAAQkd,GACdyX,UAAoBj0B,KAAKk0B,MAAM3zB,EAAIX,GAAnC,KAA0CI,KAAKk0B,MAAM3zB,EAAIV,GAAzD,KAAgEG,KAAKk0B,MAAM3zB,EAAIT,GAA/E,OAMN,OALAtL,SAAQC,IAAI8L,GACZ/L,QAAQC,KAAI,OACHwrB,KAAK3mB,KAAK66B,YADP,kCAEoBF,EAFpB,KAEkCA,EAFlC,KAGVh3B,KAAK,QAELm3B,uBAAwBp0B,KAAKk0B,MAAc,IAAR3zB,EAAIX,GAAvC,KAAqDI,KAAKk0B,MAAc,IAAR3zB,EAAIV,GAApE,KAAkFG,KAAKk0B,MAAc,IAAR3zB,EAAIT,GAAjG,IACAu0B,iBAAiB,8BACeJ,EADf,KAC6BA,EAD7B,WAERhU,KAAK3mB,KAAK66B,YAFF,KAGfl3B,KAAK,SAIbq3B,YApBQ,WAqBN,MAAOrU,MAAK3mB,KAAKS,KAAOkmB,KAAKC,OAAOttB,MAAMrC,MAAMsC,YAAYkH,IAE9Dw6B,aAvBQ,WAyBN,GAAMC,GAAY,GAAIC,KAAIxU,KAAK3mB,KAAKsO,sBACpC,OAAU4sB,GAAUE,SAApB,KAAiCF,EAAUG,KAA3C,iBAEFtF,SA5BQ,WA6BN,MAAOpP,MAAKC,OAAOttB,MAAMrC,MAAMsC,aAEjC+hC,SA/BQ,WAgCN,GAAMC,GAAO70B,KAAKC,MAAM,GAAI60B,MAAS,GAAIA,MAAK7U,KAAK3mB,KAAKy7B,aAAjC,MACvB,OAAO/0B,MAAKg1B,MAAM/U,KAAK3mB,KAAK27B,eAAiBJ,KAGjDtV,YACEiC,sBAEFjB,SACE1mB,WADO,WAEL,GAAM1J,GAAQ8vB,KAAKC,MACnB/vB,GAAMyC,MAAMpC,IAAI0lB,kBAAkBrc,WAAWomB,KAAK3mB,KAAKS,IACpD9I,KAAK,SAACikC,GAAD,MAAkB/kC,GAAMkZ,OAAO,eAAgB6rB,OAEzDl7B,aANO,WAOL,GAAM7J,GAAQ8vB,KAAKC,MACnB/vB,GAAMyC,MAAMpC,IAAI0lB,kBAAkBlc,aAAaimB,KAAK3mB,KAAKS,IACtD9I,KAAK,SAACkkC,GAAD,MAAoBhlC,GAAMkZ,OAAO,eAAgB8rB,OAE3Dj7B,UAXO,WAYL,GAAM/J,GAAQ8vB,KAAKC,MACnB/vB,GAAMyC,MAAMpC,IAAI0lB,kBAAkBhc,UAAU+lB,KAAK3mB,KAAKS,IACnD9I,KAAK,SAACmkC,GAAD,MAAiBjlC,GAAMkZ,OAAO,eAAgB+rB,OAExDh7B,YAhBO,WAiBL,GAAMjK,GAAQ8vB,KAAKC,MACnB/vB,GAAMyC,MAAMpC,IAAI0lB,kBAAkB9b,YAAY6lB,KAAK3mB,KAAKS,IACrD9I,KAAK,SAACokC,GAAD,MAAmBllC,GAAMkZ,OAAO,eAAgBgsB,OAE1D9E,WArBO,WAsBL,GAAMpgC,GAAQ8vB,KAAKC,MACnB/vB,GAAMkZ,OAAO,YAAa/P,KAAM2mB,KAAK3mB,KAAMqC,OAAQskB,KAAK3mB,KAAKqC,QAC7DxL,EAAMyC,MAAMpC,IAAI0lB,kBAAkB1a,YAAYykB,KAAK3mB,OAErDuP,eA1BO,SA0BSC,GACd,GAAImX,KAAKqV,SAAU,CACjB,GAAMnlC,GAAQ8vB,KAAKC,MACnB/vB,GAAMkZ,OAAO,kBAAoBP,WtDy1NnC,SAAUld,EAAQC,GAEvB,YAEA+I,QAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GuDv6NV,IAAM+tB,IACJvuB,KAAM,kBACJmI,SAAUqC,OACV8lB,QAAQ,EACRntB,OAAO,EACP2O,SAAS,IAEXqd,SACEgV,SADO,SACGh8B,GAAU,GAAA8oB,GAAApC,IAClB1mB,GAA2B,MAAhBA,EAAS,GAAaA,EAAS4G,MAAM,GAAK5G,EACrD0mB,KAAK/c,SAAU,EACf+c,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBxc,gBAAgBH,GACrDtI,KAAK,SAACqI,GACL+oB,EAAKnf,SAAU,EACfmf,EAAKX,QAAS,EACTpoB,EAAK/E,MAIR8tB,EAAK9tB,OAAQ,GAHb8tB,EAAKnC,OAAO7W,OAAO,eAAgB/P,IACnC+oB,EAAK4K,QAAQnwB,MAAMvL,KAAM,eAAgBgH,QAASwB,GAAIT,EAAKS,UAMnEqoB,aAhBO,WAiBLnC,KAAKyB,QAAUzB,KAAKyB,QAEtB8T,aAnBO,WAoBLvV,KAAK1rB,OAAQ,IvDi7NlB1I,GAAQK,QuD56NMyzB,GvDg7NT,SAAU/zB,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GwDr9NV,IAAA6jC,GAAA3pC,EAAA,KxD09NK4pC,EAAe3pC,EAAuB0pC,GwDz9N3C9G,EAAA7iC,EAAA,KxD69NK8iC,EAAqB7iC,EAAuB4iC,GwD59NjDxH,EAAAr7B,EAAA,IxDg+NKs7B,EAAsBr7B,EAAuBo7B,GwD99N5C3H,GACJQ,UACE1mB,KADQ,WACE,MAAO2mB,MAAKC,OAAOttB,MAAMrC,MAAMsC,cAE3C0sB,YACEkG,oBACAwD,yBACA3B,2BxDw+NHz7B,GAAQK,QwDp+NMszB,GxDw+NT,SAAU5zB,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GyD5/NV,IAAAu1B,GAAAr7B,EAAA,IzDigOKs7B,EAAsBr7B,EAAuBo7B,GyDhgOlD/B,EAAAt5B,EAAA,IzDogOKu5B,EAAat5B,EAAuBq5B,GyDlgOnCuQ,GACJ7R,QADkB,WAEhB7D,KAAKC,OAAO7W,OAAO,iBAAmBrN,SAAU,SAChDikB,KAAKC,OAAOvuB,SAAS,iBAAkB,OAAQsuB,KAAK3jB,SAC/C2jB,KAAKC,OAAOttB,MAAMrC,MAAMmkB,YAAYuL,KAAK3jB,SAC5C2jB,KAAKC,OAAOvuB,SAAS,YAAasuB,KAAK3jB,SAG3CwwB,UARkB,WAShB7M,KAAKC,OAAOvuB,SAAS,eAAgB,SAEvCquB,UACEhkB,SADQ,WACM,MAAOikB,MAAKC,OAAOttB,MAAMtC,SAASoT,UAAUpK,MAC1DgD,OAFQ,WAGN,MAAO2jB,MAAKgD,OAAO1qB,OAAOwB,IAE5BT,KALQ,WAMN,MAAI2mB,MAAKjkB,SAAS1L,SAAS,GAClB2vB,KAAKjkB,SAAS1L,SAAS,GAAGgJ,KAE1B2mB,KAAKC,OAAOttB,MAAMrC,MAAMmkB,YAAYuL,KAAK3jB,UAAW,IAIjEynB,OACEznB,OADK,WAEH2jB,KAAKC,OAAO7W,OAAO,iBAAmBrN,SAAU,SAChDikB,KAAKC,OAAOvuB,SAAS,iBAAkB,OAAQsuB,KAAK3jB,WAGxDijB,YACE+H,0BACA/B,oBzD6gOH15B,GAAQK,QyDzgOMypC,GzD6gOT,SAAU/pC,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvF4I,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,GAGT,IAAIgkC,GAAa9pC,EAAoB,KAEjC+pC,EAAc9pC,EAAuB6pC,G0D9jO1CnI,EAAA3hC,EAAA,K1DkkOK4hC,EAAmB3hC,EAAuB0hC,G0DhkOzCqI,GACJ1kC,KADmB,WAEjB,OACE2kC,QAAS9V,KAAKC,OAAOttB,MAAMrC,MAAMsC,YAAYtB,KAC7CykC,OAAQ/V,KAAKC,OAAOttB,MAAMrC,MAAMsC,YAAYojC,YAC5CC,UAAWjW,KAAKC,OAAOttB,MAAMrC,MAAMsC,YAAYsjC,OAC/CC,WAAY,KACZC,mBAAmB,EACnBC,iBAAiB,EACjBC,qBAAqB,EACrBlQ,YAAa,GAAO,GAAO,GAAO,GAClCmQ,UAAY,KAAM,KAAM,MACxBC,iBAAiB,EACjBC,kCAAmC,GACnCC,oBAAoB,EACpBC,sBAAwB,GAAI,GAAI,IAChCC,iBAAiB,EACjBC,qBAAqB,IAGzBvX,YACE2O,yBAEFlO,UACE1mB,KADQ,WAEN,MAAO2mB,MAAKC,OAAOttB,MAAMrC,MAAMsC,aAEjCkkC,eAJQ,WAKN,MAAO9W,MAAKC,OAAOttB,MAAMnC,OAAOsmC,iBAGpCxW,SACEpnB,cADO,WACU,GAAAkpB,GAAApC,KACT1uB,EAAO0uB,KAAK8V,QACZE,EAAchW,KAAK+V,OACnBG,EAASlW,KAAKiW,SACpBjW,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB/c,eAAeZ,QAAShH,OAAM0kC,cAAaE,YAAUllC,KAAK,SAACqI,GAC5FA,EAAK/E,QACR8tB,EAAKnC,OAAO7W,OAAO,eAAgB/P,IACnC+oB,EAAKnC,OAAO7W,OAAO,iBAAkB/P,OAI3C8sB,WAZO,SAYK4Q,EAAM/hB,GAAG,GAAA6W,GAAA7L,KACbiG,EAAOjR,EAAEgN,OAAOkE,MAAM,EAC5B,IAAKD,EAAL,CAEA,GAAM+Q,GAAS,GAAIC,WACnBD,GAAO3U,OAAS,SAAAhqB,GAAc,GAAZ2pB,GAAY3pB,EAAZ2pB,OACVV,EAAMU,EAAO5hB,MACnByrB,GAAK0K,SAASQ,GAAQzV,EACtBuK,EAAKqL,gBAEPF,EAAOG,cAAclR,KAEvBmR,aAxBO,WAwBS,GAAA1D,GAAA1T,IACd,IAAKA,KAAKuW,SAAS,GAAnB,CAEA,GAAIjV,GAAMtB,KAAKuW,SAAS,GAEpBc,EAAU,GAAIC,OACdC,SAAOC,SAAOC,SAAOC,QACzBL,GAAQ/U,IAAMhB,EACV+V,EAAQvL,OAASuL,EAAQ7F,OAC3B+F,EAAQ,EACRE,EAAQJ,EAAQ7F,MAChBgG,EAAQz3B,KAAKk0B,OAAOoD,EAAQvL,OAASuL,EAAQ7F,OAAS,GACtDkG,EAAQL,EAAQ7F,QAEhBgG,EAAQ,EACRE,EAAQL,EAAQvL,OAChByL,EAAQx3B,KAAKk0B,OAAOoD,EAAQ7F,MAAQ6F,EAAQvL,QAAU,GACtD2L,EAAQJ,EAAQvL,QAElB9L,KAAKoG,UAAU,IAAK,EACpBpG,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkB7d,cAAcE,QAASgpB,MAAKiW,QAAOC,QAAOC,QAAOC,WAAS1mC,KAAK,SAACqI,GACjGA,EAAK/E,QACRo/B,EAAKzT,OAAO7W,OAAO,eAAgB/P,IACnCq6B,EAAKzT,OAAO7W,OAAO,iBAAkB/P,GACrCq6B,EAAK6C,SAAS,GAAK,MAErB7C,EAAKtN,UAAU,IAAK,MAGxBuR,aArDO,WAqDS,GAAAC,GAAA5X,IACd,IAAKA,KAAKuW,SAAS,GAAnB,CAEA,GAAIsB,GAAS7X,KAAKuW,SAAS,GAEvBc,EAAU,GAAIC,OAEdQ,SAAYC,SAAavG,SAAO1F,QACpCuL,GAAQ/U,IAAMuV,EACdrG,EAAQ6F,EAAQ7F,MAChB1F,EAASuL,EAAQvL,OACjBgM,EAAa,EACbC,EAAc,EACd/X,KAAKoG,UAAU,IAAK,EACpBpG,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBjd,cAAcV,QAASu/B,SAAQC,aAAYC,cAAavG,QAAO1F,YAAU96B,KAAK,SAACG,GACrH,IAAKA,EAAKmD,MAAO,CACf,GAAI0jC,GAAQC,KAAKC,OAAM,EAAAtC,EAAA3pC,SAAe2rC,EAAK3X,OAAOttB,MAAMrC,MAAMsC,aAC9DolC,GAAM9D,YAAc/iC,EAAKmG,IACzBsgC,EAAK3X,OAAO7W,OAAO,eAAgB4uB,IACnCJ,EAAK3X,OAAO7W,OAAO,iBAAkB4uB,GACrCJ,EAAKrB,SAAS,GAAK,KAErBqB,EAAKxR,UAAU,IAAK,MAIxB+R,SA/EO,WA+EK,GAAAC,GAAApY,IACV,IAAKA,KAAKuW,SAAS,GAAnB,CACA,GAAIjV,GAAMtB,KAAKuW,SAAS,GAEpBc,EAAU,GAAIC,OACdC,SAAOC,SAAOC,SAAOC,QACzBL,GAAQ/U,IAAMhB,EACdiW,EAAQ,EACRC,EAAQ,EACRC,EAAQJ,EAAQ7F,MAChBkG,EAAQL,EAAQ7F,MAChBxR,KAAKoG,UAAU,IAAK,EACpBpG,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBnd,UAAUR,QAASgpB,MAAKiW,QAAOC,QAAOC,QAAOC,WAAS1mC,KAAK,SAACG,GAClG,IAAKA,EAAKmD,MAAO,CACf,GAAI0jC,GAAQC,KAAKC,OAAM,EAAAtC,EAAA3pC,SAAemsC,EAAKnY,OAAOttB,MAAMrC,MAAMsC,aAC9DolC,GAAM9X,iBAAmB/uB,EAAKmG,IAC9B8gC,EAAKnY,OAAO7W,OAAO,eAAgB4uB,IACnCI,EAAKnY,OAAO7W,OAAO,iBAAkB4uB,GACrCI,EAAK7B,SAAS,GAAK,KAErB6B,EAAKhS,UAAU,IAAK,MAGxBiS,cAtGO,WAsGU,GAAAC,GAAAtY,IACfA,MAAKoG,UAAU,IAAK,CACpB,IAAM+P,GAAanW,KAAKmW,UACxBnW,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBzX,cAAclG,OAAQ69B,IAC3DnlC,KAAK,SAAC0M,GACDA,EACF46B,EAAKjC,iBAAkB,EAEvBiC,EAAKlC,mBAAoB,EAE3BkC,EAAKlS,UAAU,IAAK,KAM1BmS,aAtHO,SAsHOjoC,EAAOkoC,GAEnB,GAAIC,GAAgBnoC,EAAM2D,IAAI,SAAUoF,GAOtC,MALIA,IAAQA,EAAKq/B,WAGfr/B,EAAKwO,aAAe,IAAM8wB,SAASC,UAE9Bv/B,EAAKwO,cACX7K,KAAK,MAEJ67B,EAAiBlgB,SAASqD,cAAc,IAC5C6c,GAAe5c,aAAa,OAAQ,iCAAmCnkB,mBAAmB2gC,IAC1FI,EAAe5c,aAAa,WAAYuc,GACxCK,EAAehd,MAAMC,QAAU,OAC/BnD,SAAS9f,KAAKqjB,YAAY2c,GAC1BA,EAAeC,QACfngB,SAAS9f,KAAK6jB,YAAYmc,IAE5BE,cA1IO,WA0IU,GAAAC,GAAAhZ,IACfA,MAAKsW,qBAAsB,EAC3BtW,KAAKC,OAAOttB,MAAMpC,IAAI0lB,kBACnBtb,cAAcb,GAAIkmB,KAAKC,OAAOttB,MAAMrC,MAAMsC,YAAYkH,KACtD9I,KAAK,SAACioC,GACLD,EAAKT,aAAaU,EAAY,kBAGpCC,iBAlJO,WAoJL,GAAI96B,GAAW,GAAI5F,SACnB4F,GAAS3F,OAAO,OAAQunB,KAAKmJ,MAAMgQ,WAAWjT,MAAM,IACpDlG,KAAKmW,WAAa/3B,GAEpBg7B,gBAxJO,WAyJLpZ,KAAKqW,iBAAkB,EACvBrW,KAAKoW,mBAAoB,GAE3BiD,cA5JO,WA6JLrZ,KAAKwW,iBAAkB,GAEzB73B,cA/JO,WA+JU,GAAA26B,GAAAtZ,IACfA,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBtX,eAAepF,SAAUymB,KAAKyW,oCACnEzlC,KAAK,SAACC,GACc,YAAfA,EAAIyM,QACN47B,EAAKrZ,OAAOvuB,SAAS,UACrB4nC,EAAKtM,QAAQnwB,KAAK,cAElBy8B,EAAK5C,mBAAqBzlC,EAAIqD,SAItCuK,eA1KO,WA0KW,GAAA06B,GAAAvZ,KACV1nB,GACJiB,SAAUymB,KAAK2W,qBAAqB,GACpC53B,YAAaihB,KAAK2W,qBAAqB,GACvC33B,wBAAyBghB,KAAK2W,qBAAqB,GAErD3W,MAAKC,OAAOttB,MAAMpC,IAAI0lB,kBAAkBpX,eAAevG,GACpDtH,KAAK,SAACC,GACc,YAAfA,EAAIyM,QACN67B,EAAK3C,iBAAkB,EACvB2C,EAAK1C,qBAAsB,IAE3B0C,EAAK3C,iBAAkB,EACvB2C,EAAK1C,oBAAsB5lC,EAAIqD,W1DmmO1C1I,GAAQK,Q0D5lOM4pC,G1DgmOT,SAAUlqC,EAAQC,GAEvB,Y2Dj0OD,SAAS4tC,GAAiBC,EAAOC,EAAOC,EAAOC,GAC7C,GACIC,GADAvpC,EAAQopC,EAAMI,IAEdtP,EAAQ,EACRuP,EAASh6B,KAAKk0B,MAAsB,GAAhBl0B,KAAKg6B,SAC7B,KAAKF,EAAKE,EAAQF,EAAKvpC,EAAMiU,OAAQs1B,GAAU,GAAI,CACjD,GAAIxgC,EACJA,GAAO/I,EAAMupC,EACb,IAAIvY,EAEFA,GADEjoB,EAAKiN,KACDjN,EAAKiN,KAEL,iBAER,IAAIhV,GAAO+H,EAAK2gC,KAiChB,IAhCc,IAAVxP,GACFiP,EAAMQ,KAAO3Y,EACbmY,EAAMS,MAAQ5oC,EACdmoC,EAAMxZ,OAAOttB,MAAMpC,IAAI0lB,kBAAkBxc,gBAAgBnI,GACtDN,KAAK,SAACmpC,GACAA,EAAa7lC,QAChBmlC,EAAMxZ,OAAO7W,OAAO,eAAgB+wB,IACpCV,EAAMW,IAAMD,EAAargC,OAGZ,IAAV0wB,GACTiP,EAAMY,KAAO/Y,EACbmY,EAAMa,MAAQhpC,EACdmoC,EAAMxZ,OAAOttB,MAAMpC,IAAI0lB,kBAAkBxc,gBAAgBnI,GACtDN,KAAK,SAACmpC,GACAA,EAAa7lC,QAChBmlC,EAAMxZ,OAAO7W,OAAO,eAAgB+wB,IACpCV,EAAMc,IAAMJ,EAAargC,OAGZ,IAAV0wB,IACTiP,EAAMe,KAAOlZ,EACbmY,EAAMgB,MAAQnpC,EACdmoC,EAAMxZ,OAAOttB,MAAMpC,IAAI0lB,kBAAkBxc,gBAAgBnI,GACtDN,KAAK,SAACmpC,GACAA,EAAa7lC,QAChBmlC,EAAMxZ,OAAO7W,OAAO,eAAgB+wB,IACpCV,EAAMiB,IAAMP,EAAargC,OAIjC0wB,GAAgB,EACZA,EAAQ,EACV,OAKN,QAASmQ,GAAgBlB,GACvB,GAAIpgC,GAAOogC,EAAMxZ,OAAOttB,MAAMrC,MAAMsC,YAAYiV,WAChD,IAAIxO,EAAM,CACRogC,EAAMS,MAAQ,aACdT,EAAMa,MAAQ,aACdb,EAAMgB,MAAQ,YACd,IAEInjC,GAFAo9B,EAAOnlC,OAAOopC,SAASC,SACvB3mC,EAAsBwnC,EAAMxZ,OAAOttB,MAAMnC,OAAOyB,mBAEpDqF,GAAMrF,EAAoB8F,QAAQ,YAAaD,mBAAmB48B,IAClEp9B,EAAMA,EAAIS,QAAQ,YAAaD,mBAAmBuB,IAClD9J,OAAOwB,MAAMuG,GAAMrE,KAAM,SAASjC,KAAK,SAAUqN,GAC/C,MAAIA,GAASK,GACJL,EAASnN,QAEhBuoC,EAAMS,MAAQ,GACdT,EAAMa,MAAQ,GACdb,EAAMgB,MAAQ,GAFdhB,UAIDzoC,KAAK,SAAU0oC,GAChBF,EAAgBC,EAAOC,EAAOhF,EAAMr7B,M3D0vOzC1E,OAAOC,eAAehJ,EAAS,cAC7B+F,OAAO,G2DtvOV,IAAMguB,IACJxuB,KAAM,kBACJ8oC,KAAM,kBACNC,MAAO,GACPE,IAAK,EACLC,KAAM,kBACNC,MAAO,GACPC,IAAK,EACLC,KAAM,kBACNC,MAAO,GACPC,IAAK,IAEP3a,UACE1mB,KAAM,WACJ,MAAO2mB,MAAKC,OAAOttB,MAAMrC,MAAMsC,YAAYiV,aAE7C+yB,QAAS,WACP,GAGItjC,GAHAo9B,EAAOnlC,OAAOopC,SAASC,SACvBv/B,EAAO2mB,KAAK3mB,KACZnH,EAAkB8tB,KAAKC,OAAOttB,MAAMnC,OAAO0B,eAI/C,OAFAoF,GAAMpF,EAAgB6F,QAAQ,YAAaD,mBAAmB48B,IAC9Dp9B,EAAMA,EAAIS,QAAQ,YAAaD,mBAAmBuB,KAGpDrH,qBAbQ,WAcN,MAAOguB,MAAKC,OAAOttB,MAAMnC,OAAOwB,uBAGpC8xB,OACEzqB,KAAM,SAAUA,EAAMwhC,GAChB7a,KAAKhuB,sBACP2oC,EAAe3a,QAIrB8F,QACE,WACM9F,KAAKhuB,sBACP2oC,EAAe3a;E3Dy0OtBp0B,GAAQK,Q2Dp0OM0zB,G3Du0ON,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEH,SAAUh0B,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,KAMlB,SAAUD,EAAQC,G4D5pPxBD,EAAAC,SAAA,gH5DkqPM,SAAUD,EAAQC,G6DlqPxBD,EAAAC,SAAA,oE7DuqPS,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEH,SAAUD,EAAQC,EAASC,G8D70PjCF,EAAAC,QAAAC,EAAAivC,EAAA,+B9Dk1PS,CACA,CAEH,SAAUnvC,EAAQC,EAASC,G+Dn1PjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S/D41PM,SAAUD,EAAQC,EAASC,GgEz2PjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,ShEk3PM,SAAUD,EAAQC,EAASC,GiE/3PjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SjEw4PM,SAAUD,EAAQC,EAASC,GkEv5PjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SlE85PM,SAAUD,EAAQC,EAASC,GmEv6PjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SnEg7PM,SAAUD,EAAQC,EAASC,GoE77PjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SpEs8PM,SAAUD,EAAQC,EAASC,GqEr9PjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SrE49PM,SAAUD,EAAQC,EAASC,GsEv+PjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,StE8+PM,SAAUD,EAAQC,EAASC,GuEv/PjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SvEggQM,SAAUD,EAAQC,EAASC,GwE7gQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SxEshQM,SAAUD,EAAQC,EAASC,GyEniQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SzE4iQM,SAAUD,EAAQC,EAASC,G0E3jQjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S1EkkQM,SAAUD,EAAQC,EAASC,G2E3kQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S3EolQM,SAAUD,EAAQC,EAASC,G4EnmQjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S5E0mQM,SAAUD,EAAQC,EAASC,G6EnnQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S7E4nQM,SAAUD,EAAQC,EAASC,G8E3oQjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S9EkpQM,SAAUD,EAAQC,EAASC,G+E7pQjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,S/EoqQM,SAAUD,EAAQC,EAASC,GgF7qQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,ShFsrQM,SAAUD,EAAQC,EAASC,GiFnsQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SjF4sQM,SAAUD,EAAQC,EAASC,GkFztQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SlFkuQM,SAAUD,EAAQC,EAASC,GmF/uQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SnFwvQM,SAAUD,EAAQC,EAASC,GoFvwQjC,GAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SpF8wQM,SAAUD,EAAQC,EAASC,GqFvxQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SrFgyQM,SAAUD,EAAQC,EAASC,GsF7yQjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,StFszQM,SAAUD,EAAQC,EAASC,GuFn0QjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SvF40QM,SAAUD,EAAQC,EAASC,GwFz1QjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SxFk2QM,SAAUD,EAAQC,EAASC,GyF/2QjCA,EAAA,IAEA,IAAA6I,GAAA7I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA8I,EAAA9I,SzFw3QM,SAAUD,EAAQC,G0Fv4QxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,kBACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,kBACGL,EAAA,YAAAG,EAAA,QACHE,YAAA,iBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhT,gBAAAgT,EAAAQ,KAAAR,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAA,YAAAG,EAAA,UACHE,YAAA,cACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA9S,WAAAwT,OAGGV,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGL,EAAAW,GAAAX,EAAA,8BAAAp0B,GACH,MAAAu0B,GAAA,OACAhnC,IAAAyS,EAAAb,OAAAhM,GACAshC,YAAA,eACAO,OACAC,QAAAj1B,EAAAT,QAEKg1B,EAAA,gBACLW,OACAl1B,mBAEK,WAEJm1B,qB1F64QK,SAAUnwC,EAAQC,G2F76QxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,2BACAvf,MAAAkf,EAAA,aACAc,OACA/hC,GAAA,aAEGohC,EAAA,OACHE,YAAA,8BACGF,EAAA,OACHE,YAAA,cACGL,EAAA1G,YAUA0G,EAAAQ,KAVAL,EAAA,eACHa,aACAC,MAAA,QACAC,aAAA,QAEAJ,OACArpC,GAAA,oBAEG0oC,EAAA,KACHE,YAAA,4BACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHa,aACAC,MAAA,QACAC,aAAA,QAEAJ,OACAlgB,KAAAof,EAAA1hC,KAAAsO,sBACAqa,OAAA,YAEGkZ,EAAA,KACHE,YAAA,iCACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGF,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAA1hC,KAAAS,QAIGohC,EAAA,cACHE,YAAA,SACAS,OACAvZ,IAAAyY,EAAA1hC,KAAAoxB,+BAEG,GAAAsQ,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,YACAS,OACAx1B,MAAA00B,EAAA1hC,KAAA/H,QAEGypC,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1hC,KAAA/H,SAAAypC,EAAAM,GAAA,KAAAH,EAAA,eACHE,YAAA,mBACAS,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAA1hC,KAAAS,QAIGohC,EAAA,QAAAH,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAA1hC,KAAAwO,gBAAAkzB,EAAA1hC,KAAA,OAAA6hC,EAAA,QAAAA,EAAA,KACHE,YAAA,qBACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,aACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAApG,UAAA,IAAAoG,EAAAO,GAAAP,EAAAS,GAAA,mCAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,sBACGL,EAAA1hC,KAAAiT,aAAAyuB,EAAA3L,SAAA8L,EAAA,OACHE,YAAA,cACGL,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,0CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,SAAAG,EAAA,OACHE,YAAA,WACGL,EAAA1hC,KAAA,UAAA6hC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACAvjB,IACAihB,MAAAiC,EAAAhhC,gBAEGghC,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,8CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA1hC,KAAAkT,UAIAwuB,EAAAQ,KAJAL,EAAA,QAAAA,EAAA,UACHrjB,IACAihB,MAAAiC,EAAAnhC,cAEGmhC,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,6CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,SACGL,EAAA1hC,KAAA,MAAA6hC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACAvjB,IACAihB,MAAAiC,EAAAzK,cAEGyK,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,0CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA1hC,KAAAqC,MAIAq/B,EAAAQ,KAJAL,EAAA,QAAAA,EAAA,UACHrjB,IACAihB,MAAAiC,EAAAzK,cAEGyK,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,2CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,MAAAN,EAAA3L,UAAA2L,EAAA1hC,KAAAq/B,SAAAwC,EAAA,OACHE,YAAA,kBACGF,EAAA,QACHW,OACAjjC,OAAA,OACAkN,OAAAi1B,EAAAzG,gBAEG4G,EAAA,SACHW,OACAh2B,KAAA,SACAvU,KAAA,YAEA4qC,UACAvqC,MAAAopC,EAAA1hC,KAAAwO,eAEGkzB,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACAh2B,KAAA,SACAvU,KAAA,UACAK,MAAA,MAEGopC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,gBACAS,OACA/C,MAAA,YAEGiC,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,oDAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA1G,aAAA0G,EAAA3L,SAAA8L,EAAA,OACHE,YAAA,UACGL,EAAA1hC,KAAA,mBAAA6hC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACAvjB,IACAihB,MAAAiC,EAAA5gC,eAEG4gC,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA1hC,KAAA8iC,mBAIApB,EAAAQ,KAJAL,EAAA,QAAAA,EAAA,UACHrjB,IACAihB,MAAAiC,EAAA9gC,aAEG8gC,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAQ,OAAAR,EAAAQ,MAAA,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,kCACGF,EAAA,OACHE,YAAA,cACAO,OACAS,UAAArB,EAAA1F,YAEG6F,EAAA,OACHE,YAAA,aACAO,OACA5R,SAAA,aAAAgR,EAAAhR,UAEAlS,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAnyB,eAAA,gBAGGsyB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1hC,KAAA27B,gBAAA,KAAAkG,EAAA,UAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAO,OACA5R,SAAA,YAAAgR,EAAAhR,UAEAlS,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAnyB,eAAA,eAGGsyB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1hC,KAAAgjC,oBAAAtB,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAO,OACA5R,SAAA,cAAAgR,EAAAhR,UAEAlS,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAnyB,eAAA,iBAGGsyB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1hC,KAAAijC,wBAAAvB,EAAAM,GAAA,KAAAN,EAAAwB,QAAAxB,EAAAQ,KAAAL,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1hC,KAAA28B,qBACF8F,qB3Fm7QK,SAAUnwC,EAAQC,G4FhmRxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,mBAAAD,EAAA53B,QAAA+3B,EAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAA10B,OAAA,YAAA00B,EAAAM,GAAA,KAAAN,EAAAh/B,SAAA+G,eAAA,IAAAi4B,EAAA5H,cAAA+H,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA9yB,gBAAAwzB,OAGGV,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAO,GAAAP,EAAA3H,mBAAA,YAAA2H,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,cAAAG,EAAA,OACHE,YAAA,6BACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,qBAGGqU,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,MAAAN,EAAAh/B,SAAA+G,eAAA,IAAAi4B,EAAA5H,cAAA+H,EAAA,OACHE,YAAA,gBACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,qBAGGqU,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAW,GAAAX,EAAAh/B,SAAA,yBAAA2B,GACH,MAAAw9B,GAAA,0BACAhnC,IAAAwJ,EAAA5D,GACAshC,YAAA,gBACAS,OACA9Y,UAAArlB,UAGGq9B,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAAh/B,SAAAkH,QAYAi4B,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAA,SAdAH,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAtH,yBAGGyH,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iCAEA,aAAAT,EAAA53B,QAAA+3B,EAAA,OACHE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAW,GAAAX,EAAA,mBAAAyB,GACH,MAAAtB,GAAA,aACAhnC,IAAAsoC,EAAA1iC,GACA+hC,OACAxiC,KAAAmjC,EACAC,aAAA,YAGG,WAAA1B,EAAA53B,QAAA+3B,EAAA,OACHE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAW,GAAAX,EAAA,iBAAA2B,GACH,MAAAxB,GAAA,aACAhnC,IAAAwoC,EAAA5iC,GACA+hC,OACAxiC,KAAAqjC,EACAD,aAAA,YAGG1B,EAAAQ,MACFO,qB5FsmRK,SAAUnwC,EAAQC,G6FpsRxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,kCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGL,EAAAW,GAAAX,EAAA,kBAAA1jB,GACH,MAAA6jB,GAAA,aACAhnC,IAAAmjB,EAAAvd,GACA+hC,OACAxiC,KAAAge,EACAolB,aAAA,EACAE,cAAA,WAICb,qB7F0sRK,SAAUnwC,EAAQC,G8F3tRxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,qBACGF,EAAA,QACHrjB,IACAlG,OAAA,SAAA8pB,GACAA,EAAA/U,iBACAqU,EAAAv9B,WAAAu9B,EAAA1yB,eAGG6yB,EAAA,OACHE,YAAA,eACGL,EAAA,oBAAAG,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1yB,UAAA,YACAy0B,WAAA,0BAEA1B,YAAA,UACAS,OACAh2B,KAAA,OACAkL,YAAAgqB,EAAAS,GAAA,gCAEAU,UACAvqC,MAAAopC,EAAA1yB,UAAA,aAEAwP,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1yB,UAAA,cAAAozB,EAAAzZ,OAAArwB,WAGGopC,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,YACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1yB,UAAA,OACAy0B,WAAA,qBAEAG,IAAA,WACA7B,YAAA,eACAS,OACA9qB,YAAAgqB,EAAAS,GAAA,uBACA0B,KAAA,KAEAhB,UACAvqC,MAAAopC,EAAA1yB,UAAA,QAEAwP,IACAihB,MAAAiC,EAAApP,SACAwR,OAAApC,EAAApP,SAAA,SAAA8P,GACA,iBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,WAAA5B,EAAAvnC,OACAunC,EAAAnQ,YACAyP,GAAAv9B,WAAAu9B,EAAA1yB,WAFuF,OAIvFi1B,SAAA,SAAA7B,GACA,gBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,UAAA5B,EAAAvnC,SACA6mC,GAAAtP,aAAAgQ,GADsF,MAE/E,SAAAA,GACP,gBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,QAAA5B,EAAAvnC,SACA6mC,GAAAvP,cAAAiQ,GADoF,MAE7E,SAAAA,GACP,iBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,QAAA5B,EAAAvnC,OACAunC,EAAA/P,aACAqP,GAAAvP,cAAAiQ,GAFoF,MAG7E,SAAAA,GACP,gBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,QAAA5B,EAAAvnC,SACA6mC,GAAAtP,aAAAgQ,GADoF,MAE7E,SAAAA,GACP,gBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,WAAA5B,EAAAvnC,SACA6mC,GAAA3P,iBAAAqQ,GADuF,MAEhF,SAAAA,GACP,iBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,WAAA5B,EAAAvnC,OACAunC,EAAA8B,YACAxC,GAAAv9B,WAAAu9B,EAAA1yB,WAFuF,OAIvFm1B,KAAAzC,EAAAvU,SACAiX,SAAA,SAAAhC,GACAA,EAAA/U,iBACAqU,EAAApU,SAAA8U,IAEAle,OAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1yB,UAAA,SAAAozB,EAAAzZ,OAAArwB,QACOopC,EAAA7R,QACPmD,MAAA0O,EAAA1O,SAEG0O,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,OACHE,YAAA,oBACGF,EAAA,KACHE,YAAA,gBACAO,MAAAZ,EAAAjR,IAAAI,OACArS,IACAihB,MAAA,SAAA2C,GACAV,EAAApO,UAAA,cAGGoO,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,YACAO,MAAAZ,EAAAjR,IAAAG,QACApS,IACAihB,MAAA,SAAA2C,GACAV,EAAApO,UAAA,eAGGoO,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,qBACAO,MAAAZ,EAAAjR,IAAAE,SACAnS,IACAihB,MAAA,SAAA2C,GACAV,EAAApO,UAAA,gBAGGoO,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,aACAO,MAAAZ,EAAAjR,IAAArtB,OACAob,IACAihB,MAAA,SAAA2C,GACAV,EAAApO,UAAA,gBAGGoO,EAAAQ,OAAAR,EAAAM,GAAA,KAAAN,EAAA,WAAAG,EAAA,OACHa,aACA2B,SAAA,cAEGxC,EAAA,OACHE,YAAA,sBACGL,EAAAW,GAAAX,EAAA,oBAAAxP,GACH,MAAA2P,GAAA,OACArjB,IACAihB,MAAA,SAAA2C,GACAV,EAAAhjC,QAAAwzB,EAAA92B,KAAA82B,EAAA1jB,YAAA,SAGKqzB,EAAA,OACLE,YAAA,eACAO,OACAhS,YAAA4B,EAAA5B,eAEK4B,EAAA,IAAA2P,EAAA,QAAAA,EAAA,OACLW,OACAvZ,IAAAiJ,EAAAjK,SAEK4Z,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAA/P,EAAA92B,QAAAsmC,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAA/P,EAAA1jB,cAAAqzB,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAA/P,EAAAj6B,oBACFypC,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,gBACHW,OACA8B,aAAA5C,EAAAhU,WAEAlP,IACAuO,UAAA2U,EAAA3O,cACAwR,SAAA7C,EAAAhP,aACA8R,gBAAA9C,EAAA9O,gBAEG8O,EAAAM,GAAA,KAAAN,EAAA,kBAAAG,EAAA,KACHE,YAAA,UACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA9P,mBAAA8P,EAAA,qBAAAG,EAAA,KACHE,YAAA,UACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA9P,mBAAA8P,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA,MAEG/C,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAA,kBAAAG,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA,MAEG/C,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAN,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAArR,eACA7jB,KAAA,YAEGk1B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAA,oBAAAN,EAAAO,GAAAP,EAAAzmC,OAAA,cAAA4mC,EAAA,KACHE,YAAA,cACAvjB,IACAihB,MAAAiC,EAAArO,gBAEGqO,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGL,EAAAW,GAAAX,EAAA1yB,UAAA,eAAA4d,GACH,MAAAiV,GAAA,OACAE,YAAA,sCACKF,EAAA,KACLE,YAAA,iBACAvjB,IACAihB,MAAA,SAAA2C,GACAV,EAAA7O,gBAAAjG,OAGK8U,EAAAM,GAAA,eAAAN,EAAAl1B,KAAAogB,GAAAiV,EAAA,OACLE,YAAA,yBACAS,OACAvZ,IAAA2D,EAAAvf,SAEKq0B,EAAAQ,KAAAR,EAAAM,GAAA,eAAAN,EAAAl1B,KAAAogB,GAAAiV,EAAA,SACLW,OACAvZ,IAAA2D,EAAAvf,MACAq3B,SAAA,MAEKhD,EAAAQ,KAAAR,EAAAM,GAAA,eAAAN,EAAAl1B,KAAAogB,GAAAiV,EAAA,SACLW,OACAvZ,IAAA2D,EAAAvf,MACAq3B,SAAA,MAEKhD,EAAAQ,KAAAR,EAAAM,GAAA,iBAAAN,EAAAl1B,KAAAogB,GAAAiV,EAAA,KACLW,OACAlgB,KAAAsK,EAAAvf,SAEKq0B,EAAAM,GAAAN,EAAAO,GAAArV,EAAA3uB,QAAAyjC,EAAAQ,eAEJO,qB9FiuRK,SAAUnwC,EAAQC,G+Fz7RxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,uCACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAA,YAAAG,EAAA,QACHa,aACAC,MAAA,WAEGd,EAAA,SAAAA,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAzU,MAAA,sBAGGyU,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAW,GAAAX,EAAA,sBAAAr9B,GACH,MAAAw9B,GAAA,UACAhnC,IAAAwJ,EAAA5D,GACAshC,YAAA,gBACAS,OACAmC,eAAAjD,EAAAkD,YACAlb,UAAArlB,EACAwgC,YAAA,EACAja,QAAA8W,EAAA9W,QAAAvmB,EAAA5D,IACAo1B,gBAAA,EACA5L,UAAAyX,EAAAzX,UACAG,QAAAsX,EAAA/W,WAAAtmB,EAAA5D,KAEA+d,IACAsmB,KAAApD,EAAAhX,wBAIC+X,qB/F+7RK,SAAUnwC,EAAQC,GgGx+RxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAx1B,MAAA00B,EAAAx+B,IACAR,SAAAg/B,EAAAh/B,SACAqiC,gBAAA,MACA7hC,IAAAw+B,EAAAx+B,QAGCu/B,qBhG8+RK,SAAUnwC,EAAQC,GiGv/RxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,SAAAG,EAAA,OAAAA,EAAA,KACAE,YAAA,yBACAO,MAAAZ,EAAArW,QACA7M,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAz9B,cAGGy9B,EAAAM,GAAA,KAAAN,EAAAr9B,OAAA2gC,WAAA,EAAAnD,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAA2gC,eAAAtD,EAAAQ,OAAAL,EAAA,OAAAA,EAAA,KACHE,YAAA,eACAO,MAAAZ,EAAArW,UACGqW,EAAAM,GAAA,KAAAN,EAAAr9B,OAAA2gC,WAAA,EAAAnD,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAA2gC,eAAAtD,EAAAQ,QACFO,qBjG6/RK,SAAUnwC,EAAQC,GkG3gSxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAx1B,MAAA00B,EAAAS,GAAA,gBACAz/B,SAAAg/B,EAAAh/B,SACAqiC,gBAAA,eAGCtC,qBlGihSK,SAAUnwC,EAAQC,GmGzhSxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAx1B,MAAA00B,EAAAS,GAAA,YACAz/B,SAAAg/B,EAAAh/B,SACAqiC,gBAAA,wBAGCtC,qBnG+hSK,SAAUnwC,EAAQC,GoGviSxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAhb,MAAAyC,UA6EGyY,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,mDACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA6C,kBACA7C,EAAA/U,iBACAqU,EAAArY,YAAA+Y,OAGGP,EAAA,OACHE,YAAA,UACGF,EAAA,KACHE,YAAA,uBACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAS,GAAA,mCA9FHN,EAAA,OACAE,YAAA,eACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,8CACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA6C,kBACA7C,EAAA/U,iBACAqU,EAAArY,YAAA+Y,OAGGP,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAN,EAAA,KACHE,YAAA,cACAW,aACAC,MAAA,eAEGjB,EAAAM,GAAA,KAAAH,EAAA,OACH0B,aACAtrC,KAAA,cACAurC,QAAA,kBAEAzB,YAAA,eACGL,EAAAW,GAAAX,EAAA,kBAAAvwB,GACH,MAAA0wB,GAAA,OACAhnC,IAAAsW,EAAA1Q,GACAshC,YAAA,iBACKF,EAAA,QACLE,YAAA,gBACKF,EAAA,OACLW,OACAvZ,IAAA9X,EAAA+zB,OAAA/wB,YAEKutB,EAAAM,GAAA,KAAAH,EAAA,OACLE,YAAA,iBACKF,EAAA,eACLE,YAAA,YACAS,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAA0Q,EAAA+zB,OAAAzkC,QAIKihC,EAAAM,GAAA,iBAAAN,EAAAO,GAAA9wB,EAAA+zB,OAAAjlC,UAAA,kBAAAyhC,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,QACLE,YAAA,cACKL,EAAAM,GAAA,iBAAAN,EAAAO,GAAA9wB,EAAA3W,MAAA,2BACFknC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,YACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,sBACAS,OACAqB,KAAA,KAEAhB,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACAslB,MAAA,SAAA1B,GACA,gBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,WAAA5B,EAAAvnC,SACA6mC,GAAAppB,OAAAopB,EAAAvY,gBADuF,MAGvFjF,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAvY,eAAAiZ,EAAAzZ,OAAArwB,kBAqBCmqC,qBpG6iSK,SAAUnwC,EAAQC,GqG7oSxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,QACAE,YAAA,0BACGL,EAAA,MAAAG,EAAA,QACHE,YAAA,gBACGF,EAAA,KACHE,YAAA,+BACAvjB,IACAihB,MAAAiC,EAAAxF,gBAEGwF,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,yCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,KACHE,YAAA,kDACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,OAAAG,EAAA,KACHW,OACAlgB,KAAA,OAEGuf,EAAA,KACHE,YAAA,kCACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACA+U,EAAA6C,kBACAvD,EAAA5Y,aAAAsZ,SAGGP,EAAA,QAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,SACA+B,WAAA,aAEA1B,YAAA,oBACAS,OACA9qB,YAAAgqB,EAAAS,GAAA,oBACA1hC,GAAA,oBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,UAEAljB,IACAslB,MAAA,SAAA1B,GACA,gBAAAA,KAAAV,EAAAqC,GAAA3B,EAAA4B,QAAA,WAAA5B,EAAAvnC,SACA6mC,GAAAzF,SAAAyF,EAAAzhC,UADuF,MAGvFikB,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAzhC,SAAAmiC,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,+BACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACA+U,EAAA6C,kBACAvD,EAAA5Y,aAAAsZ,YAICK,qBrGmpSK,SAAUnwC,EAAQC,GsGhtSxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAH,EAAA,SAAAG,EAAA,gBACAW,OACAoC,aAAA,EACAlb,UAAAgY,EAAAhY,WAEAlL,IACAwY,eAAA0K,EAAA1K,kBAEG0K,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAlM,SAUAkM,EAAAQ,KAVAL,EAAA,UACHW,OACAqC,YAAA,EACAhP,gBAAA,EACAjL,SAAA,EACAlB,UAAAgY,EAAAhY,WAEAlL,IACAwY,eAAA0K,EAAA1K,mBAEG,IACFyL,qBtGstSK,SAAUnwC,EAAQC,GuG1uSxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,8BACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,QACHE,YAAA,aACAvjB,IACAlG,OAAA,SAAA8pB,GACAA,EAAA/U,iBACAqU,EAAAppB,OAAAopB,EAAA1hC,UAGG6hC,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,SACAyjC,WAAA,kBAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAzhB,UACAxf,GAAA,WACAiX,YAAAgqB,EAAAS,GAAA,sBAEAU,UACAvqC,MAAAopC,EAAA1hC,KAAA,UAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,WAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,SACAyjC,WAAA,kBAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAzhB,UACAxf,GAAA,WACA+L,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAA1hC,KAAA,UAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,WAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,OAAAH,EAAA,iBAAAG,EAAA,eACHE,YAAA,WACAS,OACArpC,IACAlB,KAAA,mBAGGypC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAQ,MAAA,GAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAAzhB,UACAzT,KAAA,YAEGk1B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uBAAAT,EAAAM,GAAA,KAAAN,EAAA,UAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAtV,gBAAAsV,EAAAQ,YACFO,qBvGgvSK,SAAUnwC,EAAQC,GwG70SxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,QACHE,YAAA,oBACAvjB,IACAlG,OAAA,SAAA8pB,GACAA,EAAA/U,iBACAqU,EAAAppB,OAAAopB,EAAA1hC,UAGG6hC,EAAA,OACHE,YAAA,cACGF,EAAA,OACHE,YAAA,gBACGF,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,SACAyjC,WAAA,kBAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAhO,YACAjzB,GAAA,WACAiX,YAAA,aAEAmrB,UACAvqC,MAAAopC,EAAA1hC,KAAA,UAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,WAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,SACAyjC,WAAA,kBAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAhO,YACAjzB,GAAA,WACAiX,YAAA,qBAEAmrB,UACAvqC,MAAAopC,EAAA1hC,KAAA,UAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,WAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,WAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,MACAyjC,WAAA,eAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAhO,YACAjzB,GAAA,QACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA1hC,KAAA,OAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,QAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,SAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,IACAyjC,WAAA,aAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAhO,YACAjzB,GAAA,OAEAoiC,UACAvqC,MAAAopC,EAAA1hC,KAAA,KAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,MAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,SACAyjC,WAAA,kBAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAhO,YACAjzB,GAAA,WACA+L,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAA1hC,KAAA,UAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,WAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,2BAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA1hC,KAAA,QACAyjC,WAAA,iBAEA1B,YAAA,eACAS,OACAiC,SAAA/C,EAAAhO,YACAjzB,GAAA,wBACA+L,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAA1hC,KAAA,SAEAwe,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAA1hC,KAAA,UAAAoiC,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAAhO,YACAlnB,KAAA,YAEGk1B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,mBACAc,UACAuC,UAAA1D,EAAAO,GAAAP,EAAA9N,qBAEG8N,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAzmC,YAAAymC,EAAAQ,YACFO,qBxGm1SK,SAAUnwC,EAAQC,GyG/hTxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAH,EAAA,KAAAG,EAAA,OACAE,YAAA,qCACGF,EAAA,qBACHW,OACAxiC,KAAA0hC,EAAA1hC,KACAg8B,UAAA,EACAtL,SAAAgR,EAAAh/B,SAAAoH,YAEG,GAAA43B,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,YACHW,OACAx1B,MAAA00B,EAAAS,GAAA,+BACAz/B,SAAAg/B,EAAAh/B,SACAqiC,gBAAA,OACAM,UAAA3D,EAAA1+B,WAEG,IACFy/B,qBzGqiTK,SAAUnwC,EAAQC,G0GtjTxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,gBAAAD,EAAAlZ,KAAAqZ,EAAA,gBAAAH,EAAAl1B,KAAAq1B,EAAA,KACAE,YAAA,cACAS,OACA7Z,OAAA,SACArG,KAAAof,EAAAvZ,WAAAlqB,OAEGyjC,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAl3B,KAAA,YAAAk3B,EAAAO,GAAAP,EAAAl1B,KAAAyW,eAAA,OAAAye,EAAAQ,OAAAL,EAAA,OACH0B,aACAtrC,KAAA,OACAurC,QAAA,SACAlrC,OAAAopC,EAAArZ,QACAob,WAAA,aAEA1B,YAAA,aACAO,OAAAgD,GACA17B,QAAA83B,EAAA93B,QACA27B,mBAAA7D,EAAAnZ,QACAE,UAAAiZ,EAAAjZ,WACK6c,EAAA5D,EAAAl1B,OAAA,EAAA84B,KACF5D,EAAA,OAAAG,EAAA,KACHE,YAAA,mBACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA5Y,mBAGG+Y,EAAA,OACHhnC,IAAA6mC,EAAA5Z,UACA0a,OACAvZ,IAAAyY,EAAA5Z,eAEG4Z,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAl3B,MAAAk3B,EAAA3Z,gBAAA2Z,EAAAtZ,OAAAyZ,EAAA,OACHE,YAAA,UACGF,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA5Y,mBAGG4Y,EAAAM,GAAA,YAAAN,EAAAQ,KAAAR,EAAAM,GAAA,eAAAN,EAAAl1B,MAAAk1B,EAAAtZ,OAeAsZ,EAAAQ,KAfAL,EAAA,KACHE,YAAA,mBACAS,OACAlgB,KAAAof,EAAAvZ,WAAAlqB,IACA0qB,OAAA,YAEGkZ,EAAA,cACHS,OACAkD,MAAA9D,EAAAnZ,SAEAia,OACAiD,eAAA,cACAt4B,SAAAu0B,EAAAvZ,WAAAhb,SACA8b,IAAAyY,EAAAvZ,WAAAud,iBAAAhE,EAAAvZ,WAAAlqB,QAEG,GAAAyjC,EAAAM,GAAA,eAAAN,EAAAl1B,MAAAk1B,EAAAtZ,OASAsZ,EAAAQ,KATAL,EAAA,SACHS,OACAkD,MAAA9D,EAAAnZ,SAEAia,OACAvZ,IAAAyY,EAAAvZ,WAAAlqB,IACAymC,SAAA,GACAiB,KAAA,MAEGjE,EAAAM,GAAA,eAAAN,EAAAl1B,KAAAq1B,EAAA,SACHW,OACAvZ,IAAAyY,EAAAvZ,WAAAlqB,IACAymC,SAAA,MAEGhD,EAAAQ,KAAAR,EAAAM,GAAA,cAAAN,EAAAl1B,MAAAk1B,EAAAvZ,WAAAG,OAAAuZ,EAAA,OACHE,YAAA,SACAvjB,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAhZ,YAAA0Z,OAGGV,EAAAvZ,WAAA,UAAA0Z,EAAA,OACHE,YAAA,UACGF,EAAA,OACHW,OACAvZ,IAAAyY,EAAAvZ,WAAAyd,eAEGlE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,SACGF,EAAA,MAAAA,EAAA,KACHW,OACAlgB,KAAAof,EAAAvZ,WAAAlqB,OAEGyjC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAvZ,WAAAG,OAAAtb,YAAA00B,EAAAM,GAAA,KAAAH,EAAA,OACHgB,UACAuC,UAAA1D,EAAAO,GAAAP,EAAAvZ,WAAAG,OAAAud,mBAEGnE,EAAAQ,MACH,IAAAoD,IACC7C,qB1G4jTK,SAAUnwC,EAAQC,G2GhqTxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACArf,MAAAkf,EAAA,MACAc,OACA/hC,GAAA,SAEGohC,EAAA,OACHE,YAAA,YACAS,OACA/hC,GAAA,OAEA+d,IACAihB,MAAA,SAAA2C,GACAV,EAAAta,kBAGGya,EAAA,OACHE,YAAA,YACAvf,MAAAkf,EAAA,YACGG,EAAA,OACHE,YAAA,SACGF,EAAA,eACHW,OACArpC,IACAlB,KAAA,WAGGypC,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1a,cAAA,GAAA0a,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,eACHE,YAAA,aACGL,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACArpC,IACAlB,KAAA,eAGG4pC,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA/pB,OAAAyqB,OAGGP,EAAA,KACHE,YAAA,uBACAS,OACAx1B,MAAA00B,EAAAS,GAAA,qBAEGT,EAAAQ,MAAA,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,YACAS,OACA/hC,GAAA,aAEGohC,EAAA,OACHE,YAAA,mBACGF,EAAA,UACHrjB,IACAihB,MAAA,SAAA2C,GACAV,EAAAxa,cAAA,eAGGwa,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHrjB,IACAihB,MAAA,SAAA2C,GACAV,EAAAxa,cAAA,gBAGGwa,EAAAM,GAAA,gBAAAN,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACAO,OACAwD,gBAAA,WAAApE,EAAAjb,qBAEGob,EAAA,OACHE,YAAA,mBACGF,EAAA,OACHE,YAAA,qBACGF,EAAA,OACHE,YAAA,YACGF,EAAA,cAAAH,EAAAM,GAAA,KAAAH,EAAA,aAAAH,EAAAM,GAAA,KAAAN,EAAA,0BAAAG,EAAA,2BAAAH,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAnoC,aAAAmoC,EAAA/oC,qBAAAkpC,EAAA,uBAAAH,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,iBAAAH,EAAAQ,MAAA,SAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,OACAO,OACAwD,gBAAA,YAAApE,EAAAjb,qBAEGob,EAAA,cACHW,OACAvqC,KAAA,UAEG4pC,EAAA,yBAAAH,EAAAM,GAAA,KAAAN,EAAAnoC,aAAAmoC,EAAAtqC,KAAAyqC,EAAA,cACHE,YAAA,gCACGL,EAAAQ,MAAA,IACFO,qB3GsqTK,SAAUnwC,EAAQC,G4GtwTxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,eACAvjB,IACA2lB,MAAA,SAAA/B,GACAA,EAAA/U,kBACOqU,EAAAvU,UACPiX,SAAA,SAAAhC,GACAA,EAAA/U,iBACAqU,EAAApU,SAAA8U,OAGGP,EAAA,SACHE,YAAA,oBACGL,EAAA,UAAAG,EAAA,KACHE,YAAA,4BACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA3U,UAEA2U,EAAAQ,KAFAL,EAAA,KACHE,YAAA,gBACGL,EAAAM,GAAA,KAAAH,EAAA,SACHa,aACA2B,SAAA,QACA5M,IAAA,UAEA+K,OACAh2B,KAAA,eAGCi2B,qB5G4wTK,SAAUnwC,EAAQC,G6GvyTxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAx1B,MAAA00B,EAAAS,GAAA,iBACAz/B,SAAAg/B,EAAAh/B,SACAqiC,gBAAA,aAGCtC,qB7G6yTK,SAAUnwC,EAAQC,G8GrzTxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,mBAAAD,EAAAp0B,aAAAd,KAAAq1B,EAAA,UACAW,OACA7L,SAAA,EACAjN,UAAAgY,EAAAp0B,aAAAjJ,UAEGw9B,EAAA,OACHE,YAAA,gBACGF,EAAA,KACHE,YAAA,mBACAS,OACAlgB,KAAAof,EAAAp0B,aAAAb,OAAAzM,KAAAsO,uBAEAkQ,IACAunB,SAAA,SAAA3D,GACAA,EAAA6C,kBACA7C,EAAA/U,iBACAqU,EAAAzT,mBAAAmU,OAGGP,EAAA,cACHE,YAAA,iBACAS,OACAvZ,IAAAyY,EAAAp0B,aAAAb,OAAAzM,KAAAoxB,+BAEG,GAAAsQ,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,uBACGL,EAAA,aAAAG,EAAA,OACHE,YAAA,mCACGF,EAAA,qBACHW,OACAxiC,KAAA0hC,EAAAp0B,aAAAb,OAAAzM,KACAg8B,UAAA,MAEG,GAAA0F,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,oBACGF,EAAA,QACHE,YAAA,WACAS,OACAx1B,MAAA,IAAA00B,EAAAp0B,aAAAb,OAAAzM,KAAAwO,eAEGkzB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAp0B,aAAAb,OAAAzM,KAAA/H,SAAAypC,EAAAM,GAAA,kBAAAN,EAAAp0B,aAAAd,KAAAq1B,EAAA,QAAAA,EAAA;AACHE,YAAA,qBACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,gBAAAN,EAAAp0B,aAAAd,KAAAq1B,EAAA,QAAAA,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,gBAAAN,EAAAp0B,aAAAd,KAAAq1B,EAAA,QAAAA,EAAA,KACHE,YAAA,0BACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,SACHE,YAAA,YACGF,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAp0B,aAAAjJ,OAAA5D,QAIGohC,EAAA,WACHW,OACA5/B,MAAA8+B,EAAAp0B,aAAAb,OAAAgvB,WACAuK,cAAA,QAEG,SAAAtE,EAAAM,GAAA,gBAAAN,EAAAp0B,aAAAd,KAAAq1B,EAAA,OACHE,YAAA,gBACGF,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAp0B,aAAAb,OAAAzM,KAAAS,QAIGihC,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAp0B,aAAAb,OAAAzM,KAAAwO,iBAAA,GAAAqzB,EAAA,UACHE,YAAA,QACAS,OACA7L,SAAA,EACAjN,UAAAgY,EAAAp0B,aAAAjJ,OACA4hC,WAAA,MAEG,MACFxD,qB9G2zTK,SAAUnwC,EAAQC,G+G/4TxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,gBACAW,OACAoC,aAAA,EACAlb,UAAAgY,EAAAhY,cAGC+Y,qB/Gq5TK,SAAUnwC,EAAQC,GgH55TxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,cACAO,OACAlX,SAAAsW,EAAAtW,YAEGsW,EAAA,SAAAG,EAAA,UACH+B,IAAA,WACGlC,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACH+B,IAAA,MACApB,OACAvZ,IAAAyY,EAAAzY,IACAwc,eAAA/D,EAAA+D,gBAEAjnB,IACA0nB,KAAAxE,EAAA3J,aAGC0K,qBhHk6TK,SAAUnwC,EAAQC,GiHp7TxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,YACAO,QACA6D,oBAAAzE,EAAApL,YAEA8P,sBAAA1E,EAAAiD,mBAEGjD,EAAAr/B,QAAAq/B,EAAA2E,cAAAxE,EAAA,OACHE,YAAA,iCACGF,EAAA,SAAAA,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAr9B,OAAArE,KAAAS,QAIGihC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAArE,KAAAwO,iBAAA,GAAAkzB,EAAAM,GAAA,KAAAH,EAAA,SACHE,YAAA,cACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA1L,aAAAryB,KAAA,UAAA+9B,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,SACAS,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAzK,WAAAmL,OAGGP,EAAA,KACHE,YAAA,uBACGL,EAAAz9B,UAAAy9B,EAAAuE,UAAApE,EAAA,OACHE,YAAA,iCACGL,EAAA,QAAAG,EAAA,cACHE,YAAA,SACAS,OACAvZ,IAAAyY,EAAAhY,UAAA1pB,KAAAoxB,8BAEGsQ,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,qBACGF,EAAA,KACHa,aACA4D,cAAA,QAEA9D,OACAlgB,KAAAof,EAAAhY,UAAA1pB,KAAAsO,sBACAtB,MAAA,IAAA00B,EAAAhY,UAAA1pB,KAAAwO,eAEGkzB,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5L,cAAA4L,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,8BACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAAuE,UAqBAvE,EAAAQ,KArBAL,EAAA,OACHE,YAAA,eACGF,EAAA,KACHW,OACAlgB,KAAAof,EAAAr9B,OAAArE,KAAAsO,uBAEAkQ,IACAunB,SAAA,SAAA3D,GACAA,EAAA6C,kBACA7C,EAAA/U,iBACAqU,EAAAzT,mBAAAmU,OAGGP,EAAA,cACHE,YAAA,SACAO,OACAiE,iBAAA7E,EAAA/K,SAEA6L,OACAvZ,IAAAyY,EAAAr9B,OAAArE,KAAAoxB,+BAEG,KAAAsQ,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGL,EAAA,aAAAG,EAAA,OACHE,YAAA,wBACGF,EAAA,qBACHW,OACAxiC,KAAA0hC,EAAAr9B,OAAArE,KACAg8B,UAAA,MAEG,GAAA0F,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAuE,UA6HAvE,EAAAQ,KA7HAL,EAAA,OACHE,YAAA,uCACGF,EAAA,OACHE,YAAA,uBACGF,EAAA,OACHE,YAAA,mBACGF,EAAA,MACHE,YAAA,cACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAArE,KAAA/H,SAAAypC,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,UACGF,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAr9B,OAAArE,KAAAS,QAIGihC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAArE,KAAAwO,gBAAAkzB,EAAAM,GAAA,KAAAN,EAAAr9B,OAAA,wBAAAw9B,EAAA,QACHE,YAAA,qBACGF,EAAA,KACHE,YAAA,oBACGL,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAr9B,OAAAmiC,yBAIG9E,EAAAM,GAAA,yBAAAN,EAAAO,GAAAP,EAAAr9B,OAAAoiC,yBAAA,8BAAA/E,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAArL,UAAAqL,EAAA2E,aAAAxE,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA3K,aAAA2K,EAAAr9B,OAAAsJ,2BAGGk0B,EAAA,KACHE,YAAA,aACAvjB,IACAkoB,WAAA,SAAAtE,GACAV,EAAAvK,WAAAuK,EAAAr9B,OAAAsJ,sBAAAy0B,IAEAuE,SAAA,SAAAvE,GACAV,EAAApK,mBAGGoK,EAAAQ,MAAA,KAAAR,EAAAM,GAAA,KAAAN,EAAA7L,iBAAA6L,EAAA2E,aAAAxE,EAAA,MACHE,YAAA,YACGL,EAAAtX,QAAA,OAAAyX,EAAA,SAAAH,EAAAM,GAAA,cAAAN,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAW,GAAAX,EAAA,iBAAArB,GACH,MAAAwB,GAAA,SACAE,YAAA,eACKF,EAAA,KACLW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA3K,aAAAsJ,EAAA5/B,KAEAimC,WAAA,SAAAtE,GACAV,EAAAvK,WAAAkJ,EAAA5/B,GAAA2hC,IAEAuE,SAAA,SAAAvE,GACAV,EAAApK,iBAGKoK,EAAAM,GAAAN,EAAAO,GAAA5B,EAAApoC,MAAA,YACF,GAAAypC,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,wBACGF,EAAA,eACHE,YAAA,UACAS,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAr9B,OAAA5D,QAIGohC,EAAA,WACHW,OACA5/B,MAAA8+B,EAAAr9B,OAAAo3B,WACAuK,cAAA,OAEG,GAAAtE,EAAAM,GAAA,KAAAN,EAAAr9B,OAAA,WAAAw9B,EAAA,QAAAA,EAAA,KACHS,MAAAZ,EAAA9K,eAAA8K,EAAAr9B,OAAAE,gBACGm9B,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAr9B,OAAAg7B,SAQAqC,EAAAQ,KARAL,EAAA,KACHE,YAAA,aACAS,OACAlgB,KAAAof,EAAAr9B,OAAAuiC,aACAje,OAAA,YAEGkZ,EAAA,KACHE,YAAA,oBACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA1K,eAAAoL,OAGGP,EAAA,KACHE,YAAA,yBACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAzK,WAAAmL,OAGGP,EAAA,KACHE,YAAA,mBACGL,EAAAQ,MAAA,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,6BACGL,EAAA,QAAAG,EAAA,UACHE,YAAA,iBACAS,OACA6D,cAAA,EACA3c,UAAAgY,EAAAhM,QACAiB,SAAA,KAEGkL,EAAA,OACHE,YAAA,0CACGF,EAAA,KACHE,YAAA,+BACG,GAAAL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,yBACAO,OACAuE,cAAAnF,EAAAnL,kBAEGmL,EAAA,eAAAG,EAAA,KACHE,YAAA,oBACAO,OACAwE,4BAAApF,EAAApL,WAEAkM,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAxK,eAAAkL,OAGGV,EAAAM,GAAA,eAAAN,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,4BACAc,UACAuC,UAAA1D,EAAAO,GAAAP,EAAAr9B,OAAAoyB,iBAEAjY,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAhZ,YAAA0Z,OAGGV,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHE,YAAA,sBACAS,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAxK,eAAAkL,OAGGV,EAAAM,GAAA,eAAAN,EAAAQ,OAAAR,EAAAM,GAAA,KAAAN,EAAAr9B,OAAA,YAAAw9B,EAAA,OACHE,YAAA,0BACGL,EAAAW,GAAAX,EAAAr9B,OAAA,qBAAA8jB,GACH,MAAA0Z,GAAA,cACAhnC,IAAAstB,EAAA1nB,GACA+hC,OACAha,KAAAkZ,EAAAhL,eACAqQ,YAAArF,EAAAr9B,OAAA5D,GACA+J,KAAAk3B,EAAAr9B,OAAAmG,KACA2d,mBAGGuZ,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAuE,WAAAvE,EAAA2E,aA+BA3E,EAAAQ,KA/BAL,EAAA,OACHE,YAAA,8BACGL,EAAA,SAAAG,EAAA,OAAAA,EAAA,KACHW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA5K,eAAAsL,OAGGP,EAAA,KACHE,YAAA,aACAO,OACA0E,oBAAAtF,EAAAnM,gBAEGmM,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,kBACHW,OACAzM,SAAA2L,EAAA3L,SACA1xB,OAAAq9B,EAAAr9B,UAEGq9B,EAAAM,GAAA,KAAAH,EAAA,mBACHW,OACAzM,SAAA2L,EAAA3L,SACA1xB,OAAAq9B,EAAAr9B,UAEGq9B,EAAAM,GAAA,KAAAH,EAAA,iBACHW,OACAn+B,OAAAq9B,EAAAr9B,WAEG,OAAAq9B,EAAAM,GAAA,KAAAN,EAAA,SAAAG,EAAA,OACHE,YAAA,cACGF,EAAA,OACHE,YAAA,eACGL,EAAAM,GAAA,KAAAH,EAAA,oBACHE,YAAA,aACAS,OACAyE,WAAAvF,EAAAr9B,OAAA5D,GACAiM,WAAAg1B,EAAAr9B,OAAAqI,WACA0jB,YAAAsR,EAAAr9B,OAAArE,KACAknC,gBAAAxF,EAAAr9B,OAAAE,YAEAia,IACA2oB,OAAAzF,EAAA5K,mBAEG,GAAA4K,EAAAQ,OAAA,IACFO,qBjH07TK,SAAUnwC,EAAQC,GkH7vUxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,4BACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,eACGF,EAAA,OACHgB,UACAuC,UAAA1D,EAAAO,GAAAP,EAAAxV,wCAGCuW,qBlHmwUK,SAAUnwC,EAAQC,GmH/wUxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAx1B,MAAA00B,EAAAS,GAAA,gBACAz/B,SAAAg/B,EAAAh/B,SACAqiC,gBAAA,cAGCtC,qBnHqxUK,SAAUnwC,EAAQC,GoH7xUxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,4BACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,yBAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,QACA+B,WAAA,YAEA1B,YAAA,eACAS,OACA/hC,GAAA,YAEAoiC,UACAvqC,MAAAopC,EAAA,SAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAjF,QAAA2F,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oBAAAT,EAAAM,GAAA,KAAAH,EAAA,YACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,OACA+B,WAAA,WAEA1B,YAAA,MACAc,UACAvqC,MAAAopC,EAAA,QAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAhF,OAAA0F,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,UACA+B,WAAA,cAEAjB,OACAh2B,KAAA,WACA/L,GAAA,kBAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAA9E,WAAA8E,EAAA4F,GAAA5F,EAAA9E,UAAA,SAAA8E,EAAA,WAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAA9E,UACA6K,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAA9E,UAAA4K,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAA9E,UAAA4K,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAA9E,UAAA8K,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,oBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2CAAAT,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAAjF,QAAAvxB,QAAA,GAEAsT,IACAihB,MAAAiC,EAAA7hC,iBAEG6hC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uBAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,+BAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAS,OACAvZ,IAAAyY,EAAA1hC,KAAAoxB,8BAEGsQ,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,+BAAAT,EAAAM,GAAA,KAAAN,EAAAxE,SAAA,GAAA2E,EAAA,OACHE,YAAA,aACAS,OACAvZ,IAAAyY,EAAAxE,SAAA,MAEGwE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHW,OACAh2B,KAAA,QAEAgS,IACA+oB,OAAA,SAAAnF,GACAV,EAAA5U,WAAA,EAAAsV,SAGGV,EAAAM,GAAA,KAAAN,EAAA3U,UAAA,GAAA8U,EAAA,KACHE,YAAA,4BACGL,EAAAxE,SAAA,GAAA2E,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAA3D,gBAEG2D,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,+BAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,SACAS,OACAvZ,IAAAyY,EAAA1hC,KAAA66B,eAEG6G,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uCAAAT,EAAAM,GAAA,KAAAN,EAAAxE,SAAA,GAAA2E,EAAA,OACHE,YAAA,SACAS,OACAvZ,IAAAyY,EAAAxE,SAAA,MAEGwE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHW,OACAh2B,KAAA,QAEAgS,IACA+oB,OAAA,SAAAnF,GACAV,EAAA5U,WAAA,EAAAsV,SAGGV,EAAAM,GAAA,KAAAN,EAAA3U,UAAA,GAAA8U,EAAA,KACHE,YAAA,uCACGL,EAAAxE,SAAA,GAAA2E,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAApD,gBAEGoD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,mCAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2CAAAT,EAAAM,GAAA,KAAAN,EAAAxE,SAAA,GAAA2E,EAAA,OACHE,YAAA,KACAS,OACAvZ,IAAAyY,EAAAxE,SAAA,MAEGwE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHW,OACAh2B,KAAA,QAEAgS,IACA+oB,OAAA,SAAAnF,GACAV,EAAA5U,WAAA,EAAAsV,SAGGV,EAAAM,GAAA,KAAAN,EAAA3U,UAAA,GAAA8U,EAAA,KACHE,YAAA,uCACGL,EAAAxE,SAAA,GAAA2E,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAA5C,YAEG4C,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,gCAAAT,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAApE,qBAAA,GACAmG,WAAA,4BAEAjB,OACAh2B,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAApE,qBAAA,IAEA9e,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAApE,qBAAA,EAAA8E,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAApE,qBAAA,GACAmG,WAAA,4BAEAjB,OACAh2B,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAApE,qBAAA,IAEA9e,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAApE,qBAAA,EAAA8E,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAApE,qBAAA,GACAmG,WAAA,4BAEAjB,OACAh2B,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAApE,qBAAA,IAEA9e,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,WACAhC,EAAAiC,KAAAjC,EAAApE,qBAAA,EAAA8E,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAAl8B,kBAEGk8B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iCAAAT,EAAAlE,uBAAA,EAAAqE,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAlE,wBAAAkE,EAAAQ,OAAAR,EAAAM,GAAA,KAAAN,EAAA,eAAAG,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,8BAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iDAAAT,EAAAM,GAAA,KAAAH,EAAA,QACHgG,OACAvvC,MAAAopC,EAAA,iBACAoG,SAAA,SAAAH,GACAjG,EAAAqG,iBAAAJ,GAEAlE,WAAA,sBAEG5B,EAAA,SACH+B,IAAA,aACApB,OACAh2B,KAAA,QAEAgS,IACA+oB,OAAA7F,EAAA7B,sBAEG6B,EAAAM,GAAA,KAAAN,EAAA3U,UAAA,GAAA8U,EAAA,KACHE,YAAA,uCACGF,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAA1C,iBAEG0C,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KACHE,YAAA,aACAvjB,IACAihB,MAAAiC,EAAA3B,mBAEG2B,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,mCAAAT,EAAA,kBAAAG,EAAA,OAAAA,EAAA,KACHE,YAAA,aACAvjB,IACAihB,MAAAiC,EAAA3B,mBAEG2B,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAQ,OAAAR,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,oBAAAG,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,8BAAAT,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAAhC,iBAEGgC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uCAAAN,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2CAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,+BAAAT,EAAAM,GAAA,KAAAN,EAAAvE,gBAAAuE,EAAAQ,KAAAL,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2CAAAT,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,kCACA+B,WAAA,sCAEAjB,OACAh2B,KAAA,YAEAq2B,UACAvqC,MAAAopC,EAAA,mCAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAtE,kCAAAgF,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAAp8B,iBAEGo8B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAArE,sBAAA,EAAAwE,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,mBAAAG,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAArE,uBAAAqE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAvE,gBAKAuE,EAAAQ,KALAL,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAA1B,iBAEG0B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BACFM,qBpHmyUK,SAAUnwC,EAAQC,GqH1lVxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,UAAAG,EAAA,OAAAA,EAAA,KACAW,OACAlgB,KAAA,KAEA9D,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA/8B,mBAGGk9B,EAAA,KACHE,YAAA,kCACGL,EAAAQ,MACFO,qBrHgmVK,SAAUnwC,EAAQC,GsH9mVxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAA,EAAA,OAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,+BAAAN,EAAA,SACAE,YAAA,SACAS,OACA2C,IAAA,oBAEGtD,EAAA,UACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,SACA+B,WAAA,aAEA1B,YAAA,iBACAS,OACA/hC,GAAA,kBAEA+d,IACA+oB,OAAA,SAAAnF,GACA,GAAA4F,GAAA58B,MAAA68B,UAAA/pB,OAAAgqB,KAAA9F,EAAAzZ,OAAAzqB,QAAA,SAAAiqC,GACA,MAAAA,GAAAzX,WACS91B,IAAA,SAAAutC,GACT,GAAA1hC,GAAA,UAAA0hC,KAAAC,OAAAD,EAAA7vC,KACA,OAAAmO,IAEAi7B,GAAAhR,SAAA0R,EAAAzZ,OAAA0f,SAAAL,IAAA,MAGGtG,EAAAW,GAAAX,EAAA,yBAAAlf,GACH,MAAAqf,GAAA,UACAgB,UACAvqC,MAAAkqB,KAEKkf,EAAAM,GAAAN,EAAAO,GAAAzf,EAAA,UACFkf,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,uBACGL,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,oBACGF,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,aAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,aACA+B,WAAA,iBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,UACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,cAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAArJ,aAAA+J,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,aACA+B,WAAA,iBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,YACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,cAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAArJ,aAAA+J,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,aAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,cACA+B,WAAA,kBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,UACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,eAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAApJ,cAAA8J,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,cACA+B,WAAA,kBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,YACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,eAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAApJ,cAAA8J,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,eAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,YACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAnJ,eAAA6J,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,cACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAnJ,eAAA6J,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,eAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,YACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAlJ,eAAA4J,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,cACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAlJ,eAAA4J,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,cACA+B,WAAA,kBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,WACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,eAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAjJ,cAAA2J,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,cACA+B,WAAA,kBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,aACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,eAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAjJ,cAAA2J,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,eAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,YACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAhJ,eAAA0J,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,cACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAhJ,eAAA0J,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,gBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,gBACA+B,WAAA,oBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,aACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,iBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA/I,gBAAAyJ,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,gBACA+B,WAAA,oBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,eACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,iBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA/I,gBAAAyJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHE,YAAA,iBACAS,OACA2C,IAAA,iBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,iBACA+B,WAAA,qBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,cACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,kBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA9I,iBAAAwJ,EAAAzZ,OAAArwB,WAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,iBACA+B,WAAA,qBAEA1B,YAAA,iBACAS,OACA/hC,GAAA,gBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,kBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA9I,iBAAAwJ,EAAAzZ,OAAArwB,eAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,qBACGF,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,eAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,YACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAA7I,eAAAuJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,cACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,gBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA7I,eAAAuJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,iBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,iBACA+B,WAAA,qBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,cACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,kBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAA5I,iBAAAsJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,iBACA+B,WAAA,qBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,gBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,kBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA5I,iBAAAsJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,iBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,iBACA+B,WAAA,qBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,cACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,kBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAA3I,iBAAAqJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,iBACA+B,WAAA,qBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,gBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,kBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA3I,iBAAAqJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,kBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,kBACA+B,WAAA,sBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,eACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,mBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAA1I,kBAAAoJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,kBACA+B,WAAA,sBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,iBACA+L,KAAA,SAEAq2B,UACAvqC,MAAAopC,EAAA,mBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAA1I,kBAAAoJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,qBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,gCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,qBACA+B,WAAA,yBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,kBACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,sBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAAzI,qBAAAmJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,qBACA+B,WAAA,yBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,oBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,sBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAzI,qBAAAmJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,sBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,sBACA+B,WAAA,0BAEA1B,YAAA,kBACAS,OACA/hC,GAAA,oBACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,uBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAAxI,sBAAAkJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,sBACA+B,WAAA,0BAEA1B,YAAA,kBACAS,OACA/hC,GAAA,qBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,uBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAxI,sBAAAkJ,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,SACHE,YAAA,kBACAS,OACA2C,IAAA,mBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,8BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,mBACA+B,WAAA,uBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,gBACA+L,KAAA,QACA+tB,IAAA,MAEAsI,UACAvqC,MAAAopC,EAAA,oBAEAljB,IACA8pB,IAAA,SAAAlG,GACAV,EAAAvI,mBAAAiJ,EAAAzZ,OAAArwB,UAGGopC,EAAAM,GAAA,KAAAH,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,mBACA+B,WAAA,uBAEA1B,YAAA,kBACAS,OACA/hC,GAAA,kBACA+L,KAAA,QAEAq2B,UACAvqC,MAAAopC,EAAA,oBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAvI,mBAAAiJ,EAAAzZ,OAAArwB,eAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHrf,OACA+lB,cAAA7G,EAAA7I,eAAA,KACA2P,gBAAA9G,EAAA5I,iBAAA,KACA2P,gBAAA/G,EAAA3I,iBAAA,KACA2P,iBAAAhH,EAAA1I,kBAAA,KACA2P,oBAAAjH,EAAAzI,qBAAA,KACA2P,kBAAAlH,EAAAvI,mBAAA,KACA0P,qBAAAnH,EAAAxI,sBAAA,QAEG2I,EAAA,OACHE,YAAA,gBACGF,EAAA,OACHE,YAAA,gBACAvf,OACAsmB,mBAAApH,EAAApJ,cACApV,MAAAwe,EAAAnJ,kBAEGmJ,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,mCACAvf,OACAsmB,mBAAApH,EAAArJ,aACAnV,MAAAwe,EAAAnJ,kBAEGsJ,EAAA,OACHE,YAAA,SACAvf,OACAumB,gBAAArH,EAAA1I,kBAAA,QAEG0I,EAAAM,GAAA,uCAAAN,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,mDAAAH,EAAA,KACHrf,OACAU,MAAAwe,EAAAlJ,kBAEGkJ,EAAAM,GAAA,sBAAAN,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,aACAvf,OACAU,MAAAwe,EAAAhJ,kBAEGgJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,eACAvf,OACAU,MAAAwe,EAAA/I,mBAEG+I,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,cACAvf,OACAU,MAAAwe,EAAAjJ,iBAEGiJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,YACAvf,OACAU,MAAAwe,EAAA9I,oBAEG8I,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACAvf,OACAsmB,mBAAApH,EAAApJ,cACApV,MAAAwe,EAAAnJ,kBAEGmJ,EAAAM,GAAA,kBAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACAvjB,IACAihB,MAAAiC,EAAAtI,kBAEGsI,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBACFM,qBtHonVK,SAAUnwC,EAAQC,GuH57WxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,SAAAG,EAAA,OAAAA,EAAA,KACAE,YAAA,6BACAO,MAAAZ,EAAArW,QACA7M,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAA79B,eAGG69B,EAAAM,GAAA,KAAAN,EAAAr9B,OAAAuJ,SAAA,EAAAi0B,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAAuJ,aAAA8zB,EAAAQ,OAAAL,EAAA,OAAAA,EAAA,KACHE,YAAA,kBACAO,MAAAZ,EAAArW,UACGqW,EAAAM,GAAA,KAAAN,EAAAr9B,OAAAuJ,SAAA,EAAAi0B,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAr9B,OAAAuJ,aAAA8zB,EAAAQ,QACFO,qBvHk8WK,SAAUnwC,EAAQC,GwHh9WxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,kBACGL,EAAAM,GAAA,SAAAN,EAAAO,GAAAP,EAAAS,GAAA,gCAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,sBAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAM,GAAA,KAAAH,EAAA,YACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,gBACA+B,WAAA,oBAEAjB,OACA/hC,GAAA,aAEAoiC,UACAvqC,MAAAopC,EAAA,iBAEAljB,IACA0F,MAAA,SAAAke,GACAA,EAAAzZ,OAAA+a,YACAhC,EAAAnN,gBAAA6N,EAAAzZ,OAAArwB,aAGGopC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGF,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4BAAAT,EAAAM,GAAA,KAAAH,EAAA,MACHE,YAAA,iBACGF,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,qBACA+B,WAAA,yBAEAjB,OACAh2B,KAAA,WACA/L,GAAA,mBAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAArN,sBAAAqN,EAAA4F,GAAA5F,EAAArN,qBAAA,SAAAqN,EAAA,sBAEAljB,IACA+oB,OAAA,SAAAnF;AACA,GAAAoF,GAAA9F,EAAArN,qBACAoT,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAArN,qBAAAmT,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAArN,qBAAAmT,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAArN,qBAAAqT,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,qBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,yCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,2BACA+B,WAAA,+BAEAjB,OACAh2B,KAAA,WACA/L,GAAA,yBAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAApN,4BAAAoN,EAAA4F,GAAA5F,EAAApN,2BAAA,SAAAoN,EAAA,4BAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAApN,2BACAmT,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAApN,2BAAAkT,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAApN,2BAAAkT,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAApN,2BAAAoT,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,2BAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,cACA+B,WAAA,kBAEAjB,OACAh2B,KAAA,WACA/L,GAAA,YAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAA3Z,eAAA2Z,EAAA4F,GAAA5F,EAAA3Z,cAAA,SAAA2Z,EAAA,eAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAA3Z,cACA0f,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAA3Z,cAAAyf,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAA3Z,cAAAyf,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAA3Z,cAAA2f,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,cACA+B,WAAA,kBAEAjB,OACAh2B,KAAA,WACA/L,GAAA,YAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAAlN,eAAAkN,EAAA4F,GAAA5F,EAAAlN,cAAA,SAAAkN,EAAA,eAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAAlN,cACAiT,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAAlN,cAAAgT,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAAlN,cAAAgT,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAAlN,cAAAkT,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,eACA+B,WAAA,mBAEAjB,OACAh2B,KAAA,WACA/L,GAAA,aAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAAjN,gBAAAiN,EAAA4F,GAAA5F,EAAAjN,eAAA,SAAAiN,EAAA,gBAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAAjN,eACAgT,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAAjN,eAAA+S,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAAjN,eAAA+S,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAAjN,eAAAiT,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,eAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4BAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,kBACA+B,WAAA,sBAEAjB,OACAh2B,KAAA,WACA/L,GAAA,gBAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAAhN,mBAAAgN,EAAA4F,GAAA5F,EAAAhN,kBAAA,SAAAgN,EAAA,mBAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAAhN,kBACA+S,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAAhN,kBAAA8S,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAAhN,kBAAA8S,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAAhN,kBAAAgT,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,kBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACH0B,aACAtrC,KAAA,QACAurC,QAAA,UACAlrC,MAAAopC,EAAA,SACA+B,WAAA,aAEAjB,OACAh2B,KAAA,WACA/L,GAAA,YAEAoiC,UACAuE,QAAAh8B,MAAAi8B,QAAA3F,EAAA/M,UAAA+M,EAAA4F,GAAA5F,EAAA/M,SAAA,SAAA+M,EAAA,UAEAljB,IACA+oB,OAAA,SAAAnF,GACA,GAAAoF,GAAA9F,EAAA/M,SACA8S,EAAArF,EAAAzZ,OACA+e,IAAAD,EAAAL,OACA,IAAAh8B,MAAAi8B,QAAAG,GAAA,CACA,GAAAG,GAAA,KACAC,EAAAlG,EAAA4F,GAAAE,EAAAG,EACAF,GAAAL,QACAQ,EAAA,IAAAlG,EAAA/M,SAAA6S,EAAAlW,QAAAqW,KAEAC,GAAA,IAAAlG,EAAA/M,SAAA6S,EAAA3gC,MAAA,EAAA+gC,GAAAtW,OAAAkW,EAAA3gC,MAAA+gC,EAAA,SAGAlG,GAAA/M,SAAA+S,MAIGhG,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCACFM,qBxHs9WK,SAAUnwC,EAAQC,GyHrvXxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,cACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,MAAAH,EAAA,YAAAG,EAAA,MAAAA,EAAA,eACHW,OACArpC,GAAA,mBAEGuoC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,MAAAA,EAAA,eACHW,OACArpC,IACAlB,KAAA,WACAgH,QACAgB,SAAAyhC,EAAAnoC,YAAAiV,iBAIGkzB,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAnoC,aAAAmoC,EAAAnoC,YAAAsjC,OAAAgF,EAAA,MAAAA,EAAA,eACHW,OACArpC,GAAA,sBAEGuoC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,eACHW,OACArpC,GAAA,kBAEGuoC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,eACHW,OACArpC,GAAA,eAEGuoC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCACFM,qBzH2vXK,SAAUnwC,EAAQC,G0H1xXxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,wBACGF,EAAA,OACHE,YAAA,0CACGL,EAAAsH,GAAA,GAAAtH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,6BACGF,EAAA,KAAAA,EAAA,OACHW,OACAvZ,IAAAyY,EAAAd,QAEGc,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAX,SAIGW,EAAAM,GAAAN,EAAAO,GAAAP,EAAAb,UAAAgB,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHW,OACAvZ,IAAAyY,EAAAV,QAEGU,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAR,SAIGQ,EAAAM,GAAAN,EAAAO,GAAAP,EAAAT,UAAAY,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHW,OACAvZ,IAAAyY,EAAAP,QAEGO,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACArpC,IACAlB,KAAA,eACAgH,QACAwB,GAAAihC,EAAAL,SAIGK,EAAAM,GAAAN,EAAAO,GAAAP,EAAAN,UAAAS,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHW,OACAvZ,IAAAyY,EAAA9a,OAAAttB,MAAAnC,OAAAuB,QAEGgpC,EAAAM,GAAA,KAAAH,EAAA,KACHW,OACAlgB,KAAAof,EAAAH,QACA5Y,OAAA,YAEG+Y,EAAAM,GAAA,qBACFS,iBAAA,WAA+B,GAAAf,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CACvE,OAAAE,GAAA,OACAE,YAAA,4DACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,2C1HiyXG,SAAU1vC,EAAQC,G2H91XxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,eACGL,EAAA,KAAAG,EAAA,OACHE,YAAA,sBACAW,aACAuG,SAAA,aAEGpH,EAAA,qBACHW,OACAxiC,KAAA0hC,EAAA1hC,KACAg8B,UAAA,EACAkH,SAAA,KAEGxB,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAA,KAAAG,EAAA,oBAAAH,EAAAQ,MAAA,OAAAR,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA1hC,KAAA0hC,EAAAQ,KAAAL,EAAA,mBACFY,qB3Ho2XK,SAAUnwC,EAAQC,G4Hr3XxBD,EAAAC,SAAgB+H,OAAA,WAAmB,GAAAonC,GAAA/a,KAAagb,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,SACGF,EAAA,KACHW,OACAlgB,KAAA,OAEGuf,EAAA,OACHE,YAAA,SACAS,OACAvZ,IAAAyY,EAAA1hC,KAAAkN,mBAEAsR,IACAihB,MAAA,SAAA2C,GACAA,EAAA/U,iBACAqU,EAAAzT,mBAAAmU,SAGGV,EAAAM,GAAA,KAAAN,EAAA,aAAAG,EAAA,OACHE,YAAA,aACGF,EAAA,qBACHW,OACAxiC,KAAA0hC,EAAA1hC,KACAg8B,UAAA,MAEG,GAAA6F,EAAA,OACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,YACAS,OACAx1B,MAAA00B,EAAA1hC,KAAA/H,QAEGypC,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAA1hC,KAAA/H,MAAA,aAAAypC,EAAA3T,cAAA2T,EAAA0B,aAAA1B,EAAA1hC,KAAAiT,YAAA4uB,EAAA,QACHE,YAAA,gBACGL,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,KACHW,OACAlgB,KAAAof,EAAA1hC,KAAAsO,sBACAqa,OAAA,WAEGkZ,EAAA,OACHE,YAAA,qBACGL,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAA1hC,KAAAwO,oBAAAkzB,EAAAM,GAAA,KAAAN,EAAA,aAAAG,EAAA,OACHE,YAAA,aACGF,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAA1gC,eAEG0gC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,yBAAAT,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAvjB,IACAihB,MAAAiC,EAAAxgC,YAEGwgC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBAAAT,EAAAQ,QACFO","file":"static/js/app.de965bb2a0a8bffbeafa.js","sourcesContent":["webpackJsonp([2,0],[\n/* 0 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tvar _keys = __webpack_require__(217);\n\t\n\tvar _keys2 = _interopRequireDefault(_keys);\n\t\n\tvar _vue = __webpack_require__(101);\n\t\n\tvar _vue2 = _interopRequireDefault(_vue);\n\t\n\tvar _vueRouter = __webpack_require__(532);\n\t\n\tvar _vueRouter2 = _interopRequireDefault(_vueRouter);\n\t\n\tvar _vuex = __webpack_require__(535);\n\t\n\tvar _vuex2 = _interopRequireDefault(_vuex);\n\t\n\tvar _App = __webpack_require__(470);\n\t\n\tvar _App2 = _interopRequireDefault(_App);\n\t\n\tvar _public_timeline = __webpack_require__(486);\n\t\n\tvar _public_timeline2 = _interopRequireDefault(_public_timeline);\n\t\n\tvar _public_and_external_timeline = __webpack_require__(485);\n\t\n\tvar _public_and_external_timeline2 = _interopRequireDefault(_public_and_external_timeline);\n\t\n\tvar _friends_timeline = __webpack_require__(477);\n\t\n\tvar _friends_timeline2 = _interopRequireDefault(_friends_timeline);\n\t\n\tvar _tag_timeline = __webpack_require__(491);\n\t\n\tvar _tag_timeline2 = _interopRequireDefault(_tag_timeline);\n\t\n\tvar _conversationPage = __webpack_require__(473);\n\t\n\tvar _conversationPage2 = _interopRequireDefault(_conversationPage);\n\t\n\tvar _mentions = __webpack_require__(481);\n\t\n\tvar _mentions2 = _interopRequireDefault(_mentions);\n\t\n\tvar _user_profile = __webpack_require__(494);\n\t\n\tvar _user_profile2 = _interopRequireDefault(_user_profile);\n\t\n\tvar _settings = __webpack_require__(489);\n\t\n\tvar _settings2 = _interopRequireDefault(_settings);\n\t\n\tvar _registration = __webpack_require__(487);\n\t\n\tvar _registration2 = _interopRequireDefault(_registration);\n\t\n\tvar _user_settings = __webpack_require__(495);\n\t\n\tvar _user_settings2 = _interopRequireDefault(_user_settings);\n\t\n\tvar _follow_requests = __webpack_require__(476);\n\t\n\tvar _follow_requests2 = _interopRequireDefault(_follow_requests);\n\t\n\tvar _statuses = __webpack_require__(103);\n\t\n\tvar _statuses2 = _interopRequireDefault(_statuses);\n\t\n\tvar _users = __webpack_require__(174);\n\t\n\tvar _users2 = _interopRequireDefault(_users);\n\t\n\tvar _api = __webpack_require__(171);\n\t\n\tvar _api2 = _interopRequireDefault(_api);\n\t\n\tvar _config = __webpack_require__(173);\n\t\n\tvar _config2 = _interopRequireDefault(_config);\n\t\n\tvar _chat = __webpack_require__(172);\n\t\n\tvar _chat2 = _interopRequireDefault(_chat);\n\t\n\tvar _vueTimeago = __webpack_require__(534);\n\t\n\tvar _vueTimeago2 = _interopRequireDefault(_vueTimeago);\n\t\n\tvar _vueI18n = __webpack_require__(469);\n\t\n\tvar _vueI18n2 = _interopRequireDefault(_vueI18n);\n\t\n\tvar _persisted_state = __webpack_require__(170);\n\t\n\tvar _persisted_state2 = _interopRequireDefault(_persisted_state);\n\t\n\tvar _messages = __webpack_require__(169);\n\t\n\tvar _messages2 = _interopRequireDefault(_messages);\n\t\n\tvar _vueChatScroll = __webpack_require__(468);\n\t\n\tvar _vueChatScroll2 = _interopRequireDefault(_vueChatScroll);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar currentLocale = (window.navigator.language || 'en').split('-')[0];\n\t\n\t_vue2.default.use(_vuex2.default);\n\t_vue2.default.use(_vueRouter2.default);\n\t_vue2.default.use(_vueTimeago2.default, {\n\t locale: currentLocale === 'ja' ? 'ja' : 'en',\n\t locales: {\n\t 'en': __webpack_require__(300),\n\t 'ja': __webpack_require__(301)\n\t }\n\t});\n\t_vue2.default.use(_vueI18n2.default);\n\t_vue2.default.use(_vueChatScroll2.default);\n\t\n\tvar persistedStateOptions = {\n\t paths: ['config.hideAttachments', 'config.hideAttachmentsInConv', 'config.hideNsfw', 'config.autoLoad', 'config.hoverPreview', 'config.streaming', 'config.muteWords', 'config.customTheme', 'users.lastLoginName']\n\t};\n\t\n\tvar store = new _vuex2.default.Store({\n\t modules: {\n\t statuses: _statuses2.default,\n\t users: _users2.default,\n\t api: _api2.default,\n\t config: _config2.default,\n\t chat: _chat2.default\n\t },\n\t plugins: [(0, _persisted_state2.default)(persistedStateOptions)],\n\t strict: false });\n\t\n\tvar i18n = new _vueI18n2.default({\n\t locale: currentLocale,\n\t fallbackLocale: 'en',\n\t messages: _messages2.default\n\t});\n\t\n\twindow.fetch('/api/statusnet/config.json').then(function (res) {\n\t return res.json();\n\t}).then(function (data) {\n\t var _data$site = data.site,\n\t name = _data$site.name,\n\t registrationClosed = _data$site.closed,\n\t textlimit = _data$site.textlimit;\n\t\n\t\n\t store.dispatch('setOption', { name: 'name', value: name });\n\t store.dispatch('setOption', { name: 'registrationOpen', value: registrationClosed === '0' });\n\t store.dispatch('setOption', { name: 'textlimit', value: parseInt(textlimit) });\n\t});\n\t\n\twindow.fetch('/static/config.json').then(function (res) {\n\t return res.json();\n\t}).then(function (data) {\n\t var theme = data.theme,\n\t background = data.background,\n\t logo = data.logo,\n\t showWhoToFollowPanel = data.showWhoToFollowPanel,\n\t whoToFollowProvider = data.whoToFollowProvider,\n\t whoToFollowLink = data.whoToFollowLink,\n\t showInstanceSpecificPanel = data.showInstanceSpecificPanel,\n\t scopeOptionsEnabled = data.scopeOptionsEnabled;\n\t\n\t store.dispatch('setOption', { name: 'theme', value: theme });\n\t store.dispatch('setOption', { name: 'background', value: background });\n\t store.dispatch('setOption', { name: 'logo', value: logo });\n\t store.dispatch('setOption', { name: 'showWhoToFollowPanel', value: showWhoToFollowPanel });\n\t store.dispatch('setOption', { name: 'whoToFollowProvider', value: whoToFollowProvider });\n\t store.dispatch('setOption', { name: 'whoToFollowLink', value: whoToFollowLink });\n\t store.dispatch('setOption', { name: 'showInstanceSpecificPanel', value: showInstanceSpecificPanel });\n\t store.dispatch('setOption', { name: 'scopeOptionsEnabled', value: scopeOptionsEnabled });\n\t if (data['chatDisabled']) {\n\t store.dispatch('disableChat');\n\t }\n\t\n\t var routes = [{ name: 'root',\n\t path: '/',\n\t redirect: function redirect(to) {\n\t var redirectRootLogin = data['redirectRootLogin'];\n\t var redirectRootNoLogin = data['redirectRootNoLogin'];\n\t return (store.state.users.currentUser ? redirectRootLogin : redirectRootNoLogin) || '/main/all';\n\t } }, { path: '/main/all', component: _public_and_external_timeline2.default }, { path: '/main/public', component: _public_timeline2.default }, { path: '/main/friends', component: _friends_timeline2.default }, { path: '/tag/:tag', component: _tag_timeline2.default }, { name: 'conversation', path: '/notice/:id', component: _conversationPage2.default, meta: { dontScroll: true } }, { name: 'user-profile', path: '/users/:id', component: _user_profile2.default }, { name: 'mentions', path: '/:username/mentions', component: _mentions2.default }, { name: 'settings', path: '/settings', component: _settings2.default }, { name: 'registration', path: '/registration', component: _registration2.default }, { name: 'friend-requests', path: '/friend-requests', component: _follow_requests2.default }, { name: 'user-settings', path: '/user-settings', component: _user_settings2.default }];\n\t\n\t var router = new _vueRouter2.default({\n\t mode: 'history',\n\t routes: routes,\n\t scrollBehavior: function scrollBehavior(to, from, savedPosition) {\n\t if (to.matched.some(function (m) {\n\t return m.meta.dontScroll;\n\t })) {\n\t return false;\n\t }\n\t return savedPosition || { x: 0, y: 0 };\n\t }\n\t });\n\t\n\t new _vue2.default({\n\t router: router,\n\t store: store,\n\t i18n: i18n,\n\t el: '#app',\n\t render: function render(h) {\n\t return h(_App2.default);\n\t }\n\t });\n\t});\n\t\n\twindow.fetch('/static/terms-of-service.html').then(function (res) {\n\t return res.text();\n\t}).then(function (html) {\n\t store.dispatch('setOption', { name: 'tos', value: html });\n\t});\n\t\n\twindow.fetch('/api/pleroma/emoji.json').then(function (res) {\n\t return res.json().then(function (values) {\n\t var emoji = (0, _keys2.default)(values).map(function (key) {\n\t return { shortcode: key, image_url: values[key] };\n\t });\n\t store.dispatch('setOption', { name: 'customEmoji', value: emoji });\n\t store.dispatch('setOption', { name: 'pleromaBackend', value: true });\n\t }, function (failure) {\n\t store.dispatch('setOption', { name: 'pleromaBackend', value: false });\n\t });\n\t}, function (error) {\n\t return console.log(error);\n\t});\n\t\n\twindow.fetch('/static/emoji.json').then(function (res) {\n\t return res.json();\n\t}).then(function (values) {\n\t var emoji = (0, _keys2.default)(values).map(function (key) {\n\t return { shortcode: key, image_url: false, 'utf': values[key] };\n\t });\n\t store.dispatch('setOption', { name: 'emoji', value: emoji });\n\t});\n\t\n\twindow.fetch('/instance/panel.html').then(function (res) {\n\t return res.text();\n\t}).then(function (html) {\n\t store.dispatch('setOption', { name: 'instanceSpecificPanelContent', value: html });\n\t});\n\n/***/ }),\n/* 1 */,\n/* 2 */,\n/* 3 */,\n/* 4 */,\n/* 5 */,\n/* 6 */,\n/* 7 */,\n/* 8 */,\n/* 9 */,\n/* 10 */,\n/* 11 */,\n/* 12 */,\n/* 13 */,\n/* 14 */,\n/* 15 */,\n/* 16 */,\n/* 17 */,\n/* 18 */,\n/* 19 */,\n/* 20 */,\n/* 21 */,\n/* 22 */,\n/* 23 */,\n/* 24 */,\n/* 25 */,\n/* 26 */,\n/* 27 */,\n/* 28 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(276)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(204),\n\t /* template */\n\t __webpack_require__(499),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 29 */,\n/* 30 */,\n/* 31 */,\n/* 32 */,\n/* 33 */,\n/* 34 */,\n/* 35 */,\n/* 36 */,\n/* 37 */,\n/* 38 */,\n/* 39 */,\n/* 40 */,\n/* 41 */,\n/* 42 */,\n/* 43 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(275)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(206),\n\t /* template */\n\t __webpack_require__(498),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 44 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _map2 = __webpack_require__(42);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _each2 = __webpack_require__(61);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\t__webpack_require__(536);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar LOGIN_URL = '/api/account/verify_credentials.json';\n\tvar FRIENDS_TIMELINE_URL = '/api/statuses/friends_timeline.json';\n\tvar ALL_FOLLOWING_URL = '/api/qvitter/allfollowing';\n\tvar PUBLIC_TIMELINE_URL = '/api/statuses/public_timeline.json';\n\tvar PUBLIC_AND_EXTERNAL_TIMELINE_URL = '/api/statuses/public_and_external_timeline.json';\n\tvar TAG_TIMELINE_URL = '/api/statusnet/tags/timeline';\n\tvar FAVORITE_URL = '/api/favorites/create';\n\tvar UNFAVORITE_URL = '/api/favorites/destroy';\n\tvar RETWEET_URL = '/api/statuses/retweet';\n\tvar STATUS_UPDATE_URL = '/api/statuses/update.json';\n\tvar STATUS_DELETE_URL = '/api/statuses/destroy';\n\tvar STATUS_URL = '/api/statuses/show';\n\tvar MEDIA_UPLOAD_URL = '/api/statusnet/media/upload';\n\tvar CONVERSATION_URL = '/api/statusnet/conversation';\n\tvar MENTIONS_URL = '/api/statuses/mentions.json';\n\tvar FOLLOWERS_URL = '/api/statuses/followers.json';\n\tvar FRIENDS_URL = '/api/statuses/friends.json';\n\tvar FOLLOWING_URL = '/api/friendships/create.json';\n\tvar UNFOLLOWING_URL = '/api/friendships/destroy.json';\n\tvar QVITTER_USER_PREF_URL = '/api/qvitter/set_profile_pref.json';\n\tvar REGISTRATION_URL = '/api/account/register.json';\n\tvar AVATAR_UPDATE_URL = '/api/qvitter/update_avatar.json';\n\tvar BG_UPDATE_URL = '/api/qvitter/update_background_image.json';\n\tvar BANNER_UPDATE_URL = '/api/account/update_profile_banner.json';\n\tvar PROFILE_UPDATE_URL = '/api/account/update_profile.json';\n\tvar EXTERNAL_PROFILE_URL = '/api/externalprofile/show.json';\n\tvar QVITTER_USER_TIMELINE_URL = '/api/qvitter/statuses/user_timeline.json';\n\tvar BLOCKING_URL = '/api/blocks/create.json';\n\tvar UNBLOCKING_URL = '/api/blocks/destroy.json';\n\tvar USER_URL = '/api/users/show.json';\n\tvar FOLLOW_IMPORT_URL = '/api/pleroma/follow_import';\n\tvar DELETE_ACCOUNT_URL = '/api/pleroma/delete_account';\n\tvar CHANGE_PASSWORD_URL = '/api/pleroma/change_password';\n\tvar FOLLOW_REQUESTS_URL = '/api/pleroma/friend_requests';\n\tvar APPROVE_USER_URL = '/api/pleroma/friendships/approve';\n\tvar DENY_USER_URL = '/api/pleroma/friendships/deny';\n\t\n\tvar oldfetch = window.fetch;\n\t\n\tvar fetch = function fetch(url, options) {\n\t options = options || {};\n\t var baseUrl = '';\n\t var fullUrl = baseUrl + url;\n\t options.credentials = 'same-origin';\n\t return oldfetch(fullUrl, options);\n\t};\n\t\n\tvar utoa = function utoa(str) {\n\t return btoa(encodeURIComponent(str).replace(/%([0-9A-F]{2})/g, function (match, p1) {\n\t return String.fromCharCode('0x' + p1);\n\t }));\n\t};\n\t\n\tvar updateAvatar = function updateAvatar(_ref) {\n\t var credentials = _ref.credentials,\n\t params = _ref.params;\n\t\n\t var url = AVATAR_UPDATE_URL;\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar updateBg = function updateBg(_ref2) {\n\t var credentials = _ref2.credentials,\n\t params = _ref2.params;\n\t\n\t var url = BG_UPDATE_URL;\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar updateBanner = function updateBanner(_ref3) {\n\t var credentials = _ref3.credentials,\n\t params = _ref3.params;\n\t\n\t var url = BANNER_UPDATE_URL;\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar updateProfile = function updateProfile(_ref4) {\n\t var credentials = _ref4.credentials,\n\t params = _ref4.params;\n\t\n\t var url = PROFILE_UPDATE_URL;\n\t\n\t console.log(params);\n\t\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (key === 'description' || key === 'locked' || value) {\n\t form.append(key, value);\n\t }\n\t });\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST',\n\t body: form\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar register = function register(params) {\n\t var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (value) {\n\t form.append(key, value);\n\t }\n\t });\n\t\n\t return fetch(REGISTRATION_URL, {\n\t method: 'POST',\n\t body: form\n\t });\n\t};\n\t\n\tvar authHeaders = function authHeaders(user) {\n\t if (user && user.username && user.password) {\n\t return { 'Authorization': 'Basic ' + utoa(user.username + ':' + user.password) };\n\t } else {\n\t return {};\n\t }\n\t};\n\t\n\tvar externalProfile = function externalProfile(_ref5) {\n\t var profileUrl = _ref5.profileUrl,\n\t credentials = _ref5.credentials;\n\t\n\t var url = EXTERNAL_PROFILE_URL + '?profileurl=' + profileUrl;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'GET'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar followUser = function followUser(_ref6) {\n\t var id = _ref6.id,\n\t credentials = _ref6.credentials;\n\t\n\t var url = FOLLOWING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar unfollowUser = function unfollowUser(_ref7) {\n\t var id = _ref7.id,\n\t credentials = _ref7.credentials;\n\t\n\t var url = UNFOLLOWING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar blockUser = function blockUser(_ref8) {\n\t var id = _ref8.id,\n\t credentials = _ref8.credentials;\n\t\n\t var url = BLOCKING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar unblockUser = function unblockUser(_ref9) {\n\t var id = _ref9.id,\n\t credentials = _ref9.credentials;\n\t\n\t var url = UNBLOCKING_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar approveUser = function approveUser(_ref10) {\n\t var id = _ref10.id,\n\t credentials = _ref10.credentials;\n\t\n\t var url = APPROVE_USER_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar denyUser = function denyUser(_ref11) {\n\t var id = _ref11.id,\n\t credentials = _ref11.credentials;\n\t\n\t var url = DENY_USER_URL + '?user_id=' + id;\n\t return fetch(url, {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchUser = function fetchUser(_ref12) {\n\t var id = _ref12.id,\n\t credentials = _ref12.credentials;\n\t\n\t var url = USER_URL + '?user_id=' + id;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchFriends = function fetchFriends(_ref13) {\n\t var id = _ref13.id,\n\t credentials = _ref13.credentials;\n\t\n\t var url = FRIENDS_URL + '?user_id=' + id;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchFollowers = function fetchFollowers(_ref14) {\n\t var id = _ref14.id,\n\t credentials = _ref14.credentials;\n\t\n\t var url = FOLLOWERS_URL + '?user_id=' + id;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchAllFollowing = function fetchAllFollowing(_ref15) {\n\t var username = _ref15.username,\n\t credentials = _ref15.credentials;\n\t\n\t var url = ALL_FOLLOWING_URL + '/' + username + '.json';\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchFollowRequests = function fetchFollowRequests(_ref16) {\n\t var credentials = _ref16.credentials;\n\t\n\t var url = FOLLOW_REQUESTS_URL;\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchConversation = function fetchConversation(_ref17) {\n\t var id = _ref17.id,\n\t credentials = _ref17.credentials;\n\t\n\t var url = CONVERSATION_URL + '/' + id + '.json?count=100';\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar fetchStatus = function fetchStatus(_ref18) {\n\t var id = _ref18.id,\n\t credentials = _ref18.credentials;\n\t\n\t var url = STATUS_URL + '/' + id + '.json';\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar setUserMute = function setUserMute(_ref19) {\n\t var id = _ref19.id,\n\t credentials = _ref19.credentials,\n\t _ref19$muted = _ref19.muted,\n\t muted = _ref19$muted === undefined ? true : _ref19$muted;\n\t\n\t var form = new FormData();\n\t\n\t var muteInteger = muted ? 1 : 0;\n\t\n\t form.append('namespace', 'qvitter');\n\t form.append('data', muteInteger);\n\t form.append('topic', 'mute:' + id);\n\t\n\t return fetch(QVITTER_USER_PREF_URL, {\n\t method: 'POST',\n\t headers: authHeaders(credentials),\n\t body: form\n\t });\n\t};\n\t\n\tvar fetchTimeline = function fetchTimeline(_ref20) {\n\t var timeline = _ref20.timeline,\n\t credentials = _ref20.credentials,\n\t _ref20$since = _ref20.since,\n\t since = _ref20$since === undefined ? false : _ref20$since,\n\t _ref20$until = _ref20.until,\n\t until = _ref20$until === undefined ? false : _ref20$until,\n\t _ref20$userId = _ref20.userId,\n\t userId = _ref20$userId === undefined ? false : _ref20$userId,\n\t _ref20$tag = _ref20.tag,\n\t tag = _ref20$tag === undefined ? false : _ref20$tag;\n\t\n\t var timelineUrls = {\n\t public: PUBLIC_TIMELINE_URL,\n\t friends: FRIENDS_TIMELINE_URL,\n\t mentions: MENTIONS_URL,\n\t 'publicAndExternal': PUBLIC_AND_EXTERNAL_TIMELINE_URL,\n\t user: QVITTER_USER_TIMELINE_URL,\n\t tag: TAG_TIMELINE_URL\n\t };\n\t\n\t var url = timelineUrls[timeline];\n\t\n\t var params = [];\n\t\n\t if (since) {\n\t params.push(['since_id', since]);\n\t }\n\t if (until) {\n\t params.push(['max_id', until]);\n\t }\n\t if (userId) {\n\t params.push(['user_id', userId]);\n\t }\n\t if (tag) {\n\t url += '/' + tag + '.json';\n\t }\n\t\n\t params.push(['count', 20]);\n\t\n\t var queryString = (0, _map3.default)(params, function (param) {\n\t return param[0] + '=' + param[1];\n\t }).join('&');\n\t url += '?' + queryString;\n\t\n\t return fetch(url, { headers: authHeaders(credentials) }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar verifyCredentials = function verifyCredentials(user) {\n\t return fetch(LOGIN_URL, {\n\t method: 'POST',\n\t headers: authHeaders(user)\n\t });\n\t};\n\t\n\tvar favorite = function favorite(_ref21) {\n\t var id = _ref21.id,\n\t credentials = _ref21.credentials;\n\t\n\t return fetch(FAVORITE_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar unfavorite = function unfavorite(_ref22) {\n\t var id = _ref22.id,\n\t credentials = _ref22.credentials;\n\t\n\t return fetch(UNFAVORITE_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar retweet = function retweet(_ref23) {\n\t var id = _ref23.id,\n\t credentials = _ref23.credentials;\n\t\n\t return fetch(RETWEET_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar postStatus = function postStatus(_ref24) {\n\t var credentials = _ref24.credentials,\n\t status = _ref24.status,\n\t spoilerText = _ref24.spoilerText,\n\t visibility = _ref24.visibility,\n\t mediaIds = _ref24.mediaIds,\n\t inReplyToStatusId = _ref24.inReplyToStatusId;\n\t\n\t var idsText = mediaIds.join(',');\n\t var form = new FormData();\n\t\n\t form.append('status', status);\n\t form.append('source', 'Pleroma FE');\n\t if (spoilerText) form.append('spoiler_text', spoilerText);\n\t if (visibility) form.append('visibility', visibility);\n\t form.append('media_ids', idsText);\n\t if (inReplyToStatusId) {\n\t form.append('in_reply_to_status_id', inReplyToStatusId);\n\t }\n\t\n\t return fetch(STATUS_UPDATE_URL, {\n\t body: form,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t });\n\t};\n\t\n\tvar deleteStatus = function deleteStatus(_ref25) {\n\t var id = _ref25.id,\n\t credentials = _ref25.credentials;\n\t\n\t return fetch(STATUS_DELETE_URL + '/' + id + '.json', {\n\t headers: authHeaders(credentials),\n\t method: 'POST'\n\t });\n\t};\n\t\n\tvar uploadMedia = function uploadMedia(_ref26) {\n\t var formData = _ref26.formData,\n\t credentials = _ref26.credentials;\n\t\n\t return fetch(MEDIA_UPLOAD_URL, {\n\t body: formData,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.text();\n\t }).then(function (text) {\n\t return new DOMParser().parseFromString(text, 'application/xml');\n\t });\n\t};\n\t\n\tvar followImport = function followImport(_ref27) {\n\t var params = _ref27.params,\n\t credentials = _ref27.credentials;\n\t\n\t return fetch(FOLLOW_IMPORT_URL, {\n\t body: params,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.ok;\n\t });\n\t};\n\t\n\tvar deleteAccount = function deleteAccount(_ref28) {\n\t var credentials = _ref28.credentials,\n\t password = _ref28.password;\n\t\n\t var form = new FormData();\n\t\n\t form.append('password', password);\n\t\n\t return fetch(DELETE_ACCOUNT_URL, {\n\t body: form,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.json();\n\t });\n\t};\n\t\n\tvar changePassword = function changePassword(_ref29) {\n\t var credentials = _ref29.credentials,\n\t password = _ref29.password,\n\t newPassword = _ref29.newPassword,\n\t newPasswordConfirmation = _ref29.newPasswordConfirmation;\n\t\n\t var form = new FormData();\n\t\n\t form.append('password', password);\n\t form.append('new_password', newPassword);\n\t form.append('new_password_confirmation', newPasswordConfirmation);\n\t\n\t return fetch(CHANGE_PASSWORD_URL, {\n\t body: form,\n\t method: 'POST',\n\t headers: authHeaders(credentials)\n\t }).then(function (response) {\n\t return response.json();\n\t });\n\t};\n\t\n\tvar fetchMutes = function fetchMutes(_ref30) {\n\t var credentials = _ref30.credentials;\n\t\n\t var url = '/api/qvitter/mutes.json';\n\t\n\t return fetch(url, {\n\t headers: authHeaders(credentials)\n\t }).then(function (data) {\n\t return data.json();\n\t });\n\t};\n\t\n\tvar apiService = {\n\t verifyCredentials: verifyCredentials,\n\t fetchTimeline: fetchTimeline,\n\t fetchConversation: fetchConversation,\n\t fetchStatus: fetchStatus,\n\t fetchFriends: fetchFriends,\n\t fetchFollowers: fetchFollowers,\n\t followUser: followUser,\n\t unfollowUser: unfollowUser,\n\t blockUser: blockUser,\n\t unblockUser: unblockUser,\n\t fetchUser: fetchUser,\n\t favorite: favorite,\n\t unfavorite: unfavorite,\n\t retweet: retweet,\n\t postStatus: postStatus,\n\t deleteStatus: deleteStatus,\n\t uploadMedia: uploadMedia,\n\t fetchAllFollowing: fetchAllFollowing,\n\t setUserMute: setUserMute,\n\t fetchMutes: fetchMutes,\n\t register: register,\n\t updateAvatar: updateAvatar,\n\t updateBg: updateBg,\n\t updateProfile: updateProfile,\n\t updateBanner: updateBanner,\n\t externalProfile: externalProfile,\n\t followImport: followImport,\n\t deleteAccount: deleteAccount,\n\t changePassword: changePassword,\n\t fetchFollowRequests: fetchFollowRequests,\n\t approveUser: approveUser,\n\t denyUser: denyUser\n\t};\n\t\n\texports.default = apiService;\n\n/***/ }),\n/* 45 */,\n/* 46 */,\n/* 47 */,\n/* 48 */,\n/* 49 */,\n/* 50 */,\n/* 51 */,\n/* 52 */,\n/* 53 */,\n/* 54 */,\n/* 55 */,\n/* 56 */,\n/* 57 */,\n/* 58 */,\n/* 59 */,\n/* 60 */,\n/* 61 */,\n/* 62 */,\n/* 63 */,\n/* 64 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(289)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(199),\n\t /* template */\n\t __webpack_require__(520),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 65 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(288)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(201),\n\t /* template */\n\t __webpack_require__(519),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 66 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.rgbstr2hex = exports.hex2rgb = exports.rgb2hex = undefined;\n\t\n\tvar _slicedToArray2 = __webpack_require__(108);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _map4 = __webpack_require__(42);\n\t\n\tvar _map5 = _interopRequireDefault(_map4);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar rgb2hex = function rgb2hex(r, g, b) {\n\t var _map2 = (0, _map5.default)([r, g, b], function (val) {\n\t val = Math.ceil(val);\n\t val = val < 0 ? 0 : val;\n\t val = val > 255 ? 255 : val;\n\t return val;\n\t });\n\t\n\t var _map3 = (0, _slicedToArray3.default)(_map2, 3);\n\t\n\t r = _map3[0];\n\t g = _map3[1];\n\t b = _map3[2];\n\t\n\t return '#' + ((1 << 24) + (r << 16) + (g << 8) + b).toString(16).slice(1);\n\t};\n\t\n\tvar hex2rgb = function hex2rgb(hex) {\n\t var result = /^#?([a-f\\d]{2})([a-f\\d]{2})([a-f\\d]{2})$/i.exec(hex);\n\t return result ? {\n\t r: parseInt(result[1], 16),\n\t g: parseInt(result[2], 16),\n\t b: parseInt(result[3], 16)\n\t } : null;\n\t};\n\t\n\tvar rgbstr2hex = function rgbstr2hex(rgb) {\n\t if (rgb[0] === '#') {\n\t return rgb;\n\t }\n\t rgb = rgb.match(/\\d+/g);\n\t return '#' + ((Number(rgb[0]) << 16) + (Number(rgb[1]) << 8) + Number(rgb[2])).toString(16);\n\t};\n\t\n\texports.rgb2hex = rgb2hex;\n\texports.hex2rgb = hex2rgb;\n\texports.rgbstr2hex = rgbstr2hex;\n\n/***/ }),\n/* 67 */,\n/* 68 */,\n/* 69 */,\n/* 70 */,\n/* 71 */,\n/* 72 */,\n/* 73 */,\n/* 74 */,\n/* 75 */,\n/* 76 */,\n/* 77 */,\n/* 78 */,\n/* 79 */,\n/* 80 */,\n/* 81 */,\n/* 82 */,\n/* 83 */,\n/* 84 */,\n/* 85 */,\n/* 86 */,\n/* 87 */,\n/* 88 */,\n/* 89 */,\n/* 90 */,\n/* 91 */,\n/* 92 */,\n/* 93 */,\n/* 94 */,\n/* 95 */,\n/* 96 */,\n/* 97 */,\n/* 98 */,\n/* 99 */,\n/* 100 */,\n/* 101 */,\n/* 102 */,\n/* 103 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.mutations = exports.findMaxId = exports.statusType = exports.prepareStatus = exports.defaultState = undefined;\n\t\n\tvar _set = __webpack_require__(219);\n\t\n\tvar _set2 = _interopRequireDefault(_set);\n\t\n\tvar _isArray2 = __webpack_require__(2);\n\t\n\tvar _isArray3 = _interopRequireDefault(_isArray2);\n\t\n\tvar _last2 = __webpack_require__(160);\n\t\n\tvar _last3 = _interopRequireDefault(_last2);\n\t\n\tvar _merge2 = __webpack_require__(161);\n\t\n\tvar _merge3 = _interopRequireDefault(_merge2);\n\t\n\tvar _minBy2 = __webpack_require__(443);\n\t\n\tvar _minBy3 = _interopRequireDefault(_minBy2);\n\t\n\tvar _maxBy2 = __webpack_require__(441);\n\t\n\tvar _maxBy3 = _interopRequireDefault(_maxBy2);\n\t\n\tvar _flatten2 = __webpack_require__(433);\n\t\n\tvar _flatten3 = _interopRequireDefault(_flatten2);\n\t\n\tvar _find2 = __webpack_require__(62);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _each2 = __webpack_require__(61);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\tvar _toInteger2 = __webpack_require__(22);\n\t\n\tvar _toInteger3 = _interopRequireDefault(_toInteger2);\n\t\n\tvar _sortBy2 = __webpack_require__(100);\n\t\n\tvar _sortBy3 = _interopRequireDefault(_sortBy2);\n\t\n\tvar _slice2 = __webpack_require__(450);\n\t\n\tvar _slice3 = _interopRequireDefault(_slice2);\n\t\n\tvar _remove2 = __webpack_require__(449);\n\t\n\tvar _remove3 = _interopRequireDefault(_remove2);\n\t\n\tvar _includes2 = __webpack_require__(437);\n\t\n\tvar _includes3 = _interopRequireDefault(_includes2);\n\t\n\tvar _apiService = __webpack_require__(44);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar emptyTl = function emptyTl() {\n\t return {\n\t statuses: [],\n\t statusesObject: {},\n\t faves: [],\n\t visibleStatuses: [],\n\t visibleStatusesObject: {},\n\t newStatusCount: 0,\n\t maxId: 0,\n\t minVisibleId: 0,\n\t loading: false,\n\t followers: [],\n\t friends: [],\n\t viewing: 'statuses',\n\t flushMarker: 0\n\t };\n\t};\n\t\n\tvar defaultState = exports.defaultState = {\n\t allStatuses: [],\n\t allStatusesObject: {},\n\t maxId: 0,\n\t notifications: [],\n\t favorites: new _set2.default(),\n\t error: false,\n\t timelines: {\n\t mentions: emptyTl(),\n\t public: emptyTl(),\n\t user: emptyTl(),\n\t publicAndExternal: emptyTl(),\n\t friends: emptyTl(),\n\t tag: emptyTl()\n\t }\n\t};\n\t\n\tvar isNsfw = function isNsfw(status) {\n\t var nsfwRegex = /#nsfw/i;\n\t return (0, _includes3.default)(status.tags, 'nsfw') || !!status.text.match(nsfwRegex);\n\t};\n\t\n\tvar prepareStatus = exports.prepareStatus = function prepareStatus(status) {\n\t if (status.nsfw === undefined) {\n\t status.nsfw = isNsfw(status);\n\t if (status.retweeted_status) {\n\t status.nsfw = status.retweeted_status.nsfw;\n\t }\n\t }\n\t\n\t status.deleted = false;\n\t\n\t status.attachments = status.attachments || [];\n\t\n\t return status;\n\t};\n\t\n\tvar statusType = exports.statusType = function statusType(status) {\n\t if (status.is_post_verb) {\n\t return 'status';\n\t }\n\t\n\t if (status.retweeted_status) {\n\t return 'retweet';\n\t }\n\t\n\t if (typeof status.uri === 'string' && status.uri.match(/(fave|objectType=Favourite)/) || typeof status.text === 'string' && status.text.match(/favorited/)) {\n\t return 'favorite';\n\t }\n\t\n\t if (status.text.match(/deleted notice {{tag/) || status.qvitter_delete_notice) {\n\t return 'deletion';\n\t }\n\t\n\t if (status.text.match(/started following/)) {\n\t return 'follow';\n\t }\n\t\n\t return 'unknown';\n\t};\n\t\n\tvar findMaxId = exports.findMaxId = function findMaxId() {\n\t for (var _len = arguments.length, args = Array(_len), _key = 0; _key < _len; _key++) {\n\t args[_key] = arguments[_key];\n\t }\n\t\n\t return ((0, _maxBy3.default)((0, _flatten3.default)(args), 'id') || {}).id;\n\t};\n\t\n\tvar mergeOrAdd = function mergeOrAdd(arr, obj, item) {\n\t var oldItem = obj[item.id];\n\t\n\t if (oldItem) {\n\t (0, _merge3.default)(oldItem, item);\n\t\n\t oldItem.attachments.splice(oldItem.attachments.length);\n\t return { item: oldItem, new: false };\n\t } else {\n\t prepareStatus(item);\n\t arr.push(item);\n\t obj[item.id] = item;\n\t return { item: item, new: true };\n\t }\n\t};\n\t\n\tvar sortTimeline = function sortTimeline(timeline) {\n\t timeline.visibleStatuses = (0, _sortBy3.default)(timeline.visibleStatuses, function (_ref) {\n\t var id = _ref.id;\n\t return -id;\n\t });\n\t timeline.statuses = (0, _sortBy3.default)(timeline.statuses, function (_ref2) {\n\t var id = _ref2.id;\n\t return -id;\n\t });\n\t timeline.minVisibleId = ((0, _last3.default)(timeline.visibleStatuses) || {}).id;\n\t return timeline;\n\t};\n\t\n\tvar addNewStatuses = function addNewStatuses(state, _ref3) {\n\t var statuses = _ref3.statuses,\n\t _ref3$showImmediately = _ref3.showImmediately,\n\t showImmediately = _ref3$showImmediately === undefined ? false : _ref3$showImmediately,\n\t timeline = _ref3.timeline,\n\t _ref3$user = _ref3.user,\n\t user = _ref3$user === undefined ? {} : _ref3$user,\n\t _ref3$noIdUpdate = _ref3.noIdUpdate,\n\t noIdUpdate = _ref3$noIdUpdate === undefined ? false : _ref3$noIdUpdate;\n\t\n\t if (!(0, _isArray3.default)(statuses)) {\n\t return false;\n\t }\n\t\n\t var allStatuses = state.allStatuses;\n\t var allStatusesObject = state.allStatusesObject;\n\t var timelineObject = state.timelines[timeline];\n\t\n\t var maxNew = statuses.length > 0 ? (0, _maxBy3.default)(statuses, 'id').id : 0;\n\t var older = timeline && maxNew < timelineObject.maxId;\n\t\n\t if (timeline && !noIdUpdate && statuses.length > 0 && !older) {\n\t timelineObject.maxId = maxNew;\n\t }\n\t\n\t var addStatus = function addStatus(status, showImmediately) {\n\t var addToTimeline = arguments.length > 2 && arguments[2] !== undefined ? arguments[2] : true;\n\t\n\t var result = mergeOrAdd(allStatuses, allStatusesObject, status);\n\t status = result.item;\n\t\n\t if (result.new) {\n\t if (statusType(status) === 'retweet' && status.retweeted_status.user.id === user.id) {\n\t addNotification({ type: 'repeat', status: status, action: status });\n\t }\n\t\n\t if (statusType(status) === 'status' && (0, _find3.default)(status.attentions, { id: user.id })) {\n\t var mentions = state.timelines.mentions;\n\t\n\t if (timelineObject !== mentions) {\n\t mergeOrAdd(mentions.statuses, mentions.statusesObject, status);\n\t mentions.newStatusCount += 1;\n\t\n\t sortTimeline(mentions);\n\t }\n\t\n\t if (status.user.id !== user.id) {\n\t addNotification({ type: 'mention', status: status, action: status });\n\t }\n\t }\n\t }\n\t\n\t var resultForCurrentTimeline = void 0;\n\t\n\t if (timeline && addToTimeline) {\n\t resultForCurrentTimeline = mergeOrAdd(timelineObject.statuses, timelineObject.statusesObject, status);\n\t }\n\t\n\t if (timeline && showImmediately) {\n\t mergeOrAdd(timelineObject.visibleStatuses, timelineObject.visibleStatusesObject, status);\n\t } else if (timeline && addToTimeline && resultForCurrentTimeline.new) {\n\t timelineObject.newStatusCount += 1;\n\t }\n\t\n\t return status;\n\t };\n\t\n\t var addNotification = function addNotification(_ref4) {\n\t var type = _ref4.type,\n\t status = _ref4.status,\n\t action = _ref4.action;\n\t\n\t if (!(0, _find3.default)(state.notifications, function (oldNotification) {\n\t return oldNotification.action.id === action.id;\n\t })) {\n\t state.notifications.push({ type: type, status: status, action: action, seen: false });\n\t\n\t if ('Notification' in window && window.Notification.permission === 'granted') {\n\t var title = action.user.name;\n\t var result = {};\n\t result.icon = action.user.profile_image_url;\n\t result.body = action.text;\n\t if (action.attachments && action.attachments.length > 0 && !action.nsfw && action.attachments[0].mimetype.startsWith('image/')) {\n\t result.image = action.attachments[0].url;\n\t }\n\t\n\t var notification = new window.Notification(title, result);\n\t\n\t setTimeout(notification.close.bind(notification), 5000);\n\t }\n\t }\n\t };\n\t\n\t var favoriteStatus = function favoriteStatus(favorite) {\n\t var status = (0, _find3.default)(allStatuses, { id: (0, _toInteger3.default)(favorite.in_reply_to_status_id) });\n\t if (status) {\n\t status.fave_num += 1;\n\t\n\t if (favorite.user.id === user.id) {\n\t status.favorited = true;\n\t }\n\t\n\t if (status.user.id === user.id) {\n\t addNotification({ type: 'favorite', status: status, action: favorite });\n\t }\n\t }\n\t return status;\n\t };\n\t\n\t var processors = {\n\t 'status': function status(_status) {\n\t addStatus(_status, showImmediately);\n\t },\n\t 'retweet': function retweet(status) {\n\t var retweetedStatus = addStatus(status.retweeted_status, false, false);\n\t\n\t var retweet = void 0;\n\t\n\t if (timeline && (0, _find3.default)(timelineObject.statuses, function (s) {\n\t if (s.retweeted_status) {\n\t return s.id === retweetedStatus.id || s.retweeted_status.id === retweetedStatus.id;\n\t } else {\n\t return s.id === retweetedStatus.id;\n\t }\n\t })) {\n\t retweet = addStatus(status, false, false);\n\t } else {\n\t retweet = addStatus(status, showImmediately);\n\t }\n\t\n\t retweet.retweeted_status = retweetedStatus;\n\t },\n\t 'favorite': function favorite(_favorite) {\n\t if (!state.favorites.has(_favorite.id)) {\n\t state.favorites.add(_favorite.id);\n\t favoriteStatus(_favorite);\n\t }\n\t },\n\t 'follow': function follow(status) {\n\t var re = new RegExp('started following ' + user.name + ' \\\\(' + user.statusnet_profile_url + '\\\\)');\n\t var repleroma = new RegExp('started following ' + user.screen_name + '$');\n\t if (status.text.match(re) || status.text.match(repleroma)) {\n\t addNotification({ type: 'follow', status: status, action: status });\n\t }\n\t },\n\t 'deletion': function deletion(_deletion) {\n\t var uri = _deletion.uri;\n\t\n\t var status = (0, _find3.default)(allStatuses, { uri: uri });\n\t if (!status) {\n\t return;\n\t }\n\t\n\t (0, _remove3.default)(state.notifications, function (_ref5) {\n\t var id = _ref5.action.id;\n\t return id === status.id;\n\t });\n\t\n\t (0, _remove3.default)(allStatuses, { uri: uri });\n\t if (timeline) {\n\t (0, _remove3.default)(timelineObject.statuses, { uri: uri });\n\t (0, _remove3.default)(timelineObject.visibleStatuses, { uri: uri });\n\t }\n\t },\n\t 'default': function _default(unknown) {\n\t console.log('unknown status type');\n\t console.log(unknown);\n\t }\n\t };\n\t\n\t (0, _each3.default)(statuses, function (status) {\n\t var type = statusType(status);\n\t var processor = processors[type] || processors['default'];\n\t processor(status);\n\t });\n\t\n\t if (timeline) {\n\t sortTimeline(timelineObject);\n\t if ((older || timelineObject.minVisibleId <= 0) && statuses.length > 0) {\n\t timelineObject.minVisibleId = (0, _minBy3.default)(statuses, 'id').id;\n\t }\n\t }\n\t};\n\t\n\tvar mutations = exports.mutations = {\n\t addNewStatuses: addNewStatuses,\n\t showNewStatuses: function showNewStatuses(state, _ref6) {\n\t var timeline = _ref6.timeline;\n\t\n\t var oldTimeline = state.timelines[timeline];\n\t\n\t oldTimeline.newStatusCount = 0;\n\t oldTimeline.visibleStatuses = (0, _slice3.default)(oldTimeline.statuses, 0, 50);\n\t oldTimeline.minVisibleId = (0, _last3.default)(oldTimeline.visibleStatuses).id;\n\t oldTimeline.visibleStatusesObject = {};\n\t (0, _each3.default)(oldTimeline.visibleStatuses, function (status) {\n\t oldTimeline.visibleStatusesObject[status.id] = status;\n\t });\n\t },\n\t clearTimeline: function clearTimeline(state, _ref7) {\n\t var timeline = _ref7.timeline;\n\t\n\t state.timelines[timeline] = emptyTl();\n\t },\n\t setFavorited: function setFavorited(state, _ref8) {\n\t var status = _ref8.status,\n\t value = _ref8.value;\n\t\n\t var newStatus = state.allStatusesObject[status.id];\n\t newStatus.favorited = value;\n\t },\n\t setRetweeted: function setRetweeted(state, _ref9) {\n\t var status = _ref9.status,\n\t value = _ref9.value;\n\t\n\t var newStatus = state.allStatusesObject[status.id];\n\t newStatus.repeated = value;\n\t },\n\t setDeleted: function setDeleted(state, _ref10) {\n\t var status = _ref10.status;\n\t\n\t var newStatus = state.allStatusesObject[status.id];\n\t newStatus.deleted = true;\n\t },\n\t setLoading: function setLoading(state, _ref11) {\n\t var timeline = _ref11.timeline,\n\t value = _ref11.value;\n\t\n\t state.timelines[timeline].loading = value;\n\t },\n\t setNsfw: function setNsfw(state, _ref12) {\n\t var id = _ref12.id,\n\t nsfw = _ref12.nsfw;\n\t\n\t var newStatus = state.allStatusesObject[id];\n\t newStatus.nsfw = nsfw;\n\t },\n\t setError: function setError(state, _ref13) {\n\t var value = _ref13.value;\n\t\n\t state.error = value;\n\t },\n\t setProfileView: function setProfileView(state, _ref14) {\n\t var v = _ref14.v;\n\t\n\t state.timelines['user'].viewing = v;\n\t },\n\t addFriends: function addFriends(state, _ref15) {\n\t var friends = _ref15.friends;\n\t\n\t state.timelines['user'].friends = friends;\n\t },\n\t addFollowers: function addFollowers(state, _ref16) {\n\t var followers = _ref16.followers;\n\t\n\t state.timelines['user'].followers = followers;\n\t },\n\t markNotificationsAsSeen: function markNotificationsAsSeen(state, notifications) {\n\t (0, _each3.default)(notifications, function (notification) {\n\t notification.seen = true;\n\t });\n\t },\n\t queueFlush: function queueFlush(state, _ref17) {\n\t var timeline = _ref17.timeline,\n\t id = _ref17.id;\n\t\n\t state.timelines[timeline].flushMarker = id;\n\t }\n\t};\n\t\n\tvar statuses = {\n\t state: defaultState,\n\t actions: {\n\t addNewStatuses: function addNewStatuses(_ref18, _ref19) {\n\t var rootState = _ref18.rootState,\n\t commit = _ref18.commit;\n\t var statuses = _ref19.statuses,\n\t _ref19$showImmediatel = _ref19.showImmediately,\n\t showImmediately = _ref19$showImmediatel === undefined ? false : _ref19$showImmediatel,\n\t _ref19$timeline = _ref19.timeline,\n\t timeline = _ref19$timeline === undefined ? false : _ref19$timeline,\n\t _ref19$noIdUpdate = _ref19.noIdUpdate,\n\t noIdUpdate = _ref19$noIdUpdate === undefined ? false : _ref19$noIdUpdate;\n\t\n\t commit('addNewStatuses', { statuses: statuses, showImmediately: showImmediately, timeline: timeline, noIdUpdate: noIdUpdate, user: rootState.users.currentUser });\n\t },\n\t setError: function setError(_ref20, _ref21) {\n\t var rootState = _ref20.rootState,\n\t commit = _ref20.commit;\n\t var value = _ref21.value;\n\t\n\t commit('setError', { value: value });\n\t },\n\t addFriends: function addFriends(_ref22, _ref23) {\n\t var rootState = _ref22.rootState,\n\t commit = _ref22.commit;\n\t var friends = _ref23.friends;\n\t\n\t commit('addFriends', { friends: friends });\n\t },\n\t addFollowers: function addFollowers(_ref24, _ref25) {\n\t var rootState = _ref24.rootState,\n\t commit = _ref24.commit;\n\t var followers = _ref25.followers;\n\t\n\t commit('addFollowers', { followers: followers });\n\t },\n\t deleteStatus: function deleteStatus(_ref26, status) {\n\t var rootState = _ref26.rootState,\n\t commit = _ref26.commit;\n\t\n\t commit('setDeleted', { status: status });\n\t _apiService2.default.deleteStatus({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t favorite: function favorite(_ref27, status) {\n\t var rootState = _ref27.rootState,\n\t commit = _ref27.commit;\n\t\n\t commit('setFavorited', { status: status, value: true });\n\t _apiService2.default.favorite({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t unfavorite: function unfavorite(_ref28, status) {\n\t var rootState = _ref28.rootState,\n\t commit = _ref28.commit;\n\t\n\t commit('setFavorited', { status: status, value: false });\n\t _apiService2.default.unfavorite({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t retweet: function retweet(_ref29, status) {\n\t var rootState = _ref29.rootState,\n\t commit = _ref29.commit;\n\t\n\t commit('setRetweeted', { status: status, value: true });\n\t _apiService2.default.retweet({ id: status.id, credentials: rootState.users.currentUser.credentials });\n\t },\n\t queueFlush: function queueFlush(_ref30, _ref31) {\n\t var rootState = _ref30.rootState,\n\t commit = _ref30.commit;\n\t var timeline = _ref31.timeline,\n\t id = _ref31.id;\n\t\n\t commit('queueFlush', { timeline: timeline, id: id });\n\t }\n\t },\n\t mutations: mutations\n\t};\n\t\n\texports.default = statuses;\n\n/***/ }),\n/* 104 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _apiService = __webpack_require__(44);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tvar _timeline_fetcherService = __webpack_require__(107);\n\t\n\tvar _timeline_fetcherService2 = _interopRequireDefault(_timeline_fetcherService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar backendInteractorService = function backendInteractorService(credentials) {\n\t var fetchStatus = function fetchStatus(_ref) {\n\t var id = _ref.id;\n\t\n\t return _apiService2.default.fetchStatus({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchConversation = function fetchConversation(_ref2) {\n\t var id = _ref2.id;\n\t\n\t return _apiService2.default.fetchConversation({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchFriends = function fetchFriends(_ref3) {\n\t var id = _ref3.id;\n\t\n\t return _apiService2.default.fetchFriends({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchFollowers = function fetchFollowers(_ref4) {\n\t var id = _ref4.id;\n\t\n\t return _apiService2.default.fetchFollowers({ id: id, credentials: credentials });\n\t };\n\t\n\t var fetchAllFollowing = function fetchAllFollowing(_ref5) {\n\t var username = _ref5.username;\n\t\n\t return _apiService2.default.fetchAllFollowing({ username: username, credentials: credentials });\n\t };\n\t\n\t var fetchUser = function fetchUser(_ref6) {\n\t var id = _ref6.id;\n\t\n\t return _apiService2.default.fetchUser({ id: id, credentials: credentials });\n\t };\n\t\n\t var followUser = function followUser(id) {\n\t return _apiService2.default.followUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var unfollowUser = function unfollowUser(id) {\n\t return _apiService2.default.unfollowUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var blockUser = function blockUser(id) {\n\t return _apiService2.default.blockUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var unblockUser = function unblockUser(id) {\n\t return _apiService2.default.unblockUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var approveUser = function approveUser(id) {\n\t return _apiService2.default.approveUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var denyUser = function denyUser(id) {\n\t return _apiService2.default.denyUser({ credentials: credentials, id: id });\n\t };\n\t\n\t var startFetching = function startFetching(_ref7) {\n\t var timeline = _ref7.timeline,\n\t store = _ref7.store,\n\t _ref7$userId = _ref7.userId,\n\t userId = _ref7$userId === undefined ? false : _ref7$userId;\n\t\n\t return _timeline_fetcherService2.default.startFetching({ timeline: timeline, store: store, credentials: credentials, userId: userId });\n\t };\n\t\n\t var setUserMute = function setUserMute(_ref8) {\n\t var id = _ref8.id,\n\t _ref8$muted = _ref8.muted,\n\t muted = _ref8$muted === undefined ? true : _ref8$muted;\n\t\n\t return _apiService2.default.setUserMute({ id: id, muted: muted, credentials: credentials });\n\t };\n\t\n\t var fetchMutes = function fetchMutes() {\n\t return _apiService2.default.fetchMutes({ credentials: credentials });\n\t };\n\t var fetchFollowRequests = function fetchFollowRequests() {\n\t return _apiService2.default.fetchFollowRequests({ credentials: credentials });\n\t };\n\t\n\t var register = function register(params) {\n\t return _apiService2.default.register(params);\n\t };\n\t var updateAvatar = function updateAvatar(_ref9) {\n\t var params = _ref9.params;\n\t return _apiService2.default.updateAvatar({ credentials: credentials, params: params });\n\t };\n\t var updateBg = function updateBg(_ref10) {\n\t var params = _ref10.params;\n\t return _apiService2.default.updateBg({ credentials: credentials, params: params });\n\t };\n\t var updateBanner = function updateBanner(_ref11) {\n\t var params = _ref11.params;\n\t return _apiService2.default.updateBanner({ credentials: credentials, params: params });\n\t };\n\t var updateProfile = function updateProfile(_ref12) {\n\t var params = _ref12.params;\n\t return _apiService2.default.updateProfile({ credentials: credentials, params: params });\n\t };\n\t\n\t var externalProfile = function externalProfile(profileUrl) {\n\t return _apiService2.default.externalProfile({ profileUrl: profileUrl, credentials: credentials });\n\t };\n\t var followImport = function followImport(_ref13) {\n\t var params = _ref13.params;\n\t return _apiService2.default.followImport({ params: params, credentials: credentials });\n\t };\n\t\n\t var deleteAccount = function deleteAccount(_ref14) {\n\t var password = _ref14.password;\n\t return _apiService2.default.deleteAccount({ credentials: credentials, password: password });\n\t };\n\t var changePassword = function changePassword(_ref15) {\n\t var password = _ref15.password,\n\t newPassword = _ref15.newPassword,\n\t newPasswordConfirmation = _ref15.newPasswordConfirmation;\n\t return _apiService2.default.changePassword({ credentials: credentials, password: password, newPassword: newPassword, newPasswordConfirmation: newPasswordConfirmation });\n\t };\n\t\n\t var backendInteractorServiceInstance = {\n\t fetchStatus: fetchStatus,\n\t fetchConversation: fetchConversation,\n\t fetchFriends: fetchFriends,\n\t fetchFollowers: fetchFollowers,\n\t followUser: followUser,\n\t unfollowUser: unfollowUser,\n\t blockUser: blockUser,\n\t unblockUser: unblockUser,\n\t fetchUser: fetchUser,\n\t fetchAllFollowing: fetchAllFollowing,\n\t verifyCredentials: _apiService2.default.verifyCredentials,\n\t startFetching: startFetching,\n\t setUserMute: setUserMute,\n\t fetchMutes: fetchMutes,\n\t register: register,\n\t updateAvatar: updateAvatar,\n\t updateBg: updateBg,\n\t updateBanner: updateBanner,\n\t updateProfile: updateProfile,\n\t externalProfile: externalProfile,\n\t followImport: followImport,\n\t deleteAccount: deleteAccount,\n\t changePassword: changePassword,\n\t fetchFollowRequests: fetchFollowRequests,\n\t approveUser: approveUser,\n\t denyUser: denyUser\n\t };\n\t\n\t return backendInteractorServiceInstance;\n\t};\n\t\n\texports.default = backendInteractorService;\n\n/***/ }),\n/* 105 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar fileType = function fileType(typeString) {\n\t var type = 'unknown';\n\t\n\t if (typeString.match(/text\\/html/)) {\n\t type = 'html';\n\t }\n\t\n\t if (typeString.match(/image/)) {\n\t type = 'image';\n\t }\n\t\n\t if (typeString.match(/video\\/(webm|mp4)/)) {\n\t type = 'video';\n\t }\n\t\n\t if (typeString.match(/audio|ogg/)) {\n\t type = 'audio';\n\t }\n\t\n\t return type;\n\t};\n\t\n\tvar fileTypeService = {\n\t fileType: fileType\n\t};\n\t\n\texports.default = fileTypeService;\n\n/***/ }),\n/* 106 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _map2 = __webpack_require__(42);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _apiService = __webpack_require__(44);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar postStatus = function postStatus(_ref) {\n\t var store = _ref.store,\n\t status = _ref.status,\n\t spoilerText = _ref.spoilerText,\n\t visibility = _ref.visibility,\n\t _ref$media = _ref.media,\n\t media = _ref$media === undefined ? [] : _ref$media,\n\t _ref$inReplyToStatusI = _ref.inReplyToStatusId,\n\t inReplyToStatusId = _ref$inReplyToStatusI === undefined ? undefined : _ref$inReplyToStatusI;\n\t\n\t var mediaIds = (0, _map3.default)(media, 'id');\n\t\n\t return _apiService2.default.postStatus({ credentials: store.state.users.currentUser.credentials, status: status, spoilerText: spoilerText, visibility: visibility, mediaIds: mediaIds, inReplyToStatusId: inReplyToStatusId }).then(function (data) {\n\t return data.json();\n\t }).then(function (data) {\n\t if (!data.error) {\n\t store.dispatch('addNewStatuses', {\n\t statuses: [data],\n\t timeline: 'friends',\n\t showImmediately: true,\n\t noIdUpdate: true });\n\t }\n\t return data;\n\t }).catch(function (err) {\n\t return {\n\t error: err.message\n\t };\n\t });\n\t};\n\t\n\tvar uploadMedia = function uploadMedia(_ref2) {\n\t var store = _ref2.store,\n\t formData = _ref2.formData;\n\t\n\t var credentials = store.state.users.currentUser.credentials;\n\t\n\t return _apiService2.default.uploadMedia({ credentials: credentials, formData: formData }).then(function (xml) {\n\t var link = xml.getElementsByTagName('link');\n\t\n\t if (link.length === 0) {\n\t link = xml.getElementsByTagName('atom:link');\n\t }\n\t\n\t link = link[0];\n\t\n\t var mediaData = {\n\t id: xml.getElementsByTagName('media_id')[0].textContent,\n\t url: xml.getElementsByTagName('media_url')[0].textContent,\n\t image: link.getAttribute('href'),\n\t mimetype: link.getAttribute('type')\n\t };\n\t\n\t return mediaData;\n\t });\n\t};\n\t\n\tvar statusPosterService = {\n\t postStatus: postStatus,\n\t uploadMedia: uploadMedia\n\t};\n\t\n\texports.default = statusPosterService;\n\n/***/ }),\n/* 107 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _camelCase2 = __webpack_require__(426);\n\t\n\tvar _camelCase3 = _interopRequireDefault(_camelCase2);\n\t\n\tvar _apiService = __webpack_require__(44);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar update = function update(_ref) {\n\t var store = _ref.store,\n\t statuses = _ref.statuses,\n\t timeline = _ref.timeline,\n\t showImmediately = _ref.showImmediately;\n\t\n\t var ccTimeline = (0, _camelCase3.default)(timeline);\n\t\n\t store.dispatch('setError', { value: false });\n\t\n\t store.dispatch('addNewStatuses', {\n\t timeline: ccTimeline,\n\t statuses: statuses,\n\t showImmediately: showImmediately\n\t });\n\t};\n\t\n\tvar fetchAndUpdate = function fetchAndUpdate(_ref2) {\n\t var store = _ref2.store,\n\t credentials = _ref2.credentials,\n\t _ref2$timeline = _ref2.timeline,\n\t timeline = _ref2$timeline === undefined ? 'friends' : _ref2$timeline,\n\t _ref2$older = _ref2.older,\n\t older = _ref2$older === undefined ? false : _ref2$older,\n\t _ref2$showImmediately = _ref2.showImmediately,\n\t showImmediately = _ref2$showImmediately === undefined ? false : _ref2$showImmediately,\n\t _ref2$userId = _ref2.userId,\n\t userId = _ref2$userId === undefined ? false : _ref2$userId,\n\t _ref2$tag = _ref2.tag,\n\t tag = _ref2$tag === undefined ? false : _ref2$tag;\n\t\n\t var args = { timeline: timeline, credentials: credentials };\n\t var rootState = store.rootState || store.state;\n\t var timelineData = rootState.statuses.timelines[(0, _camelCase3.default)(timeline)];\n\t\n\t if (older) {\n\t args['until'] = timelineData.minVisibleId;\n\t } else {\n\t args['since'] = timelineData.maxId;\n\t }\n\t\n\t args['userId'] = userId;\n\t args['tag'] = tag;\n\t\n\t return _apiService2.default.fetchTimeline(args).then(function (statuses) {\n\t if (!older && statuses.length >= 20 && !timelineData.loading) {\n\t store.dispatch('queueFlush', { timeline: timeline, id: timelineData.maxId });\n\t }\n\t update({ store: store, statuses: statuses, timeline: timeline, showImmediately: showImmediately });\n\t }, function () {\n\t return store.dispatch('setError', { value: true });\n\t });\n\t};\n\t\n\tvar startFetching = function startFetching(_ref3) {\n\t var _ref3$timeline = _ref3.timeline,\n\t timeline = _ref3$timeline === undefined ? 'friends' : _ref3$timeline,\n\t credentials = _ref3.credentials,\n\t store = _ref3.store,\n\t _ref3$userId = _ref3.userId,\n\t userId = _ref3$userId === undefined ? false : _ref3$userId,\n\t _ref3$tag = _ref3.tag,\n\t tag = _ref3$tag === undefined ? false : _ref3$tag;\n\t\n\t var rootState = store.rootState || store.state;\n\t var timelineData = rootState.statuses.timelines[(0, _camelCase3.default)(timeline)];\n\t var showImmediately = timelineData.visibleStatuses.length === 0;\n\t fetchAndUpdate({ timeline: timeline, credentials: credentials, store: store, showImmediately: showImmediately, userId: userId, tag: tag });\n\t var boundFetchAndUpdate = function boundFetchAndUpdate() {\n\t return fetchAndUpdate({ timeline: timeline, credentials: credentials, store: store, userId: userId, tag: tag });\n\t };\n\t return setInterval(boundFetchAndUpdate, 10000);\n\t};\n\tvar timelineFetcher = {\n\t fetchAndUpdate: fetchAndUpdate,\n\t startFetching: startFetching\n\t};\n\t\n\texports.default = timelineFetcher;\n\n/***/ }),\n/* 108 */,\n/* 109 */,\n/* 110 */,\n/* 111 */,\n/* 112 */,\n/* 113 */,\n/* 114 */,\n/* 115 */,\n/* 116 */,\n/* 117 */,\n/* 118 */,\n/* 119 */,\n/* 120 */,\n/* 121 */,\n/* 122 */,\n/* 123 */,\n/* 124 */,\n/* 125 */,\n/* 126 */,\n/* 127 */,\n/* 128 */,\n/* 129 */,\n/* 130 */,\n/* 131 */,\n/* 132 */,\n/* 133 */,\n/* 134 */,\n/* 135 */,\n/* 136 */,\n/* 137 */,\n/* 138 */,\n/* 139 */,\n/* 140 */,\n/* 141 */,\n/* 142 */,\n/* 143 */,\n/* 144 */,\n/* 145 */,\n/* 146 */,\n/* 147 */,\n/* 148 */,\n/* 149 */,\n/* 150 */,\n/* 151 */,\n/* 152 */,\n/* 153 */,\n/* 154 */,\n/* 155 */,\n/* 156 */,\n/* 157 */,\n/* 158 */,\n/* 159 */,\n/* 160 */,\n/* 161 */,\n/* 162 */,\n/* 163 */,\n/* 164 */,\n/* 165 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(181),\n\t /* template */\n\t __webpack_require__(502),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 166 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(277)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(193),\n\t /* template */\n\t __webpack_require__(501),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 167 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(293)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(202),\n\t /* template */\n\t __webpack_require__(525),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 168 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(299)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(205),\n\t /* template */\n\t __webpack_require__(531),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 169 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar de = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Lokaler Chat',\n\t timeline: 'Zeitleiste',\n\t mentions: 'Erwähnungen',\n\t public_tl: 'Lokale Zeitleiste',\n\t twkn: 'Das gesamte Netzwerk'\n\t },\n\t user_card: {\n\t follows_you: 'Folgt dir!',\n\t following: 'Folgst du!',\n\t follow: 'Folgen',\n\t blocked: 'Blockiert!',\n\t block: 'Blockieren',\n\t statuses: 'Beiträge',\n\t mute: 'Stummschalten',\n\t muted: 'Stummgeschaltet',\n\t followers: 'Folgende',\n\t followees: 'Folgt',\n\t per_day: 'pro Tag',\n\t remote_follow: 'Remote Follow'\n\t },\n\t timeline: {\n\t show_new: 'Zeige Neuere',\n\t error_fetching: 'Fehler beim Laden',\n\t up_to_date: 'Aktuell',\n\t load_older: 'Lade ältere Beiträge',\n\t conversation: 'Unterhaltung',\n\t collapse: 'Einklappen',\n\t repeated: 'wiederholte'\n\t },\n\t settings: {\n\t user_settings: 'Benutzereinstellungen',\n\t name_bio: 'Name & Bio',\n\t name: 'Name',\n\t bio: 'Bio',\n\t avatar: 'Avatar',\n\t current_avatar: 'Dein derzeitiger Avatar',\n\t set_new_avatar: 'Setze neuen Avatar',\n\t profile_banner: 'Profil Banner',\n\t current_profile_banner: 'Dein derzeitiger Profil Banner',\n\t set_new_profile_banner: 'Setze neuen Profil Banner',\n\t profile_background: 'Profil Hintergrund',\n\t set_new_profile_background: 'Setze neuen Profil Hintergrund',\n\t settings: 'Einstellungen',\n\t theme: 'Farbschema',\n\t presets: 'Voreinstellungen',\n\t theme_help: 'Benutze HTML Farbcodes (#rrggbb) um dein Farbschema anzupassen',\n\t radii_help: 'Kantenrundung (in Pixel) der Oberfläche anpassen',\n\t background: 'Hintergrund',\n\t foreground: 'Vordergrund',\n\t text: 'Text',\n\t links: 'Links',\n\t cBlue: 'Blau (Antworten, Folgt dir)',\n\t cRed: 'Rot (Abbrechen)',\n\t cOrange: 'Orange (Favorisieren)',\n\t cGreen: 'Grün (Retweet)',\n\t btnRadius: 'Buttons',\n\t inputRadius: 'Eingabefelder',\n\t panelRadius: 'Panel',\n\t avatarRadius: 'Avatare',\n\t avatarAltRadius: 'Avatare (Benachrichtigungen)',\n\t tooltipRadius: 'Tooltips/Warnungen',\n\t attachmentRadius: 'Anhänge',\n\t filtering: 'Filter',\n\t filtering_explanation: 'Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.',\n\t attachments: 'Anhänge',\n\t hide_attachments_in_tl: 'Anhänge in der Zeitleiste ausblenden',\n\t hide_attachments_in_convo: 'Anhänge in Unterhaltungen ausblenden',\n\t nsfw_clickthrough: 'Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind',\n\t stop_gifs: 'Play-on-hover GIFs',\n\t autoload: 'Aktiviere automatisches Laden von älteren Beiträgen beim scrollen',\n\t streaming: 'Aktiviere automatisches Laden (Streaming) von neuen Beiträgen',\n\t reply_link_preview: 'Aktiviere reply-link Vorschau bei Maus-Hover',\n\t follow_import: 'Folgeliste importieren',\n\t import_followers_from_a_csv_file: 'Importiere Kontakte, denen du folgen möchtest, aus einer CSV-Datei',\n\t follows_imported: 'Folgeliste importiert! Die Bearbeitung kann eine Zeit lang dauern.',\n\t follow_import_error: 'Fehler beim importieren der Folgeliste',\n\t delete_account: 'Account löschen',\n\t delete_account_description: 'Lösche deinen Account und alle deine Nachrichten dauerhaft.',\n\t delete_account_instructions: 'Tippe dein Passwort unten in das Feld ein um die Löschung deines Accounts zu bestätigen.',\n\t delete_account_error: 'Es ist ein Fehler beim löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.',\n\t follow_export: 'Folgeliste exportieren',\n\t follow_export_processing: 'In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.',\n\t follow_export_button: 'Liste (.csv) erstellen',\n\t change_password: 'Passwort ändern',\n\t current_password: 'Aktuelles Passwort',\n\t new_password: 'Neues Passwort',\n\t confirm_new_password: 'Neues Passwort bestätigen',\n\t changed_password: 'Passwort erfolgreich geändert!',\n\t change_password_error: 'Es gab ein Problem bei der Änderung des Passworts.'\n\t },\n\t notifications: {\n\t notifications: 'Benachrichtigungen',\n\t read: 'Gelesen!',\n\t followed_you: 'folgt dir',\n\t favorited_you: 'favorisierte deine Nachricht',\n\t repeated_you: 'wiederholte deine Nachricht'\n\t },\n\t login: {\n\t login: 'Anmelden',\n\t username: 'Benutzername',\n\t placeholder: 'z.B. lain',\n\t password: 'Passwort',\n\t register: 'Registrieren',\n\t logout: 'Abmelden'\n\t },\n\t registration: {\n\t registration: 'Registrierung',\n\t fullname: 'Angezeigter Name',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Passwort bestätigen'\n\t },\n\t post_status: {\n\t posting: 'Veröffentlichen',\n\t default: 'Sitze gerade im Hofbräuhaus.'\n\t },\n\t finder: {\n\t find_user: 'Finde Benutzer',\n\t error_fetching_user: 'Fehler beim Suchen des Benutzers'\n\t },\n\t general: {\n\t submit: 'Absenden',\n\t apply: 'Anwenden'\n\t },\n\t user_profile: {\n\t timeline_title: 'Beiträge'\n\t }\n\t};\n\t\n\tvar fi = {\n\t nav: {\n\t timeline: 'Aikajana',\n\t mentions: 'Maininnat',\n\t public_tl: 'Julkinen Aikajana',\n\t twkn: 'Koko Tunnettu Verkosto'\n\t },\n\t user_card: {\n\t follows_you: 'Seuraa sinua!',\n\t following: 'Seuraat!',\n\t follow: 'Seuraa',\n\t statuses: 'Viestit',\n\t mute: 'Hiljennä',\n\t muted: 'Hiljennetty',\n\t followers: 'Seuraajat',\n\t followees: 'Seuraa',\n\t per_day: 'päivässä'\n\t },\n\t timeline: {\n\t show_new: 'Näytä uudet',\n\t error_fetching: 'Virhe ladatessa viestejä',\n\t up_to_date: 'Ajantasalla',\n\t load_older: 'Lataa vanhempia viestejä',\n\t conversation: 'Keskustelu',\n\t collapse: 'Sulje',\n\t repeated: 'toisti'\n\t },\n\t settings: {\n\t user_settings: 'Käyttäjän asetukset',\n\t name_bio: 'Nimi ja kuvaus',\n\t name: 'Nimi',\n\t bio: 'Kuvaus',\n\t avatar: 'Profiilikuva',\n\t current_avatar: 'Nykyinen profiilikuvasi',\n\t set_new_avatar: 'Aseta uusi profiilikuva',\n\t profile_banner: 'Juliste',\n\t current_profile_banner: 'Nykyinen julisteesi',\n\t set_new_profile_banner: 'Aseta uusi juliste',\n\t profile_background: 'Taustakuva',\n\t set_new_profile_background: 'Aseta uusi taustakuva',\n\t settings: 'Asetukset',\n\t theme: 'Teema',\n\t presets: 'Valmiit teemat',\n\t theme_help: 'Käytä heksadesimaalivärejä muokataksesi väriteemaasi.',\n\t background: 'Tausta',\n\t foreground: 'Korostus',\n\t text: 'Teksti',\n\t links: 'Linkit',\n\t filtering: 'Suodatus',\n\t filtering_explanation: 'Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.',\n\t attachments: 'Liitteet',\n\t hide_attachments_in_tl: 'Piilota liitteet aikajanalla',\n\t hide_attachments_in_convo: 'Piilota liitteet keskusteluissa',\n\t nsfw_clickthrough: 'Piilota NSFW liitteet klikkauksen taakse.',\n\t autoload: 'Lataa vanhempia viestejä automaattisesti ruudun pohjalla',\n\t streaming: 'Näytä uudet viestit automaattisesti ollessasi ruudun huipulla',\n\t reply_link_preview: 'Keskusteluiden vastauslinkkien esikatselu'\n\t },\n\t notifications: {\n\t notifications: 'Ilmoitukset',\n\t read: 'Lue!',\n\t followed_you: 'seuraa sinua',\n\t favorited_you: 'tykkäsi viestistäsi',\n\t repeated_you: 'toisti viestisi'\n\t },\n\t login: {\n\t login: 'Kirjaudu sisään',\n\t username: 'Käyttäjänimi',\n\t placeholder: 'esim. lain',\n\t password: 'Salasana',\n\t register: 'Rekisteröidy',\n\t logout: 'Kirjaudu ulos'\n\t },\n\t registration: {\n\t registration: 'Rekisteröityminen',\n\t fullname: 'Koko nimi',\n\t email: 'Sähköposti',\n\t bio: 'Kuvaus',\n\t password_confirm: 'Salasanan vahvistaminen'\n\t },\n\t post_status: {\n\t posting: 'Lähetetään',\n\t default: 'Tulin juuri saunasta.'\n\t },\n\t finder: {\n\t find_user: 'Hae käyttäjä',\n\t error_fetching_user: 'Virhe hakiessa käyttäjää'\n\t },\n\t general: {\n\t submit: 'Lähetä',\n\t apply: 'Aseta'\n\t }\n\t};\n\t\n\tvar en = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Local Chat',\n\t timeline: 'Timeline',\n\t mentions: 'Mentions',\n\t public_tl: 'Public Timeline',\n\t twkn: 'The Whole Known Network',\n\t friend_requests: 'Follow Requests'\n\t },\n\t user_card: {\n\t follows_you: 'Follows you!',\n\t following: 'Following!',\n\t follow: 'Follow',\n\t blocked: 'Blocked!',\n\t block: 'Block',\n\t statuses: 'Statuses',\n\t mute: 'Mute',\n\t muted: 'Muted',\n\t followers: 'Followers',\n\t followees: 'Following',\n\t per_day: 'per day',\n\t remote_follow: 'Remote follow',\n\t approve: 'Approve',\n\t deny: 'Deny'\n\t },\n\t timeline: {\n\t show_new: 'Show new',\n\t error_fetching: 'Error fetching updates',\n\t up_to_date: 'Up-to-date',\n\t load_older: 'Load older statuses',\n\t conversation: 'Conversation',\n\t collapse: 'Collapse',\n\t repeated: 'repeated'\n\t },\n\t settings: {\n\t user_settings: 'User Settings',\n\t name_bio: 'Name & Bio',\n\t name: 'Name',\n\t bio: 'Bio',\n\t avatar: 'Avatar',\n\t current_avatar: 'Your current avatar',\n\t set_new_avatar: 'Set new avatar',\n\t profile_banner: 'Profile Banner',\n\t current_profile_banner: 'Your current profile banner',\n\t set_new_profile_banner: 'Set new profile banner',\n\t profile_background: 'Profile Background',\n\t set_new_profile_background: 'Set new profile background',\n\t settings: 'Settings',\n\t theme: 'Theme',\n\t presets: 'Presets',\n\t theme_help: 'Use hex color codes (#rrggbb) to customize your color theme.',\n\t radii_help: 'Set up interface edge rounding (in pixels)',\n\t background: 'Background',\n\t foreground: 'Foreground',\n\t text: 'Text',\n\t links: 'Links',\n\t cBlue: 'Blue (Reply, follow)',\n\t cRed: 'Red (Cancel)',\n\t cOrange: 'Orange (Favorite)',\n\t cGreen: 'Green (Retweet)',\n\t btnRadius: 'Buttons',\n\t inputRadius: 'Input fields',\n\t panelRadius: 'Panels',\n\t avatarRadius: 'Avatars',\n\t avatarAltRadius: 'Avatars (Notifications)',\n\t tooltipRadius: 'Tooltips/alerts',\n\t attachmentRadius: 'Attachments',\n\t filtering: 'Filtering',\n\t filtering_explanation: 'All statuses containing these words will be muted, one per line',\n\t attachments: 'Attachments',\n\t hide_attachments_in_tl: 'Hide attachments in timeline',\n\t hide_attachments_in_convo: 'Hide attachments in conversations',\n\t nsfw_clickthrough: 'Enable clickthrough NSFW attachment hiding',\n\t stop_gifs: 'Play-on-hover GIFs',\n\t autoload: 'Enable automatic loading when scrolled to the bottom',\n\t streaming: 'Enable automatic streaming of new posts when scrolled to the top',\n\t reply_link_preview: 'Enable reply-link preview on mouse hover',\n\t follow_import: 'Follow import',\n\t import_followers_from_a_csv_file: 'Import follows from a csv file',\n\t follows_imported: 'Follows imported! Processing them will take a while.',\n\t follow_import_error: 'Error importing followers',\n\t delete_account: 'Delete Account',\n\t delete_account_description: 'Permanently delete your account and all your messages.',\n\t delete_account_instructions: 'Type your password in the input below to confirm account deletion.',\n\t delete_account_error: 'There was an issue deleting your account. If this persists please contact your instance administrator.',\n\t follow_export: 'Follow export',\n\t follow_export_processing: 'Processing, you\\'ll soon be asked to download your file',\n\t follow_export_button: 'Export your follows to a csv file',\n\t change_password: 'Change Password',\n\t current_password: 'Current password',\n\t new_password: 'New password',\n\t confirm_new_password: 'Confirm new password',\n\t changed_password: 'Password changed successfully!',\n\t change_password_error: 'There was an issue changing your password.',\n\t lock_account_description: 'Restrict your account to approved followers only'\n\t },\n\t notifications: {\n\t notifications: 'Notifications',\n\t read: 'Read!',\n\t followed_you: 'followed you',\n\t favorited_you: 'favorited your status',\n\t repeated_you: 'repeated your status'\n\t },\n\t login: {\n\t login: 'Log in',\n\t username: 'Username',\n\t placeholder: 'e.g. lain',\n\t password: 'Password',\n\t register: 'Register',\n\t logout: 'Log out'\n\t },\n\t registration: {\n\t registration: 'Registration',\n\t fullname: 'Display name',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Password confirmation'\n\t },\n\t post_status: {\n\t posting: 'Posting',\n\t content_warning: 'Subject (optional)',\n\t default: 'Just landed in L.A.'\n\t },\n\t finder: {\n\t find_user: 'Find user',\n\t error_fetching_user: 'Error fetching user'\n\t },\n\t general: {\n\t submit: 'Submit',\n\t apply: 'Apply'\n\t },\n\t user_profile: {\n\t timeline_title: 'User Timeline'\n\t }\n\t};\n\t\n\tvar eo = {\n\t chat: {\n\t title: 'Babilo'\n\t },\n\t nav: {\n\t chat: 'Loka babilo',\n\t timeline: 'Tempovido',\n\t mentions: 'Mencioj',\n\t public_tl: 'Publika tempovido',\n\t twkn: 'Tuta konata reto'\n\t },\n\t user_card: {\n\t follows_you: 'Abonas vin!',\n\t following: 'Abonanta!',\n\t follow: 'Aboni',\n\t blocked: 'Barita!',\n\t block: 'Bari',\n\t statuses: 'Statoj',\n\t mute: 'Silentigi',\n\t muted: 'Silentigita',\n\t followers: 'Abonantoj',\n\t followees: 'Abonatoj',\n\t per_day: 'tage',\n\t remote_follow: 'Fora abono'\n\t },\n\t timeline: {\n\t show_new: 'Montri novajn',\n\t error_fetching: 'Eraro ĝisdatigante',\n\t up_to_date: 'Ĝisdata',\n\t load_older: 'Enlegi pli malnovajn statojn',\n\t conversation: 'Interparolo',\n\t collapse: 'Maletendi',\n\t repeated: 'ripetata'\n\t },\n\t settings: {\n\t user_settings: 'Uzulaj agordoj',\n\t name_bio: 'Nomo kaj prio',\n\t name: 'Nomo',\n\t bio: 'Prio',\n\t avatar: 'Profilbildo',\n\t current_avatar: 'Via nuna profilbildo',\n\t set_new_avatar: 'Agordi novan profilbildon',\n\t profile_banner: 'Profila rubando',\n\t current_profile_banner: 'Via nuna profila rubando',\n\t set_new_profile_banner: 'Agordi novan profilan rubandon',\n\t profile_background: 'Profila fono',\n\t set_new_profile_background: 'Agordi novan profilan fonon',\n\t settings: 'Agordoj',\n\t theme: 'Haŭto',\n\t presets: 'Antaŭmetaĵoj',\n\t theme_help: 'Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran haŭton.',\n\t radii_help: 'Agordi fasadan rondigon de randoj (rastrumere)',\n\t background: 'Fono',\n\t foreground: 'Malfono',\n\t text: 'Teksto',\n\t links: 'Ligiloj',\n\t cBlue: 'Blua (Respondo, abono)',\n\t cRed: 'Ruĝa (Nuligo)',\n\t cOrange: 'Orange (Ŝato)',\n\t cGreen: 'Verda (Kunhavigo)',\n\t btnRadius: 'Butonoj',\n\t panelRadius: 'Paneloj',\n\t avatarRadius: 'Profilbildoj',\n\t avatarAltRadius: 'Profilbildoj (Sciigoj)',\n\t tooltipRadius: 'Ŝpruchelpiloj/avertoj',\n\t attachmentRadius: 'Kunsendaĵoj',\n\t filtering: 'Filtrado',\n\t filtering_explanation: 'Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie',\n\t attachments: 'Kunsendaĵoj',\n\t hide_attachments_in_tl: 'Kaŝi kunsendaĵojn en tempovido',\n\t hide_attachments_in_convo: 'Kaŝi kunsendaĵojn en interparoloj',\n\t nsfw_clickthrough: 'Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj',\n\t stop_gifs: 'Movi GIF-bildojn dum ŝvebo',\n\t autoload: 'Ŝalti memfaran enlegadon ĉe subo de paĝo',\n\t streaming: 'Ŝalti memfaran fluigon de novaj afiŝoj ĉe supro de paĝo',\n\t reply_link_preview: 'Ŝalti respond-ligilan antaŭvidon dum ŝvebo',\n\t follow_import: 'Abona enporto',\n\t import_followers_from_a_csv_file: 'Enporti abonojn de CSV-dosiero',\n\t follows_imported: 'Abonoj enportiĝis! Traktado daŭros iom.',\n\t follow_import_error: 'Eraro enportante abonojn'\n\t },\n\t notifications: {\n\t notifications: 'Sciigoj',\n\t read: 'Legita!',\n\t followed_you: 'ekabonis vin',\n\t favorited_you: 'ŝatis vian staton',\n\t repeated_you: 'ripetis vian staton'\n\t },\n\t login: {\n\t login: 'Saluti',\n\t username: 'Salutnomo',\n\t placeholder: 'ekz. lain',\n\t password: 'Pasvorto',\n\t register: 'Registriĝi',\n\t logout: 'Adiaŭi'\n\t },\n\t registration: {\n\t registration: 'Registriĝo',\n\t fullname: 'Vidiga nomo',\n\t email: 'Retpoŝtadreso',\n\t bio: 'Prio',\n\t password_confirm: 'Konfirmo de pasvorto'\n\t },\n\t post_status: {\n\t posting: 'Afiŝanta',\n\t default: 'Ĵus alvenis la universalan kongreson!'\n\t },\n\t finder: {\n\t find_user: 'Trovi uzulon',\n\t error_fetching_user: 'Eraro alportante uzulon'\n\t },\n\t general: {\n\t submit: 'Sendi',\n\t apply: 'Apliki'\n\t },\n\t user_profile: {\n\t timeline_title: 'Uzula tempovido'\n\t }\n\t};\n\t\n\tvar et = {\n\t nav: {\n\t timeline: 'Ajajoon',\n\t mentions: 'Mainimised',\n\t public_tl: 'Avalik Ajajoon',\n\t twkn: 'Kogu Teadaolev Võrgustik'\n\t },\n\t user_card: {\n\t follows_you: 'Jälgib sind!',\n\t following: 'Jälgin!',\n\t follow: 'Jälgi',\n\t blocked: 'Blokeeritud!',\n\t block: 'Blokeeri',\n\t statuses: 'Staatuseid',\n\t mute: 'Vaigista',\n\t muted: 'Vaigistatud',\n\t followers: 'Jälgijaid',\n\t followees: 'Jälgitavaid',\n\t per_day: 'päevas'\n\t },\n\t timeline: {\n\t show_new: 'Näita uusi',\n\t error_fetching: 'Viga uuenduste laadimisel',\n\t up_to_date: 'Uuendatud',\n\t load_older: 'Kuva vanemaid staatuseid',\n\t conversation: 'Vestlus'\n\t },\n\t settings: {\n\t user_settings: 'Kasutaja sätted',\n\t name_bio: 'Nimi ja Bio',\n\t name: 'Nimi',\n\t bio: 'Bio',\n\t avatar: 'Profiilipilt',\n\t current_avatar: 'Sinu praegune profiilipilt',\n\t set_new_avatar: 'Vali uus profiilipilt',\n\t profile_banner: 'Profiilibänner',\n\t current_profile_banner: 'Praegune profiilibänner',\n\t set_new_profile_banner: 'Vali uus profiilibänner',\n\t profile_background: 'Profiilitaust',\n\t set_new_profile_background: 'Vali uus profiilitaust',\n\t settings: 'Sätted',\n\t theme: 'Teema',\n\t filtering: 'Sisu filtreerimine',\n\t filtering_explanation: 'Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.',\n\t attachments: 'Manused',\n\t hide_attachments_in_tl: 'Peida manused ajajoonel',\n\t hide_attachments_in_convo: 'Peida manused vastlustes',\n\t nsfw_clickthrough: 'Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha',\n\t autoload: 'Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud',\n\t reply_link_preview: 'Luba algpostituse kuvamine vastustes'\n\t },\n\t notifications: {\n\t notifications: 'Teavitused',\n\t read: 'Loe!',\n\t followed_you: 'alustas sinu jälgimist'\n\t },\n\t login: {\n\t login: 'Logi sisse',\n\t username: 'Kasutajanimi',\n\t placeholder: 'nt lain',\n\t password: 'Parool',\n\t register: 'Registreeru',\n\t logout: 'Logi välja'\n\t },\n\t registration: {\n\t registration: 'Registreerimine',\n\t fullname: 'Kuvatav nimi',\n\t email: 'E-post',\n\t bio: 'Bio',\n\t password_confirm: 'Parooli kinnitamine'\n\t },\n\t post_status: {\n\t posting: 'Postitan',\n\t default: 'Just sõitsin elektrirongiga Tallinnast Pääskülla.'\n\t },\n\t finder: {\n\t find_user: 'Otsi kasutajaid',\n\t error_fetching_user: 'Viga kasutaja leidmisel'\n\t },\n\t general: {\n\t submit: 'Postita'\n\t }\n\t};\n\t\n\tvar hu = {\n\t nav: {\n\t timeline: 'Idővonal',\n\t mentions: 'Említéseim',\n\t public_tl: 'Publikus Idővonal',\n\t twkn: 'Az Egész Ismert Hálózat'\n\t },\n\t user_card: {\n\t follows_you: 'Követ téged!',\n\t following: 'Követve!',\n\t follow: 'Követ',\n\t blocked: 'Letiltva!',\n\t block: 'Letilt',\n\t statuses: 'Állapotok',\n\t mute: 'Némít',\n\t muted: 'Némított',\n\t followers: 'Követők',\n\t followees: 'Követettek',\n\t per_day: 'naponta'\n\t },\n\t timeline: {\n\t show_new: 'Újak mutatása',\n\t error_fetching: 'Hiba a frissítések beszerzésénél',\n\t up_to_date: 'Naprakész',\n\t load_older: 'Régebbi állapotok betöltése',\n\t conversation: 'Társalgás'\n\t },\n\t settings: {\n\t user_settings: 'Felhasználói beállítások',\n\t name_bio: 'Név és Bio',\n\t name: 'Név',\n\t bio: 'Bio',\n\t avatar: 'Avatár',\n\t current_avatar: 'Jelenlegi avatár',\n\t set_new_avatar: 'Új avatár',\n\t profile_banner: 'Profil Banner',\n\t current_profile_banner: 'Jelenlegi profil banner',\n\t set_new_profile_banner: 'Új profil banner',\n\t profile_background: 'Profil háttérkép',\n\t set_new_profile_background: 'Új profil háttér beállítása',\n\t settings: 'Beállítások',\n\t theme: 'Téma',\n\t filtering: 'Szűrés',\n\t filtering_explanation: 'Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy',\n\t attachments: 'Csatolmányok',\n\t hide_attachments_in_tl: 'Csatolmányok elrejtése az idővonalon',\n\t hide_attachments_in_convo: 'Csatolmányok elrejtése a társalgásokban',\n\t nsfw_clickthrough: 'NSFW átkattintási tartalom elrejtésének engedélyezése',\n\t autoload: 'Autoatikus betöltés engedélyezése lap aljára görgetéskor',\n\t reply_link_preview: 'Válasz-link előzetes mutatása egér rátételkor'\n\t },\n\t notifications: {\n\t notifications: 'Értesítések',\n\t read: 'Olvasva!',\n\t followed_you: 'követ téged'\n\t },\n\t login: {\n\t login: 'Bejelentkezés',\n\t username: 'Felhasználó név',\n\t placeholder: 'e.g. lain',\n\t password: 'Jelszó',\n\t register: 'Feliratkozás',\n\t logout: 'Kijelentkezés'\n\t },\n\t registration: {\n\t registration: 'Feliratkozás',\n\t fullname: 'Teljes név',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Jelszó megerősítése'\n\t },\n\t post_status: {\n\t posting: 'Küldés folyamatban',\n\t default: 'Most érkeztem L.A.-be'\n\t },\n\t finder: {\n\t find_user: 'Felhasználó keresése',\n\t error_fetching_user: 'Hiba felhasználó beszerzésével'\n\t },\n\t general: {\n\t submit: 'Elküld'\n\t }\n\t};\n\t\n\tvar ro = {\n\t nav: {\n\t timeline: 'Cronologie',\n\t mentions: 'Menționări',\n\t public_tl: 'Cronologie Publică',\n\t twkn: 'Toată Reșeaua Cunoscută'\n\t },\n\t user_card: {\n\t follows_you: 'Te urmărește!',\n\t following: 'Urmărit!',\n\t follow: 'Urmărește',\n\t blocked: 'Blocat!',\n\t block: 'Blochează',\n\t statuses: 'Stări',\n\t mute: 'Pune pe mut',\n\t muted: 'Pus pe mut',\n\t followers: 'Următori',\n\t followees: 'Urmărește',\n\t per_day: 'pe zi'\n\t },\n\t timeline: {\n\t show_new: 'Arată cele noi',\n\t error_fetching: 'Erare la preluarea actualizărilor',\n\t up_to_date: 'La zi',\n\t load_older: 'Încarcă stări mai vechi',\n\t conversation: 'Conversație'\n\t },\n\t settings: {\n\t user_settings: 'Setările utilizatorului',\n\t name_bio: 'Nume și Bio',\n\t name: 'Nume',\n\t bio: 'Bio',\n\t avatar: 'Avatar',\n\t current_avatar: 'Avatarul curent',\n\t set_new_avatar: 'Setează avatar nou',\n\t profile_banner: 'Banner de profil',\n\t current_profile_banner: 'Bannerul curent al profilului',\n\t set_new_profile_banner: 'Setează banner nou la profil',\n\t profile_background: 'Fundalul de profil',\n\t set_new_profile_background: 'Setează fundal nou',\n\t settings: 'Setări',\n\t theme: 'Temă',\n\t filtering: 'Filtru',\n\t filtering_explanation: 'Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie',\n\t attachments: 'Atașamente',\n\t hide_attachments_in_tl: 'Ascunde atașamentele în cronologie',\n\t hide_attachments_in_convo: 'Ascunde atașamentele în conversații',\n\t nsfw_clickthrough: 'Permite ascunderea al atașamentelor NSFW',\n\t autoload: 'Permite încărcarea automată când scrolat la capăt',\n\t reply_link_preview: 'Permite previzualizarea linkului de răspuns la planarea de mouse'\n\t },\n\t notifications: {\n\t notifications: 'Notificări',\n\t read: 'Citit!',\n\t followed_you: 'te-a urmărit'\n\t },\n\t login: {\n\t login: 'Loghează',\n\t username: 'Nume utilizator',\n\t placeholder: 'd.e. lain',\n\t password: 'Parolă',\n\t register: 'Înregistrare',\n\t logout: 'Deloghează'\n\t },\n\t registration: {\n\t registration: 'Îregistrare',\n\t fullname: 'Numele întreg',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Cofirmă parola'\n\t },\n\t post_status: {\n\t posting: 'Postează',\n\t default: 'Nu de mult am aterizat în L.A.'\n\t },\n\t finder: {\n\t find_user: 'Găsește utilizator',\n\t error_fetching_user: 'Eroare la preluarea utilizatorului'\n\t },\n\t general: {\n\t submit: 'trimite'\n\t }\n\t};\n\t\n\tvar ja = {\n\t chat: {\n\t title: 'チャット'\n\t },\n\t nav: {\n\t chat: 'ローカルチャット',\n\t timeline: 'タイムライン',\n\t mentions: 'メンション',\n\t public_tl: '公開タイムライン',\n\t twkn: '接続しているすべてのネットワーク'\n\t },\n\t user_card: {\n\t follows_you: 'フォローされました!',\n\t following: 'フォロー中!',\n\t follow: 'フォロー',\n\t blocked: 'ブロック済み!',\n\t block: 'ブロック',\n\t statuses: '投稿',\n\t mute: 'ミュート',\n\t muted: 'ミュート済み',\n\t followers: 'フォロワー',\n\t followees: 'フォロー',\n\t per_day: '/日',\n\t remote_follow: 'リモートフォロー'\n\t },\n\t timeline: {\n\t show_new: '更新',\n\t error_fetching: '更新の取得中にエラーが発生しました。',\n\t up_to_date: '最新',\n\t load_older: '古い投稿を読み込む',\n\t conversation: '会話',\n\t collapse: '折り畳む',\n\t repeated: 'リピート'\n\t },\n\t settings: {\n\t user_settings: 'ユーザー設定',\n\t name_bio: '名前とプロフィール',\n\t name: '名前',\n\t bio: 'プロフィール',\n\t avatar: 'アバター',\n\t current_avatar: 'あなたの現在のアバター',\n\t set_new_avatar: '新しいアバターを設定する',\n\t profile_banner: 'プロフィールバナー',\n\t current_profile_banner: '現在のプロフィールバナー',\n\t set_new_profile_banner: '新しいプロフィールバナーを設定する',\n\t profile_background: 'プロフィールの背景',\n\t set_new_profile_background: '新しいプロフィールの背景を設定する',\n\t settings: '設定',\n\t theme: 'テーマ',\n\t presets: 'プリセット',\n\t theme_help: '16進数カラーコード (#aabbcc) を使用してカラーテーマをカスタマイズ出来ます。',\n\t radii_help: 'インターフェースの縁の丸さを設定する。',\n\t background: '背景',\n\t foreground: '前景',\n\t text: '文字',\n\t links: 'リンク',\n\t cBlue: '青 (返信, フォロー)',\n\t cRed: '赤 (キャンセル)',\n\t cOrange: 'オレンジ (お気に入り)',\n\t cGreen: '緑 (リツイート)',\n\t btnRadius: 'ボタン',\n\t panelRadius: 'パネル',\n\t avatarRadius: 'アバター',\n\t avatarAltRadius: 'アバター (通知)',\n\t tooltipRadius: 'ツールチップ/アラート',\n\t attachmentRadius: 'ファイル',\n\t filtering: 'フィルタリング',\n\t filtering_explanation: 'これらの単語を含むすべてのものがミュートされます。1行に1つの単語を入力してください。',\n\t attachments: 'ファイル',\n\t hide_attachments_in_tl: 'タイムラインのファイルを隠す。',\n\t hide_attachments_in_convo: '会話の中のファイルを隠す。',\n\t nsfw_clickthrough: 'NSFWファイルの非表示を有効にする。',\n\t stop_gifs: 'カーソルを重ねた時にGIFを再生する。',\n\t autoload: '下にスクロールした時に自動で読み込むようにする。',\n\t streaming: '上までスクロールした時に自動でストリーミングされるようにする。',\n\t reply_link_preview: 'マウスカーソルを重ねた時に返信のプレビューを表示するようにする。',\n\t follow_import: 'フォローインポート',\n\t import_followers_from_a_csv_file: 'CSVファイルからフォローをインポートする。',\n\t follows_imported: 'フォローがインポートされました!処理に少し時間がかかるかもしれません。',\n\t follow_import_error: 'フォロワーのインポート中にエラーが発生しました。'\n\t },\n\t notifications: {\n\t notifications: '通知',\n\t read: '読んだ!',\n\t followed_you: 'フォローされました',\n\t favorited_you: 'あなたの投稿がお気に入りされました',\n\t repeated_you: 'あなたの投稿がリピートされました'\n\t },\n\t login: {\n\t login: 'ログイン',\n\t username: 'ユーザー名',\n\t placeholder: '例えば lain',\n\t password: 'パスワード',\n\t register: '登録',\n\t logout: 'ログアウト'\n\t },\n\t registration: {\n\t registration: '登録',\n\t fullname: '表示名',\n\t email: 'Eメール',\n\t bio: 'プロフィール',\n\t password_confirm: 'パスワードの確認'\n\t },\n\t post_status: {\n\t posting: '投稿',\n\t default: 'ちょうどL.A.に着陸しました。'\n\t },\n\t finder: {\n\t find_user: 'ユーザー検索',\n\t error_fetching_user: 'ユーザー検索でエラーが発生しました'\n\t },\n\t general: {\n\t submit: '送信',\n\t apply: '適用'\n\t },\n\t user_profile: {\n\t timeline_title: 'ユーザータイムライン'\n\t }\n\t};\n\t\n\tvar fr = {\n\t nav: {\n\t chat: 'Chat local',\n\t timeline: 'Journal',\n\t mentions: 'Notifications',\n\t public_tl: 'Statuts locaux',\n\t twkn: 'Le réseau connu'\n\t },\n\t user_card: {\n\t follows_you: 'Vous suit !',\n\t following: 'Suivi !',\n\t follow: 'Suivre',\n\t blocked: 'Bloqué',\n\t block: 'Bloquer',\n\t statuses: 'Statuts',\n\t mute: 'Masquer',\n\t muted: 'Masqué',\n\t followers: 'Vous suivent',\n\t followees: 'Suivis',\n\t per_day: 'par jour',\n\t remote_follow: 'Suivre d\\'une autre instance'\n\t },\n\t timeline: {\n\t show_new: 'Afficher plus',\n\t error_fetching: 'Erreur en cherchant les mises à jour',\n\t up_to_date: 'À jour',\n\t load_older: 'Afficher plus',\n\t conversation: 'Conversation',\n\t collapse: 'Fermer',\n\t repeated: 'a partagé'\n\t },\n\t settings: {\n\t user_settings: 'Paramètres utilisateur',\n\t name_bio: 'Nom & Bio',\n\t name: 'Nom',\n\t bio: 'Biographie',\n\t avatar: 'Avatar',\n\t current_avatar: 'Avatar actuel',\n\t set_new_avatar: 'Changer d\\'avatar',\n\t profile_banner: 'Bannière de profil',\n\t current_profile_banner: 'Bannière de profil actuelle',\n\t set_new_profile_banner: 'Changer de bannière',\n\t profile_background: 'Image de fond',\n\t set_new_profile_background: 'Changer d\\'image de fond',\n\t settings: 'Paramètres',\n\t theme: 'Thème',\n\t filtering: 'Filtre',\n\t filtering_explanation: 'Tout les statuts contenant ces mots seront masqués. Un mot par ligne.',\n\t attachments: 'Pièces jointes',\n\t hide_attachments_in_tl: 'Masquer les pièces jointes dans le journal',\n\t hide_attachments_in_convo: 'Masquer les pièces jointes dans les conversations',\n\t nsfw_clickthrough: 'Masquer les images marquées comme contenu adulte ou sensible',\n\t autoload: 'Charger la suite automatiquement une fois le bas de la page atteint',\n\t reply_link_preview: 'Afficher un aperçu lors du survol de liens vers une réponse',\n\t presets: 'Thèmes prédéfinis',\n\t theme_help: 'Spécifiez des codes couleur hexadécimaux (#aabbcc) pour personnaliser les couleurs du thème',\n\t background: 'Arrière plan',\n\t foreground: 'Premier plan',\n\t text: 'Texte',\n\t links: 'Liens',\n\t streaming: 'Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page',\n\t follow_import: 'Importer des abonnements',\n\t import_followers_from_a_csv_file: 'Importer des abonnements depuis un fichier csv',\n\t follows_imported: 'Abonnements importés ! Le traitement peut prendre un moment.',\n\t follow_import_error: 'Erreur lors de l\\'importation des abonnements.',\n\t follow_export: 'Exporter les abonnements',\n\t follow_export_button: 'Exporter les abonnements en csv',\n\t follow_export_processing: 'Exportation en cours...',\n\t cBlue: 'Bleu (Répondre, suivre)',\n\t cRed: 'Rouge (Annuler)',\n\t cOrange: 'Orange (Aimer)',\n\t cGreen: 'Vert (Partager)',\n\t btnRadius: 'Boutons',\n\t panelRadius: 'Fenêtres',\n\t inputRadius: 'Champs de texte',\n\t avatarRadius: 'Avatars',\n\t avatarAltRadius: 'Avatars (Notifications)',\n\t tooltipRadius: 'Info-bulles/alertes ',\n\t attachmentRadius: 'Pièces jointes',\n\t radii_help: 'Vous pouvez ici choisir le niveau d\\'arrondi des angles de l\\'interface (en pixels)',\n\t stop_gifs: 'N\\'animer les GIFS que lors du survol du curseur de la souris',\n\t change_password: 'Modifier son mot de passe',\n\t current_password: 'Mot de passe actuel',\n\t new_password: 'Nouveau mot de passe',\n\t confirm_new_password: 'Confirmation du nouveau mot de passe',\n\t delete_account: 'Supprimer le compte',\n\t delete_account_description: 'Supprimer définitivement votre compte et tous vos statuts.',\n\t delete_account_instructions: 'Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.',\n\t delete_account_error: 'Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l\\'administrateur de cette instance.'\n\t },\n\t notifications: {\n\t notifications: 'Notifications',\n\t read: 'Lu !',\n\t followed_you: 'a commencé à vous suivre',\n\t favorited_you: 'a aimé votre statut',\n\t repeated_you: 'a partagé votre statut'\n\t },\n\t login: {\n\t login: 'Connexion',\n\t username: 'Identifiant',\n\t placeholder: 'p.e. lain',\n\t password: 'Mot de passe',\n\t register: 'S\\'inscrire',\n\t logout: 'Déconnexion'\n\t },\n\t registration: {\n\t registration: 'Inscription',\n\t fullname: 'Pseudonyme',\n\t email: 'Adresse email',\n\t bio: 'Biographie',\n\t password_confirm: 'Confirmation du mot de passe'\n\t },\n\t post_status: {\n\t posting: 'Envoi en cours',\n\t default: 'Écrivez ici votre prochain statut.'\n\t },\n\t finder: {\n\t find_user: 'Chercher un utilisateur',\n\t error_fetching_user: 'Erreur lors de la recherche de l\\'utilisateur'\n\t },\n\t general: {\n\t submit: 'Envoyer',\n\t apply: 'Appliquer'\n\t },\n\t user_profile: {\n\t timeline_title: 'Journal de l\\'utilisateur'\n\t }\n\t};\n\t\n\tvar it = {\n\t nav: {\n\t timeline: 'Sequenza temporale',\n\t mentions: 'Menzioni',\n\t public_tl: 'Sequenza temporale pubblica',\n\t twkn: 'L\\'intiera rete conosciuta'\n\t },\n\t user_card: {\n\t follows_you: 'Ti segue!',\n\t following: 'Lo stai seguendo!',\n\t follow: 'Segui',\n\t statuses: 'Messaggi',\n\t mute: 'Ammutolisci',\n\t muted: 'Ammutoliti',\n\t followers: 'Chi ti segue',\n\t followees: 'Chi stai seguendo',\n\t per_day: 'al giorno'\n\t },\n\t timeline: {\n\t show_new: 'Mostra nuovi',\n\t error_fetching: 'Errori nel prelievo aggiornamenti',\n\t up_to_date: 'Aggiornato',\n\t load_older: 'Carica messaggi più vecchi'\n\t },\n\t settings: {\n\t user_settings: 'Configurazione dell\\'utente',\n\t name_bio: 'Nome & Introduzione',\n\t name: 'Nome',\n\t bio: 'Introduzione',\n\t avatar: 'Avatar',\n\t current_avatar: 'Il tuo attuale avatar',\n\t set_new_avatar: 'Scegli un nuovo avatar',\n\t profile_banner: 'Sfondo del tuo profilo',\n\t current_profile_banner: 'Sfondo attuale',\n\t set_new_profile_banner: 'Scegli un nuovo sfondo per il tuo profilo',\n\t profile_background: 'Sfondo della tua pagina',\n\t set_new_profile_background: 'Scegli un nuovo sfondo per la tua pagina',\n\t settings: 'Settaggi',\n\t theme: 'Tema',\n\t filtering: 'Filtri',\n\t filtering_explanation: 'Filtra via le notifiche che contengono le seguenti parole (inserisci rigo per rigo le parole di innesco)',\n\t attachments: 'Allegati',\n\t hide_attachments_in_tl: 'Nascondi gli allegati presenti nella sequenza temporale',\n\t hide_attachments_in_convo: 'Nascondi gli allegati presenti nelle conversazioni',\n\t nsfw_clickthrough: 'Abilita la trasparenza degli allegati NSFW',\n\t autoload: 'Abilita caricamento automatico quando si raggiunge il fondo schermo',\n\t reply_link_preview: 'Ability il reply-link preview al passaggio del mouse'\n\t },\n\t notifications: {\n\t notifications: 'Notifiche',\n\t read: 'Leggi!',\n\t followed_you: 'ti ha seguito'\n\t },\n\t general: {\n\t submit: 'Invia'\n\t }\n\t};\n\t\n\tvar oc = {\n\t chat: {\n\t title: 'Messatjariá'\n\t },\n\t nav: {\n\t chat: 'Chat local',\n\t timeline: 'Flux d’actualitat',\n\t mentions: 'Notificacions',\n\t public_tl: 'Estatuts locals',\n\t twkn: 'Lo malhum conegut'\n\t },\n\t user_card: {\n\t follows_you: 'Vos sèc !',\n\t following: 'Seguit !',\n\t follow: 'Seguir',\n\t blocked: 'Blocat',\n\t block: 'Blocar',\n\t statuses: 'Estatuts',\n\t mute: 'Amagar',\n\t muted: 'Amagat',\n\t followers: 'Seguidors',\n\t followees: 'Abonaments',\n\t per_day: 'per jorn',\n\t remote_follow: 'Seguir a distància'\n\t },\n\t timeline: {\n\t show_new: 'Ne veire mai',\n\t error_fetching: 'Error en cercant de mesas a jorn',\n\t up_to_date: 'A jorn',\n\t load_older: 'Ne veire mai',\n\t conversation: 'Conversacion',\n\t collapse: 'Tampar',\n\t repeated: 'repetit'\n\t },\n\t settings: {\n\t user_settings: 'Paramètres utilizaire',\n\t name_bio: 'Nom & Bio',\n\t name: 'Nom',\n\t bio: 'Biografia',\n\t avatar: 'Avatar',\n\t current_avatar: 'Vòstre avatar actual',\n\t set_new_avatar: 'Cambiar l’avatar',\n\t profile_banner: 'Bandièra del perfil',\n\t current_profile_banner: 'Bandièra actuala del perfil',\n\t set_new_profile_banner: 'Cambiar de bandièra',\n\t profile_background: 'Imatge de fons',\n\t set_new_profile_background: 'Cambiar l’imatge de fons',\n\t settings: 'Paramètres',\n\t theme: 'Tèma',\n\t presets: 'Pre-enregistrats',\n\t theme_help: 'Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.',\n\t radii_help: 'Configurar los caires arredondits de l’interfàcia (en pixèls)',\n\t background: 'Rèire plan',\n\t foreground: 'Endavant',\n\t text: 'Tèxte',\n\t links: 'Ligams',\n\t cBlue: 'Blau (Respondre, seguir)',\n\t cRed: 'Roge (Anullar)',\n\t cOrange: 'Irange (Metre en favorit)',\n\t cGreen: 'Verd (Repartajar)',\n\t inputRadius: 'Camps tèxte',\n\t btnRadius: 'Botons',\n\t panelRadius: 'Panèls',\n\t avatarRadius: 'Avatars',\n\t avatarAltRadius: 'Avatars (Notificacions)',\n\t tooltipRadius: 'Astúcias/Alèrta',\n\t attachmentRadius: 'Pèças juntas',\n\t filtering: 'Filtre',\n\t filtering_explanation: 'Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha.',\n\t attachments: 'Pèças juntas',\n\t hide_attachments_in_tl: 'Rescondre las pèças juntas',\n\t hide_attachments_in_convo: 'Rescondre las pèças juntas dins las conversacions',\n\t nsfw_clickthrough: 'Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles',\n\t stop_gifs: 'Lançar los GIFs al subrevòl',\n\t autoload: 'Activar lo cargament automatic un còp arribat al cap de la pagina',\n\t streaming: 'Activar lo cargament automatic dels novèls estatus en anar amont',\n\t reply_link_preview: 'Activar l’apercebut en passar la mirga',\n\t follow_import: 'Importar los abonaments',\n\t import_followers_from_a_csv_file: 'Importar los seguidors d’un fichièr csv',\n\t follows_imported: 'Seguidors importats. Lo tractament pòt trigar una estona.',\n\t follow_import_error: 'Error en important los seguidors'\n\t },\n\t notifications: {\n\t notifications: 'Notficacions',\n\t read: 'Legit !',\n\t followed_you: 'vos sèc',\n\t favorited_you: 'a aimat vòstre estatut',\n\t repeated_you: 'a repetit your vòstre estatut'\n\t },\n\t login: {\n\t login: 'Connexion',\n\t username: 'Nom d’utilizaire',\n\t placeholder: 'e.g. lain',\n\t password: 'Senhal',\n\t register: 'Se marcar',\n\t logout: 'Desconnexion'\n\t },\n\t registration: {\n\t registration: 'Inscripcion',\n\t fullname: 'Nom complèt',\n\t email: 'Adreça de corrièl',\n\t bio: 'Biografia',\n\t password_confirm: 'Confirmar lo senhal'\n\t },\n\t post_status: {\n\t posting: 'Mandadís',\n\t default: 'Escrivètz aquí vòstre estatut.'\n\t },\n\t finder: {\n\t find_user: 'Cercar un utilizaire',\n\t error_fetching_user: 'Error pendent la recèrca d’un utilizaire'\n\t },\n\t general: {\n\t submit: 'Mandar',\n\t apply: 'Aplicar'\n\t },\n\t user_profile: {\n\t timeline_title: 'Flux utilizaire'\n\t }\n\t};\n\t\n\tvar pl = {\n\t chat: {\n\t title: 'Czat'\n\t },\n\t nav: {\n\t chat: 'Lokalny czat',\n\t timeline: 'Oś czasu',\n\t mentions: 'Wzmianki',\n\t public_tl: 'Publiczna oś czasu',\n\t twkn: 'Cała znana sieć'\n\t },\n\t user_card: {\n\t follows_you: 'Obserwuje cię!',\n\t following: 'Obserwowany!',\n\t follow: 'Obserwuj',\n\t blocked: 'Zablokowany!',\n\t block: 'Zablokuj',\n\t statuses: 'Statusy',\n\t mute: 'Wycisz',\n\t muted: 'Wyciszony',\n\t followers: 'Obserwujący',\n\t followees: 'Obserwowani',\n\t per_day: 'dziennie',\n\t remote_follow: 'Zdalna obserwacja'\n\t },\n\t timeline: {\n\t show_new: 'Pokaż nowe',\n\t error_fetching: 'Błąd pobierania',\n\t up_to_date: 'Na bieżąco',\n\t load_older: 'Załaduj starsze statusy',\n\t conversation: 'Rozmowa',\n\t collapse: 'Zwiń',\n\t repeated: 'powtórzono'\n\t },\n\t settings: {\n\t user_settings: 'Ustawienia użytkownika',\n\t name_bio: 'Imię i bio',\n\t name: 'Imię',\n\t bio: 'Bio',\n\t avatar: 'Awatar',\n\t current_avatar: 'Twój obecny awatar',\n\t set_new_avatar: 'Ustaw nowy awatar',\n\t profile_banner: 'Banner profilu',\n\t current_profile_banner: 'Twój obecny banner profilu',\n\t set_new_profile_banner: 'Ustaw nowy banner profilu',\n\t profile_background: 'Tło profilu',\n\t set_new_profile_background: 'Ustaw nowe tło profilu',\n\t settings: 'Ustawienia',\n\t theme: 'Motyw',\n\t presets: 'Gotowe motywy',\n\t theme_help: 'Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.',\n\t radii_help: 'Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)',\n\t background: 'Tło',\n\t foreground: 'Pierwszy plan',\n\t text: 'Tekst',\n\t links: 'Łącza',\n\t cBlue: 'Niebieski (odpowiedz, obserwuj)',\n\t cRed: 'Czerwony (anuluj)',\n\t cOrange: 'Pomarańczowy (ulubione)',\n\t cGreen: 'Zielony (powtórzenia)',\n\t btnRadius: 'Przyciski',\n\t inputRadius: 'Pola tekstowe',\n\t panelRadius: 'Panele',\n\t avatarRadius: 'Awatary',\n\t avatarAltRadius: 'Awatary (powiadomienia)',\n\t tooltipRadius: 'Etykiety/alerty',\n\t attachmentRadius: 'Załączniki',\n\t filtering: 'Filtrowanie',\n\t filtering_explanation: 'Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.',\n\t attachments: 'Załączniki',\n\t hide_attachments_in_tl: 'Ukryj załączniki w osi czasu',\n\t hide_attachments_in_convo: 'Ukryj załączniki w rozmowach',\n\t nsfw_clickthrough: 'Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)',\n\t stop_gifs: 'Odtwarzaj GIFy po najechaniu kursorem',\n\t autoload: 'Włącz automatyczne ładowanie po przewinięciu do końca strony',\n\t streaming: 'Włącz automatycznie strumieniowanie nowych postów gdy na początku strony',\n\t reply_link_preview: 'Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi',\n\t follow_import: 'Import obserwowanych',\n\t import_followers_from_a_csv_file: 'Importuj obserwowanych z pliku CSV',\n\t follows_imported: 'Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.',\n\t follow_import_error: 'Błąd przy importowaniu obserwowanych',\n\t delete_account: 'Usuń konto',\n\t delete_account_description: 'Trwale usuń konto i wszystkie posty.',\n\t delete_account_instructions: 'Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.',\n\t delete_account_error: 'Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.',\n\t follow_export: 'Eksport obserwowanych',\n\t follow_export_processing: 'Przetwarzanie, wkrótce twój plik zacznie się ściągać.',\n\t follow_export_button: 'Eksportuj swoją listę obserwowanych do pliku CSV',\n\t change_password: 'Zmień hasło',\n\t current_password: 'Obecne hasło',\n\t new_password: 'Nowe hasło',\n\t confirm_new_password: 'Potwierdź nowe hasło',\n\t changed_password: 'Hasło zmienione poprawnie!',\n\t change_password_error: 'Podczas zmiany hasła wystąpił problem.'\n\t },\n\t notifications: {\n\t notifications: 'Powiadomienia',\n\t read: 'Przeczytane!',\n\t followed_you: 'obserwuje cię',\n\t favorited_you: 'dodał twój status do ulubionych',\n\t repeated_you: 'powtórzył twój status'\n\t },\n\t login: {\n\t login: 'Zaloguj',\n\t username: 'Użytkownik',\n\t placeholder: 'n.p. lain',\n\t password: 'Hasło',\n\t register: 'Zarejestruj',\n\t logout: 'Wyloguj'\n\t },\n\t registration: {\n\t registration: 'Rejestracja',\n\t fullname: 'Wyświetlana nazwa profilu',\n\t email: 'Email',\n\t bio: 'Bio',\n\t password_confirm: 'Potwierdzenie hasła'\n\t },\n\t post_status: {\n\t posting: 'Wysyłanie',\n\t default: 'Właśnie wróciłem z kościoła'\n\t },\n\t finder: {\n\t find_user: 'Znajdź użytkownika',\n\t error_fetching_user: 'Błąd przy pobieraniu profilu'\n\t },\n\t general: {\n\t submit: 'Wyślij',\n\t apply: 'Zastosuj'\n\t },\n\t user_profile: {\n\t timeline_title: 'Oś czasu użytkownika'\n\t }\n\t};\n\t\n\tvar es = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Chat Local',\n\t timeline: 'Línea Temporal',\n\t mentions: 'Menciones',\n\t public_tl: 'Línea Temporal Pública',\n\t twkn: 'Toda La Red Conocida'\n\t },\n\t user_card: {\n\t follows_you: '¡Te sigue!',\n\t following: '¡Siguiendo!',\n\t follow: 'Seguir',\n\t blocked: '¡Bloqueado!',\n\t block: 'Bloquear',\n\t statuses: 'Estados',\n\t mute: 'Silenciar',\n\t muted: 'Silenciado',\n\t followers: 'Seguidores',\n\t followees: 'Siguiendo',\n\t per_day: 'por día',\n\t remote_follow: 'Seguir'\n\t },\n\t timeline: {\n\t show_new: 'Mostrar lo nuevo',\n\t error_fetching: 'Error al cargar las actualizaciones',\n\t up_to_date: 'Actualizado',\n\t load_older: 'Cargar actualizaciones anteriores',\n\t conversation: 'Conversación'\n\t },\n\t settings: {\n\t user_settings: 'Ajustes de Usuario',\n\t name_bio: 'Nombre y Biografía',\n\t name: 'Nombre',\n\t bio: 'Biografía',\n\t avatar: 'Avatar',\n\t current_avatar: 'Tu avatar actual',\n\t set_new_avatar: 'Cambiar avatar',\n\t profile_banner: 'Cabecera del perfil',\n\t current_profile_banner: 'Cabecera actual',\n\t set_new_profile_banner: 'Cambiar cabecera',\n\t profile_background: 'Fondo del Perfil',\n\t set_new_profile_background: 'Cambiar fondo del perfil',\n\t settings: 'Ajustes',\n\t theme: 'Tema',\n\t presets: 'Por defecto',\n\t theme_help: 'Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.',\n\t background: 'Segundo plano',\n\t foreground: 'Primer plano',\n\t text: 'Texto',\n\t links: 'Links',\n\t filtering: 'Filtros',\n\t filtering_explanation: 'Todos los estados que contengan estas palabras serán silenciados, una por línea',\n\t attachments: 'Adjuntos',\n\t hide_attachments_in_tl: 'Ocultar adjuntos en la línea temporal',\n\t hide_attachments_in_convo: 'Ocultar adjuntos en las conversaciones',\n\t nsfw_clickthrough: 'Activar el clic para ocultar los adjuntos NSFW',\n\t autoload: 'Activar carga automática al llegar al final de la página',\n\t streaming: 'Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior',\n\t reply_link_preview: 'Activar la previsualización del enlace de responder al pasar el ratón por encima',\n\t follow_import: 'Importar personas que tú sigues',\n\t import_followers_from_a_csv_file: 'Importar personas que tú sigues apartir de un archivo csv',\n\t follows_imported: '¡Importado! Procesarlos llevará tiempo.',\n\t follow_import_error: 'Error al importal el archivo'\n\t },\n\t notifications: {\n\t notifications: 'Notificaciones',\n\t read: '¡Leído!',\n\t followed_you: 'empezó a seguirte'\n\t },\n\t login: {\n\t login: 'Identificación',\n\t username: 'Usuario',\n\t placeholder: 'p.ej. lain',\n\t password: 'Contraseña',\n\t register: 'Registrar',\n\t logout: 'Salir'\n\t },\n\t registration: {\n\t registration: 'Registro',\n\t fullname: 'Nombre a mostrar',\n\t email: 'Correo electrónico',\n\t bio: 'Biografía',\n\t password_confirm: 'Confirmación de contraseña'\n\t },\n\t post_status: {\n\t posting: 'Publicando',\n\t default: 'Acabo de aterrizar en L.A.'\n\t },\n\t finder: {\n\t find_user: 'Encontrar usuario',\n\t error_fetching_user: 'Error al buscar usuario'\n\t },\n\t general: {\n\t submit: 'Enviar',\n\t apply: 'Aplicar'\n\t }\n\t};\n\t\n\tvar pt = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Chat Local',\n\t timeline: 'Linha do tempo',\n\t mentions: 'Menções',\n\t public_tl: 'Linha do tempo pública',\n\t twkn: 'Toda a rede conhecida'\n\t },\n\t user_card: {\n\t follows_you: 'Segue você!',\n\t following: 'Seguindo!',\n\t follow: 'Seguir',\n\t blocked: 'Bloqueado!',\n\t block: 'Bloquear',\n\t statuses: 'Postagens',\n\t mute: 'Silenciar',\n\t muted: 'Silenciado',\n\t followers: 'Seguidores',\n\t followees: 'Seguindo',\n\t per_day: 'por dia',\n\t remote_follow: 'Seguidor Remoto'\n\t },\n\t timeline: {\n\t show_new: 'Mostrar novas',\n\t error_fetching: 'Erro buscando atualizações',\n\t up_to_date: 'Atualizado',\n\t load_older: 'Carregar postagens antigas',\n\t conversation: 'Conversa'\n\t },\n\t settings: {\n\t user_settings: 'Configurações de Usuário',\n\t name_bio: 'Nome & Biografia',\n\t name: 'Nome',\n\t bio: 'Biografia',\n\t avatar: 'Avatar',\n\t current_avatar: 'Seu avatar atual',\n\t set_new_avatar: 'Alterar avatar',\n\t profile_banner: 'Capa de perfil',\n\t current_profile_banner: 'Sua capa de perfil atual',\n\t set_new_profile_banner: 'Alterar capa de perfil',\n\t profile_background: 'Plano de fundo de perfil',\n\t set_new_profile_background: 'Alterar o plano de fundo de perfil',\n\t settings: 'Configurações',\n\t theme: 'Tema',\n\t presets: 'Predefinições',\n\t theme_help: 'Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.',\n\t background: 'Plano de Fundo',\n\t foreground: 'Primeiro Plano',\n\t text: 'Texto',\n\t links: 'Links',\n\t filtering: 'Filtragem',\n\t filtering_explanation: 'Todas as postagens contendo estas palavras serão silenciadas, uma por linha.',\n\t attachments: 'Anexos',\n\t hide_attachments_in_tl: 'Ocultar anexos na linha do tempo.',\n\t hide_attachments_in_convo: 'Ocultar anexos em conversas',\n\t nsfw_clickthrough: 'Habilitar clique para ocultar anexos NSFW',\n\t autoload: 'Habilitar carregamento automático quando a rolagem chegar ao fim.',\n\t streaming: 'Habilitar o fluxo automático de postagens quando ao topo da página',\n\t reply_link_preview: 'Habilitar a pré-visualização de link de respostas ao passar o mouse.',\n\t follow_import: 'Importar seguidas',\n\t import_followers_from_a_csv_file: 'Importe seguidores a partir de um arquivo CSV',\n\t follows_imported: 'Seguidores importados! O processamento pode demorar um pouco.',\n\t follow_import_error: 'Erro ao importar seguidores'\n\t },\n\t notifications: {\n\t notifications: 'Notificações',\n\t read: 'Ler!',\n\t followed_you: 'seguiu você'\n\t },\n\t login: {\n\t login: 'Entrar',\n\t username: 'Usuário',\n\t placeholder: 'p.e. lain',\n\t password: 'Senha',\n\t register: 'Registrar',\n\t logout: 'Sair'\n\t },\n\t registration: {\n\t registration: 'Registro',\n\t fullname: 'Nome para exibição',\n\t email: 'Correio eletrônico',\n\t bio: 'Biografia',\n\t password_confirm: 'Confirmação de senha'\n\t },\n\t post_status: {\n\t posting: 'Publicando',\n\t default: 'Acabo de aterrizar em L.A.'\n\t },\n\t finder: {\n\t find_user: 'Buscar usuário',\n\t error_fetching_user: 'Erro procurando usuário'\n\t },\n\t general: {\n\t submit: 'Enviar',\n\t apply: 'Aplicar'\n\t }\n\t};\n\t\n\tvar ru = {\n\t chat: {\n\t title: 'Чат'\n\t },\n\t nav: {\n\t chat: 'Локальный чат',\n\t timeline: 'Лента',\n\t mentions: 'Упоминания',\n\t public_tl: 'Публичная лента',\n\t twkn: 'Федеративная лента'\n\t },\n\t user_card: {\n\t follows_you: 'Читает вас',\n\t following: 'Читаю',\n\t follow: 'Читать',\n\t blocked: 'Заблокирован',\n\t block: 'Заблокировать',\n\t statuses: 'Статусы',\n\t mute: 'Игнорировать',\n\t muted: 'Игнорирую',\n\t followers: 'Читатели',\n\t followees: 'Читаемые',\n\t per_day: 'в день',\n\t remote_follow: 'Читать удалённо'\n\t },\n\t timeline: {\n\t show_new: 'Показать новые',\n\t error_fetching: 'Ошибка при обновлении',\n\t up_to_date: 'Обновлено',\n\t load_older: 'Загрузить старые статусы',\n\t conversation: 'Разговор',\n\t collapse: 'Свернуть',\n\t repeated: 'повторил(а)'\n\t },\n\t settings: {\n\t user_settings: 'Настройки пользователя',\n\t name_bio: 'Имя и описание',\n\t name: 'Имя',\n\t bio: 'Описание',\n\t avatar: 'Аватар',\n\t current_avatar: 'Текущий аватар',\n\t set_new_avatar: 'Загрузить новый аватар',\n\t profile_banner: 'Баннер профиля',\n\t current_profile_banner: 'Текущий баннер профиля',\n\t set_new_profile_banner: 'Загрузить новый баннер профиля',\n\t profile_background: 'Фон профиля',\n\t set_new_profile_background: 'Загрузить новый фон профиля',\n\t settings: 'Настройки',\n\t theme: 'Тема',\n\t presets: 'Пресеты',\n\t theme_help: 'Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.',\n\t radii_help: 'Округление краёв элементов интерфейса (в пикселях)',\n\t background: 'Фон',\n\t foreground: 'Передний план',\n\t text: 'Текст',\n\t links: 'Ссылки',\n\t cBlue: 'Ответить, читать',\n\t cRed: 'Отменить',\n\t cOrange: 'Нравится',\n\t cGreen: 'Повторить',\n\t btnRadius: 'Кнопки',\n\t inputRadius: 'Поля ввода',\n\t panelRadius: 'Панели',\n\t avatarRadius: 'Аватары',\n\t avatarAltRadius: 'Аватары в уведомлениях',\n\t tooltipRadius: 'Всплывающие подсказки/уведомления',\n\t attachmentRadius: 'Прикреплённые файлы',\n\t filtering: 'Фильтрация',\n\t filtering_explanation: 'Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке',\n\t attachments: 'Вложения',\n\t hide_attachments_in_tl: 'Прятать вложения в ленте',\n\t hide_attachments_in_convo: 'Прятать вложения в разговорах',\n\t stop_gifs: 'Проигрывать GIF анимации только при наведении',\n\t nsfw_clickthrough: 'Включить скрытие NSFW вложений',\n\t autoload: 'Включить автоматическую загрузку при прокрутке вниз',\n\t streaming: 'Включить автоматическую загрузку новых сообщений при прокрутке вверх',\n\t reply_link_preview: 'Включить предварительный просмотр ответа при наведении мыши',\n\t follow_import: 'Импортировать читаемых',\n\t import_followers_from_a_csv_file: 'Импортировать читаемых из файла .csv',\n\t follows_imported: 'Список читаемых импортирован. Обработка займёт некоторое время..',\n\t follow_import_error: 'Ошибка при импортировании читаемых.',\n\t delete_account: 'Удалить аккаунт',\n\t delete_account_description: 'Удалить ваш аккаунт и все ваши сообщения.',\n\t delete_account_instructions: 'Введите ваш пароль в поле ниже для подтверждения удаления.',\n\t delete_account_error: 'Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.',\n\t follow_export: 'Экспортировать читаемых',\n\t follow_export_processing: 'Ведётся обработка, скоро вам будет предложено загрузить файл',\n\t follow_export_button: 'Экспортировать читаемых в файл .csv',\n\t change_password: 'Сменить пароль',\n\t current_password: 'Текущий пароль',\n\t new_password: 'Новый пароль',\n\t confirm_new_password: 'Подтверждение нового пароля',\n\t changed_password: 'Пароль изменён успешно.',\n\t change_password_error: 'Произошла ошибка при попытке изменить пароль.'\n\t },\n\t notifications: {\n\t notifications: 'Уведомления',\n\t read: 'Прочесть',\n\t followed_you: 'начал(а) читать вас',\n\t favorited_you: 'нравится ваш статус',\n\t repeated_you: 'повторил(а) ваш статус'\n\t },\n\t login: {\n\t login: 'Войти',\n\t username: 'Имя пользователя',\n\t placeholder: 'e.c. lain',\n\t password: 'Пароль',\n\t register: 'Зарегистрироваться',\n\t logout: 'Выйти'\n\t },\n\t registration: {\n\t registration: 'Регистрация',\n\t fullname: 'Отображаемое имя',\n\t email: 'Email',\n\t bio: 'Описание',\n\t password_confirm: 'Подтверждение пароля'\n\t },\n\t post_status: {\n\t posting: 'Отправляется',\n\t default: 'Что нового?'\n\t },\n\t finder: {\n\t find_user: 'Найти пользователя',\n\t error_fetching_user: 'Пользователь не найден'\n\t },\n\t general: {\n\t submit: 'Отправить',\n\t apply: 'Применить'\n\t },\n\t user_profile: {\n\t timeline_title: 'Лента пользователя'\n\t }\n\t};\n\tvar nb = {\n\t chat: {\n\t title: 'Chat'\n\t },\n\t nav: {\n\t chat: 'Lokal Chat',\n\t timeline: 'Tidslinje',\n\t mentions: 'Nevnt',\n\t public_tl: 'Offentlig Tidslinje',\n\t twkn: 'Det hele kjente nettverket'\n\t },\n\t user_card: {\n\t follows_you: 'Følger deg!',\n\t following: 'Følger!',\n\t follow: 'Følg',\n\t blocked: 'Blokkert!',\n\t block: 'Blokker',\n\t statuses: 'Statuser',\n\t mute: 'Demp',\n\t muted: 'Dempet',\n\t followers: 'Følgere',\n\t followees: 'Følger',\n\t per_day: 'per dag',\n\t remote_follow: 'Følg eksternt'\n\t },\n\t timeline: {\n\t show_new: 'Vis nye',\n\t error_fetching: 'Feil ved henting av oppdateringer',\n\t up_to_date: 'Oppdatert',\n\t load_older: 'Last eldre statuser',\n\t conversation: 'Samtale',\n\t collapse: 'Sammenfold',\n\t repeated: 'gjentok'\n\t },\n\t settings: {\n\t user_settings: 'Brukerinstillinger',\n\t name_bio: 'Navn & Biografi',\n\t name: 'Navn',\n\t bio: 'Biografi',\n\t avatar: 'Profilbilde',\n\t current_avatar: 'Ditt nåværende profilbilde',\n\t set_new_avatar: 'Rediger profilbilde',\n\t profile_banner: 'Profil-banner',\n\t current_profile_banner: 'Din nåværende profil-banner',\n\t set_new_profile_banner: 'Sett ny profil-banner',\n\t profile_background: 'Profil-bakgrunn',\n\t set_new_profile_background: 'Rediger profil-bakgrunn',\n\t settings: 'Innstillinger',\n\t theme: 'Tema',\n\t presets: 'Forhåndsdefinerte fargekoder',\n\t theme_help: 'Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.',\n\t radii_help: 'Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)',\n\t background: 'Bakgrunn',\n\t foreground: 'Framgrunn',\n\t text: 'Tekst',\n\t links: 'Linker',\n\t cBlue: 'Blå (Svar, følg)',\n\t cRed: 'Rød (Avbryt)',\n\t cOrange: 'Oransje (Lik)',\n\t cGreen: 'Grønn (Gjenta)',\n\t btnRadius: 'Knapper',\n\t panelRadius: 'Panel',\n\t avatarRadius: 'Profilbilde',\n\t avatarAltRadius: 'Profilbilde (Varslinger)',\n\t tooltipRadius: 'Verktøytips/advarsler',\n\t attachmentRadius: 'Vedlegg',\n\t filtering: 'Filtrering',\n\t filtering_explanation: 'Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje',\n\t attachments: 'Vedlegg',\n\t hide_attachments_in_tl: 'Gjem vedlegg på tidslinje',\n\t hide_attachments_in_convo: 'Gjem vedlegg i samtaler',\n\t nsfw_clickthrough: 'Krev trykk for å vise statuser som kan være upassende',\n\t stop_gifs: 'Spill av GIFs når du holder over dem',\n\t autoload: 'Automatisk lasting når du blar ned til bunnen',\n\t streaming: 'Automatisk strømming av nye statuser når du har bladd til toppen',\n\t reply_link_preview: 'Vis en forhåndsvisning når du holder musen over svar til en status',\n\t follow_import: 'Importer følginger',\n\t import_followers_from_a_csv_file: 'Importer følginger fra en csv fil',\n\t follows_imported: 'Følginger imported! Det vil ta litt tid å behandle de.',\n\t follow_import_error: 'Feil ved importering av følginger.'\n\t },\n\t notifications: {\n\t notifications: 'Varslinger',\n\t read: 'Les!',\n\t followed_you: 'fulgte deg',\n\t favorited_you: 'likte din status',\n\t repeated_you: 'Gjentok din status'\n\t },\n\t login: {\n\t login: 'Logg inn',\n\t username: 'Brukernavn',\n\t placeholder: 'f. eks lain',\n\t password: 'Passord',\n\t register: 'Registrer',\n\t logout: 'Logg ut'\n\t },\n\t registration: {\n\t registration: 'Registrering',\n\t fullname: 'Visningsnavn',\n\t email: 'Epost-adresse',\n\t bio: 'Biografi',\n\t password_confirm: 'Bekreft passord'\n\t },\n\t post_status: {\n\t posting: 'Publiserer',\n\t default: 'Landet akkurat i L.A.'\n\t },\n\t finder: {\n\t find_user: 'Finn bruker',\n\t error_fetching_user: 'Feil ved henting av bruker'\n\t },\n\t general: {\n\t submit: 'Legg ut',\n\t apply: 'Bruk'\n\t },\n\t user_profile: {\n\t timeline_title: 'Bruker-tidslinje'\n\t }\n\t};\n\t\n\tvar he = {\n\t chat: {\n\t title: 'צ\\'אט'\n\t },\n\t nav: {\n\t chat: 'צ\\'אט מקומי',\n\t timeline: 'ציר הזמן',\n\t mentions: 'אזכורים',\n\t public_tl: 'ציר הזמן הציבורי',\n\t twkn: 'כל הרשת הידועה'\n\t },\n\t user_card: {\n\t follows_you: 'עוקב אחריך!',\n\t following: 'עוקב!',\n\t follow: 'עקוב',\n\t blocked: 'חסום!',\n\t block: 'חסימה',\n\t statuses: 'סטטוסים',\n\t mute: 'השתק',\n\t muted: 'מושתק',\n\t followers: 'עוקבים',\n\t followees: 'נעקבים',\n\t per_day: 'ליום',\n\t remote_follow: 'עקיבה מרחוק'\n\t },\n\t timeline: {\n\t show_new: 'הראה חדש',\n\t error_fetching: 'שגיאה בהבאת הודעות',\n\t up_to_date: 'עדכני',\n\t load_older: 'טען סטטוסים חדשים',\n\t conversation: 'שיחה',\n\t collapse: 'מוטט',\n\t repeated: 'חזר'\n\t },\n\t settings: {\n\t user_settings: 'הגדרות משתמש',\n\t name_bio: 'שם ואודות',\n\t name: 'שם',\n\t bio: 'אודות',\n\t avatar: 'תמונת פרופיל',\n\t current_avatar: 'תמונת הפרופיל הנוכחית שלך',\n\t set_new_avatar: 'קבע תמונת פרופיל חדשה',\n\t profile_banner: 'כרזת הפרופיל',\n\t current_profile_banner: 'כרזת הפרופיל הנוכחית שלך',\n\t set_new_profile_banner: 'קבע כרזת פרופיל חדשה',\n\t profile_background: 'רקע הפרופיל',\n\t set_new_profile_background: 'קבע רקע פרופיל חדש',\n\t settings: 'הגדרות',\n\t theme: 'תמה',\n\t presets: 'ערכים קבועים מראש',\n\t theme_help: 'השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.',\n\t radii_help: 'קבע מראש עיגול פינות לממשק (בפיקסלים)',\n\t background: 'רקע',\n\t foreground: 'חזית',\n\t text: 'טקסט',\n\t links: 'לינקים',\n\t cBlue: 'כחול (תגובה, עקיבה)',\n\t cRed: 'אדום (ביטול)',\n\t cOrange: 'כתום (לייק)',\n\t cGreen: 'ירוק (חזרה)',\n\t btnRadius: 'כפתורים',\n\t inputRadius: 'שדות קלט',\n\t panelRadius: 'פאנלים',\n\t avatarRadius: 'תמונות פרופיל',\n\t avatarAltRadius: 'תמונות פרופיל (התראות)',\n\t tooltipRadius: 'טולטיפ \\\\ התראות',\n\t attachmentRadius: 'צירופים',\n\t filtering: 'סינון',\n\t filtering_explanation: 'כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה',\n\t attachments: 'צירופים',\n\t hide_attachments_in_tl: 'החבא צירופים בציר הזמן',\n\t hide_attachments_in_convo: 'החבא צירופים בשיחות',\n\t nsfw_clickthrough: 'החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר',\n\t stop_gifs: 'נגן-בעת-ריחוף GIFs',\n\t autoload: 'החל טעינה אוטומטית בגלילה לתחתית הדף',\n\t streaming: 'החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף',\n\t reply_link_preview: 'החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר',\n\t follow_import: 'יבוא עקיבות',\n\t import_followers_from_a_csv_file: 'ייבא את הנעקבים שלך מקובץ csv',\n\t follows_imported: 'נעקבים יובאו! ייקח זמן מה לעבד אותם.',\n\t follow_import_error: 'שגיאה בייבוא נעקבים.',\n\t delete_account: 'מחק משתמש',\n\t delete_account_description: 'מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.',\n\t delete_account_instructions: 'הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.',\n\t delete_account_error: 'הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.',\n\t follow_export: 'יצוא עקיבות',\n\t follow_export_processing: 'טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך',\n\t follow_export_button: 'ייצא את הנעקבים שלך לקובץ csv',\n\t change_password: 'שנה סיסמה',\n\t current_password: 'סיסמה נוכחית',\n\t new_password: 'סיסמה חדשה',\n\t confirm_new_password: 'אשר סיסמה',\n\t changed_password: 'סיסמה שונתה בהצלחה!',\n\t change_password_error: 'הייתה בעיה בשינוי סיסמתך.'\n\t },\n\t notifications: {\n\t notifications: 'התראות',\n\t read: 'קרא!',\n\t followed_you: 'עקב אחריך!',\n\t favorited_you: 'אהב את הסטטוס שלך',\n\t repeated_you: 'חזר על הסטטוס שלך'\n\t },\n\t login: {\n\t login: 'התחבר',\n\t username: 'שם המשתמש',\n\t placeholder: 'למשל lain',\n\t password: 'סיסמה',\n\t register: 'הירשם',\n\t logout: 'התנתק'\n\t },\n\t registration: {\n\t registration: 'הרשמה',\n\t fullname: 'שם תצוגה',\n\t email: 'אימייל',\n\t bio: 'אודות',\n\t password_confirm: 'אישור סיסמה'\n\t },\n\t post_status: {\n\t posting: 'מפרסם',\n\t default: 'הרגע נחת ב-ל.א.'\n\t },\n\t finder: {\n\t find_user: 'מציאת משתמש',\n\t error_fetching_user: 'שגיאה במציאת משתמש'\n\t },\n\t general: {\n\t submit: 'שלח',\n\t apply: 'החל'\n\t },\n\t user_profile: {\n\t timeline_title: 'ציר זמן המשתמש'\n\t }\n\t};\n\t\n\tvar messages = {\n\t de: de,\n\t fi: fi,\n\t en: en,\n\t eo: eo,\n\t et: et,\n\t hu: hu,\n\t ro: ro,\n\t ja: ja,\n\t fr: fr,\n\t it: it,\n\t oc: oc,\n\t pl: pl,\n\t es: es,\n\t pt: pt,\n\t ru: ru,\n\t nb: nb,\n\t he: he\n\t};\n\t\n\texports.default = messages;\n\n/***/ }),\n/* 170 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _typeof2 = __webpack_require__(223);\n\t\n\tvar _typeof3 = _interopRequireDefault(_typeof2);\n\t\n\tvar _each2 = __webpack_require__(61);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\tvar _throttle2 = __webpack_require__(453);\n\t\n\tvar _throttle3 = _interopRequireDefault(_throttle2);\n\t\n\texports.default = createPersistedState;\n\t\n\tvar _lodash = __webpack_require__(314);\n\t\n\tvar _lodash2 = _interopRequireDefault(_lodash);\n\t\n\tvar _objectPath = __webpack_require__(462);\n\t\n\tvar _objectPath2 = _interopRequireDefault(_objectPath);\n\t\n\tvar _localforage = __webpack_require__(302);\n\t\n\tvar _localforage2 = _interopRequireDefault(_localforage);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar loaded = false;\n\t\n\tvar defaultReducer = function defaultReducer(state, paths) {\n\t return paths.length === 0 ? state : paths.reduce(function (substate, path) {\n\t _objectPath2.default.set(substate, path, _objectPath2.default.get(state, path));\n\t return substate;\n\t }, {});\n\t};\n\t\n\tvar defaultStorage = function () {\n\t return _localforage2.default;\n\t}();\n\t\n\tvar defaultSetState = function defaultSetState(key, state, storage) {\n\t if (!loaded) {\n\t console.log('waiting for old state to be loaded...');\n\t } else {\n\t return storage.setItem(key, state);\n\t }\n\t};\n\t\n\tfunction createPersistedState() {\n\t var _ref = arguments.length > 0 && arguments[0] !== undefined ? arguments[0] : {},\n\t _ref$key = _ref.key,\n\t key = _ref$key === undefined ? 'vuex-lz' : _ref$key,\n\t _ref$paths = _ref.paths,\n\t paths = _ref$paths === undefined ? [] : _ref$paths,\n\t _ref$getState = _ref.getState,\n\t getState = _ref$getState === undefined ? function (key, storage) {\n\t var value = storage.getItem(key);\n\t return value;\n\t } : _ref$getState,\n\t _ref$setState = _ref.setState,\n\t setState = _ref$setState === undefined ? (0, _throttle3.default)(defaultSetState, 60000) : _ref$setState,\n\t _ref$reducer = _ref.reducer,\n\t reducer = _ref$reducer === undefined ? defaultReducer : _ref$reducer,\n\t _ref$storage = _ref.storage,\n\t storage = _ref$storage === undefined ? defaultStorage : _ref$storage,\n\t _ref$subscriber = _ref.subscriber,\n\t subscriber = _ref$subscriber === undefined ? function (store) {\n\t return function (handler) {\n\t return store.subscribe(handler);\n\t };\n\t } : _ref$subscriber;\n\t\n\t return function (store) {\n\t getState(key, storage).then(function (savedState) {\n\t try {\n\t if ((typeof savedState === 'undefined' ? 'undefined' : (0, _typeof3.default)(savedState)) === 'object') {\n\t var usersState = savedState.users || {};\n\t usersState.usersObject = {};\n\t var users = usersState.users || [];\n\t (0, _each3.default)(users, function (user) {\n\t usersState.usersObject[user.id] = user;\n\t });\n\t savedState.users = usersState;\n\t\n\t store.replaceState((0, _lodash2.default)({}, store.state, savedState));\n\t }\n\t if (store.state.config.customTheme) {\n\t window.themeLoaded = true;\n\t store.dispatch('setOption', {\n\t name: 'customTheme',\n\t value: store.state.config.customTheme\n\t });\n\t }\n\t if (store.state.users.lastLoginName) {\n\t store.dispatch('loginUser', { username: store.state.users.lastLoginName, password: 'xxx' });\n\t }\n\t loaded = true;\n\t } catch (e) {\n\t console.log(\"Couldn't load state\");\n\t loaded = true;\n\t }\n\t });\n\t\n\t subscriber(store)(function (mutation, state) {\n\t try {\n\t setState(key, reducer(state, paths), storage);\n\t } catch (e) {\n\t console.log(\"Couldn't persist state:\");\n\t console.log(e);\n\t }\n\t });\n\t };\n\t}\n\n/***/ }),\n/* 171 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _isArray2 = __webpack_require__(2);\n\t\n\tvar _isArray3 = _interopRequireDefault(_isArray2);\n\t\n\tvar _backend_interactor_service = __webpack_require__(104);\n\t\n\tvar _backend_interactor_service2 = _interopRequireDefault(_backend_interactor_service);\n\t\n\tvar _phoenix = __webpack_require__(463);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar api = {\n\t state: {\n\t backendInteractor: (0, _backend_interactor_service2.default)(),\n\t fetchers: {},\n\t socket: null,\n\t chatDisabled: false,\n\t followRequests: []\n\t },\n\t mutations: {\n\t setBackendInteractor: function setBackendInteractor(state, backendInteractor) {\n\t state.backendInteractor = backendInteractor;\n\t },\n\t addFetcher: function addFetcher(state, _ref) {\n\t var timeline = _ref.timeline,\n\t fetcher = _ref.fetcher;\n\t\n\t state.fetchers[timeline] = fetcher;\n\t },\n\t removeFetcher: function removeFetcher(state, _ref2) {\n\t var timeline = _ref2.timeline;\n\t\n\t delete state.fetchers[timeline];\n\t },\n\t setSocket: function setSocket(state, socket) {\n\t state.socket = socket;\n\t },\n\t setChatDisabled: function setChatDisabled(state, value) {\n\t state.chatDisabled = value;\n\t },\n\t setFollowRequests: function setFollowRequests(state, value) {\n\t state.followRequests = value;\n\t }\n\t },\n\t actions: {\n\t startFetching: function startFetching(store, timeline) {\n\t var userId = false;\n\t\n\t if ((0, _isArray3.default)(timeline)) {\n\t userId = timeline[1];\n\t timeline = timeline[0];\n\t }\n\t\n\t if (!store.state.fetchers[timeline]) {\n\t var fetcher = store.state.backendInteractor.startFetching({ timeline: timeline, store: store, userId: userId });\n\t store.commit('addFetcher', { timeline: timeline, fetcher: fetcher });\n\t }\n\t },\n\t stopFetching: function stopFetching(store, timeline) {\n\t var fetcher = store.state.fetchers[timeline];\n\t window.clearInterval(fetcher);\n\t store.commit('removeFetcher', { timeline: timeline });\n\t },\n\t initializeSocket: function initializeSocket(store, token) {\n\t if (!store.state.chatDisabled) {\n\t var socket = new _phoenix.Socket('/socket', { params: { token: token } });\n\t socket.connect();\n\t store.dispatch('initializeChat', socket);\n\t }\n\t },\n\t disableChat: function disableChat(store) {\n\t store.commit('setChatDisabled', true);\n\t },\n\t removeFollowRequest: function removeFollowRequest(store, request) {\n\t var requests = store.state.followRequests.filter(function (it) {\n\t return it !== request;\n\t });\n\t store.commit('setFollowRequests', requests);\n\t }\n\t }\n\t};\n\t\n\texports.default = api;\n\n/***/ }),\n/* 172 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar chat = {\n\t state: {\n\t messages: [],\n\t channel: { state: '' }\n\t },\n\t mutations: {\n\t setChannel: function setChannel(state, channel) {\n\t state.channel = channel;\n\t },\n\t addMessage: function addMessage(state, message) {\n\t state.messages.push(message);\n\t state.messages = state.messages.slice(-19, 20);\n\t },\n\t setMessages: function setMessages(state, messages) {\n\t state.messages = messages.slice(-19, 20);\n\t }\n\t },\n\t actions: {\n\t initializeChat: function initializeChat(store, socket) {\n\t var channel = socket.channel('chat:public');\n\t channel.on('new_msg', function (msg) {\n\t store.commit('addMessage', msg);\n\t });\n\t channel.on('messages', function (_ref) {\n\t var messages = _ref.messages;\n\t\n\t store.commit('setMessages', messages);\n\t });\n\t channel.join();\n\t store.commit('setChannel', channel);\n\t }\n\t }\n\t};\n\t\n\texports.default = chat;\n\n/***/ }),\n/* 173 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _vue = __webpack_require__(101);\n\t\n\tvar _style_setter = __webpack_require__(176);\n\t\n\tvar _style_setter2 = _interopRequireDefault(_style_setter);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar defaultState = {\n\t name: 'Pleroma FE',\n\t colors: {},\n\t hideAttachments: false,\n\t hideAttachmentsInConv: false,\n\t hideNsfw: true,\n\t autoLoad: true,\n\t streaming: false,\n\t hoverPreview: true,\n\t muteWords: []\n\t};\n\t\n\tvar config = {\n\t state: defaultState,\n\t mutations: {\n\t setOption: function setOption(state, _ref) {\n\t var name = _ref.name,\n\t value = _ref.value;\n\t\n\t (0, _vue.set)(state, name, value);\n\t }\n\t },\n\t actions: {\n\t setPageTitle: function setPageTitle(_ref2) {\n\t var state = _ref2.state;\n\t var option = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : '';\n\t\n\t document.title = option + ' ' + state.name;\n\t },\n\t setOption: function setOption(_ref3, _ref4) {\n\t var commit = _ref3.commit,\n\t dispatch = _ref3.dispatch;\n\t var name = _ref4.name,\n\t value = _ref4.value;\n\t\n\t commit('setOption', { name: name, value: value });\n\t switch (name) {\n\t case 'name':\n\t dispatch('setPageTitle');\n\t break;\n\t case 'theme':\n\t _style_setter2.default.setPreset(value, commit);\n\t break;\n\t case 'customTheme':\n\t _style_setter2.default.setColors(value, commit);\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = config;\n\n/***/ }),\n/* 174 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.defaultState = exports.mutations = exports.mergeOrAdd = undefined;\n\t\n\tvar _promise = __webpack_require__(218);\n\t\n\tvar _promise2 = _interopRequireDefault(_promise);\n\t\n\tvar _merge2 = __webpack_require__(161);\n\t\n\tvar _merge3 = _interopRequireDefault(_merge2);\n\t\n\tvar _each2 = __webpack_require__(61);\n\t\n\tvar _each3 = _interopRequireDefault(_each2);\n\t\n\tvar _map2 = __webpack_require__(42);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _compact2 = __webpack_require__(428);\n\t\n\tvar _compact3 = _interopRequireDefault(_compact2);\n\t\n\tvar _backend_interactor_service = __webpack_require__(104);\n\t\n\tvar _backend_interactor_service2 = _interopRequireDefault(_backend_interactor_service);\n\t\n\tvar _vue = __webpack_require__(101);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar mergeOrAdd = exports.mergeOrAdd = function mergeOrAdd(arr, obj, item) {\n\t if (!item) {\n\t return false;\n\t }\n\t var oldItem = obj[item.id];\n\t if (oldItem) {\n\t (0, _merge3.default)(oldItem, item);\n\t return { item: oldItem, new: false };\n\t } else {\n\t arr.push(item);\n\t obj[item.id] = item;\n\t return { item: item, new: true };\n\t }\n\t};\n\t\n\tvar mutations = exports.mutations = {\n\t setMuted: function setMuted(state, _ref) {\n\t var id = _ref.user.id,\n\t muted = _ref.muted;\n\t\n\t var user = state.usersObject[id];\n\t (0, _vue.set)(user, 'muted', muted);\n\t },\n\t setCurrentUser: function setCurrentUser(state, user) {\n\t state.lastLoginName = user.screen_name;\n\t state.currentUser = (0, _merge3.default)(state.currentUser || {}, user);\n\t },\n\t clearCurrentUser: function clearCurrentUser(state) {\n\t state.currentUser = false;\n\t state.lastLoginName = false;\n\t },\n\t beginLogin: function beginLogin(state) {\n\t state.loggingIn = true;\n\t },\n\t endLogin: function endLogin(state) {\n\t state.loggingIn = false;\n\t },\n\t addNewUsers: function addNewUsers(state, users) {\n\t (0, _each3.default)(users, function (user) {\n\t return mergeOrAdd(state.users, state.usersObject, user);\n\t });\n\t },\n\t setUserForStatus: function setUserForStatus(state, status) {\n\t status.user = state.usersObject[status.user.id];\n\t }\n\t};\n\t\n\tvar defaultState = exports.defaultState = {\n\t lastLoginName: false,\n\t currentUser: false,\n\t loggingIn: false,\n\t users: [],\n\t usersObject: {}\n\t};\n\t\n\tvar users = {\n\t state: defaultState,\n\t mutations: mutations,\n\t actions: {\n\t fetchUser: function fetchUser(store, id) {\n\t store.rootState.api.backendInteractor.fetchUser({ id: id }).then(function (user) {\n\t return store.commit('addNewUsers', user);\n\t });\n\t },\n\t addNewStatuses: function addNewStatuses(store, _ref2) {\n\t var statuses = _ref2.statuses;\n\t\n\t var users = (0, _map3.default)(statuses, 'user');\n\t var retweetedUsers = (0, _compact3.default)((0, _map3.default)(statuses, 'retweeted_status.user'));\n\t store.commit('addNewUsers', users);\n\t store.commit('addNewUsers', retweetedUsers);\n\t\n\t (0, _each3.default)(statuses, function (status) {\n\t store.commit('setUserForStatus', status);\n\t });\n\t\n\t (0, _each3.default)((0, _compact3.default)((0, _map3.default)(statuses, 'retweeted_status')), function (status) {\n\t store.commit('setUserForStatus', status);\n\t });\n\t },\n\t logout: function logout(store) {\n\t store.commit('clearCurrentUser');\n\t store.dispatch('stopFetching', 'friends');\n\t store.commit('setBackendInteractor', (0, _backend_interactor_service2.default)());\n\t },\n\t loginUser: function loginUser(store, userCredentials) {\n\t return new _promise2.default(function (resolve, reject) {\n\t var commit = store.commit;\n\t commit('beginLogin');\n\t store.rootState.api.backendInteractor.verifyCredentials(userCredentials).then(function (response) {\n\t if (response.ok) {\n\t response.json().then(function (user) {\n\t user.credentials = userCredentials;\n\t commit('setCurrentUser', user);\n\t commit('addNewUsers', [user]);\n\t\n\t commit('setBackendInteractor', (0, _backend_interactor_service2.default)(userCredentials));\n\t\n\t if (user.token) {\n\t store.dispatch('initializeSocket', user.token);\n\t }\n\t\n\t store.dispatch('startFetching', 'friends');\n\t\n\t store.rootState.api.backendInteractor.fetchMutes().then(function (mutedUsers) {\n\t (0, _each3.default)(mutedUsers, function (user) {\n\t user.muted = true;\n\t });\n\t store.commit('addNewUsers', mutedUsers);\n\t });\n\t\n\t if ('Notification' in window && window.Notification.permission === 'default') {\n\t window.Notification.requestPermission();\n\t }\n\t\n\t store.rootState.api.backendInteractor.fetchFriends().then(function (friends) {\n\t return commit('addNewUsers', friends);\n\t });\n\t });\n\t } else {\n\t commit('endLogin');\n\t if (response.status === 401) {\n\t reject('Wrong username or password');\n\t } else {\n\t reject('An error occurred, please try again');\n\t }\n\t }\n\t commit('endLogin');\n\t resolve();\n\t }).catch(function (error) {\n\t console.log(error);\n\t commit('endLogin');\n\t reject('Failed to connect to server, try again');\n\t });\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = users;\n\n/***/ }),\n/* 175 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\texports.splitIntoWords = exports.addPositionToWords = exports.wordAtPosition = exports.replaceWord = undefined;\n\t\n\tvar _find2 = __webpack_require__(62);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _reduce2 = __webpack_require__(162);\n\t\n\tvar _reduce3 = _interopRequireDefault(_reduce2);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar replaceWord = exports.replaceWord = function replaceWord(str, toReplace, replacement) {\n\t return str.slice(0, toReplace.start) + replacement + str.slice(toReplace.end);\n\t};\n\t\n\tvar wordAtPosition = exports.wordAtPosition = function wordAtPosition(str, pos) {\n\t var words = splitIntoWords(str);\n\t var wordsWithPosition = addPositionToWords(words);\n\t\n\t return (0, _find3.default)(wordsWithPosition, function (_ref) {\n\t var start = _ref.start,\n\t end = _ref.end;\n\t return start <= pos && end > pos;\n\t });\n\t};\n\t\n\tvar addPositionToWords = exports.addPositionToWords = function addPositionToWords(words) {\n\t return (0, _reduce3.default)(words, function (result, word) {\n\t var data = {\n\t word: word,\n\t start: 0,\n\t end: word.length\n\t };\n\t\n\t if (result.length > 0) {\n\t var previous = result.pop();\n\t\n\t data.start += previous.end;\n\t data.end += previous.end;\n\t\n\t result.push(previous);\n\t }\n\t\n\t result.push(data);\n\t\n\t return result;\n\t }, []);\n\t};\n\t\n\tvar splitIntoWords = exports.splitIntoWords = function splitIntoWords(str) {\n\t var regex = /\\b/;\n\t var triggers = /[@#:]+$/;\n\t\n\t var split = str.split(regex);\n\t\n\t var words = (0, _reduce3.default)(split, function (result, word) {\n\t if (result.length > 0) {\n\t var previous = result.pop();\n\t var matches = previous.match(triggers);\n\t if (matches) {\n\t previous = previous.replace(triggers, '');\n\t word = matches[0] + word;\n\t }\n\t result.push(previous);\n\t }\n\t result.push(word);\n\t\n\t return result;\n\t }, []);\n\t\n\t return words;\n\t};\n\t\n\tvar completion = {\n\t wordAtPosition: wordAtPosition,\n\t addPositionToWords: addPositionToWords,\n\t splitIntoWords: splitIntoWords,\n\t replaceWord: replaceWord\n\t};\n\t\n\texports.default = completion;\n\n/***/ }),\n/* 176 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _slicedToArray2 = __webpack_require__(108);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _entries = __webpack_require__(216);\n\t\n\tvar _entries2 = _interopRequireDefault(_entries);\n\t\n\tvar _times2 = __webpack_require__(454);\n\t\n\tvar _times3 = _interopRequireDefault(_times2);\n\t\n\tvar _color_convert = __webpack_require__(66);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar setStyle = function setStyle(href, commit) {\n\t var head = document.head;\n\t var body = document.body;\n\t body.style.display = 'none';\n\t var cssEl = document.createElement('link');\n\t cssEl.setAttribute('rel', 'stylesheet');\n\t cssEl.setAttribute('href', href);\n\t head.appendChild(cssEl);\n\t\n\t var setDynamic = function setDynamic() {\n\t var baseEl = document.createElement('div');\n\t body.appendChild(baseEl);\n\t\n\t var colors = {};\n\t (0, _times3.default)(16, function (n) {\n\t var name = 'base0' + n.toString(16).toUpperCase();\n\t baseEl.setAttribute('class', name);\n\t var color = window.getComputedStyle(baseEl).getPropertyValue('color');\n\t colors[name] = color;\n\t });\n\t\n\t commit('setOption', { name: 'colors', value: colors });\n\t\n\t body.removeChild(baseEl);\n\t\n\t var styleEl = document.createElement('style');\n\t head.appendChild(styleEl);\n\t\n\t\n\t body.style.display = 'initial';\n\t };\n\t\n\t cssEl.addEventListener('load', setDynamic);\n\t};\n\t\n\tvar setColors = function setColors(col, commit) {\n\t var head = document.head;\n\t var body = document.body;\n\t body.style.display = 'none';\n\t\n\t var styleEl = document.createElement('style');\n\t head.appendChild(styleEl);\n\t var styleSheet = styleEl.sheet;\n\t\n\t var isDark = col.text.r + col.text.g + col.text.b > col.bg.r + col.bg.g + col.bg.b;\n\t var colors = {};\n\t var radii = {};\n\t\n\t var mod = isDark ? -10 : 10;\n\t\n\t colors.bg = (0, _color_convert.rgb2hex)(col.bg.r, col.bg.g, col.bg.b);\n\t colors.lightBg = (0, _color_convert.rgb2hex)((col.bg.r + col.fg.r) / 2, (col.bg.g + col.fg.g) / 2, (col.bg.b + col.fg.b) / 2);\n\t colors.btn = (0, _color_convert.rgb2hex)(col.fg.r, col.fg.g, col.fg.b);\n\t colors.input = 'rgba(' + col.fg.r + ', ' + col.fg.g + ', ' + col.fg.b + ', .5)';\n\t colors.border = (0, _color_convert.rgb2hex)(col.fg.r - mod, col.fg.g - mod, col.fg.b - mod);\n\t colors.faint = 'rgba(' + col.text.r + ', ' + col.text.g + ', ' + col.text.b + ', .5)';\n\t colors.fg = (0, _color_convert.rgb2hex)(col.text.r, col.text.g, col.text.b);\n\t colors.lightFg = (0, _color_convert.rgb2hex)(col.text.r - mod * 5, col.text.g - mod * 5, col.text.b - mod * 5);\n\t\n\t colors['base07'] = (0, _color_convert.rgb2hex)(col.text.r - mod * 2, col.text.g - mod * 2, col.text.b - mod * 2);\n\t\n\t colors.link = (0, _color_convert.rgb2hex)(col.link.r, col.link.g, col.link.b);\n\t colors.icon = (0, _color_convert.rgb2hex)((col.bg.r + col.text.r) / 2, (col.bg.g + col.text.g) / 2, (col.bg.b + col.text.b) / 2);\n\t\n\t colors.cBlue = col.cBlue && (0, _color_convert.rgb2hex)(col.cBlue.r, col.cBlue.g, col.cBlue.b);\n\t colors.cRed = col.cRed && (0, _color_convert.rgb2hex)(col.cRed.r, col.cRed.g, col.cRed.b);\n\t colors.cGreen = col.cGreen && (0, _color_convert.rgb2hex)(col.cGreen.r, col.cGreen.g, col.cGreen.b);\n\t colors.cOrange = col.cOrange && (0, _color_convert.rgb2hex)(col.cOrange.r, col.cOrange.g, col.cOrange.b);\n\t\n\t colors.cAlertRed = col.cRed && 'rgba(' + col.cRed.r + ', ' + col.cRed.g + ', ' + col.cRed.b + ', .5)';\n\t\n\t radii.btnRadius = col.btnRadius;\n\t radii.inputRadius = col.inputRadius;\n\t radii.panelRadius = col.panelRadius;\n\t radii.avatarRadius = col.avatarRadius;\n\t radii.avatarAltRadius = col.avatarAltRadius;\n\t radii.tooltipRadius = col.tooltipRadius;\n\t radii.attachmentRadius = col.attachmentRadius;\n\t\n\t styleSheet.toString();\n\t styleSheet.insertRule('body { ' + (0, _entries2.default)(colors).filter(function (_ref) {\n\t var _ref2 = (0, _slicedToArray3.default)(_ref, 2),\n\t k = _ref2[0],\n\t v = _ref2[1];\n\t\n\t return v;\n\t }).map(function (_ref3) {\n\t var _ref4 = (0, _slicedToArray3.default)(_ref3, 2),\n\t k = _ref4[0],\n\t v = _ref4[1];\n\t\n\t return '--' + k + ': ' + v;\n\t }).join(';') + ' }', 'index-max');\n\t styleSheet.insertRule('body { ' + (0, _entries2.default)(radii).filter(function (_ref5) {\n\t var _ref6 = (0, _slicedToArray3.default)(_ref5, 2),\n\t k = _ref6[0],\n\t v = _ref6[1];\n\t\n\t return v;\n\t }).map(function (_ref7) {\n\t var _ref8 = (0, _slicedToArray3.default)(_ref7, 2),\n\t k = _ref8[0],\n\t v = _ref8[1];\n\t\n\t return '--' + k + ': ' + v + 'px';\n\t }).join(';') + ' }', 'index-max');\n\t body.style.display = 'initial';\n\t\n\t commit('setOption', { name: 'colors', value: colors });\n\t commit('setOption', { name: 'radii', value: radii });\n\t commit('setOption', { name: 'customTheme', value: col });\n\t};\n\t\n\tvar setPreset = function setPreset(val, commit) {\n\t window.fetch('/static/styles.json').then(function (data) {\n\t return data.json();\n\t }).then(function (themes) {\n\t var theme = themes[val] ? themes[val] : themes['pleroma-dark'];\n\t var bgRgb = (0, _color_convert.hex2rgb)(theme[1]);\n\t var fgRgb = (0, _color_convert.hex2rgb)(theme[2]);\n\t var textRgb = (0, _color_convert.hex2rgb)(theme[3]);\n\t var linkRgb = (0, _color_convert.hex2rgb)(theme[4]);\n\t\n\t var cRedRgb = (0, _color_convert.hex2rgb)(theme[5] || '#FF0000');\n\t var cGreenRgb = (0, _color_convert.hex2rgb)(theme[6] || '#00FF00');\n\t var cBlueRgb = (0, _color_convert.hex2rgb)(theme[7] || '#0000FF');\n\t var cOrangeRgb = (0, _color_convert.hex2rgb)(theme[8] || '#E3FF00');\n\t\n\t var col = {\n\t bg: bgRgb,\n\t fg: fgRgb,\n\t text: textRgb,\n\t link: linkRgb,\n\t cRed: cRedRgb,\n\t cBlue: cBlueRgb,\n\t cGreen: cGreenRgb,\n\t cOrange: cOrangeRgb\n\t };\n\t\n\t if (!window.themeLoaded) {\n\t setColors(col, commit);\n\t }\n\t });\n\t};\n\t\n\tvar StyleSetter = {\n\t setStyle: setStyle,\n\t setPreset: setPreset,\n\t setColors: setColors\n\t};\n\t\n\texports.default = StyleSetter;\n\n/***/ }),\n/* 177 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_panel = __webpack_require__(493);\n\t\n\tvar _user_panel2 = _interopRequireDefault(_user_panel);\n\t\n\tvar _nav_panel = __webpack_require__(482);\n\t\n\tvar _nav_panel2 = _interopRequireDefault(_nav_panel);\n\t\n\tvar _notifications = __webpack_require__(484);\n\t\n\tvar _notifications2 = _interopRequireDefault(_notifications);\n\t\n\tvar _user_finder = __webpack_require__(492);\n\t\n\tvar _user_finder2 = _interopRequireDefault(_user_finder);\n\t\n\tvar _who_to_follow_panel = __webpack_require__(496);\n\t\n\tvar _who_to_follow_panel2 = _interopRequireDefault(_who_to_follow_panel);\n\t\n\tvar _instance_specific_panel = __webpack_require__(478);\n\t\n\tvar _instance_specific_panel2 = _interopRequireDefault(_instance_specific_panel);\n\t\n\tvar _chat_panel = __webpack_require__(472);\n\t\n\tvar _chat_panel2 = _interopRequireDefault(_chat_panel);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\texports.default = {\n\t name: 'app',\n\t components: {\n\t UserPanel: _user_panel2.default,\n\t NavPanel: _nav_panel2.default,\n\t Notifications: _notifications2.default,\n\t UserFinder: _user_finder2.default,\n\t WhoToFollowPanel: _who_to_follow_panel2.default,\n\t InstanceSpecificPanel: _instance_specific_panel2.default,\n\t ChatPanel: _chat_panel2.default\n\t },\n\t data: function data() {\n\t return {\n\t mobileActivePanel: 'timeline'\n\t };\n\t },\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t background: function background() {\n\t return this.currentUser.background_image || this.$store.state.config.background;\n\t },\n\t logoStyle: function logoStyle() {\n\t return { 'background-image': 'url(' + this.$store.state.config.logo + ')' };\n\t },\n\t style: function style() {\n\t return { 'background-image': 'url(' + this.background + ')' };\n\t },\n\t sitename: function sitename() {\n\t return this.$store.state.config.name;\n\t },\n\t chat: function chat() {\n\t return this.$store.state.chat.channel.state === 'joined';\n\t },\n\t showWhoToFollowPanel: function showWhoToFollowPanel() {\n\t return this.$store.state.config.showWhoToFollowPanel;\n\t },\n\t showInstanceSpecificPanel: function showInstanceSpecificPanel() {\n\t return this.$store.state.config.showInstanceSpecificPanel;\n\t }\n\t },\n\t methods: {\n\t activatePanel: function activatePanel(panelName) {\n\t this.mobileActivePanel = panelName;\n\t },\n\t scrollToTop: function scrollToTop() {\n\t window.scrollTo(0, 0);\n\t },\n\t logout: function logout() {\n\t this.$store.dispatch('logout');\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 178 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stillImage = __webpack_require__(65);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _nsfw = __webpack_require__(467);\n\t\n\tvar _nsfw2 = _interopRequireDefault(_nsfw);\n\t\n\tvar _file_typeService = __webpack_require__(105);\n\t\n\tvar _file_typeService2 = _interopRequireDefault(_file_typeService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Attachment = {\n\t props: ['attachment', 'nsfw', 'statusId', 'size'],\n\t data: function data() {\n\t return {\n\t nsfwImage: _nsfw2.default,\n\t hideNsfwLocal: this.$store.state.config.hideNsfw,\n\t showHidden: false,\n\t loading: false,\n\t img: document.createElement('img')\n\t };\n\t },\n\t\n\t components: {\n\t StillImage: _stillImage2.default\n\t },\n\t computed: {\n\t type: function type() {\n\t return _file_typeService2.default.fileType(this.attachment.mimetype);\n\t },\n\t hidden: function hidden() {\n\t return this.nsfw && this.hideNsfwLocal && !this.showHidden;\n\t },\n\t isEmpty: function isEmpty() {\n\t return this.type === 'html' && !this.attachment.oembed || this.type === 'unknown';\n\t },\n\t isSmall: function isSmall() {\n\t return this.size === 'small';\n\t },\n\t fullwidth: function fullwidth() {\n\t return _file_typeService2.default.fileType(this.attachment.mimetype) === 'html';\n\t }\n\t },\n\t methods: {\n\t linkClicked: function linkClicked(_ref) {\n\t var target = _ref.target;\n\t\n\t if (target.tagName === 'A') {\n\t window.open(target.href, '_blank');\n\t }\n\t },\n\t toggleHidden: function toggleHidden() {\n\t var _this = this;\n\t\n\t if (this.img.onload) {\n\t this.img.onload();\n\t } else {\n\t this.loading = true;\n\t this.img.src = this.attachment.url;\n\t this.img.onload = function () {\n\t _this.loading = false;\n\t _this.showHidden = !_this.showHidden;\n\t };\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Attachment;\n\n/***/ }),\n/* 179 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar chatPanel = {\n\t data: function data() {\n\t return {\n\t currentMessage: '',\n\t channel: null,\n\t collapsed: true\n\t };\n\t },\n\t\n\t computed: {\n\t messages: function messages() {\n\t return this.$store.state.chat.messages;\n\t }\n\t },\n\t methods: {\n\t submit: function submit(message) {\n\t this.$store.state.chat.channel.push('new_msg', { text: message }, 10000);\n\t this.currentMessage = '';\n\t },\n\t togglePanel: function togglePanel() {\n\t this.collapsed = !this.collapsed;\n\t }\n\t }\n\t};\n\t\n\texports.default = chatPanel;\n\n/***/ }),\n/* 180 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _toInteger2 = __webpack_require__(22);\n\t\n\tvar _toInteger3 = _interopRequireDefault(_toInteger2);\n\t\n\tvar _find2 = __webpack_require__(62);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _conversation = __webpack_require__(165);\n\t\n\tvar _conversation2 = _interopRequireDefault(_conversation);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar conversationPage = {\n\t components: {\n\t Conversation: _conversation2.default\n\t },\n\t computed: {\n\t statusoid: function statusoid() {\n\t var id = (0, _toInteger3.default)(this.$route.params.id);\n\t var statuses = this.$store.state.statuses.allStatuses;\n\t var status = (0, _find3.default)(statuses, { id: id });\n\t\n\t return status;\n\t }\n\t }\n\t};\n\t\n\texports.default = conversationPage;\n\n/***/ }),\n/* 181 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _sortBy2 = __webpack_require__(100);\n\t\n\tvar _sortBy3 = _interopRequireDefault(_sortBy2);\n\t\n\tvar _filter2 = __webpack_require__(39);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _reduce2 = __webpack_require__(162);\n\t\n\tvar _reduce3 = _interopRequireDefault(_reduce2);\n\t\n\tvar _statuses = __webpack_require__(103);\n\t\n\tvar _status = __webpack_require__(64);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar sortAndFilterConversation = function sortAndFilterConversation(conversation) {\n\t conversation = (0, _filter3.default)(conversation, function (status) {\n\t return (0, _statuses.statusType)(status) !== 'retweet';\n\t });\n\t return (0, _sortBy3.default)(conversation, 'id');\n\t};\n\t\n\tvar conversation = {\n\t data: function data() {\n\t return {\n\t highlight: null\n\t };\n\t },\n\t\n\t props: ['statusoid', 'collapsable'],\n\t computed: {\n\t status: function status() {\n\t return this.statusoid;\n\t },\n\t conversation: function conversation() {\n\t if (!this.status) {\n\t return false;\n\t }\n\t\n\t var conversationId = this.status.statusnet_conversation_id;\n\t var statuses = this.$store.state.statuses.allStatuses;\n\t var conversation = (0, _filter3.default)(statuses, { statusnet_conversation_id: conversationId });\n\t return sortAndFilterConversation(conversation);\n\t },\n\t replies: function replies() {\n\t var i = 1;\n\t return (0, _reduce3.default)(this.conversation, function (result, _ref) {\n\t var id = _ref.id,\n\t in_reply_to_status_id = _ref.in_reply_to_status_id;\n\t\n\t var irid = Number(in_reply_to_status_id);\n\t if (irid) {\n\t result[irid] = result[irid] || [];\n\t result[irid].push({\n\t name: '#' + i,\n\t id: id\n\t });\n\t }\n\t i++;\n\t return result;\n\t }, {});\n\t }\n\t },\n\t components: {\n\t Status: _status2.default\n\t },\n\t created: function created() {\n\t this.fetchConversation();\n\t },\n\t\n\t watch: {\n\t '$route': 'fetchConversation'\n\t },\n\t methods: {\n\t fetchConversation: function fetchConversation() {\n\t var _this = this;\n\t\n\t if (this.status) {\n\t var conversationId = this.status.statusnet_conversation_id;\n\t this.$store.state.api.backendInteractor.fetchConversation({ id: conversationId }).then(function (statuses) {\n\t return _this.$store.dispatch('addNewStatuses', { statuses: statuses });\n\t }).then(function () {\n\t return _this.setHighlight(_this.statusoid.id);\n\t });\n\t } else {\n\t var id = this.$route.params.id;\n\t this.$store.state.api.backendInteractor.fetchStatus({ id: id }).then(function (status) {\n\t return _this.$store.dispatch('addNewStatuses', { statuses: [status] });\n\t }).then(function () {\n\t return _this.fetchConversation();\n\t });\n\t }\n\t },\n\t getReplies: function getReplies(id) {\n\t id = Number(id);\n\t return this.replies[id] || [];\n\t },\n\t focused: function focused(id) {\n\t if (this.statusoid.retweeted_status) {\n\t return id === this.statusoid.retweeted_status.id;\n\t } else {\n\t return id === this.statusoid.id;\n\t }\n\t },\n\t setHighlight: function setHighlight(id) {\n\t this.highlight = Number(id);\n\t }\n\t }\n\t};\n\t\n\texports.default = conversation;\n\n/***/ }),\n/* 182 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar DeleteButton = {\n\t props: ['status'],\n\t methods: {\n\t deleteStatus: function deleteStatus() {\n\t var confirmed = window.confirm('Do you really want to delete this status?');\n\t if (confirmed) {\n\t this.$store.dispatch('deleteStatus', { id: this.status.id });\n\t }\n\t }\n\t },\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t canDelete: function canDelete() {\n\t return this.currentUser && this.currentUser.rights.delete_others_notice || this.status.user.id === this.currentUser.id;\n\t }\n\t }\n\t};\n\t\n\texports.default = DeleteButton;\n\n/***/ }),\n/* 183 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar FavoriteButton = {\n\t props: ['status', 'loggedIn'],\n\t data: function data() {\n\t return {\n\t animated: false\n\t };\n\t },\n\t\n\t methods: {\n\t favorite: function favorite() {\n\t var _this = this;\n\t\n\t if (!this.status.favorited) {\n\t this.$store.dispatch('favorite', { id: this.status.id });\n\t } else {\n\t this.$store.dispatch('unfavorite', { id: this.status.id });\n\t }\n\t this.animated = true;\n\t setTimeout(function () {\n\t _this.animated = false;\n\t }, 500);\n\t }\n\t },\n\t computed: {\n\t classes: function classes() {\n\t return {\n\t 'icon-star-empty': !this.status.favorited,\n\t 'icon-star': this.status.favorited,\n\t 'animate-spin': this.animated\n\t };\n\t }\n\t }\n\t};\n\t\n\texports.default = FavoriteButton;\n\n/***/ }),\n/* 184 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_card = __webpack_require__(168);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar FollowRequests = {\n\t components: {\n\t UserCard: _user_card2.default\n\t },\n\t created: function created() {\n\t this.updateRequests();\n\t },\n\t\n\t computed: {\n\t requests: function requests() {\n\t return this.$store.state.api.followRequests;\n\t }\n\t },\n\t methods: {\n\t updateRequests: function updateRequests() {\n\t var _this = this;\n\t\n\t this.$store.state.api.backendInteractor.fetchFollowRequests().then(function (requests) {\n\t _this.$store.commit('setFollowRequests', requests);\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = FollowRequests;\n\n/***/ }),\n/* 185 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(28);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar FriendsTimeline = {\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.friends;\n\t }\n\t }\n\t};\n\t\n\texports.default = FriendsTimeline;\n\n/***/ }),\n/* 186 */\n/***/ (function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar InstanceSpecificPanel = {\n\t computed: {\n\t instanceSpecificPanelContent: function instanceSpecificPanelContent() {\n\t return this.$store.state.config.instanceSpecificPanelContent;\n\t }\n\t }\n\t};\n\t\n\texports.default = InstanceSpecificPanel;\n\n/***/ }),\n/* 187 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar LoginForm = {\n\t data: function data() {\n\t return {\n\t user: {},\n\t authError: false\n\t };\n\t },\n\t computed: {\n\t loggingIn: function loggingIn() {\n\t return this.$store.state.users.loggingIn;\n\t },\n\t registrationOpen: function registrationOpen() {\n\t return this.$store.state.config.registrationOpen;\n\t }\n\t },\n\t methods: {\n\t submit: function submit() {\n\t var _this = this;\n\t\n\t this.$store.dispatch('loginUser', this.user).then(function () {}, function (error) {\n\t _this.authError = error;\n\t _this.user.username = '';\n\t _this.user.password = '';\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = LoginForm;\n\n/***/ }),\n/* 188 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status_posterService = __webpack_require__(106);\n\t\n\tvar _status_posterService2 = _interopRequireDefault(_status_posterService);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar mediaUpload = {\n\t mounted: function mounted() {\n\t var _this = this;\n\t\n\t var input = this.$el.querySelector('input');\n\t\n\t input.addEventListener('change', function (_ref) {\n\t var target = _ref.target;\n\t\n\t var file = target.files[0];\n\t _this.uploadFile(file);\n\t });\n\t },\n\t data: function data() {\n\t return {\n\t uploading: false\n\t };\n\t },\n\t\n\t methods: {\n\t uploadFile: function uploadFile(file) {\n\t var self = this;\n\t var store = this.$store;\n\t var formData = new FormData();\n\t formData.append('media', file);\n\t\n\t self.$emit('uploading');\n\t self.uploading = true;\n\t\n\t _status_posterService2.default.uploadMedia({ store: store, formData: formData }).then(function (fileData) {\n\t self.$emit('uploaded', fileData);\n\t self.uploading = false;\n\t }, function (error) {\n\t self.$emit('upload-failed');\n\t self.uploading = false;\n\t });\n\t },\n\t fileDrop: function fileDrop(e) {\n\t if (e.dataTransfer.files.length > 0) {\n\t e.preventDefault();\n\t this.uploadFile(e.dataTransfer.files[0]);\n\t }\n\t },\n\t fileDrag: function fileDrag(e) {\n\t var types = e.dataTransfer.types;\n\t if (types.contains('Files')) {\n\t e.dataTransfer.dropEffect = 'copy';\n\t } else {\n\t e.dataTransfer.dropEffect = 'none';\n\t }\n\t }\n\t },\n\t props: ['dropFiles'],\n\t watch: {\n\t 'dropFiles': function dropFiles(fileInfos) {\n\t if (!this.uploading) {\n\t this.uploadFile(fileInfos[0]);\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = mediaUpload;\n\n/***/ }),\n/* 189 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(28);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Mentions = {\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.mentions;\n\t }\n\t },\n\t components: {\n\t Timeline: _timeline2.default\n\t }\n\t};\n\t\n\texports.default = Mentions;\n\n/***/ }),\n/* 190 */\n/***/ (function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar NavPanel = {\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t chat: function chat() {\n\t return this.$store.state.chat.channel;\n\t }\n\t }\n\t};\n\t\n\texports.default = NavPanel;\n\n/***/ }),\n/* 191 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status = __webpack_require__(64);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _stillImage = __webpack_require__(65);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _user_card_content = __webpack_require__(43);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Notification = {\n\t data: function data() {\n\t return {\n\t userExpanded: false\n\t };\n\t },\n\t\n\t props: ['notification'],\n\t components: {\n\t Status: _status2.default, StillImage: _stillImage2.default, UserCardContent: _user_card_content2.default\n\t },\n\t methods: {\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t }\n\t }\n\t};\n\t\n\texports.default = Notification;\n\n/***/ }),\n/* 192 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _filter2 = __webpack_require__(39);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _take2 = __webpack_require__(163);\n\t\n\tvar _take3 = _interopRequireDefault(_take2);\n\t\n\tvar _sortBy2 = __webpack_require__(100);\n\t\n\tvar _sortBy3 = _interopRequireDefault(_sortBy2);\n\t\n\tvar _notification = __webpack_require__(483);\n\t\n\tvar _notification2 = _interopRequireDefault(_notification);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Notifications = {\n\t data: function data() {\n\t return {\n\t visibleNotificationCount: 20\n\t };\n\t },\n\t\n\t computed: {\n\t notifications: function notifications() {\n\t return this.$store.state.statuses.notifications;\n\t },\n\t unseenNotifications: function unseenNotifications() {\n\t return (0, _filter3.default)(this.notifications, function (_ref) {\n\t var seen = _ref.seen;\n\t return !seen;\n\t });\n\t },\n\t visibleNotifications: function visibleNotifications() {\n\t var sortedNotifications = (0, _sortBy3.default)(this.notifications, function (_ref2) {\n\t var action = _ref2.action;\n\t return -action.id;\n\t });\n\t sortedNotifications = (0, _sortBy3.default)(sortedNotifications, 'seen');\n\t return (0, _take3.default)(sortedNotifications, this.visibleNotificationCount);\n\t },\n\t unseenCount: function unseenCount() {\n\t return this.unseenNotifications.length;\n\t }\n\t },\n\t components: {\n\t Notification: _notification2.default\n\t },\n\t watch: {\n\t unseenCount: function unseenCount(count) {\n\t if (count > 0) {\n\t this.$store.dispatch('setPageTitle', '(' + count + ')');\n\t } else {\n\t this.$store.dispatch('setPageTitle', '');\n\t }\n\t }\n\t },\n\t methods: {\n\t markAsSeen: function markAsSeen() {\n\t this.$store.commit('markNotificationsAsSeen', this.visibleNotifications);\n\t }\n\t }\n\t};\n\t\n\texports.default = Notifications;\n\n/***/ }),\n/* 193 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _toConsumableArray2 = __webpack_require__(222);\n\t\n\tvar _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2);\n\t\n\tvar _uniqBy2 = __webpack_require__(458);\n\t\n\tvar _uniqBy3 = _interopRequireDefault(_uniqBy2);\n\t\n\tvar _map2 = __webpack_require__(42);\n\t\n\tvar _map3 = _interopRequireDefault(_map2);\n\t\n\tvar _reject2 = __webpack_require__(448);\n\t\n\tvar _reject3 = _interopRequireDefault(_reject2);\n\t\n\tvar _filter2 = __webpack_require__(39);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _take2 = __webpack_require__(163);\n\t\n\tvar _take3 = _interopRequireDefault(_take2);\n\t\n\tvar _status_posterService = __webpack_require__(106);\n\t\n\tvar _status_posterService2 = _interopRequireDefault(_status_posterService);\n\t\n\tvar _media_upload = __webpack_require__(480);\n\t\n\tvar _media_upload2 = _interopRequireDefault(_media_upload);\n\t\n\tvar _file_typeService = __webpack_require__(105);\n\t\n\tvar _file_typeService2 = _interopRequireDefault(_file_typeService);\n\t\n\tvar _completion = __webpack_require__(175);\n\t\n\tvar _completion2 = _interopRequireDefault(_completion);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar buildMentionsString = function buildMentionsString(_ref, currentUser) {\n\t var user = _ref.user,\n\t attentions = _ref.attentions;\n\t\n\t var allAttentions = [].concat((0, _toConsumableArray3.default)(attentions));\n\t\n\t allAttentions.unshift(user);\n\t\n\t allAttentions = (0, _uniqBy3.default)(allAttentions, 'id');\n\t allAttentions = (0, _reject3.default)(allAttentions, { id: currentUser.id });\n\t\n\t var mentions = (0, _map3.default)(allAttentions, function (attention) {\n\t return '@' + attention.screen_name;\n\t });\n\t\n\t return mentions.join(' ') + ' ';\n\t};\n\t\n\tvar PostStatusForm = {\n\t props: ['replyTo', 'repliedUser', 'attentions', 'messageScope'],\n\t components: {\n\t MediaUpload: _media_upload2.default\n\t },\n\t mounted: function mounted() {\n\t this.resize(this.$refs.textarea);\n\t },\n\t data: function data() {\n\t var preset = this.$route.query.message;\n\t var statusText = preset || '';\n\t\n\t if (this.replyTo) {\n\t var currentUser = this.$store.state.users.currentUser;\n\t statusText = buildMentionsString({ user: this.repliedUser, attentions: this.attentions }, currentUser);\n\t }\n\t\n\t return {\n\t dropFiles: [],\n\t submitDisabled: false,\n\t error: null,\n\t posting: false,\n\t highlighted: 0,\n\t newStatus: {\n\t status: statusText,\n\t files: [],\n\t visibility: this.messageScope || 'public'\n\t },\n\t caret: 0\n\t };\n\t },\n\t\n\t computed: {\n\t vis: function vis() {\n\t return {\n\t public: { selected: this.newStatus.visibility === 'public' },\n\t unlisted: { selected: this.newStatus.visibility === 'unlisted' },\n\t private: { selected: this.newStatus.visibility === 'private' },\n\t direct: { selected: this.newStatus.visibility === 'direct' }\n\t };\n\t },\n\t candidates: function candidates() {\n\t var _this = this;\n\t\n\t var firstchar = this.textAtCaret.charAt(0);\n\t if (firstchar === '@') {\n\t var matchedUsers = (0, _filter3.default)(this.users, function (user) {\n\t return String(user.name + user.screen_name).toUpperCase().match(_this.textAtCaret.slice(1).toUpperCase());\n\t });\n\t if (matchedUsers.length <= 0) {\n\t return false;\n\t }\n\t\n\t return (0, _map3.default)((0, _take3.default)(matchedUsers, 5), function (_ref2, index) {\n\t var screen_name = _ref2.screen_name,\n\t name = _ref2.name,\n\t profile_image_url_original = _ref2.profile_image_url_original;\n\t return {\n\t screen_name: '@' + screen_name,\n\t name: name,\n\t img: profile_image_url_original,\n\t highlighted: index === _this.highlighted\n\t };\n\t });\n\t } else if (firstchar === ':') {\n\t if (this.textAtCaret === ':') {\n\t return;\n\t }\n\t var matchedEmoji = (0, _filter3.default)(this.emoji.concat(this.customEmoji), function (emoji) {\n\t return emoji.shortcode.match(_this.textAtCaret.slice(1));\n\t });\n\t if (matchedEmoji.length <= 0) {\n\t return false;\n\t }\n\t return (0, _map3.default)((0, _take3.default)(matchedEmoji, 5), function (_ref3, index) {\n\t var shortcode = _ref3.shortcode,\n\t image_url = _ref3.image_url,\n\t utf = _ref3.utf;\n\t return {\n\t screen_name: ':' + shortcode + ':',\n\t name: '',\n\t utf: utf || '',\n\t img: image_url,\n\t highlighted: index === _this.highlighted\n\t };\n\t });\n\t } else {\n\t return false;\n\t }\n\t },\n\t textAtCaret: function textAtCaret() {\n\t return (this.wordAtCaret || {}).word || '';\n\t },\n\t wordAtCaret: function wordAtCaret() {\n\t var word = _completion2.default.wordAtPosition(this.newStatus.status, this.caret - 1) || {};\n\t return word;\n\t },\n\t users: function users() {\n\t return this.$store.state.users.users;\n\t },\n\t emoji: function emoji() {\n\t return this.$store.state.config.emoji || [];\n\t },\n\t customEmoji: function customEmoji() {\n\t return this.$store.state.config.customEmoji || [];\n\t },\n\t statusLength: function statusLength() {\n\t return this.newStatus.status.length;\n\t },\n\t statusLengthLimit: function statusLengthLimit() {\n\t return this.$store.state.config.textlimit;\n\t },\n\t hasStatusLengthLimit: function hasStatusLengthLimit() {\n\t return this.statusLengthLimit > 0;\n\t },\n\t charactersLeft: function charactersLeft() {\n\t return this.statusLengthLimit - this.statusLength;\n\t },\n\t isOverLengthLimit: function isOverLengthLimit() {\n\t return this.hasStatusLengthLimit && this.statusLength > this.statusLengthLimit;\n\t },\n\t scopeOptionsEnabled: function scopeOptionsEnabled() {\n\t return this.$store.state.config.scopeOptionsEnabled;\n\t }\n\t },\n\t methods: {\n\t replace: function replace(replacement) {\n\t this.newStatus.status = _completion2.default.replaceWord(this.newStatus.status, this.wordAtCaret, replacement);\n\t var el = this.$el.querySelector('textarea');\n\t el.focus();\n\t this.caret = 0;\n\t },\n\t replaceCandidate: function replaceCandidate(e) {\n\t var len = this.candidates.length || 0;\n\t if (this.textAtCaret === ':' || e.ctrlKey) {\n\t return;\n\t }\n\t if (len > 0) {\n\t e.preventDefault();\n\t var candidate = this.candidates[this.highlighted];\n\t var replacement = candidate.utf || candidate.screen_name + ' ';\n\t this.newStatus.status = _completion2.default.replaceWord(this.newStatus.status, this.wordAtCaret, replacement);\n\t var el = this.$el.querySelector('textarea');\n\t el.focus();\n\t this.caret = 0;\n\t this.highlighted = 0;\n\t }\n\t },\n\t cycleBackward: function cycleBackward(e) {\n\t var len = this.candidates.length || 0;\n\t if (len > 0) {\n\t e.preventDefault();\n\t this.highlighted -= 1;\n\t if (this.highlighted < 0) {\n\t this.highlighted = this.candidates.length - 1;\n\t }\n\t } else {\n\t this.highlighted = 0;\n\t }\n\t },\n\t cycleForward: function cycleForward(e) {\n\t var len = this.candidates.length || 0;\n\t if (len > 0) {\n\t if (e.shiftKey) {\n\t return;\n\t }\n\t e.preventDefault();\n\t this.highlighted += 1;\n\t if (this.highlighted >= len) {\n\t this.highlighted = 0;\n\t }\n\t } else {\n\t this.highlighted = 0;\n\t }\n\t },\n\t setCaret: function setCaret(_ref4) {\n\t var selectionStart = _ref4.target.selectionStart;\n\t\n\t this.caret = selectionStart;\n\t },\n\t postStatus: function postStatus(newStatus) {\n\t var _this2 = this;\n\t\n\t if (this.posting) {\n\t return;\n\t }\n\t if (this.submitDisabled) {\n\t return;\n\t }\n\t\n\t if (this.newStatus.status === '') {\n\t if (this.newStatus.files.length > 0) {\n\t this.newStatus.status = '\\u200B';\n\t } else {\n\t this.error = 'Cannot post an empty status with no files';\n\t return;\n\t }\n\t }\n\t\n\t this.posting = true;\n\t _status_posterService2.default.postStatus({\n\t status: newStatus.status,\n\t spoilerText: newStatus.spoilerText || null,\n\t visibility: newStatus.visibility,\n\t media: newStatus.files,\n\t store: this.$store,\n\t inReplyToStatusId: this.replyTo\n\t }).then(function (data) {\n\t if (!data.error) {\n\t _this2.newStatus = {\n\t status: '',\n\t files: [],\n\t visibility: newStatus.visibility\n\t };\n\t _this2.$emit('posted');\n\t var el = _this2.$el.querySelector('textarea');\n\t el.style.height = '16px';\n\t _this2.error = null;\n\t } else {\n\t _this2.error = data.error;\n\t }\n\t _this2.posting = false;\n\t });\n\t },\n\t addMediaFile: function addMediaFile(fileInfo) {\n\t this.newStatus.files.push(fileInfo);\n\t this.enableSubmit();\n\t },\n\t removeMediaFile: function removeMediaFile(fileInfo) {\n\t var index = this.newStatus.files.indexOf(fileInfo);\n\t this.newStatus.files.splice(index, 1);\n\t },\n\t disableSubmit: function disableSubmit() {\n\t this.submitDisabled = true;\n\t },\n\t enableSubmit: function enableSubmit() {\n\t this.submitDisabled = false;\n\t },\n\t type: function type(fileInfo) {\n\t return _file_typeService2.default.fileType(fileInfo.mimetype);\n\t },\n\t paste: function paste(e) {\n\t if (e.clipboardData.files.length > 0) {\n\t this.dropFiles = [e.clipboardData.files[0]];\n\t }\n\t },\n\t fileDrop: function fileDrop(e) {\n\t if (e.dataTransfer.files.length > 0) {\n\t e.preventDefault();\n\t this.dropFiles = e.dataTransfer.files;\n\t }\n\t },\n\t fileDrag: function fileDrag(e) {\n\t e.dataTransfer.dropEffect = 'copy';\n\t },\n\t resize: function resize(e) {\n\t if (!e.target) {\n\t return;\n\t }\n\t var vertPadding = Number(window.getComputedStyle(e.target)['padding-top'].substr(0, 1)) + Number(window.getComputedStyle(e.target)['padding-bottom'].substr(0, 1));\n\t e.target.style.height = 'auto';\n\t e.target.style.height = e.target.scrollHeight - vertPadding + 'px';\n\t if (e.target.value === '') {\n\t e.target.style.height = '16px';\n\t }\n\t },\n\t clearError: function clearError() {\n\t this.error = null;\n\t },\n\t changeVis: function changeVis(visibility) {\n\t this.newStatus.visibility = visibility;\n\t }\n\t }\n\t};\n\t\n\texports.default = PostStatusForm;\n\n/***/ }),\n/* 194 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(28);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar PublicAndExternalTimeline = {\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.publicAndExternal;\n\t }\n\t },\n\t created: function created() {\n\t this.$store.dispatch('startFetching', 'publicAndExternal');\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'publicAndExternal');\n\t }\n\t};\n\t\n\texports.default = PublicAndExternalTimeline;\n\n/***/ }),\n/* 195 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(28);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar PublicTimeline = {\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.public;\n\t }\n\t },\n\t created: function created() {\n\t this.$store.dispatch('startFetching', 'public');\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'public');\n\t }\n\t};\n\t\n\texports.default = PublicTimeline;\n\n/***/ }),\n/* 196 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar registration = {\n\t data: function data() {\n\t return {\n\t user: {},\n\t error: false,\n\t registering: false\n\t };\n\t },\n\t created: function created() {\n\t if (!this.$store.state.config.registrationOpen || !!this.$store.state.users.currentUser) {\n\t this.$router.push('/main/all');\n\t }\n\t },\n\t\n\t computed: {\n\t termsofservice: function termsofservice() {\n\t return this.$store.state.config.tos;\n\t }\n\t },\n\t methods: {\n\t submit: function submit() {\n\t var _this = this;\n\t\n\t this.registering = true;\n\t this.user.nickname = this.user.username;\n\t this.$store.state.api.backendInteractor.register(this.user).then(function (response) {\n\t if (response.ok) {\n\t _this.$store.dispatch('loginUser', _this.user);\n\t _this.$router.push('/main/all');\n\t _this.registering = false;\n\t } else {\n\t _this.registering = false;\n\t response.json().then(function (data) {\n\t _this.error = data.error;\n\t });\n\t }\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = registration;\n\n/***/ }),\n/* 197 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar RetweetButton = {\n\t props: ['status', 'loggedIn'],\n\t data: function data() {\n\t return {\n\t animated: false\n\t };\n\t },\n\t\n\t methods: {\n\t retweet: function retweet() {\n\t var _this = this;\n\t\n\t if (!this.status.repeated) {\n\t this.$store.dispatch('retweet', { id: this.status.id });\n\t }\n\t this.animated = true;\n\t setTimeout(function () {\n\t _this.animated = false;\n\t }, 500);\n\t }\n\t },\n\t computed: {\n\t classes: function classes() {\n\t return {\n\t 'retweeted': this.status.repeated,\n\t 'animate-spin': this.animated\n\t };\n\t }\n\t }\n\t};\n\t\n\texports.default = RetweetButton;\n\n/***/ }),\n/* 198 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _trim2 = __webpack_require__(457);\n\t\n\tvar _trim3 = _interopRequireDefault(_trim2);\n\t\n\tvar _filter2 = __webpack_require__(39);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _style_switcher = __webpack_require__(167);\n\t\n\tvar _style_switcher2 = _interopRequireDefault(_style_switcher);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar settings = {\n\t data: function data() {\n\t return {\n\t hideAttachmentsLocal: this.$store.state.config.hideAttachments,\n\t hideAttachmentsInConvLocal: this.$store.state.config.hideAttachmentsInConv,\n\t hideNsfwLocal: this.$store.state.config.hideNsfw,\n\t muteWordsString: this.$store.state.config.muteWords.join('\\n'),\n\t autoLoadLocal: this.$store.state.config.autoLoad,\n\t streamingLocal: this.$store.state.config.streaming,\n\t hoverPreviewLocal: this.$store.state.config.hoverPreview,\n\t stopGifs: this.$store.state.config.stopGifs\n\t };\n\t },\n\t\n\t components: {\n\t StyleSwitcher: _style_switcher2.default\n\t },\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser;\n\t }\n\t },\n\t watch: {\n\t hideAttachmentsLocal: function hideAttachmentsLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hideAttachments', value: value });\n\t },\n\t hideAttachmentsInConvLocal: function hideAttachmentsInConvLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hideAttachmentsInConv', value: value });\n\t },\n\t hideNsfwLocal: function hideNsfwLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hideNsfw', value: value });\n\t },\n\t autoLoadLocal: function autoLoadLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'autoLoad', value: value });\n\t },\n\t streamingLocal: function streamingLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'streaming', value: value });\n\t },\n\t hoverPreviewLocal: function hoverPreviewLocal(value) {\n\t this.$store.dispatch('setOption', { name: 'hoverPreview', value: value });\n\t },\n\t muteWordsString: function muteWordsString(value) {\n\t value = (0, _filter3.default)(value.split('\\n'), function (word) {\n\t return (0, _trim3.default)(word).length > 0;\n\t });\n\t this.$store.dispatch('setOption', { name: 'muteWords', value: value });\n\t },\n\t stopGifs: function stopGifs(value) {\n\t this.$store.dispatch('setOption', { name: 'stopGifs', value: value });\n\t }\n\t }\n\t};\n\t\n\texports.default = settings;\n\n/***/ }),\n/* 199 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _find2 = __webpack_require__(62);\n\t\n\tvar _find3 = _interopRequireDefault(_find2);\n\t\n\tvar _filter2 = __webpack_require__(39);\n\t\n\tvar _filter3 = _interopRequireDefault(_filter2);\n\t\n\tvar _attachment = __webpack_require__(471);\n\t\n\tvar _attachment2 = _interopRequireDefault(_attachment);\n\t\n\tvar _favorite_button = __webpack_require__(475);\n\t\n\tvar _favorite_button2 = _interopRequireDefault(_favorite_button);\n\t\n\tvar _retweet_button = __webpack_require__(488);\n\t\n\tvar _retweet_button2 = _interopRequireDefault(_retweet_button);\n\t\n\tvar _delete_button = __webpack_require__(474);\n\t\n\tvar _delete_button2 = _interopRequireDefault(_delete_button);\n\t\n\tvar _post_status_form = __webpack_require__(166);\n\t\n\tvar _post_status_form2 = _interopRequireDefault(_post_status_form);\n\t\n\tvar _user_card_content = __webpack_require__(43);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _stillImage = __webpack_require__(65);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Status = {\n\t name: 'Status',\n\t props: ['statusoid', 'expandable', 'inConversation', 'focused', 'highlight', 'compact', 'replies', 'noReplyLinks', 'noHeading', 'inlineExpanded'],\n\t data: function data() {\n\t return {\n\t replying: false,\n\t expanded: false,\n\t unmuted: false,\n\t userExpanded: false,\n\t preview: null,\n\t showPreview: false,\n\t showingTall: false\n\t };\n\t },\n\t computed: {\n\t muteWords: function muteWords() {\n\t return this.$store.state.config.muteWords;\n\t },\n\t hideAttachments: function hideAttachments() {\n\t return this.$store.state.config.hideAttachments && !this.inConversation || this.$store.state.config.hideAttachmentsInConv && this.inConversation;\n\t },\n\t retweet: function retweet() {\n\t return !!this.statusoid.retweeted_status;\n\t },\n\t retweeter: function retweeter() {\n\t return this.statusoid.user.name;\n\t },\n\t status: function status() {\n\t if (this.retweet) {\n\t return this.statusoid.retweeted_status;\n\t } else {\n\t return this.statusoid;\n\t }\n\t },\n\t loggedIn: function loggedIn() {\n\t return !!this.$store.state.users.currentUser;\n\t },\n\t muteWordHits: function muteWordHits() {\n\t var statusText = this.status.text.toLowerCase();\n\t var hits = (0, _filter3.default)(this.muteWords, function (muteWord) {\n\t return statusText.includes(muteWord.toLowerCase());\n\t });\n\t\n\t return hits;\n\t },\n\t muted: function muted() {\n\t return !this.unmuted && (this.status.user.muted || this.muteWordHits.length > 0);\n\t },\n\t isReply: function isReply() {\n\t return !!this.status.in_reply_to_status_id;\n\t },\n\t isFocused: function isFocused() {\n\t if (this.focused) {\n\t return true;\n\t } else if (!this.inConversation) {\n\t return false;\n\t }\n\t\n\t return this.status.id === this.highlight;\n\t },\n\t hideTallStatus: function hideTallStatus() {\n\t if (this.showingTall) {\n\t return false;\n\t }\n\t var lengthScore = this.status.statusnet_html.split(/ 20;\n\t },\n\t attachmentSize: function attachmentSize() {\n\t if (this.$store.state.config.hideAttachments && !this.inConversation || this.$store.state.config.hideAttachmentsInConv && this.inConversation) {\n\t return 'hide';\n\t } else if (this.compact) {\n\t return 'small';\n\t }\n\t return 'normal';\n\t }\n\t },\n\t components: {\n\t Attachment: _attachment2.default,\n\t FavoriteButton: _favorite_button2.default,\n\t RetweetButton: _retweet_button2.default,\n\t DeleteButton: _delete_button2.default,\n\t PostStatusForm: _post_status_form2.default,\n\t UserCardContent: _user_card_content2.default,\n\t StillImage: _stillImage2.default\n\t },\n\t methods: {\n\t visibilityIcon: function visibilityIcon(visibility) {\n\t switch (visibility) {\n\t case 'private':\n\t return 'icon-lock';\n\t case 'unlisted':\n\t return 'icon-lock-open-alt';\n\t case 'direct':\n\t return 'icon-mail-alt';\n\t default:\n\t return 'icon-globe';\n\t }\n\t },\n\t linkClicked: function linkClicked(_ref) {\n\t var target = _ref.target;\n\t\n\t if (target.tagName === 'SPAN') {\n\t target = target.parentNode;\n\t }\n\t if (target.tagName === 'A') {\n\t window.open(target.href, '_blank');\n\t }\n\t },\n\t toggleReplying: function toggleReplying() {\n\t this.replying = !this.replying;\n\t },\n\t gotoOriginal: function gotoOriginal(id) {\n\t if (this.inConversation) {\n\t this.$emit('goto', id);\n\t }\n\t },\n\t toggleExpanded: function toggleExpanded() {\n\t this.$emit('toggleExpanded');\n\t },\n\t toggleMute: function toggleMute() {\n\t this.unmuted = !this.unmuted;\n\t },\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t },\n\t toggleShowTall: function toggleShowTall() {\n\t this.showingTall = !this.showingTall;\n\t },\n\t replyEnter: function replyEnter(id, event) {\n\t var _this = this;\n\t\n\t this.showPreview = true;\n\t var targetId = Number(id);\n\t var statuses = this.$store.state.statuses.allStatuses;\n\t\n\t if (!this.preview) {\n\t this.preview = (0, _find3.default)(statuses, { 'id': targetId });\n\t\n\t if (!this.preview) {\n\t this.$store.state.api.backendInteractor.fetchStatus({ id: id }).then(function (status) {\n\t _this.preview = status;\n\t });\n\t }\n\t } else if (this.preview.id !== targetId) {\n\t this.preview = (0, _find3.default)(statuses, { 'id': targetId });\n\t }\n\t },\n\t replyLeave: function replyLeave() {\n\t this.showPreview = false;\n\t }\n\t },\n\t watch: {\n\t 'highlight': function highlight(id) {\n\t id = Number(id);\n\t if (this.status.id === id) {\n\t var rect = this.$el.getBoundingClientRect();\n\t if (rect.top < 100) {\n\t window.scrollBy(0, rect.top - 200);\n\t } else if (rect.bottom > window.innerHeight - 50) {\n\t window.scrollBy(0, rect.bottom - window.innerHeight + 50);\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Status;\n\n/***/ }),\n/* 200 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status = __webpack_require__(64);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _conversation = __webpack_require__(165);\n\t\n\tvar _conversation2 = _interopRequireDefault(_conversation);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar statusOrConversation = {\n\t props: ['statusoid'],\n\t data: function data() {\n\t return {\n\t expanded: false\n\t };\n\t },\n\t\n\t components: {\n\t Status: _status2.default,\n\t Conversation: _conversation2.default\n\t },\n\t methods: {\n\t toggleExpanded: function toggleExpanded() {\n\t this.expanded = !this.expanded;\n\t }\n\t }\n\t};\n\t\n\texports.default = statusOrConversation;\n\n/***/ }),\n/* 201 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar StillImage = {\n\t props: ['src', 'referrerpolicy', 'mimetype'],\n\t data: function data() {\n\t return {\n\t stopGifs: this.$store.state.config.stopGifs\n\t };\n\t },\n\t\n\t computed: {\n\t animated: function animated() {\n\t return this.stopGifs && (this.mimetype === 'image/gif' || this.src.endsWith('.gif'));\n\t }\n\t },\n\t methods: {\n\t onLoad: function onLoad() {\n\t var canvas = this.$refs.canvas;\n\t if (!canvas) return;\n\t canvas.getContext('2d').drawImage(this.$refs.src, 1, 1, canvas.width, canvas.height);\n\t }\n\t }\n\t};\n\t\n\texports.default = StillImage;\n\n/***/ }),\n/* 202 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _color_convert = __webpack_require__(66);\n\t\n\texports.default = {\n\t data: function data() {\n\t return {\n\t availableStyles: [],\n\t selected: this.$store.state.config.theme,\n\t bgColorLocal: '',\n\t btnColorLocal: '',\n\t textColorLocal: '',\n\t linkColorLocal: '',\n\t redColorLocal: '',\n\t blueColorLocal: '',\n\t greenColorLocal: '',\n\t orangeColorLocal: '',\n\t btnRadiusLocal: '',\n\t inputRadiusLocal: '',\n\t panelRadiusLocal: '',\n\t avatarRadiusLocal: '',\n\t avatarAltRadiusLocal: '',\n\t attachmentRadiusLocal: '',\n\t tooltipRadiusLocal: ''\n\t };\n\t },\n\t created: function created() {\n\t var self = this;\n\t\n\t window.fetch('/static/styles.json').then(function (data) {\n\t return data.json();\n\t }).then(function (themes) {\n\t self.availableStyles = themes;\n\t });\n\t },\n\t mounted: function mounted() {\n\t this.bgColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.bg);\n\t this.btnColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.btn);\n\t this.textColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.fg);\n\t this.linkColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.link);\n\t\n\t this.redColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.cRed);\n\t this.blueColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.cBlue);\n\t this.greenColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.cGreen);\n\t this.orangeColorLocal = (0, _color_convert.rgbstr2hex)(this.$store.state.config.colors.cOrange);\n\t\n\t this.btnRadiusLocal = this.$store.state.config.radii.btnRadius || 4;\n\t this.inputRadiusLocal = this.$store.state.config.radii.inputRadius || 4;\n\t this.panelRadiusLocal = this.$store.state.config.radii.panelRadius || 10;\n\t this.avatarRadiusLocal = this.$store.state.config.radii.avatarRadius || 5;\n\t this.avatarAltRadiusLocal = this.$store.state.config.radii.avatarAltRadius || 50;\n\t this.tooltipRadiusLocal = this.$store.state.config.radii.tooltipRadius || 2;\n\t this.attachmentRadiusLocal = this.$store.state.config.radii.attachmentRadius || 5;\n\t },\n\t\n\t methods: {\n\t setCustomTheme: function setCustomTheme() {\n\t if (!this.bgColorLocal && !this.btnColorLocal && !this.linkColorLocal) {}\n\t\n\t var rgb = function rgb(hex) {\n\t var result = /^#?([a-f\\d]{2})([a-f\\d]{2})([a-f\\d]{2})$/i.exec(hex);\n\t return result ? {\n\t r: parseInt(result[1], 16),\n\t g: parseInt(result[2], 16),\n\t b: parseInt(result[3], 16)\n\t } : null;\n\t };\n\t var bgRgb = rgb(this.bgColorLocal);\n\t var btnRgb = rgb(this.btnColorLocal);\n\t var textRgb = rgb(this.textColorLocal);\n\t var linkRgb = rgb(this.linkColorLocal);\n\t\n\t var redRgb = rgb(this.redColorLocal);\n\t var blueRgb = rgb(this.blueColorLocal);\n\t var greenRgb = rgb(this.greenColorLocal);\n\t var orangeRgb = rgb(this.orangeColorLocal);\n\t\n\t if (bgRgb && btnRgb && linkRgb) {\n\t this.$store.dispatch('setOption', {\n\t name: 'customTheme',\n\t value: {\n\t fg: btnRgb,\n\t bg: bgRgb,\n\t text: textRgb,\n\t link: linkRgb,\n\t cRed: redRgb,\n\t cBlue: blueRgb,\n\t cGreen: greenRgb,\n\t cOrange: orangeRgb,\n\t btnRadius: this.btnRadiusLocal,\n\t inputRadius: this.inputRadiusLocal,\n\t panelRadius: this.panelRadiusLocal,\n\t avatarRadius: this.avatarRadiusLocal,\n\t avatarAltRadius: this.avatarAltRadiusLocal,\n\t tooltipRadius: this.tooltipRadiusLocal,\n\t attachmentRadius: this.attachmentRadiusLocal\n\t } });\n\t }\n\t }\n\t },\n\t watch: {\n\t selected: function selected() {\n\t this.bgColorLocal = this.selected[1];\n\t this.btnColorLocal = this.selected[2];\n\t this.textColorLocal = this.selected[3];\n\t this.linkColorLocal = this.selected[4];\n\t this.redColorLocal = this.selected[5];\n\t this.greenColorLocal = this.selected[6];\n\t this.blueColorLocal = this.selected[7];\n\t this.orangeColorLocal = this.selected[8];\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 203 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _timeline = __webpack_require__(28);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar TagTimeline = {\n\t created: function created() {\n\t this.$store.commit('clearTimeline', { timeline: 'tag' });\n\t this.$store.dispatch('startFetching', { 'tag': this.tag });\n\t },\n\t\n\t components: {\n\t Timeline: _timeline2.default\n\t },\n\t computed: {\n\t tag: function tag() {\n\t return this.$route.params.tag;\n\t },\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.tag;\n\t }\n\t },\n\t watch: {\n\t tag: function tag() {\n\t this.$store.commit('clearTimeline', { timeline: 'tag' });\n\t this.$store.dispatch('startFetching', { 'tag': this.tag });\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'tag');\n\t }\n\t};\n\t\n\texports.default = TagTimeline;\n\n/***/ }),\n/* 204 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _status = __webpack_require__(64);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _timeline_fetcherService = __webpack_require__(107);\n\t\n\tvar _timeline_fetcherService2 = _interopRequireDefault(_timeline_fetcherService);\n\t\n\tvar _status_or_conversation = __webpack_require__(490);\n\t\n\tvar _status_or_conversation2 = _interopRequireDefault(_status_or_conversation);\n\t\n\tvar _user_card = __webpack_require__(168);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar Timeline = {\n\t props: ['timeline', 'timelineName', 'title', 'userId', 'tag'],\n\t data: function data() {\n\t return {\n\t paused: false\n\t };\n\t },\n\t\n\t computed: {\n\t timelineError: function timelineError() {\n\t return this.$store.state.statuses.error;\n\t },\n\t followers: function followers() {\n\t return this.timeline.followers;\n\t },\n\t friends: function friends() {\n\t return this.timeline.friends;\n\t },\n\t viewing: function viewing() {\n\t return this.timeline.viewing;\n\t },\n\t newStatusCount: function newStatusCount() {\n\t return this.timeline.newStatusCount;\n\t },\n\t newStatusCountStr: function newStatusCountStr() {\n\t if (this.timeline.flushMarker !== 0) {\n\t return '';\n\t } else {\n\t return ' (' + this.newStatusCount + ')';\n\t }\n\t }\n\t },\n\t components: {\n\t Status: _status2.default,\n\t StatusOrConversation: _status_or_conversation2.default,\n\t UserCard: _user_card2.default\n\t },\n\t created: function created() {\n\t var store = this.$store;\n\t var credentials = store.state.users.currentUser.credentials;\n\t var showImmediately = this.timeline.visibleStatuses.length === 0;\n\t\n\t window.addEventListener('scroll', this.scrollLoad);\n\t\n\t _timeline_fetcherService2.default.fetchAndUpdate({\n\t store: store,\n\t credentials: credentials,\n\t timeline: this.timelineName,\n\t showImmediately: showImmediately,\n\t userId: this.userId,\n\t tag: this.tag\n\t });\n\t\n\t if (this.timelineName === 'user') {\n\t this.fetchFriends();\n\t this.fetchFollowers();\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t window.removeEventListener('scroll', this.scrollLoad);\n\t this.$store.commit('setLoading', { timeline: this.timelineName, value: false });\n\t },\n\t\n\t methods: {\n\t showNewStatuses: function showNewStatuses() {\n\t if (this.timeline.flushMarker !== 0) {\n\t this.$store.commit('clearTimeline', { timeline: this.timelineName });\n\t this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 });\n\t this.fetchOlderStatuses();\n\t } else {\n\t this.$store.commit('showNewStatuses', { timeline: this.timelineName });\n\t this.paused = false;\n\t }\n\t },\n\t fetchOlderStatuses: function fetchOlderStatuses() {\n\t var _this = this;\n\t\n\t var store = this.$store;\n\t var credentials = store.state.users.currentUser.credentials;\n\t store.commit('setLoading', { timeline: this.timelineName, value: true });\n\t _timeline_fetcherService2.default.fetchAndUpdate({\n\t store: store,\n\t credentials: credentials,\n\t timeline: this.timelineName,\n\t older: true,\n\t showImmediately: true,\n\t userId: this.userId,\n\t tag: this.tag\n\t }).then(function () {\n\t return store.commit('setLoading', { timeline: _this.timelineName, value: false });\n\t });\n\t },\n\t fetchFollowers: function fetchFollowers() {\n\t var _this2 = this;\n\t\n\t var id = this.userId;\n\t this.$store.state.api.backendInteractor.fetchFollowers({ id: id }).then(function (followers) {\n\t return _this2.$store.dispatch('addFollowers', { followers: followers });\n\t });\n\t },\n\t fetchFriends: function fetchFriends() {\n\t var _this3 = this;\n\t\n\t var id = this.userId;\n\t this.$store.state.api.backendInteractor.fetchFriends({ id: id }).then(function (friends) {\n\t return _this3.$store.dispatch('addFriends', { friends: friends });\n\t });\n\t },\n\t scrollLoad: function scrollLoad(e) {\n\t var bodyBRect = document.body.getBoundingClientRect();\n\t var height = Math.max(bodyBRect.height, -bodyBRect.y);\n\t if (this.timeline.loading === false && this.$store.state.config.autoLoad && this.$el.offsetHeight > 0 && window.innerHeight + window.pageYOffset >= height - 750) {\n\t this.fetchOlderStatuses();\n\t }\n\t }\n\t },\n\t watch: {\n\t newStatusCount: function newStatusCount(count) {\n\t if (!this.$store.state.config.streaming) {\n\t return;\n\t }\n\t if (count > 0) {\n\t if (window.pageYOffset < 15 && !this.paused) {\n\t this.showNewStatuses();\n\t } else {\n\t this.paused = true;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Timeline;\n\n/***/ }),\n/* 205 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_card_content = __webpack_require__(43);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserCard = {\n\t props: ['user', 'showFollows', 'showApproval'],\n\t data: function data() {\n\t return {\n\t userExpanded: false\n\t };\n\t },\n\t\n\t components: {\n\t UserCardContent: _user_card_content2.default\n\t },\n\t methods: {\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t },\n\t approveUser: function approveUser() {\n\t this.$store.state.api.backendInteractor.approveUser(this.user.id);\n\t this.$store.dispatch('removeFollowRequest', this.user);\n\t },\n\t denyUser: function denyUser() {\n\t this.$store.state.api.backendInteractor.denyUser(this.user.id);\n\t this.$store.dispatch('removeFollowRequest', this.user);\n\t }\n\t }\n\t};\n\t\n\texports.default = UserCard;\n\n/***/ }),\n/* 206 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stillImage = __webpack_require__(65);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _color_convert = __webpack_require__(66);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\texports.default = {\n\t props: ['user', 'switcher', 'selected', 'hideBio'],\n\t computed: {\n\t headingStyle: function headingStyle() {\n\t var color = this.$store.state.config.colors.bg;\n\t if (color) {\n\t var rgb = (0, _color_convert.hex2rgb)(color);\n\t var tintColor = 'rgba(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ', .5)';\n\t console.log(rgb);\n\t console.log(['url(' + this.user.cover_photo + ')', 'linear-gradient(to bottom, ' + tintColor + ', ' + tintColor + ')'].join(', '));\n\t return {\n\t backgroundColor: 'rgb(' + Math.floor(rgb.r * 0.53) + ', ' + Math.floor(rgb.g * 0.56) + ', ' + Math.floor(rgb.b * 0.59) + ')',\n\t backgroundImage: ['linear-gradient(to bottom, ' + tintColor + ', ' + tintColor + ')', 'url(' + this.user.cover_photo + ')'].join(', ')\n\t };\n\t }\n\t },\n\t isOtherUser: function isOtherUser() {\n\t return this.user.id !== this.$store.state.users.currentUser.id;\n\t },\n\t subscribeUrl: function subscribeUrl() {\n\t var serverUrl = new URL(this.user.statusnet_profile_url);\n\t return serverUrl.protocol + '//' + serverUrl.host + '/main/ostatus';\n\t },\n\t loggedIn: function loggedIn() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t dailyAvg: function dailyAvg() {\n\t var days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000));\n\t return Math.round(this.user.statuses_count / days);\n\t }\n\t },\n\t components: {\n\t StillImage: _stillImage2.default\n\t },\n\t methods: {\n\t followUser: function followUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.followUser(this.user.id).then(function (followedUser) {\n\t return store.commit('addNewUsers', [followedUser]);\n\t });\n\t },\n\t unfollowUser: function unfollowUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.unfollowUser(this.user.id).then(function (unfollowedUser) {\n\t return store.commit('addNewUsers', [unfollowedUser]);\n\t });\n\t },\n\t blockUser: function blockUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.blockUser(this.user.id).then(function (blockedUser) {\n\t return store.commit('addNewUsers', [blockedUser]);\n\t });\n\t },\n\t unblockUser: function unblockUser() {\n\t var store = this.$store;\n\t store.state.api.backendInteractor.unblockUser(this.user.id).then(function (unblockedUser) {\n\t return store.commit('addNewUsers', [unblockedUser]);\n\t });\n\t },\n\t toggleMute: function toggleMute() {\n\t var store = this.$store;\n\t store.commit('setMuted', { user: this.user, muted: !this.user.muted });\n\t store.state.api.backendInteractor.setUserMute(this.user);\n\t },\n\t setProfileView: function setProfileView(v) {\n\t if (this.switcher) {\n\t var store = this.$store;\n\t store.commit('setProfileView', { v: v });\n\t }\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 207 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar UserFinder = {\n\t data: function data() {\n\t return {\n\t username: undefined,\n\t hidden: true,\n\t error: false,\n\t loading: false\n\t };\n\t },\n\t methods: {\n\t findUser: function findUser(username) {\n\t var _this = this;\n\t\n\t username = username[0] === '@' ? username.slice(1) : username;\n\t this.loading = true;\n\t this.$store.state.api.backendInteractor.externalProfile(username).then(function (user) {\n\t _this.loading = false;\n\t _this.hidden = true;\n\t if (!user.error) {\n\t _this.$store.commit('addNewUsers', [user]);\n\t _this.$router.push({ name: 'user-profile', params: { id: user.id } });\n\t } else {\n\t _this.error = true;\n\t }\n\t });\n\t },\n\t toggleHidden: function toggleHidden() {\n\t this.hidden = !this.hidden;\n\t },\n\t dismissError: function dismissError() {\n\t this.error = false;\n\t }\n\t }\n\t};\n\t\n\texports.default = UserFinder;\n\n/***/ }),\n/* 208 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _login_form = __webpack_require__(479);\n\t\n\tvar _login_form2 = _interopRequireDefault(_login_form);\n\t\n\tvar _post_status_form = __webpack_require__(166);\n\t\n\tvar _post_status_form2 = _interopRequireDefault(_post_status_form);\n\t\n\tvar _user_card_content = __webpack_require__(43);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserPanel = {\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser;\n\t }\n\t },\n\t components: {\n\t LoginForm: _login_form2.default,\n\t PostStatusForm: _post_status_form2.default,\n\t UserCardContent: _user_card_content2.default\n\t }\n\t};\n\t\n\texports.default = UserPanel;\n\n/***/ }),\n/* 209 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _user_card_content = __webpack_require__(43);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _timeline = __webpack_require__(28);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserProfile = {\n\t created: function created() {\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.dispatch('startFetching', ['user', this.userId]);\n\t if (!this.$store.state.users.usersObject[this.userId]) {\n\t this.$store.dispatch('fetchUser', this.userId);\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'user');\n\t },\n\t\n\t computed: {\n\t timeline: function timeline() {\n\t return this.$store.state.statuses.timelines.user;\n\t },\n\t userId: function userId() {\n\t return this.$route.params.id;\n\t },\n\t user: function user() {\n\t if (this.timeline.statuses[0]) {\n\t return this.timeline.statuses[0].user;\n\t } else {\n\t return this.$store.state.users.usersObject[this.userId] || false;\n\t }\n\t }\n\t },\n\t watch: {\n\t userId: function userId() {\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.dispatch('startFetching', ['user', this.userId]);\n\t }\n\t },\n\t components: {\n\t UserCardContent: _user_card_content2.default,\n\t Timeline: _timeline2.default\n\t }\n\t};\n\t\n\texports.default = UserProfile;\n\n/***/ }),\n/* 210 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar _stringify = __webpack_require__(215);\n\t\n\tvar _stringify2 = _interopRequireDefault(_stringify);\n\t\n\tvar _style_switcher = __webpack_require__(167);\n\t\n\tvar _style_switcher2 = _interopRequireDefault(_style_switcher);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserSettings = {\n\t data: function data() {\n\t return {\n\t newname: this.$store.state.users.currentUser.name,\n\t newbio: this.$store.state.users.currentUser.description,\n\t newlocked: this.$store.state.users.currentUser.locked,\n\t followList: null,\n\t followImportError: false,\n\t followsImported: false,\n\t enableFollowsExport: true,\n\t uploading: [false, false, false, false],\n\t previews: [null, null, null],\n\t deletingAccount: false,\n\t deleteAccountConfirmPasswordInput: '',\n\t deleteAccountError: false,\n\t changePasswordInputs: ['', '', ''],\n\t changedPassword: false,\n\t changePasswordError: false\n\t };\n\t },\n\t\n\t components: {\n\t StyleSwitcher: _style_switcher2.default\n\t },\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t pleromaBackend: function pleromaBackend() {\n\t return this.$store.state.config.pleromaBackend;\n\t }\n\t },\n\t methods: {\n\t updateProfile: function updateProfile() {\n\t var _this = this;\n\t\n\t var name = this.newname;\n\t var description = this.newbio;\n\t var locked = this.newlocked;\n\t this.$store.state.api.backendInteractor.updateProfile({ params: { name: name, description: description, locked: locked } }).then(function (user) {\n\t if (!user.error) {\n\t _this.$store.commit('addNewUsers', [user]);\n\t _this.$store.commit('setCurrentUser', user);\n\t }\n\t });\n\t },\n\t uploadFile: function uploadFile(slot, e) {\n\t var _this2 = this;\n\t\n\t var file = e.target.files[0];\n\t if (!file) {\n\t return;\n\t }\n\t\n\t var reader = new FileReader();\n\t reader.onload = function (_ref) {\n\t var target = _ref.target;\n\t\n\t var img = target.result;\n\t _this2.previews[slot] = img;\n\t _this2.$forceUpdate();\n\t };\n\t reader.readAsDataURL(file);\n\t },\n\t submitAvatar: function submitAvatar() {\n\t var _this3 = this;\n\t\n\t if (!this.previews[0]) {\n\t return;\n\t }\n\t\n\t var img = this.previews[0];\n\t\n\t var imginfo = new Image();\n\t var cropX = void 0,\n\t cropY = void 0,\n\t cropW = void 0,\n\t cropH = void 0;\n\t imginfo.src = img;\n\t if (imginfo.height > imginfo.width) {\n\t cropX = 0;\n\t cropW = imginfo.width;\n\t cropY = Math.floor((imginfo.height - imginfo.width) / 2);\n\t cropH = imginfo.width;\n\t } else {\n\t cropY = 0;\n\t cropH = imginfo.height;\n\t cropX = Math.floor((imginfo.width - imginfo.height) / 2);\n\t cropW = imginfo.height;\n\t }\n\t this.uploading[0] = true;\n\t this.$store.state.api.backendInteractor.updateAvatar({ params: { img: img, cropX: cropX, cropY: cropY, cropW: cropW, cropH: cropH } }).then(function (user) {\n\t if (!user.error) {\n\t _this3.$store.commit('addNewUsers', [user]);\n\t _this3.$store.commit('setCurrentUser', user);\n\t _this3.previews[0] = null;\n\t }\n\t _this3.uploading[0] = false;\n\t });\n\t },\n\t submitBanner: function submitBanner() {\n\t var _this4 = this;\n\t\n\t if (!this.previews[1]) {\n\t return;\n\t }\n\t\n\t var banner = this.previews[1];\n\t\n\t var imginfo = new Image();\n\t\n\t var offset_top = void 0,\n\t offset_left = void 0,\n\t width = void 0,\n\t height = void 0;\n\t imginfo.src = banner;\n\t width = imginfo.width;\n\t height = imginfo.height;\n\t offset_top = 0;\n\t offset_left = 0;\n\t this.uploading[1] = true;\n\t this.$store.state.api.backendInteractor.updateBanner({ params: { banner: banner, offset_top: offset_top, offset_left: offset_left, width: width, height: height } }).then(function (data) {\n\t if (!data.error) {\n\t var clone = JSON.parse((0, _stringify2.default)(_this4.$store.state.users.currentUser));\n\t clone.cover_photo = data.url;\n\t _this4.$store.commit('addNewUsers', [clone]);\n\t _this4.$store.commit('setCurrentUser', clone);\n\t _this4.previews[1] = null;\n\t }\n\t _this4.uploading[1] = false;\n\t });\n\t },\n\t submitBg: function submitBg() {\n\t var _this5 = this;\n\t\n\t if (!this.previews[2]) {\n\t return;\n\t }\n\t var img = this.previews[2];\n\t\n\t var imginfo = new Image();\n\t var cropX = void 0,\n\t cropY = void 0,\n\t cropW = void 0,\n\t cropH = void 0;\n\t imginfo.src = img;\n\t cropX = 0;\n\t cropY = 0;\n\t cropW = imginfo.width;\n\t cropH = imginfo.width;\n\t this.uploading[2] = true;\n\t this.$store.state.api.backendInteractor.updateBg({ params: { img: img, cropX: cropX, cropY: cropY, cropW: cropW, cropH: cropH } }).then(function (data) {\n\t if (!data.error) {\n\t var clone = JSON.parse((0, _stringify2.default)(_this5.$store.state.users.currentUser));\n\t clone.background_image = data.url;\n\t _this5.$store.commit('addNewUsers', [clone]);\n\t _this5.$store.commit('setCurrentUser', clone);\n\t _this5.previews[2] = null;\n\t }\n\t _this5.uploading[2] = false;\n\t });\n\t },\n\t importFollows: function importFollows() {\n\t var _this6 = this;\n\t\n\t this.uploading[3] = true;\n\t var followList = this.followList;\n\t this.$store.state.api.backendInteractor.followImport({ params: followList }).then(function (status) {\n\t if (status) {\n\t _this6.followsImported = true;\n\t } else {\n\t _this6.followImportError = true;\n\t }\n\t _this6.uploading[3] = false;\n\t });\n\t },\n\t exportPeople: function exportPeople(users, filename) {\n\t var UserAddresses = users.map(function (user) {\n\t if (user && user.is_local) {\n\t user.screen_name += '@' + location.hostname;\n\t }\n\t return user.screen_name;\n\t }).join('\\n');\n\t\n\t var fileToDownload = document.createElement('a');\n\t fileToDownload.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(UserAddresses));\n\t fileToDownload.setAttribute('download', filename);\n\t fileToDownload.style.display = 'none';\n\t document.body.appendChild(fileToDownload);\n\t fileToDownload.click();\n\t document.body.removeChild(fileToDownload);\n\t },\n\t exportFollows: function exportFollows() {\n\t var _this7 = this;\n\t\n\t this.enableFollowsExport = false;\n\t this.$store.state.api.backendInteractor.fetchFriends({ id: this.$store.state.users.currentUser.id }).then(function (friendList) {\n\t _this7.exportPeople(friendList, 'friends.csv');\n\t });\n\t },\n\t followListChange: function followListChange() {\n\t var formData = new FormData();\n\t formData.append('list', this.$refs.followlist.files[0]);\n\t this.followList = formData;\n\t },\n\t dismissImported: function dismissImported() {\n\t this.followsImported = false;\n\t this.followImportError = false;\n\t },\n\t confirmDelete: function confirmDelete() {\n\t this.deletingAccount = true;\n\t },\n\t deleteAccount: function deleteAccount() {\n\t var _this8 = this;\n\t\n\t this.$store.state.api.backendInteractor.deleteAccount({ password: this.deleteAccountConfirmPasswordInput }).then(function (res) {\n\t if (res.status === 'success') {\n\t _this8.$store.dispatch('logout');\n\t _this8.$router.push('/main/all');\n\t } else {\n\t _this8.deleteAccountError = res.error;\n\t }\n\t });\n\t },\n\t changePassword: function changePassword() {\n\t var _this9 = this;\n\t\n\t var params = {\n\t password: this.changePasswordInputs[0],\n\t newPassword: this.changePasswordInputs[1],\n\t newPasswordConfirmation: this.changePasswordInputs[2]\n\t };\n\t this.$store.state.api.backendInteractor.changePassword(params).then(function (res) {\n\t if (res.status === 'success') {\n\t _this9.changedPassword = true;\n\t _this9.changePasswordError = false;\n\t } else {\n\t _this9.changedPassword = false;\n\t _this9.changePasswordError = res.error;\n\t }\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = UserSettings;\n\n/***/ }),\n/* 211 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tfunction showWhoToFollow(panel, reply, aHost, aUser) {\n\t var users = reply.ids;\n\t var cn;\n\t var index = 0;\n\t var random = Math.floor(Math.random() * 10);\n\t for (cn = random; cn < users.length; cn = cn + 10) {\n\t var user;\n\t user = users[cn];\n\t var img;\n\t if (user.icon) {\n\t img = user.icon;\n\t } else {\n\t img = '/images/avi.png';\n\t }\n\t var name = user.to_id;\n\t if (index === 0) {\n\t panel.img1 = img;\n\t panel.name1 = name;\n\t panel.$store.state.api.backendInteractor.externalProfile(name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t panel.$store.commit('addNewUsers', [externalUser]);\n\t panel.id1 = externalUser.id;\n\t }\n\t });\n\t } else if (index === 1) {\n\t panel.img2 = img;\n\t panel.name2 = name;\n\t panel.$store.state.api.backendInteractor.externalProfile(name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t panel.$store.commit('addNewUsers', [externalUser]);\n\t panel.id2 = externalUser.id;\n\t }\n\t });\n\t } else if (index === 2) {\n\t panel.img3 = img;\n\t panel.name3 = name;\n\t panel.$store.state.api.backendInteractor.externalProfile(name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t panel.$store.commit('addNewUsers', [externalUser]);\n\t panel.id3 = externalUser.id;\n\t }\n\t });\n\t }\n\t index = index + 1;\n\t if (index > 2) {\n\t break;\n\t }\n\t }\n\t}\n\t\n\tfunction getWhoToFollow(panel) {\n\t var user = panel.$store.state.users.currentUser.screen_name;\n\t if (user) {\n\t panel.name1 = 'Loading...';\n\t panel.name2 = 'Loading...';\n\t panel.name3 = 'Loading...';\n\t var host = window.location.hostname;\n\t var whoToFollowProvider = panel.$store.state.config.whoToFollowProvider;\n\t var url;\n\t url = whoToFollowProvider.replace(/{{host}}/g, encodeURIComponent(host));\n\t url = url.replace(/{{user}}/g, encodeURIComponent(user));\n\t window.fetch(url, { mode: 'cors' }).then(function (response) {\n\t if (response.ok) {\n\t return response.json();\n\t } else {\n\t panel.name1 = '';\n\t panel.name2 = '';\n\t panel.name3 = '';\n\t }\n\t }).then(function (reply) {\n\t showWhoToFollow(panel, reply, host, user);\n\t });\n\t }\n\t}\n\t\n\tvar WhoToFollowPanel = {\n\t data: function data() {\n\t return {\n\t img1: '/images/avi.png',\n\t name1: '',\n\t id1: 0,\n\t img2: '/images/avi.png',\n\t name2: '',\n\t id2: 0,\n\t img3: '/images/avi.png',\n\t name3: '',\n\t id3: 0\n\t };\n\t },\n\t computed: {\n\t user: function user() {\n\t return this.$store.state.users.currentUser.screen_name;\n\t },\n\t moreUrl: function moreUrl() {\n\t var host = window.location.hostname;\n\t var user = this.user;\n\t var whoToFollowLink = this.$store.state.config.whoToFollowLink;\n\t var url;\n\t url = whoToFollowLink.replace(/{{host}}/g, encodeURIComponent(host));\n\t url = url.replace(/{{user}}/g, encodeURIComponent(user));\n\t return url;\n\t },\n\t showWhoToFollowPanel: function showWhoToFollowPanel() {\n\t return this.$store.state.config.showWhoToFollowPanel;\n\t }\n\t },\n\t watch: {\n\t user: function user(_user, oldUser) {\n\t if (this.showWhoToFollowPanel) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t },\n\t mounted: function mounted() {\n\t if (this.showWhoToFollowPanel) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t};\n\t\n\texports.default = WhoToFollowPanel;\n\n/***/ }),\n/* 212 */,\n/* 213 */,\n/* 214 */,\n/* 215 */,\n/* 216 */,\n/* 217 */,\n/* 218 */,\n/* 219 */,\n/* 220 */,\n/* 221 */,\n/* 222 */,\n/* 223 */,\n/* 224 */,\n/* 225 */,\n/* 226 */,\n/* 227 */,\n/* 228 */,\n/* 229 */,\n/* 230 */,\n/* 231 */,\n/* 232 */,\n/* 233 */,\n/* 234 */,\n/* 235 */,\n/* 236 */,\n/* 237 */,\n/* 238 */,\n/* 239 */,\n/* 240 */,\n/* 241 */,\n/* 242 */,\n/* 243 */,\n/* 244 */,\n/* 245 */,\n/* 246 */,\n/* 247 */,\n/* 248 */,\n/* 249 */,\n/* 250 */,\n/* 251 */,\n/* 252 */,\n/* 253 */,\n/* 254 */,\n/* 255 */,\n/* 256 */,\n/* 257 */,\n/* 258 */,\n/* 259 */,\n/* 260 */,\n/* 261 */,\n/* 262 */,\n/* 263 */,\n/* 264 */,\n/* 265 */,\n/* 266 */,\n/* 267 */,\n/* 268 */,\n/* 269 */,\n/* 270 */,\n/* 271 */,\n/* 272 */,\n/* 273 */,\n/* 274 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 275 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 276 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 277 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 278 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 279 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 280 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 281 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 282 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 283 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 284 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 285 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 286 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 287 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 288 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 289 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 290 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 291 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 292 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 293 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 294 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 295 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 296 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 297 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 298 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 299 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 300 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"now\",[\"%ss\",\"%ss\"],[\"%smin\",\"%smin\"],[\"%sh\",\"%sh\"],[\"%sd\",\"%sd\"],[\"%sw\",\"%sw\"],[\"%smo\",\"%smo\"],[\"%sy\",\"%sy\"]]\n\n/***/ }),\n/* 301 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n/***/ }),\n/* 302 */,\n/* 303 */,\n/* 304 */,\n/* 305 */,\n/* 306 */,\n/* 307 */,\n/* 308 */,\n/* 309 */,\n/* 310 */,\n/* 311 */,\n/* 312 */,\n/* 313 */,\n/* 314 */,\n/* 315 */,\n/* 316 */,\n/* 317 */,\n/* 318 */,\n/* 319 */,\n/* 320 */,\n/* 321 */,\n/* 322 */,\n/* 323 */,\n/* 324 */,\n/* 325 */,\n/* 326 */,\n/* 327 */,\n/* 328 */,\n/* 329 */,\n/* 330 */,\n/* 331 */,\n/* 332 */,\n/* 333 */,\n/* 334 */,\n/* 335 */,\n/* 336 */,\n/* 337 */,\n/* 338 */,\n/* 339 */,\n/* 340 */,\n/* 341 */,\n/* 342 */,\n/* 343 */,\n/* 344 */,\n/* 345 */,\n/* 346 */,\n/* 347 */,\n/* 348 */,\n/* 349 */,\n/* 350 */,\n/* 351 */,\n/* 352 */,\n/* 353 */,\n/* 354 */,\n/* 355 */,\n/* 356 */,\n/* 357 */,\n/* 358 */,\n/* 359 */,\n/* 360 */,\n/* 361 */,\n/* 362 */,\n/* 363 */,\n/* 364 */,\n/* 365 */,\n/* 366 */,\n/* 367 */,\n/* 368 */,\n/* 369 */,\n/* 370 */,\n/* 371 */,\n/* 372 */,\n/* 373 */,\n/* 374 */,\n/* 375 */,\n/* 376 */,\n/* 377 */,\n/* 378 */,\n/* 379 */,\n/* 380 */,\n/* 381 */,\n/* 382 */,\n/* 383 */,\n/* 384 */,\n/* 385 */,\n/* 386 */,\n/* 387 */,\n/* 388 */,\n/* 389 */,\n/* 390 */,\n/* 391 */,\n/* 392 */,\n/* 393 */,\n/* 394 */,\n/* 395 */,\n/* 396 */,\n/* 397 */,\n/* 398 */,\n/* 399 */,\n/* 400 */,\n/* 401 */,\n/* 402 */,\n/* 403 */,\n/* 404 */,\n/* 405 */,\n/* 406 */,\n/* 407 */,\n/* 408 */,\n/* 409 */,\n/* 410 */,\n/* 411 */,\n/* 412 */,\n/* 413 */,\n/* 414 */,\n/* 415 */,\n/* 416 */,\n/* 417 */,\n/* 418 */,\n/* 419 */,\n/* 420 */,\n/* 421 */,\n/* 422 */,\n/* 423 */,\n/* 424 */,\n/* 425 */,\n/* 426 */,\n/* 427 */,\n/* 428 */,\n/* 429 */,\n/* 430 */,\n/* 431 */,\n/* 432 */,\n/* 433 */,\n/* 434 */,\n/* 435 */,\n/* 436 */,\n/* 437 */,\n/* 438 */,\n/* 439 */,\n/* 440 */,\n/* 441 */,\n/* 442 */,\n/* 443 */,\n/* 444 */,\n/* 445 */,\n/* 446 */,\n/* 447 */,\n/* 448 */,\n/* 449 */,\n/* 450 */,\n/* 451 */,\n/* 452 */,\n/* 453 */,\n/* 454 */,\n/* 455 */,\n/* 456 */,\n/* 457 */,\n/* 458 */,\n/* 459 */,\n/* 460 */,\n/* 461 */,\n/* 462 */,\n/* 463 */,\n/* 464 */,\n/* 465 */,\n/* 466 */,\n/* 467 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__.p + \"static/img/nsfw.50fd83c.png\";\n\n/***/ }),\n/* 468 */,\n/* 469 */,\n/* 470 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(286)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(177),\n\t /* template */\n\t __webpack_require__(514),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 471 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(285)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(178),\n\t /* template */\n\t __webpack_require__(513),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 472 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(279)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(179),\n\t /* template */\n\t __webpack_require__(507),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 473 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(180),\n\t /* template */\n\t __webpack_require__(518),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 474 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(292)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(182),\n\t /* template */\n\t __webpack_require__(524),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 475 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(294)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(183),\n\t /* template */\n\t __webpack_require__(526),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 476 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(184),\n\t /* template */\n\t __webpack_require__(500),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 477 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(185),\n\t /* template */\n\t __webpack_require__(522),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 478 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(290)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(186),\n\t /* template */\n\t __webpack_require__(521),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 479 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(282)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(187),\n\t /* template */\n\t __webpack_require__(510),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 480 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(287)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(188),\n\t /* template */\n\t __webpack_require__(515),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 481 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(189),\n\t /* template */\n\t __webpack_require__(505),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 482 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(296)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(190),\n\t /* template */\n\t __webpack_require__(528),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 483 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(191),\n\t /* template */\n\t __webpack_require__(517),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 484 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(274)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(192),\n\t /* template */\n\t __webpack_require__(497),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 485 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(194),\n\t /* template */\n\t __webpack_require__(506),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 486 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(195),\n\t /* template */\n\t __webpack_require__(516),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 487 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(283)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(196),\n\t /* template */\n\t __webpack_require__(511),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 488 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(278)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(197),\n\t /* template */\n\t __webpack_require__(504),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 489 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(295)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(198),\n\t /* template */\n\t __webpack_require__(527),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 490 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(281)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(200),\n\t /* template */\n\t __webpack_require__(509),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 491 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(203),\n\t /* template */\n\t __webpack_require__(503),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 492 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(280)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(207),\n\t /* template */\n\t __webpack_require__(508),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 493 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(298)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(208),\n\t /* template */\n\t __webpack_require__(530),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 494 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(284)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(209),\n\t /* template */\n\t __webpack_require__(512),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 495 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(291)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(210),\n\t /* template */\n\t __webpack_require__(523),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 496 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(297)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(211),\n\t /* template */\n\t __webpack_require__(529),\n\t /* scopeId */\n\t null,\n\t /* cssModules */\n\t null\n\t)\n\t\n\tmodule.exports = Component.exports\n\n\n/***/ }),\n/* 497 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"notifications\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [(_vm.unseenCount) ? _c('span', {\n\t staticClass: \"unseen-count\"\n\t }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e(), _vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.notifications')) + \"\\n \"), (_vm.unseenCount) ? _c('button', {\n\t staticClass: \"read-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.markAsSeen($event)\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.visibleNotifications), function(notification) {\n\t return _c('div', {\n\t key: notification.action.id,\n\t staticClass: \"notification\",\n\t class: {\n\t \"unseen\": !notification.seen\n\t }\n\t }, [_c('notification', {\n\t attrs: {\n\t \"notification\": notification\n\t }\n\t })], 1)\n\t }))])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 498 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"profile-panel-background\",\n\t style: (_vm.headingStyle),\n\t attrs: {\n\t \"id\": \"heading\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"panel-heading text-center\"\n\t }, [_c('div', {\n\t staticClass: \"user-info\"\n\t }, [(!_vm.isOtherUser) ? _c('router-link', {\n\t staticStyle: {\n\t \"float\": \"right\",\n\t \"margin-top\": \"16px\"\n\t },\n\t attrs: {\n\t \"to\": \"/user-settings\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cog usersettings\"\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\n\t staticStyle: {\n\t \"float\": \"right\",\n\t \"margin-top\": \"16px\"\n\t },\n\t attrs: {\n\t \"href\": _vm.user.statusnet_profile_url,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-link-ext usersettings\"\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"container\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.user.id\n\t }\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url_original\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"name-and-screen-name\"\n\t }, [_c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"user-screen-name\",\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.user.id\n\t }\n\t }\n\t }\n\t }, [_c('span', [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))]), (_vm.user.locked) ? _c('span', [_c('i', {\n\t staticClass: \"icon icon-lock\"\n\t })]) : _vm._e(), _vm._v(\" \"), _c('span', {\n\t staticClass: \"dailyAvg\"\n\t }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))])])], 1)], 1), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n\t staticClass: \"user-interactions\"\n\t }, [(_vm.user.follows_you && _vm.loggedIn) ? _c('div', {\n\t staticClass: \"following\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.loggedIn) ? _c('div', {\n\t staticClass: \"follow\"\n\t }, [(_vm.user.following) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t on: {\n\t \"click\": _vm.unfollowUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n\t on: {\n\t \"click\": _vm.followUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n\t staticClass: \"mute\"\n\t }, [(_vm.user.muted) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t on: {\n\t \"click\": _vm.toggleMute\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.muted')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.muted) ? _c('span', [_c('button', {\n\t on: {\n\t \"click\": _vm.toggleMute\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.mute')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (!_vm.loggedIn && _vm.user.is_local) ? _c('div', {\n\t staticClass: \"remote-follow\"\n\t }, [_c('form', {\n\t attrs: {\n\t \"method\": \"POST\",\n\t \"action\": _vm.subscribeUrl\n\t }\n\t }, [_c('input', {\n\t attrs: {\n\t \"type\": \"hidden\",\n\t \"name\": \"nickname\"\n\t },\n\t domProps: {\n\t \"value\": _vm.user.screen_name\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t attrs: {\n\t \"type\": \"hidden\",\n\t \"name\": \"profile\",\n\t \"value\": \"\"\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"remote-button\",\n\t attrs: {\n\t \"click\": \"submit\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.remote_follow')) + \"\\n \")])])]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _c('div', {\n\t staticClass: \"block\"\n\t }, [(_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t on: {\n\t \"click\": _vm.unblockUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.blocked')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n\t on: {\n\t \"click\": _vm.blockUser\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.block')) + \"\\n \")])]) : _vm._e()]) : _vm._e()]) : _vm._e()], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body profile-panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"user-counts\",\n\t class: {\n\t clickable: _vm.switcher\n\t }\n\t }, [_c('div', {\n\t staticClass: \"user-count\",\n\t class: {\n\t selected: _vm.selected === 'statuses'\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.setProfileView('statuses')\n\t }\n\t }\n\t }, [_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', {\n\t staticClass: \"user-count\",\n\t class: {\n\t selected: _vm.selected === 'friends'\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.setProfileView('friends')\n\t }\n\t }\n\t }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followees')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.friends_count))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-count\",\n\t class: {\n\t selected: _vm.selected === 'followers'\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.setProfileView('followers')\n\t }\n\t }\n\t }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followers')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.followers_count))])])]), _vm._v(\" \"), (!_vm.hideBio) ? _c('p', [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 499 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.viewing == 'statuses') ? _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _vm._v(\" \"), (_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('button', {\n\t staticClass: \"loadmore-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.showNewStatuses($event)\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.timelineError) ? _c('div', {\n\t staticClass: \"loadmore-error alert error\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n\t staticClass: \"loadmore-text\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.up_to_date')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.timeline.visibleStatuses), function(status) {\n\t return _c('status-or-conversation', {\n\t key: status.id,\n\t staticClass: \"status-fadein\",\n\t attrs: {\n\t \"statusoid\": status\n\t }\n\t })\n\t }))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(!_vm.timeline.loading) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.fetchOlderStatuses()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(_vm._s(_vm.$t('timeline.load_older')))])]) : _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(\"...\")])])]) : (_vm.viewing == 'followers') ? _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followers')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.followers), function(follower) {\n\t return _c('user-card', {\n\t key: follower.id,\n\t attrs: {\n\t \"user\": follower,\n\t \"showFollows\": false\n\t }\n\t })\n\t }))])]) : (_vm.viewing == 'friends') ? _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followees')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.friends), function(friend) {\n\t return _c('user-card', {\n\t key: friend.id,\n\t attrs: {\n\t \"user\": friend,\n\t \"showFollows\": true\n\t }\n\t })\n\t }))])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 500 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.friend_requests')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.requests), function(request) {\n\t return _c('user-card', {\n\t key: request.id,\n\t attrs: {\n\t \"user\": request,\n\t \"showFollows\": false,\n\t \"showApproval\": true\n\t }\n\t })\n\t }))])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 501 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"post-status-form\"\n\t }, [_c('form', {\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.postStatus(_vm.newStatus)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [(_vm.scopeOptionsEnabled) ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.spoilerText),\n\t expression: \"newStatus.spoilerText\"\n\t }],\n\t staticClass: \"form-cw\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"placeholder\": _vm.$t('post_status.content_warning')\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.spoilerText)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.status),\n\t expression: \"newStatus.status\"\n\t }],\n\t ref: \"textarea\",\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('post_status.default'),\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.status)\n\t },\n\t on: {\n\t \"click\": _vm.setCaret,\n\t \"keyup\": [_vm.setCaret, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n\t if (!$event.ctrlKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"keydown\": [function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key)) { return null; }\n\t _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key)) { return null; }\n\t _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key)) { return null; }\n\t if (!$event.shiftKey) { return null; }\n\t _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key)) { return null; }\n\t _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n\t _vm.replaceCandidate($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n\t if (!$event.metaKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"drop\": _vm.fileDrop,\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t _vm.fileDrag($event)\n\t },\n\t \"input\": [function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n\t }, _vm.resize],\n\t \"paste\": _vm.paste\n\t }\n\t }), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', {\n\t staticClass: \"visibility-tray\"\n\t }, [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })]) : _vm._e()]), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n\t staticStyle: {\n\t \"position\": \"relative\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete-panel\"\n\t }, _vm._l((_vm.candidates), function(candidate) {\n\t return _c('div', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete\",\n\t class: {\n\t highlighted: candidate.highlighted\n\t }\n\t }, [(candidate.img) ? _c('span', [_c('img', {\n\t attrs: {\n\t \"src\": candidate.img\n\t }\n\t })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n\t }))]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-bottom\"\n\t }, [_c('media-upload', {\n\t attrs: {\n\t \"drop-files\": _vm.dropFiles\n\t },\n\t on: {\n\t \"uploading\": _vm.disableSubmit,\n\t \"uploaded\": _vm.addMediaFile,\n\t \"upload-failed\": _vm.enableSubmit\n\t }\n\t }), _vm._v(\" \"), (_vm.isOverLengthLimit) ? _c('p', {\n\t staticClass: \"error\"\n\t }, [_vm._v(_vm._s(_vm.charactersLeft))]) : (_vm.hasStatusLengthLimit) ? _c('p', {\n\t staticClass: \"faint\"\n\t }, [_vm._v(_vm._s(_vm.charactersLeft))]) : _vm._e(), _vm._v(\" \"), (_vm.posting) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.posting')))]) : (_vm.isOverLengthLimit) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.submitDisabled,\n\t \"type\": \"submit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))])], 1), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.error) + \"\\n \"), _c('i', {\n\t staticClass: \"icon-cancel\",\n\t on: {\n\t \"click\": _vm.clearError\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"attachments\"\n\t }, _vm._l((_vm.newStatus.files), function(file) {\n\t return _c('div', {\n\t staticClass: \"media-upload-container attachment\"\n\t }, [_c('i', {\n\t staticClass: \"fa icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.removeMediaFile(file)\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.type(file) === 'image') ? _c('img', {\n\t staticClass: \"thumbnail media-upload\",\n\t attrs: {\n\t \"src\": file.image\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n\t attrs: {\n\t \"href\": file.image\n\t }\n\t }, [_vm._v(_vm._s(file.url))]) : _vm._e()])\n\t }))])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 502 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"timeline panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading conversation-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.conversation')) + \"\\n \"), (_vm.collapsable) ? _c('span', {\n\t staticStyle: {\n\t \"float\": \"right\"\n\t }\n\t }, [_c('small', [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.$emit('toggleExpanded')\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('timeline.collapse')))])])]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"timeline\"\n\t }, _vm._l((_vm.conversation), function(status) {\n\t return _c('status', {\n\t key: status.id,\n\t staticClass: \"status-fadein\",\n\t attrs: {\n\t \"inlineExpanded\": _vm.collapsable,\n\t \"statusoid\": status,\n\t \"expandable\": false,\n\t \"focused\": _vm.focused(status.id),\n\t \"inConversation\": true,\n\t \"highlight\": _vm.highlight,\n\t \"replies\": _vm.getReplies(status.id)\n\t },\n\t on: {\n\t \"goto\": _vm.setHighlight\n\t }\n\t })\n\t }))])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 503 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.tag,\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'tag',\n\t \"tag\": _vm.tag\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 504 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.loggedIn) ? _c('div', [_c('i', {\n\t staticClass: \"icon-retweet rt-active\",\n\t class: _vm.classes,\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.retweet()\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _c('div', [_c('i', {\n\t staticClass: \"icon-retweet\",\n\t class: _vm.classes\n\t }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 505 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.mentions'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'mentions'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 506 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.twkn'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'publicAndExternal'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 507 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (!this.collapsed) ? _c('div', {\n\t staticClass: \"chat-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading chat-heading\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), _c('i', {\n\t staticClass: \"icon-cancel\",\n\t staticStyle: {\n\t \"float\": \"right\"\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t directives: [{\n\t name: \"chat-scroll\",\n\t rawName: \"v-chat-scroll\"\n\t }],\n\t staticClass: \"chat-window\"\n\t }, _vm._l((_vm.messages), function(message) {\n\t return _c('div', {\n\t key: message.id,\n\t staticClass: \"chat-message\"\n\t }, [_c('span', {\n\t staticClass: \"chat-avatar\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": message.author.avatar\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"chat-content\"\n\t }, [_c('router-link', {\n\t staticClass: \"chat-name\",\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: message.author.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(message.author.username) + \"\\n \")]), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('span', {\n\t staticClass: \"chat-text\"\n\t }, [_vm._v(\"\\n \" + _vm._s(message.text) + \"\\n \")])], 1)])\n\t })), _vm._v(\" \"), _c('div', {\n\t staticClass: \"chat-input\"\n\t }, [_c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.currentMessage),\n\t expression: \"currentMessage\"\n\t }],\n\t staticClass: \"chat-input-textarea\",\n\t attrs: {\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.currentMessage)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n\t _vm.submit(_vm.currentMessage)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.currentMessage = $event.target.value\n\t }\n\t }\n\t })])])]) : _c('div', {\n\t staticClass: \"chat-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading stub timeline-heading chat-heading\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_c('i', {\n\t staticClass: \"icon-comment-empty\"\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 508 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('span', {\n\t staticClass: \"user-finder-container\"\n\t }, [(_vm.error) ? _c('span', {\n\t staticClass: \"alert error\"\n\t }, [_c('i', {\n\t staticClass: \"icon-cancel user-finder-icon\",\n\t on: {\n\t \"click\": _vm.dismissError\n\t }\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('finder.error_fetching_user')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.loading) ? _c('i', {\n\t staticClass: \"icon-spin4 user-finder-icon animate-spin-slow\"\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.hidden) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-user-plus user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t _vm.toggleHidden($event)\n\t }\n\t }\n\t })]) : _c('span', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.username),\n\t expression: \"username\"\n\t }],\n\t staticClass: \"user-finder-input\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('finder.find_user'),\n\t \"id\": \"user-finder-input\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.username)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n\t _vm.findUser(_vm.username)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.username = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-cancel user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t _vm.toggleHidden($event)\n\t }\n\t }\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 509 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [(_vm.expanded) ? _c('conversation', {\n\t attrs: {\n\t \"collapsable\": true,\n\t \"statusoid\": _vm.statusoid\n\t },\n\t on: {\n\t \"toggleExpanded\": _vm.toggleExpanded\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (!_vm.expanded) ? _c('status', {\n\t attrs: {\n\t \"expandable\": true,\n\t \"inConversation\": false,\n\t \"focused\": false,\n\t \"statusoid\": _vm.statusoid\n\t },\n\t on: {\n\t \"toggleExpanded\": _vm.toggleExpanded\n\t }\n\t }) : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 510 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"login panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('login.login')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('form', {\n\t staticClass: \"login-form\",\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.submit(_vm.user)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"username\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.username),\n\t expression: \"user.username\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.loggingIn,\n\t \"id\": \"username\",\n\t \"placeholder\": _vm.$t('login.placeholder')\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.username)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"username\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"password\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.password),\n\t expression: \"user.password\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.loggingIn,\n\t \"id\": \"password\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.password)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"password\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"login-bottom\"\n\t }, [_c('div', [(_vm.registrationOpen) ? _c('router-link', {\n\t staticClass: \"register\",\n\t attrs: {\n\t \"to\": {\n\t name: 'registration'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.register')))]) : _vm._e()], 1), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.loggingIn,\n\t \"type\": \"submit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.login')))])])]), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(_vm._s(_vm.authError))])]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 511 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('registration.registration')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('form', {\n\t staticClass: \"registration-form\",\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.submit(_vm.user)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"container\"\n\t }, [_c('div', {\n\t staticClass: \"text-fields\"\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"username\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.username),\n\t expression: \"user.username\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"username\",\n\t \"placeholder\": \"e.g. lain\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.username)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"username\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"fullname\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.fullname')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.fullname),\n\t expression: \"user.fullname\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"fullname\",\n\t \"placeholder\": \"e.g. Lain Iwakura\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.fullname)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"fullname\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"email\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.email')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.email),\n\t expression: \"user.email\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"email\",\n\t \"type\": \"email\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.email)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"email\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"bio\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.bio')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.bio),\n\t expression: \"user.bio\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"bio\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.bio)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"bio\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"password\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.password),\n\t expression: \"user.password\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"password\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.password)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"password\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"password_confirmation\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.password_confirm')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.user.confirm),\n\t expression: \"user.confirm\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"id\": \"password_confirmation\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.confirm)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"confirm\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.registering,\n\t \"type\": \"submit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"terms-of-service\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.termsofservice)\n\t }\n\t })]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(_vm._s(_vm.error))])]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 512 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [(_vm.user) ? _c('div', {\n\t staticClass: \"user-profile panel panel-default\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": true,\n\t \"selected\": _vm.timeline.viewing\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('user_profile.timeline_title'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'user',\n\t \"user-id\": _vm.userId\n\t }\n\t })], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 513 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.size === 'hide') ? _c('div', [(_vm.type !== 'html') ? _c('a', {\n\t staticClass: \"placeholder\",\n\t attrs: {\n\t \"target\": \"_blank\",\n\t \"href\": _vm.attachment.url\n\t }\n\t }, [_vm._v(\"[\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\")]) : _vm._e()]) : _c('div', {\n\t directives: [{\n\t name: \"show\",\n\t rawName: \"v-show\",\n\t value: (!_vm.isEmpty),\n\t expression: \"!isEmpty\"\n\t }],\n\t staticClass: \"attachment\",\n\t class: ( _obj = {\n\t loading: _vm.loading,\n\t 'small-attachment': _vm.isSmall,\n\t 'fullwidth': _vm.fullwidth\n\t }, _obj[_vm.type] = true, _obj )\n\t }, [(_vm.hidden) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleHidden()\n\t }\n\t }\n\t }, [_c('img', {\n\t key: _vm.nsfwImage,\n\t attrs: {\n\t \"src\": _vm.nsfwImage\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.nsfw && _vm.hideNsfwLocal && !_vm.hidden) ? _c('div', {\n\t staticClass: \"hider\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleHidden()\n\t }\n\t }\n\t }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && !_vm.hidden) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t attrs: {\n\t \"href\": _vm.attachment.url,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_c('StillImage', {\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"referrerpolicy\": \"no-referrer\",\n\t \"mimetype\": _vm.attachment.mimetype,\n\t \"src\": _vm.attachment.large_thumb_url || _vm.attachment.url\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video' && !_vm.hidden) ? _c('video', {\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"controls\": \"\",\n\t \"loop\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n\t staticClass: \"oembed\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.linkClicked($event)\n\t }\n\t }\n\t }, [(_vm.attachment.thumb_url) ? _c('div', {\n\t staticClass: \"image\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.attachment.thumb_url\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"text\"\n\t }, [_c('h1', [_c('a', {\n\t attrs: {\n\t \"href\": _vm.attachment.url\n\t }\n\t }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n\t }\n\t })])]) : _vm._e()])\n\t var _obj;\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 514 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t style: (_vm.style),\n\t attrs: {\n\t \"id\": \"app\"\n\t }\n\t }, [_c('nav', {\n\t staticClass: \"container\",\n\t attrs: {\n\t \"id\": \"nav\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.scrollToTop()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"inner-nav\",\n\t style: (_vm.logoStyle)\n\t }, [_c('div', {\n\t staticClass: \"item\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'root'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.sitename))])], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"item right\"\n\t }, [_c('user-finder', {\n\t staticClass: \"nav-icon\"\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'settings'\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cog nav-icon\"\n\t })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.logout($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-logout nav-icon\",\n\t attrs: {\n\t \"title\": _vm.$t('login.logout')\n\t }\n\t })]) : _vm._e()], 1)])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"container\",\n\t attrs: {\n\t \"id\": \"content\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"panel-switcher\"\n\t }, [_c('button', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activatePanel('sidebar')\n\t }\n\t }\n\t }, [_vm._v(\"Sidebar\")]), _vm._v(\" \"), _c('button', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.activatePanel('timeline')\n\t }\n\t }\n\t }, [_vm._v(\"Timeline\")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"sidebar-flexer\",\n\t class: {\n\t 'mobile-hidden': _vm.mobileActivePanel != 'sidebar'\n\t }\n\t }, [_c('div', {\n\t staticClass: \"sidebar-bounds\"\n\t }, [_c('div', {\n\t staticClass: \"sidebar-scroller\"\n\t }, [_c('div', {\n\t staticClass: \"sidebar\"\n\t }, [_c('user-panel'), _vm._v(\" \"), _c('nav-panel'), _vm._v(\" \"), (_vm.showInstanceSpecificPanel) ? _c('instance-specific-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.showWhoToFollowPanel) ? _c('who-to-follow-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('notifications') : _vm._e()], 1)])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"main\",\n\t class: {\n\t 'mobile-hidden': _vm.mobileActivePanel != 'timeline'\n\t }\n\t }, [_c('transition', {\n\t attrs: {\n\t \"name\": \"fade\"\n\t }\n\t }, [_c('router-view')], 1)], 1)]), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n\t staticClass: \"floating-chat mobile-hidden\"\n\t }) : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 515 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"media-upload\",\n\t on: {\n\t \"drop\": [function($event) {\n\t $event.preventDefault();\n\t }, _vm.fileDrop],\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t _vm.fileDrag($event)\n\t }\n\t }\n\t }, [_c('label', {\n\t staticClass: \"btn btn-default\"\n\t }, [(_vm.uploading) ? _c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t }) : _vm._e(), _vm._v(\" \"), (!_vm.uploading) ? _c('i', {\n\t staticClass: \"icon-upload\"\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticStyle: {\n\t \"position\": \"fixed\",\n\t \"top\": \"-100em\"\n\t },\n\t attrs: {\n\t \"type\": \"file\"\n\t }\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 516 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.public_tl'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'public'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 517 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.notification.type === 'mention') ? _c('status', {\n\t attrs: {\n\t \"compact\": true,\n\t \"statusoid\": _vm.notification.status\n\t }\n\t }) : _c('div', {\n\t staticClass: \"non-mention\"\n\t }, [_c('a', {\n\t staticClass: \"avatar-container\",\n\t attrs: {\n\t \"href\": _vm.notification.action.user.statusnet_profile_url\n\t },\n\t on: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar-compact\",\n\t attrs: {\n\t \"src\": _vm.notification.action.user.profile_image_url_original\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"notification-right\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard notification-usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.notification.action.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n\t staticClass: \"notification-details\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-action\"\n\t }, [_c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'favorite') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-star lit\"\n\t }), _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', {\n\t staticClass: \"fa icon-retweet lit\"\n\t }), _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', {\n\t staticClass: \"fa icon-user-plus lit\"\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n\t staticClass: \"timeago\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.notification.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.notification.action.created_at,\n\t \"auto-update\": 240\n\t }\n\t })], 1)], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n\t staticClass: \"follow-text\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.notification.action.user.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"@\" + _vm._s(_vm.notification.action.user.screen_name))])], 1) : _c('status', {\n\t staticClass: \"faint\",\n\t attrs: {\n\t \"compact\": true,\n\t \"statusoid\": _vm.notification.status,\n\t \"noHeading\": true\n\t }\n\t })], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 518 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('conversation', {\n\t attrs: {\n\t \"collapsable\": false,\n\t \"statusoid\": _vm.statusoid\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 519 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"still-image\",\n\t class: {\n\t animated: _vm.animated\n\t }\n\t }, [(_vm.animated) ? _c('canvas', {\n\t ref: \"canvas\"\n\t }) : _vm._e(), _vm._v(\" \"), _c('img', {\n\t ref: \"src\",\n\t attrs: {\n\t \"src\": _vm.src,\n\t \"referrerpolicy\": _vm.referrerpolicy\n\t },\n\t on: {\n\t \"load\": _vm.onLoad\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 520 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"status-el\",\n\t class: [{\n\t 'status-el_focused': _vm.isFocused\n\t }, {\n\t 'status-conversation': _vm.inlineExpanded\n\t }]\n\t }, [(_vm.muted && !_vm.noReplyLinks) ? [_c('div', {\n\t staticClass: \"media status container muted\"\n\t }, [_c('small', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.status.user.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.status.user.screen_name))])], 1), _vm._v(\" \"), _c('small', {\n\t staticClass: \"muteWords\"\n\t }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n\t staticClass: \"unmute\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-eye-off\"\n\t })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n\t staticClass: \"media container retweet-info\"\n\t }, [(_vm.retweet) ? _c('StillImage', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.statusoid.user.profile_image_url_original\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-body faint\"\n\t }, [_c('a', {\n\t staticStyle: {\n\t \"font-weight\": \"bold\"\n\t },\n\t attrs: {\n\t \"href\": _vm.statusoid.user.statusnet_profile_url,\n\t \"title\": '@' + _vm.statusoid.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.retweeter))]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"fa icon-retweet retweeted\"\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media status\"\n\t }, [(!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-left\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": _vm.status.user.statusnet_profile_url\n\t },\n\t on: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar\",\n\t class: {\n\t 'avatar-compact': _vm.compact\n\t },\n\t attrs: {\n\t \"src\": _vm.status.user.profile_image_url_original\n\t }\n\t })], 1)]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-body\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard media-body\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.status.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-body container media-heading\"\n\t }, [_c('div', {\n\t staticClass: \"media-heading-left\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-links\"\n\t }, [_c('h4', {\n\t staticClass: \"user-name\"\n\t }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"links\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.status.user.id\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.status.user.screen_name))]), _vm._v(\" \"), (_vm.status.in_reply_to_screen_name) ? _c('span', {\n\t staticClass: \"faint reply-info\"\n\t }, [_c('i', {\n\t staticClass: \"icon-right-open\"\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.status.in_reply_to_user_id\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.status.in_reply_to_screen_name) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.gotoOriginal(_vm.status.in_reply_to_status_id)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-reply\",\n\t on: {\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n\t staticClass: \"replies\"\n\t }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n\t return _c('small', {\n\t staticClass: \"reply-link\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.gotoOriginal(reply.id)\n\t },\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(reply.id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t }, [_vm._v(_vm._s(reply.name) + \" \")])])\n\t })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-heading-right\"\n\t }, [_c('router-link', {\n\t staticClass: \"timeago\",\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.status.created_at,\n\t \"auto-update\": 60\n\t }\n\t })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('span', [_c('i', {\n\t class: _vm.visibilityIcon(_vm.status.visibility)\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.status.is_local) ? _c('a', {\n\t staticClass: \"source_url\",\n\t attrs: {\n\t \"href\": _vm.status.external_url,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-link-ext\"\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleExpanded($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-plus-squared\"\n\t })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-eye-off\"\n\t })]) : _vm._e()], 2)]) : _vm._e(), _vm._v(\" \"), (_vm.showPreview) ? _c('div', {\n\t staticClass: \"status-preview-container\"\n\t }, [(_vm.preview) ? _c('status', {\n\t staticClass: \"status-preview\",\n\t attrs: {\n\t \"noReplyLinks\": true,\n\t \"statusoid\": _vm.preview,\n\t \"compact\": true\n\t }\n\t }) : _c('div', {\n\t staticClass: \"status-preview status-preview-loading\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t })])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-content-wrapper\",\n\t class: {\n\t 'tall-status': _vm.hideTallStatus\n\t }\n\t }, [(_vm.hideTallStatus) ? _c('a', {\n\t staticClass: \"tall-status-hider\",\n\t class: {\n\t 'tall-status-hider_focused': _vm.isFocused\n\t },\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleShowTall($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.linkClicked($event)\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.showingTall) ? _c('a', {\n\t staticClass: \"tall-status-unhider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleShowTall($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments) ? _c('div', {\n\t staticClass: \"attachments media-body\"\n\t }, _vm._l((_vm.status.attachments), function(attachment) {\n\t return _c('attachment', {\n\t key: attachment.id,\n\t attrs: {\n\t \"size\": _vm.attachmentSize,\n\t \"status-id\": _vm.status.id,\n\t \"nsfw\": _vm.status.nsfw,\n\t \"attachment\": attachment\n\t }\n\t })\n\t })) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading && !_vm.noReplyLinks) ? _c('div', {\n\t staticClass: \"status-actions media-body\"\n\t }, [(_vm.loggedIn) ? _c('div', [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleReplying($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-reply\",\n\t class: {\n\t 'icon-reply-active': _vm.replying\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n\t attrs: {\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('favorite-button', {\n\t attrs: {\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('delete-button', {\n\t attrs: {\n\t \"status\": _vm.status\n\t }\n\t })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n\t staticClass: \"container\"\n\t }, [_c('div', {\n\t staticClass: \"reply-left\"\n\t }), _vm._v(\" \"), _c('post-status-form', {\n\t staticClass: \"reply-body\",\n\t attrs: {\n\t \"reply-to\": _vm.status.id,\n\t \"attentions\": _vm.status.attentions,\n\t \"repliedUser\": _vm.status.user,\n\t \"message-scope\": _vm.status.visibility\n\t },\n\t on: {\n\t \"posted\": _vm.toggleReplying\n\t }\n\t })], 1) : _vm._e()]], 2)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 521 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"instance-specific-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.instanceSpecificPanelContent)\n\t }\n\t })])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 522 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('Timeline', {\n\t attrs: {\n\t \"title\": _vm.$t('nav.timeline'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'friends'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 523 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.user_settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body profile-edit\"\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newname),\n\t expression: \"newname\"\n\t }],\n\t staticClass: \"name-changer\",\n\t attrs: {\n\t \"id\": \"username\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.newname)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.newname = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.bio')))]), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newbio),\n\t expression: \"newbio\"\n\t }],\n\t staticClass: \"bio\",\n\t domProps: {\n\t \"value\": (_vm.newbio)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.newbio = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newlocked),\n\t expression: \"newlocked\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-locked\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newlocked) ? _vm._i(_vm.newlocked, null) > -1 : (_vm.newlocked)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newlocked,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.newlocked = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.newlocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.newlocked = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-locked\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.newname.length <= 0\n\t },\n\t on: {\n\t \"click\": _vm.updateProfile\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.avatar')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_avatar')))]), _vm._v(\" \"), _c('img', {\n\t staticClass: \"old-avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url_original\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_avatar')))]), _vm._v(\" \"), (_vm.previews[0]) ? _c('img', {\n\t staticClass: \"new-avatar\",\n\t attrs: {\n\t \"src\": _vm.previews[0]\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t _vm.uploadFile(0, $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[0]) ? _c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t }) : (_vm.previews[0]) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.submitAvatar\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_banner')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_profile_banner')))]), _vm._v(\" \"), _c('img', {\n\t staticClass: \"banner\",\n\t attrs: {\n\t \"src\": _vm.user.cover_photo\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_banner')))]), _vm._v(\" \"), (_vm.previews[1]) ? _c('img', {\n\t staticClass: \"banner\",\n\t attrs: {\n\t \"src\": _vm.previews[1]\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t _vm.uploadFile(1, $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[1]) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.previews[1]) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.submitBanner\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_background')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_background')))]), _vm._v(\" \"), (_vm.previews[2]) ? _c('img', {\n\t staticClass: \"bg\",\n\t attrs: {\n\t \"src\": _vm.previews[2]\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t _vm.uploadFile(2, $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[2]) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.previews[2]) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.submitBg\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.changePasswordInputs[0]),\n\t expression: \"changePasswordInputs[0]\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.changePasswordInputs[0])\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.changePasswordInputs, 0, $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.new_password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.changePasswordInputs[1]),\n\t expression: \"changePasswordInputs[1]\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.changePasswordInputs[1])\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.changePasswordInputs, 1, $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.confirm_new_password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.changePasswordInputs[2]),\n\t expression: \"changePasswordInputs[2]\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.changePasswordInputs[2])\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.changePasswordInputs, 2, $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.changePassword\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.changedPassword) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.changed_password')))]) : (_vm.changePasswordError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.change_password_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.changePasswordError) ? _c('p', [_vm._v(_vm._s(_vm.changePasswordError))]) : _vm._e()]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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('form', {\n\t model: {\n\t value: (_vm.followImportForm),\n\t callback: function($$v) {\n\t _vm.followImportForm = $$v\n\t },\n\t expression: \"followImportForm\"\n\t }\n\t }, [_c('input', {\n\t ref: \"followlist\",\n\t attrs: {\n\t \"type\": \"file\"\n\t },\n\t on: {\n\t \"change\": _vm.followListChange\n\t }\n\t })]), _vm._v(\" \"), (_vm.uploading[3]) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.importFollows\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.followsImported) ? _c('div', [_c('i', {\n\t staticClass: \"icon-cross\",\n\t on: {\n\t \"click\": _vm.dismissImported\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follows_imported')))])]) : (_vm.followImportError) ? _c('div', [_c('i', {\n\t staticClass: \"icon-cross\",\n\t on: {\n\t \"click\": _vm.dismissImported\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follow_import_error')))])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.enableFollowsExport) ? _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.exportFollows\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.follow_export_button')))])]) : _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export_processing')))])]), _vm._v(\" \"), _c('hr'), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _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', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.deleteAccountConfirmPasswordInput),\n\t expression: \"deleteAccountConfirmPasswordInput\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.deleteAccountConfirmPasswordInput)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.deleteAccountConfirmPasswordInput = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.deleteAccount\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.confirmDelete\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 524 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.canDelete) ? _c('div', [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.deleteStatus()\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cancel delete-status\"\n\t })])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 525 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [_c('div', [_vm._v(_vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"style-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected),\n\t expression: \"selected\"\n\t }],\n\t staticClass: \"style-switcher\",\n\t attrs: {\n\t \"id\": \"style-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.availableStyles), function(style) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": style\n\t }\n\t }, [_vm._v(_vm._s(style[0]))])\n\t })), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-container\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"bgcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.background')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.bgColorLocal),\n\t expression: \"bgColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"bgcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.bgColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.bgColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.bgColorLocal),\n\t expression: \"bgColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"bgcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.bgColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.bgColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"fgcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.foreground')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnColorLocal),\n\t expression: \"btnColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"fgcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.btnColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnColorLocal),\n\t expression: \"btnColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"fgcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.btnColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"textcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.text')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.textColorLocal),\n\t expression: \"textColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"textcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.textColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.textColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.textColorLocal),\n\t expression: \"textColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"textcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.textColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.textColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"linkcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.links')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.linkColorLocal),\n\t expression: \"linkColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"linkcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.linkColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.linkColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.linkColorLocal),\n\t expression: \"linkColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"linkcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.linkColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.linkColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"redcolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cRed')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.redColorLocal),\n\t expression: \"redColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"redcolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.redColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.redColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.redColorLocal),\n\t expression: \"redColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"redcolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.redColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.redColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"bluecolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cBlue')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.blueColorLocal),\n\t expression: \"blueColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"bluecolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.blueColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.blueColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.blueColorLocal),\n\t expression: \"blueColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"bluecolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.blueColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.blueColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"greencolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cGreen')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.greenColorLocal),\n\t expression: \"greenColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"greencolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.greenColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.greenColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.greenColorLocal),\n\t expression: \"greenColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"greencolor-t\",\n\t \"type\": \"green\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.greenColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.greenColorLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-color-lb\",\n\t attrs: {\n\t \"for\": \"orangecolor\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.cOrange')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.orangeColorLocal),\n\t expression: \"orangeColorLocal\"\n\t }],\n\t staticClass: \"theme-color-cl\",\n\t attrs: {\n\t \"id\": \"orangecolor\",\n\t \"type\": \"color\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.orangeColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.orangeColorLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.orangeColorLocal),\n\t expression: \"orangeColorLocal\"\n\t }],\n\t staticClass: \"theme-color-in\",\n\t attrs: {\n\t \"id\": \"orangecolor-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.orangeColorLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.orangeColorLocal = $event.target.value\n\t }\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-container\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"btnradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.btnRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnRadiusLocal),\n\t expression: \"btnRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"btnradius\",\n\t \"type\": \"range\",\n\t \"max\": \"16\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.btnRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.btnRadiusLocal),\n\t expression: \"btnRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"btnradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.btnRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.btnRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"inputradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.inputRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.inputRadiusLocal),\n\t expression: \"inputRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"inputradius\",\n\t \"type\": \"range\",\n\t \"max\": \"16\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.inputRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.inputRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.inputRadiusLocal),\n\t expression: \"inputRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"inputradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.inputRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.inputRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"panelradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.panelRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.panelRadiusLocal),\n\t expression: \"panelRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"panelradius\",\n\t \"type\": \"range\",\n\t \"max\": \"50\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.panelRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.panelRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.panelRadiusLocal),\n\t expression: \"panelRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"panelradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.panelRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.panelRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"avatarradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.avatarRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarRadiusLocal),\n\t expression: \"avatarRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"avatarradius\",\n\t \"type\": \"range\",\n\t \"max\": \"28\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.avatarRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarRadiusLocal),\n\t expression: \"avatarRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"avatarradius-t\",\n\t \"type\": \"green\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.avatarRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"avataraltradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.avatarAltRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarAltRadiusLocal),\n\t expression: \"avatarAltRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"avataraltradius\",\n\t \"type\": \"range\",\n\t \"max\": \"28\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarAltRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.avatarAltRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.avatarAltRadiusLocal),\n\t expression: \"avatarAltRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"avataraltradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.avatarAltRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.avatarAltRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"attachmentradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.attachmentRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.attachmentRadiusLocal),\n\t expression: \"attachmentRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"attachmentrradius\",\n\t \"type\": \"range\",\n\t \"max\": \"50\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.attachmentRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.attachmentRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.attachmentRadiusLocal),\n\t expression: \"attachmentRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"attachmentradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.attachmentRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.attachmentRadiusLocal = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-item\"\n\t }, [_c('label', {\n\t staticClass: \"theme-radius-lb\",\n\t attrs: {\n\t \"for\": \"tooltipradius\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.tooltipRadius')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.tooltipRadiusLocal),\n\t expression: \"tooltipRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-rn\",\n\t attrs: {\n\t \"id\": \"tooltipradius\",\n\t \"type\": \"range\",\n\t \"max\": \"20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.tooltipRadiusLocal)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.tooltipRadiusLocal = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.tooltipRadiusLocal),\n\t expression: \"tooltipRadiusLocal\"\n\t }],\n\t staticClass: \"theme-radius-in\",\n\t attrs: {\n\t \"id\": \"tooltipradius-t\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.tooltipRadiusLocal)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.tooltipRadiusLocal = $event.target.value\n\t }\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t style: ({\n\t '--btnRadius': _vm.btnRadiusLocal + 'px',\n\t '--inputRadius': _vm.inputRadiusLocal + 'px',\n\t '--panelRadius': _vm.panelRadiusLocal + 'px',\n\t '--avatarRadius': _vm.avatarRadiusLocal + 'px',\n\t '--avatarAltRadius': _vm.avatarAltRadiusLocal + 'px',\n\t '--tooltipRadius': _vm.tooltipRadiusLocal + 'px',\n\t '--attachmentRadius': _vm.attachmentRadiusLocal + 'px'\n\t })\n\t }, [_c('div', {\n\t staticClass: \"panel dummy\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\",\n\t style: ({\n\t 'background-color': _vm.btnColorLocal,\n\t 'color': _vm.textColorLocal\n\t })\n\t }, [_vm._v(\"Preview\")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body theme-preview-content\",\n\t style: ({\n\t 'background-color': _vm.bgColorLocal,\n\t 'color': _vm.textColorLocal\n\t })\n\t }, [_c('div', {\n\t staticClass: \"avatar\",\n\t style: ({\n\t 'border-radius': _vm.avatarRadiusLocal + 'px'\n\t })\n\t }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('h4', [_vm._v(\"Content\")]), _vm._v(\" \"), _c('br'), _vm._v(\"\\n A bunch of more content and\\n \"), _c('a', {\n\t style: ({\n\t color: _vm.linkColorLocal\n\t })\n\t }, [_vm._v(\"a nice lil' link\")]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-reply\",\n\t style: ({\n\t color: _vm.blueColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-retweet\",\n\t style: ({\n\t color: _vm.greenColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-cancel\",\n\t style: ({\n\t color: _vm.redColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-star\",\n\t style: ({\n\t color: _vm.orangeColorLocal\n\t })\n\t }), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t style: ({\n\t 'background-color': _vm.btnColorLocal,\n\t 'color': _vm.textColorLocal\n\t })\n\t }, [_vm._v(\"Button\")])])])]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.setCustomTheme\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.apply')))])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 526 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.loggedIn) ? _c('div', [_c('i', {\n\t staticClass: \"favorite-button fav-active\",\n\t class: _vm.classes,\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.favorite()\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n\t staticClass: \"favorite-button\",\n\t class: _vm.classes\n\t }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 527 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"settings panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.theme')))]), _vm._v(\" \"), _c('style-switcher')], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.filtering')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.filtering_explanation')))]), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.muteWordsString),\n\t expression: \"muteWordsString\"\n\t }],\n\t attrs: {\n\t \"id\": \"muteWords\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.muteWordsString)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.muteWordsString = $event.target.value\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsLocal),\n\t expression: \"hideAttachmentsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachments\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachments\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsInConvLocal),\n\t expression: \"hideAttachmentsInConvLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachmentsInConv\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsInConvLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsInConvLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachmentsInConv\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideNsfwLocal),\n\t expression: \"hideNsfwLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideNsfw\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideNsfwLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideNsfwLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideNsfw\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.autoLoadLocal),\n\t expression: \"autoLoadLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"autoload\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.autoLoadLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.autoLoadLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"autoload\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.streamingLocal),\n\t expression: \"streamingLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"streaming\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.streamingLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.streamingLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"streaming\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hoverPreviewLocal),\n\t expression: \"hoverPreviewLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hoverPreview\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hoverPreviewLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hoverPreviewLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hoverPreview\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.stopGifs),\n\t expression: \"stopGifs\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"stopGifs\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.stopGifs,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.stopGifs = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"stopGifs\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])])])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 528 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"nav-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('ul', [(_vm.currentUser) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/main/friends\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'mentions',\n\t params: {\n\t username: _vm.currentUser.screen_name\n\t }\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.mentions\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/friend-requests\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.friend_requests\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/main/public\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.public_tl\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": \"/main/all\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1)])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 529 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"who-to-follow-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default base01-background\"\n\t }, [_vm._m(0), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body who-to-follow\"\n\t }, [_c('p', [_c('img', {\n\t attrs: {\n\t \"src\": _vm.img1\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.id1\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.name1))]), _c('br'), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.img2\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.id2\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.name2))]), _c('br'), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.img3\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-profile',\n\t params: {\n\t id: _vm.id3\n\t }\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.name3))]), _c('br'), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.$store.state.config.logo\n\t }\n\t }), _vm._v(\" \"), _c('a', {\n\t attrs: {\n\t \"href\": _vm.moreUrl,\n\t \"target\": \"_blank\"\n\t }\n\t }, [_vm._v(\"More\")])], 1)])])])\n\t},staticRenderFns: [function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"panel-heading timeline-heading base02-background base04\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n Who to follow\\n \")])])\n\t}]}\n\n/***/ }),\n/* 530 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"user-panel\"\n\t }, [(_vm.user) ? _c('div', {\n\t staticClass: \"panel panel-default\",\n\t staticStyle: {\n\t \"overflow\": \"visible\"\n\t }\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": false,\n\t \"hideBio\": true\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(_vm.user) ? _c('post-status-form') : _vm._e()], 1)], 1) : _vm._e(), _vm._v(\" \"), (!_vm.user) ? _c('login-form') : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 531 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"card\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t }\n\t }, [_c('img', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _c('div', {\n\t staticClass: \"name-and-screen-name\"\n\t }, [_c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('a', {\n\t attrs: {\n\t \"href\": _vm.user.statusnet_profile_url,\n\t \"target\": \"blank\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"user-screen-name\"\n\t }, [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))])])]), _vm._v(\" \"), (_vm.showApproval) ? _c('div', {\n\t staticClass: \"approval\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.approveUser\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('user_card.approve')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.denyUser\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('user_card.deny')))])]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ })\n]);\n\n\n// WEBPACK FOOTER //\n// static/js/app.de965bb2a0a8bffbeafa.js","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport Vuex from 'vuex'\nimport App from './App.vue'\nimport 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 ConversationPage from './components/conversation-page/conversation-page.vue'\nimport Mentions from './components/mentions/mentions.vue'\nimport UserProfile from './components/user_profile/user_profile.vue'\nimport Settings from './components/settings/settings.vue'\nimport Registration from './components/registration/registration.vue'\nimport UserSettings from './components/user_settings/user_settings.vue'\nimport FollowRequests from './components/follow_requests/follow_requests.vue'\n\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'\n\nimport VueTimeago from 'vue-timeago'\nimport VueI18n from 'vue-i18n'\n\nimport createPersistedState from './lib/persisted_state.js'\n\nimport messages from './i18n/messages.js'\n\nimport VueChatScroll from 'vue-chat-scroll'\n\nconst currentLocale = (window.navigator.language || 'en').split('-')[0]\n\nVue.use(Vuex)\nVue.use(VueRouter)\nVue.use(VueTimeago, {\n locale: currentLocale === 'ja' ? 'ja' : 'en',\n locales: {\n 'en': require('../static/timeago-en.json'),\n 'ja': require('../static/timeago-ja.json')\n }\n})\nVue.use(VueI18n)\nVue.use(VueChatScroll)\n\nconst persistedStateOptions = {\n paths: [\n 'config.hideAttachments',\n 'config.hideAttachmentsInConv',\n 'config.hideNsfw',\n 'config.autoLoad',\n 'config.hoverPreview',\n 'config.streaming',\n 'config.muteWords',\n 'config.customTheme',\n 'users.lastLoginName'\n ]\n}\n\nconst store = new Vuex.Store({\n modules: {\n statuses: statusesModule,\n users: usersModule,\n api: apiModule,\n config: configModule,\n chat: chatModule\n },\n plugins: [createPersistedState(persistedStateOptions)],\n strict: false // Socket modifies itself, let's ignore this for now.\n // strict: process.env.NODE_ENV !== 'production'\n})\n\nconst i18n = new VueI18n({\n locale: currentLocale,\n fallbackLocale: 'en',\n messages\n})\n\nwindow.fetch('/api/statusnet/config.json')\n .then((res) => res.json())\n .then((data) => {\n const {name, closed: registrationClosed, textlimit} = data.site\n\n store.dispatch('setOption', { name: 'name', value: name })\n store.dispatch('setOption', { name: 'registrationOpen', value: (registrationClosed === '0') })\n store.dispatch('setOption', { name: 'textlimit', value: parseInt(textlimit) })\n })\n\nwindow.fetch('/static/config.json')\n .then((res) => res.json())\n .then((data) => {\n const {theme, background, logo, showWhoToFollowPanel, whoToFollowProvider, whoToFollowLink, showInstanceSpecificPanel, scopeOptionsEnabled} = data\n store.dispatch('setOption', { name: 'theme', value: theme })\n store.dispatch('setOption', { name: 'background', value: background })\n store.dispatch('setOption', { name: 'logo', value: logo })\n store.dispatch('setOption', { name: 'showWhoToFollowPanel', value: showWhoToFollowPanel })\n store.dispatch('setOption', { name: 'whoToFollowProvider', value: whoToFollowProvider })\n store.dispatch('setOption', { name: 'whoToFollowLink', value: whoToFollowLink })\n store.dispatch('setOption', { name: 'showInstanceSpecificPanel', value: showInstanceSpecificPanel })\n store.dispatch('setOption', { name: 'scopeOptionsEnabled', value: scopeOptionsEnabled })\n if (data['chatDisabled']) {\n store.dispatch('disableChat')\n }\n\n const routes = [\n { name: 'root',\n path: '/',\n redirect: to => {\n var redirectRootLogin = data['redirectRootLogin']\n var redirectRootNoLogin = data['redirectRootNoLogin']\n return (store.state.users.currentUser ? redirectRootLogin : redirectRootNoLogin) || '/main/all'\n }},\n { path: '/main/all', component: PublicAndExternalTimeline },\n { path: '/main/public', component: PublicTimeline },\n { path: '/main/friends', component: FriendsTimeline },\n { path: '/tag/:tag', component: TagTimeline },\n { name: 'conversation', path: '/notice/:id', component: ConversationPage, meta: { dontScroll: true } },\n { name: 'user-profile', path: '/users/:id', component: UserProfile },\n { name: 'mentions', path: '/:username/mentions', component: Mentions },\n { name: 'settings', path: '/settings', component: Settings },\n { name: 'registration', path: '/registration', component: Registration },\n { name: 'friend-requests', path: '/friend-requests', component: FollowRequests },\n { name: 'user-settings', path: '/user-settings', component: UserSettings }\n ]\n\n const router = new VueRouter({\n mode: 'history',\n routes,\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 new Vue({\n router,\n store,\n i18n,\n el: '#app',\n render: h => h(App)\n })\n })\n\nwindow.fetch('/static/terms-of-service.html')\n .then((res) => res.text())\n .then((html) => {\n store.dispatch('setOption', { name: 'tos', value: html })\n })\n\nwindow.fetch('/api/pleroma/emoji.json')\n .then(\n (res) => res.json()\n .then(\n (values) => {\n const emoji = Object.keys(values).map((key) => {\n return { shortcode: key, image_url: values[key] }\n })\n store.dispatch('setOption', { name: 'customEmoji', value: emoji })\n store.dispatch('setOption', { name: 'pleromaBackend', value: true })\n },\n (failure) => {\n store.dispatch('setOption', { name: 'pleromaBackend', value: false })\n }\n ),\n (error) => console.log(error)\n )\n\nwindow.fetch('/static/emoji.json')\n .then((res) => res.json())\n .then((values) => {\n const emoji = Object.keys(values).map((key) => {\n return { shortcode: key, image_url: false, 'utf': values[key] }\n })\n store.dispatch('setOption', { name: 'emoji', value: emoji })\n })\n\nwindow.fetch('/instance/panel.html')\n .then((res) => res.text())\n .then((html) => {\n store.dispatch('setOption', { name: 'instanceSpecificPanelContent', value: html })\n })\n\n\n\n\n// WEBPACK FOOTER //\n// ./src/main.js","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-0652fc80\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./timeline.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0652fc80\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/timeline/timeline.vue\n// module id = 28\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-05b840de\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_card_content.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_card_content.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-05b840de\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_card_content.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_card_content/user_card_content.vue\n// module id = 43\n// module chunks = 2","/* eslint-env browser */\nconst LOGIN_URL = '/api/account/verify_credentials.json'\nconst FRIENDS_TIMELINE_URL = '/api/statuses/friends_timeline.json'\nconst ALL_FOLLOWING_URL = '/api/qvitter/allfollowing'\nconst PUBLIC_TIMELINE_URL = '/api/statuses/public_timeline.json'\nconst PUBLIC_AND_EXTERNAL_TIMELINE_URL = '/api/statuses/public_and_external_timeline.json'\nconst TAG_TIMELINE_URL = '/api/statusnet/tags/timeline'\nconst FAVORITE_URL = '/api/favorites/create'\nconst UNFAVORITE_URL = '/api/favorites/destroy'\nconst RETWEET_URL = '/api/statuses/retweet'\nconst STATUS_UPDATE_URL = '/api/statuses/update.json'\nconst STATUS_DELETE_URL = '/api/statuses/destroy'\nconst STATUS_URL = '/api/statuses/show'\nconst MEDIA_UPLOAD_URL = '/api/statusnet/media/upload'\nconst CONVERSATION_URL = '/api/statusnet/conversation'\nconst MENTIONS_URL = '/api/statuses/mentions.json'\nconst FOLLOWERS_URL = '/api/statuses/followers.json'\nconst FRIENDS_URL = '/api/statuses/friends.json'\nconst FOLLOWING_URL = '/api/friendships/create.json'\nconst UNFOLLOWING_URL = '/api/friendships/destroy.json'\nconst QVITTER_USER_PREF_URL = '/api/qvitter/set_profile_pref.json'\nconst REGISTRATION_URL = '/api/account/register.json'\nconst AVATAR_UPDATE_URL = '/api/qvitter/update_avatar.json'\nconst BG_UPDATE_URL = '/api/qvitter/update_background_image.json'\nconst BANNER_UPDATE_URL = '/api/account/update_profile_banner.json'\nconst PROFILE_UPDATE_URL = '/api/account/update_profile.json'\nconst EXTERNAL_PROFILE_URL = '/api/externalprofile/show.json'\nconst QVITTER_USER_TIMELINE_URL = '/api/qvitter/statuses/user_timeline.json'\nconst BLOCKING_URL = '/api/blocks/create.json'\nconst UNBLOCKING_URL = '/api/blocks/destroy.json'\nconst USER_URL = '/api/users/show.json'\nconst FOLLOW_IMPORT_URL = '/api/pleroma/follow_import'\nconst DELETE_ACCOUNT_URL = '/api/pleroma/delete_account'\nconst CHANGE_PASSWORD_URL = '/api/pleroma/change_password'\nconst FOLLOW_REQUESTS_URL = '/api/pleroma/friend_requests'\nconst APPROVE_USER_URL = '/api/pleroma/friendships/approve'\nconst DENY_USER_URL = '/api/pleroma/friendships/deny'\n\nimport { each, map } from 'lodash'\nimport 'whatwg-fetch'\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\n// from https://developer.mozilla.org/en-US/docs/Web/API/WindowBase64/Base64_encoding_and_decoding\nlet utoa = (str) => {\n // first we use encodeURIComponent to get percent-encoded UTF-8,\n // then we convert the percent encodings into raw bytes which\n // can be fed into btoa.\n return btoa(encodeURIComponent(str)\n .replace(/%([0-9A-F]{2})/g,\n (match, p1) => { return String.fromCharCode('0x' + p1) }))\n}\n\n// Params\n// cropH\n// cropW\n// cropX\n// cropY\n// img (base 64 encodend data url)\nconst updateAvatar = ({credentials, params}) => {\n let url = AVATAR_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst updateBg = ({credentials, params}) => {\n let url = BG_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\n// Params\n// height\n// width\n// offset_left\n// offset_top\n// banner (base 64 encodend data url)\nconst updateBanner = ({credentials, params}) => {\n let url = BANNER_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\n// Params\n// name\n// url\n// location\n// description\nconst updateProfile = ({credentials, params}) => {\n let url = PROFILE_UPDATE_URL\n\n console.log(params)\n\n const form = new FormData()\n\n each(params, (value, key) => {\n /* Always include description and locked, because it might be empty or false */\n if (key === 'description' || key === 'locked' || value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\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\nconst register = (params) => {\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n\n return fetch(REGISTRATION_URL, {\n method: 'POST',\n body: form\n })\n}\n\nconst authHeaders = (user) => {\n if (user && user.username && user.password) {\n return { 'Authorization': `Basic ${utoa(`${user.username}:${user.password}`)}` }\n } else {\n return { }\n }\n}\n\nconst externalProfile = ({profileUrl, credentials}) => {\n let url = `${EXTERNAL_PROFILE_URL}?profileurl=${profileUrl}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'GET'\n }).then((data) => data.json())\n}\n\nconst followUser = ({id, credentials}) => {\n let url = `${FOLLOWING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unfollowUser = ({id, credentials}) => {\n let url = `${UNFOLLOWING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst blockUser = ({id, credentials}) => {\n let url = `${BLOCKING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst unblockUser = ({id, credentials}) => {\n let url = `${UNBLOCKING_URL}?user_id=${id}`\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst approveUser = ({id, credentials}) => {\n let url = `${APPROVE_USER_URL}?user_id=${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 = `${DENY_USER_URL}?user_id=${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 = `${USER_URL}?user_id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchFriends = ({id, credentials}) => {\n let url = `${FRIENDS_URL}?user_id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchFollowers = ({id, credentials}) => {\n let url = `${FOLLOWERS_URL}?user_id=${id}`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchAllFollowing = ({username, credentials}) => {\n const url = `${ALL_FOLLOWING_URL}/${username}.json`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchFollowRequests = ({credentials}) => {\n const url = FOLLOW_REQUESTS_URL\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchConversation = ({id, credentials}) => {\n let url = `${CONVERSATION_URL}/${id}.json?count=100`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst fetchStatus = ({id, credentials}) => {\n let url = `${STATUS_URL}/${id}.json`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n}\n\nconst setUserMute = ({id, credentials, muted = true}) => {\n const form = new FormData()\n\n const muteInteger = muted ? 1 : 0\n\n form.append('namespace', 'qvitter')\n form.append('data', muteInteger)\n form.append('topic', `mute:${id}`)\n\n return fetch(QVITTER_USER_PREF_URL, {\n method: 'POST',\n headers: authHeaders(credentials),\n body: form\n })\n}\n\nconst fetchTimeline = ({timeline, credentials, since = false, until = false, userId = false, tag = false}) => {\n const timelineUrls = {\n public: PUBLIC_TIMELINE_URL,\n friends: FRIENDS_TIMELINE_URL,\n mentions: MENTIONS_URL,\n 'publicAndExternal': PUBLIC_AND_EXTERNAL_TIMELINE_URL,\n user: QVITTER_USER_TIMELINE_URL,\n tag: TAG_TIMELINE_URL\n }\n\n let url = timelineUrls[timeline]\n\n let params = []\n\n if (since) {\n params.push(['since_id', since])\n }\n if (until) {\n params.push(['max_id', until])\n }\n if (userId) {\n params.push(['user_id', userId])\n }\n if (tag) {\n url += `/${tag}.json`\n }\n\n params.push(['count', 20])\n\n const queryString = map(params, (param) => `${param[0]}=${param[1]}`).join('&')\n url += `?${queryString}`\n\n return fetch(url, { headers: authHeaders(credentials) }).then((data) => data.json())\n}\n\nconst verifyCredentials = (user) => {\n return fetch(LOGIN_URL, {\n method: 'POST',\n headers: authHeaders(user)\n })\n}\n\nconst favorite = ({ id, credentials }) => {\n return fetch(`${FAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unfavorite = ({ id, credentials }) => {\n return fetch(`${UNFAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst retweet = ({ id, credentials }) => {\n return fetch(`${RETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst postStatus = ({credentials, status, spoilerText, visibility, mediaIds, inReplyToStatusId}) => {\n const idsText = mediaIds.join(',')\n const form = new FormData()\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 form.append('media_ids', idsText)\n if (inReplyToStatusId) {\n form.append('in_reply_to_status_id', inReplyToStatusId)\n }\n\n return fetch(STATUS_UPDATE_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n}\n\nconst deleteStatus = ({ id, credentials }) => {\n return fetch(`${STATUS_DELETE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst uploadMedia = ({formData, credentials}) => {\n return fetch(MEDIA_UPLOAD_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.text())\n .then((text) => (new DOMParser()).parseFromString(text, 'application/xml'))\n}\n\nconst followImport = ({params, credentials}) => {\n return fetch(FOLLOW_IMPORT_URL, {\n body: params,\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 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 fetchMutes = ({credentials}) => {\n const url = '/api/qvitter/mutes.json'\n\n return fetch(url, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst apiService = {\n verifyCredentials,\n fetchTimeline,\n fetchConversation,\n fetchStatus,\n fetchFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n blockUser,\n unblockUser,\n fetchUser,\n favorite,\n unfavorite,\n retweet,\n postStatus,\n deleteStatus,\n uploadMedia,\n fetchAllFollowing,\n setUserMute,\n fetchMutes,\n register,\n updateAvatar,\n updateBg,\n updateProfile,\n updateBanner,\n externalProfile,\n followImport,\n deleteAccount,\n changePassword,\n fetchFollowRequests,\n approveUser,\n denyUser\n}\n\nexport default apiService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/api/api.service.js","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-769e38a0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./status.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-769e38a0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/status/status.vue\n// module id = 64\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-6ecb31e4\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./still-image.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./still-image.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6ecb31e4\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./still-image.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/still-image/still-image.vue\n// module id = 65\n// module chunks = 2","import { map } from 'lodash'\n\nconst rgb2hex = (r, g, b) => {\n [r, g, b] = map([r, g, b], (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\nconst 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\nconst rgbstr2hex = (rgb) => {\n if (rgb[0] === '#') {\n return rgb\n }\n rgb = rgb.match(/\\d+/g)\n return `#${((Number(rgb[0]) << 16) + (Number(rgb[1]) << 8) + Number(rgb[2])).toString(16)}`\n}\n\nexport {\n rgb2hex,\n hex2rgb,\n rgbstr2hex\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/color_convert/color_convert.js","import { includes, remove, slice, sortBy, toInteger, each, find, flatten, maxBy, minBy, merge, last, isArray } from 'lodash'\nimport apiService from '../services/api/api.service.js'\n// import parse from '../services/status_parser/status_parser.js'\n\nconst emptyTl = () => ({\n statuses: [],\n statusesObject: {},\n faves: [],\n visibleStatuses: [],\n visibleStatusesObject: {},\n newStatusCount: 0,\n maxId: 0,\n minVisibleId: 0,\n loading: false,\n followers: [],\n friends: [],\n viewing: 'statuses',\n flushMarker: 0\n})\n\nexport const defaultState = {\n allStatuses: [],\n allStatusesObject: {},\n maxId: 0,\n notifications: [],\n favorites: new Set(),\n error: false,\n timelines: {\n mentions: emptyTl(),\n public: emptyTl(),\n user: emptyTl(),\n publicAndExternal: emptyTl(),\n friends: emptyTl(),\n tag: emptyTl()\n }\n}\n\nconst isNsfw = (status) => {\n const nsfwRegex = /#nsfw/i\n return includes(status.tags, 'nsfw') || !!status.text.match(nsfwRegex)\n}\n\nexport const prepareStatus = (status) => {\n // Parse nsfw tags\n if (status.nsfw === undefined) {\n status.nsfw = isNsfw(status)\n if (status.retweeted_status) {\n status.nsfw = status.retweeted_status.nsfw\n }\n }\n\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\nexport const statusType = (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 // TODO change to status.activity_type === 'follow' when gs supports it\n if (status.text.match(/started following/)) {\n return 'follow'\n }\n\n return 'unknown'\n}\n\nexport const findMaxId = (...args) => {\n return (maxBy(flatten(args), 'id') || {}).id\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 merge(oldItem, item)\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 obj[item.id] = item\n return {item, new: true}\n }\n}\n\nconst sortTimeline = (timeline) => {\n timeline.visibleStatuses = sortBy(timeline.visibleStatuses, ({id}) => -id)\n timeline.statuses = sortBy(timeline.statuses, ({id}) => -id)\n timeline.minVisibleId = (last(timeline.visibleStatuses) || {}).id\n return timeline\n}\n\nconst addNewStatuses = (state, { statuses, showImmediately = false, timeline, user = {}, noIdUpdate = false }) => {\n // Sanity check\n if (!isArray(statuses)) {\n return false\n }\n\n const allStatuses = state.allStatuses\n const allStatusesObject = state.allStatusesObject\n const timelineObject = state.timelines[timeline]\n\n const maxNew = statuses.length > 0 ? maxBy(statuses, 'id').id : 0\n const older = timeline && maxNew < timelineObject.maxId\n\n if (timeline && !noIdUpdate && statuses.length > 0 && !older) {\n timelineObject.maxId = maxNew\n }\n\n const addStatus = (status, showImmediately, addToTimeline = true) => {\n const result = mergeOrAdd(allStatuses, allStatusesObject, status)\n status = result.item\n\n if (result.new) {\n if (statusType(status) === 'retweet' && status.retweeted_status.user.id === user.id) {\n addNotification({ type: 'repeat', status: status, action: status })\n }\n\n // We are mentioned in a post\n if (statusType(status) === '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 // Don't add notification for self-mention\n if (status.user.id !== user.id) {\n addNotification({ type: 'mention', status, action: status })\n }\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 addNotification = ({type, status, action}) => {\n // Only add a new notification if we don't have one for the same action\n if (!find(state.notifications, (oldNotification) => oldNotification.action.id === action.id)) {\n state.notifications.push({ type, status, action, seen: false })\n\n if ('Notification' in window && window.Notification.permission === 'granted') {\n const title = action.user.name\n const result = {}\n result.icon = action.user.profile_image_url\n result.body = action.text // there's a problem that it doesn't put a space before links tho\n\n // Shows first attached non-nsfw image, if any. Should add configuration for this somehow...\n if (action.attachments && action.attachments.length > 0 && !action.nsfw &&\n action.attachments[0].mimetype.startsWith('image/')) {\n result.image = action.attachments[0].url\n }\n\n let notification = new window.Notification(title, result)\n\n // Chrome is known for not closing notifications automatically\n // according to MDN, anyway.\n setTimeout(notification.close.bind(notification), 5000)\n }\n }\n }\n\n const favoriteStatus = (favorite) => {\n const status = find(allStatuses, { id: toInteger(favorite.in_reply_to_status_id) })\n if (status) {\n status.fave_num += 1\n\n // This is our favorite, so the relevant bit.\n if (favorite.user.id === user.id) {\n status.favorited = true\n }\n\n // Add a notification if the user's status is favorited\n if (status.user.id === user.id) {\n addNotification({type: 'favorite', status, action: favorite})\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 if (!state.favorites.has(favorite.id)) {\n state.favorites.add(favorite.id)\n favoriteStatus(favorite)\n }\n },\n 'follow': (status) => {\n let re = new RegExp(`started following ${user.name} \\\\(${user.statusnet_profile_url}\\\\)`)\n let repleroma = new RegExp(`started following ${user.screen_name}$`)\n if (status.text.match(re) || status.text.match(repleroma)) {\n addNotification({ type: 'follow', status: status, action: status })\n }\n },\n 'deletion': (deletion) => {\n const uri = deletion.uri\n\n // Remove possible notification\n const status = find(allStatuses, {uri})\n if (!status) {\n return\n }\n\n remove(state.notifications, ({action: {id}}) => id === status.id)\n\n remove(allStatuses, { uri })\n if (timeline) {\n remove(timelineObject.statuses, { uri })\n remove(timelineObject.visibleStatuses, { uri })\n }\n },\n 'default': (unknown) => {\n console.log('unknown status type')\n console.log(unknown)\n }\n }\n\n each(statuses, (status) => {\n const type = statusType(status)\n const processor = processors[type] || processors['default']\n processor(status)\n })\n\n // Keep the visible statuses sorted\n if (timeline) {\n sortTimeline(timelineObject)\n if ((older || timelineObject.minVisibleId <= 0) && statuses.length > 0) {\n timelineObject.minVisibleId = minBy(statuses, 'id').id\n }\n }\n}\n\nexport const mutations = {\n addNewStatuses,\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.visibleStatusesObject = {}\n each(oldTimeline.visibleStatuses, (status) => { oldTimeline.visibleStatusesObject[status.id] = status })\n },\n clearTimeline (state, { timeline }) {\n state.timelines[timeline] = emptyTl()\n },\n setFavorited (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.favorited = value\n },\n setRetweeted (state, { status, value }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.repeated = value\n },\n setDeleted (state, { status }) {\n const newStatus = state.allStatusesObject[status.id]\n newStatus.deleted = true\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 setProfileView (state, { v }) {\n // load followers / friends only when needed\n state.timelines['user'].viewing = v\n },\n addFriends (state, { friends }) {\n state.timelines['user'].friends = friends\n },\n addFollowers (state, { followers }) {\n state.timelines['user'].followers = followers\n },\n markNotificationsAsSeen (state, notifications) {\n each(notifications, (notification) => {\n notification.seen = true\n })\n },\n queueFlush (state, { timeline, id }) {\n state.timelines[timeline].flushMarker = id\n }\n}\n\nconst statuses = {\n state: defaultState,\n actions: {\n addNewStatuses ({ rootState, commit }, { statuses, showImmediately = false, timeline = false, noIdUpdate = false }) {\n commit('addNewStatuses', { statuses, showImmediately, timeline, noIdUpdate, user: rootState.users.currentUser })\n },\n setError ({ rootState, commit }, { value }) {\n commit('setError', { value })\n },\n addFriends ({ rootState, commit }, { friends }) {\n commit('addFriends', { friends })\n },\n addFollowers ({ rootState, commit }, { followers }) {\n commit('addFollowers', { followers })\n },\n deleteStatus ({ rootState, commit }, status) {\n commit('setDeleted', { status })\n apiService.deleteStatus({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n favorite ({ rootState, commit }, status) {\n // Optimistic favoriting...\n commit('setFavorited', { status, value: true })\n apiService.favorite({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n unfavorite ({ rootState, commit }, status) {\n // Optimistic favoriting...\n commit('setFavorited', { status, value: false })\n apiService.unfavorite({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n retweet ({ rootState, commit }, status) {\n // Optimistic retweeting...\n commit('setRetweeted', { status, value: true })\n apiService.retweet({ id: status.id, credentials: rootState.users.currentUser.credentials })\n },\n queueFlush ({ rootState, commit }, { timeline, id }) {\n commit('queueFlush', { timeline, id })\n }\n },\n mutations\n}\n\nexport default statuses\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/statuses.js","import apiService from '../api/api.service.js'\nimport timelineFetcherService from '../timeline_fetcher/timeline_fetcher.service.js'\n\nconst backendInteractorService = (credentials) => {\n const fetchStatus = ({id}) => {\n return apiService.fetchStatus({id, credentials})\n }\n\n const fetchConversation = ({id}) => {\n return apiService.fetchConversation({id, credentials})\n }\n\n const fetchFriends = ({id}) => {\n return apiService.fetchFriends({id, credentials})\n }\n\n const fetchFollowers = ({id}) => {\n return apiService.fetchFollowers({id, credentials})\n }\n\n const fetchAllFollowing = ({username}) => {\n return apiService.fetchAllFollowing({username, credentials})\n }\n\n const fetchUser = ({id}) => {\n return apiService.fetchUser({id, credentials})\n }\n\n const followUser = (id) => {\n return apiService.followUser({credentials, id})\n }\n\n const unfollowUser = (id) => {\n return apiService.unfollowUser({credentials, id})\n }\n\n const blockUser = (id) => {\n return apiService.blockUser({credentials, id})\n }\n\n const unblockUser = (id) => {\n return apiService.unblockUser({credentials, id})\n }\n\n const approveUser = (id) => {\n return apiService.approveUser({credentials, id})\n }\n\n const denyUser = (id) => {\n return apiService.denyUser({credentials, id})\n }\n\n const startFetching = ({timeline, store, userId = false}) => {\n return timelineFetcherService.startFetching({timeline, store, credentials, userId})\n }\n\n const setUserMute = ({id, muted = true}) => {\n return apiService.setUserMute({id, muted, credentials})\n }\n\n const fetchMutes = () => apiService.fetchMutes({credentials})\n const fetchFollowRequests = () => apiService.fetchFollowRequests({credentials})\n\n const register = (params) => apiService.register(params)\n const updateAvatar = ({params}) => apiService.updateAvatar({credentials, params})\n const updateBg = ({params}) => apiService.updateBg({credentials, params})\n const updateBanner = ({params}) => apiService.updateBanner({credentials, params})\n const updateProfile = ({params}) => apiService.updateProfile({credentials, params})\n\n const externalProfile = (profileUrl) => apiService.externalProfile({profileUrl, credentials})\n const followImport = ({params}) => apiService.followImport({params, credentials})\n\n const deleteAccount = ({password}) => apiService.deleteAccount({credentials, password})\n const changePassword = ({password, newPassword, newPasswordConfirmation}) => apiService.changePassword({credentials, password, newPassword, newPasswordConfirmation})\n\n const backendInteractorServiceInstance = {\n fetchStatus,\n fetchConversation,\n fetchFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n blockUser,\n unblockUser,\n fetchUser,\n fetchAllFollowing,\n verifyCredentials: apiService.verifyCredentials,\n startFetching,\n setUserMute,\n fetchMutes,\n register,\n updateAvatar,\n updateBg,\n updateBanner,\n updateProfile,\n externalProfile,\n followImport,\n deleteAccount,\n changePassword,\n fetchFollowRequests,\n approveUser,\n denyUser\n }\n\n return backendInteractorServiceInstance\n}\n\nexport default backendInteractorService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/backend_interactor_service/backend_interactor_service.js","const fileType = (typeString) => {\n let type = 'unknown'\n\n if (typeString.match(/text\\/html/)) {\n type = 'html'\n }\n\n if (typeString.match(/image/)) {\n type = 'image'\n }\n\n if (typeString.match(/video\\/(webm|mp4)/)) {\n type = 'video'\n }\n\n if (typeString.match(/audio|ogg/)) {\n type = 'audio'\n }\n\n return type\n}\n\nconst fileTypeService = {\n fileType\n}\n\nexport default fileTypeService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/file_type/file_type.service.js","import { map } from 'lodash'\nimport apiService from '../api/api.service.js'\n\nconst postStatus = ({ store, status, spoilerText, visibility, media = [], inReplyToStatusId = undefined }) => {\n const mediaIds = map(media, 'id')\n\n return apiService.postStatus({credentials: store.state.users.currentUser.credentials, status, spoilerText, visibility, mediaIds, inReplyToStatusId})\n .then((data) => data.json())\n .then((data) => {\n if (!data.error) {\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\n return apiService.uploadMedia({ credentials, formData }).then((xml) => {\n // Firefox and Chrome treat method differently...\n let link = xml.getElementsByTagName('link')\n\n if (link.length === 0) {\n link = xml.getElementsByTagName('atom:link')\n }\n\n link = link[0]\n\n const mediaData = {\n id: xml.getElementsByTagName('media_id')[0].textContent,\n url: xml.getElementsByTagName('media_url')[0].textContent,\n image: link.getAttribute('href'),\n mimetype: link.getAttribute('type')\n }\n\n return mediaData\n })\n}\n\nconst statusPosterService = {\n postStatus,\n uploadMedia\n}\n\nexport default statusPosterService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/status_poster/status_poster.service.js","import { camelCase } from 'lodash'\n\nimport apiService from '../api/api.service.js'\n\nconst update = ({store, statuses, timeline, showImmediately}) => {\n const ccTimeline = camelCase(timeline)\n\n store.dispatch('setError', { value: false })\n\n store.dispatch('addNewStatuses', {\n timeline: ccTimeline,\n statuses,\n showImmediately\n })\n}\n\nconst fetchAndUpdate = ({store, credentials, timeline = 'friends', older = false, showImmediately = false, userId = false, tag = false}) => {\n const args = { timeline, credentials }\n const rootState = store.rootState || store.state\n const timelineData = rootState.statuses.timelines[camelCase(timeline)]\n\n if (older) {\n args['until'] = timelineData.minVisibleId\n } else {\n args['since'] = timelineData.maxId\n }\n\n args['userId'] = userId\n args['tag'] = tag\n\n return apiService.fetchTimeline(args)\n .then((statuses) => {\n if (!older && statuses.length >= 20 && !timelineData.loading) {\n store.dispatch('queueFlush', { timeline: timeline, id: timelineData.maxId })\n }\n update({store, statuses, timeline, showImmediately})\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 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\n\n\n// WEBPACK FOOTER //\n// ./src/services/timeline_fetcher/timeline_fetcher.service.js","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./conversation.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-12838600\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/conversation/conversation.vue\n// module id = 165\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-11ada5e0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./post_status_form.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./post_status_form.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-11ada5e0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./post_status_form.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/post_status_form/post_status_form.vue\n// module id = 166\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-ae8f5000\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./style_switcher.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./style_switcher.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ae8f5000\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./style_switcher.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/style_switcher/style_switcher.vue\n// module id = 167\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-f117c42c\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_card.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_card.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-f117c42c\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_card.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_card/user_card.vue\n// module id = 168\n// module chunks = 2","const de = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Lokaler Chat',\n timeline: 'Zeitleiste',\n mentions: 'Erwähnungen',\n public_tl: 'Lokale Zeitleiste',\n twkn: 'Das gesamte Netzwerk'\n },\n user_card: {\n follows_you: 'Folgt dir!',\n following: 'Folgst du!',\n follow: 'Folgen',\n blocked: 'Blockiert!',\n block: 'Blockieren',\n statuses: 'Beiträge',\n mute: 'Stummschalten',\n muted: 'Stummgeschaltet',\n followers: 'Folgende',\n followees: 'Folgt',\n per_day: 'pro Tag',\n remote_follow: 'Remote Follow'\n },\n timeline: {\n show_new: 'Zeige Neuere',\n error_fetching: 'Fehler beim Laden',\n up_to_date: 'Aktuell',\n load_older: 'Lade ältere Beiträge',\n conversation: 'Unterhaltung',\n collapse: 'Einklappen',\n repeated: 'wiederholte'\n },\n settings: {\n user_settings: 'Benutzereinstellungen',\n name_bio: 'Name & Bio',\n name: 'Name',\n bio: 'Bio',\n avatar: 'Avatar',\n current_avatar: 'Dein derzeitiger Avatar',\n set_new_avatar: 'Setze neuen Avatar',\n profile_banner: 'Profil Banner',\n current_profile_banner: 'Dein derzeitiger Profil Banner',\n set_new_profile_banner: 'Setze neuen Profil Banner',\n profile_background: 'Profil Hintergrund',\n set_new_profile_background: 'Setze neuen Profil Hintergrund',\n settings: 'Einstellungen',\n theme: 'Farbschema',\n presets: 'Voreinstellungen',\n theme_help: 'Benutze HTML Farbcodes (#rrggbb) um dein Farbschema anzupassen',\n radii_help: 'Kantenrundung (in Pixel) der Oberfläche anpassen',\n background: 'Hintergrund',\n foreground: 'Vordergrund',\n text: 'Text',\n links: 'Links',\n cBlue: 'Blau (Antworten, Folgt dir)',\n cRed: 'Rot (Abbrechen)',\n cOrange: 'Orange (Favorisieren)',\n cGreen: 'Grün (Retweet)',\n btnRadius: 'Buttons',\n inputRadius: 'Eingabefelder',\n panelRadius: 'Panel',\n avatarRadius: 'Avatare',\n avatarAltRadius: 'Avatare (Benachrichtigungen)',\n tooltipRadius: 'Tooltips/Warnungen',\n attachmentRadius: 'Anhänge',\n filtering: 'Filter',\n filtering_explanation: 'Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.',\n attachments: 'Anhänge',\n hide_attachments_in_tl: 'Anhänge in der Zeitleiste ausblenden',\n hide_attachments_in_convo: 'Anhänge in Unterhaltungen ausblenden',\n nsfw_clickthrough: 'Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind',\n stop_gifs: 'Play-on-hover GIFs',\n autoload: 'Aktiviere automatisches Laden von älteren Beiträgen beim scrollen',\n streaming: 'Aktiviere automatisches Laden (Streaming) von neuen Beiträgen',\n reply_link_preview: 'Aktiviere reply-link Vorschau bei Maus-Hover',\n follow_import: 'Folgeliste importieren',\n import_followers_from_a_csv_file: 'Importiere Kontakte, denen du folgen möchtest, aus einer CSV-Datei',\n follows_imported: 'Folgeliste importiert! Die Bearbeitung kann eine Zeit lang dauern.',\n follow_import_error: 'Fehler beim importieren der Folgeliste',\n delete_account: 'Account löschen',\n delete_account_description: 'Lösche deinen Account und alle deine Nachrichten dauerhaft.',\n delete_account_instructions: 'Tippe dein Passwort unten in das Feld ein um die Löschung deines Accounts zu bestätigen.',\n delete_account_error: 'Es ist ein Fehler beim löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.',\n follow_export: 'Folgeliste exportieren',\n follow_export_processing: 'In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.',\n follow_export_button: 'Liste (.csv) erstellen',\n change_password: 'Passwort ändern',\n current_password: 'Aktuelles Passwort',\n new_password: 'Neues Passwort',\n confirm_new_password: 'Neues Passwort bestätigen',\n changed_password: 'Passwort erfolgreich geändert!',\n change_password_error: 'Es gab ein Problem bei der Änderung des Passworts.'\n },\n notifications: {\n notifications: 'Benachrichtigungen',\n read: 'Gelesen!',\n followed_you: 'folgt dir',\n favorited_you: 'favorisierte deine Nachricht',\n repeated_you: 'wiederholte deine Nachricht'\n },\n login: {\n login: 'Anmelden',\n username: 'Benutzername',\n placeholder: 'z.B. lain',\n password: 'Passwort',\n register: 'Registrieren',\n logout: 'Abmelden'\n },\n registration: {\n registration: 'Registrierung',\n fullname: 'Angezeigter Name',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Passwort bestätigen'\n },\n post_status: {\n posting: 'Veröffentlichen',\n default: 'Sitze gerade im Hofbräuhaus.'\n },\n finder: {\n find_user: 'Finde Benutzer',\n error_fetching_user: 'Fehler beim Suchen des Benutzers'\n },\n general: {\n submit: 'Absenden',\n apply: 'Anwenden'\n },\n user_profile: {\n timeline_title: 'Beiträge'\n }\n}\n\nconst fi = {\n nav: {\n timeline: 'Aikajana',\n mentions: 'Maininnat',\n public_tl: 'Julkinen Aikajana',\n twkn: 'Koko Tunnettu Verkosto'\n },\n user_card: {\n follows_you: 'Seuraa sinua!',\n following: 'Seuraat!',\n follow: 'Seuraa',\n statuses: 'Viestit',\n mute: 'Hiljennä',\n muted: 'Hiljennetty',\n followers: 'Seuraajat',\n followees: 'Seuraa',\n per_day: 'päivässä'\n },\n timeline: {\n show_new: 'Näytä uudet',\n error_fetching: 'Virhe ladatessa viestejä',\n up_to_date: 'Ajantasalla',\n load_older: 'Lataa vanhempia viestejä',\n conversation: 'Keskustelu',\n collapse: 'Sulje',\n repeated: 'toisti'\n },\n settings: {\n user_settings: 'Käyttäjän asetukset',\n name_bio: 'Nimi ja kuvaus',\n name: 'Nimi',\n bio: 'Kuvaus',\n avatar: 'Profiilikuva',\n current_avatar: 'Nykyinen profiilikuvasi',\n set_new_avatar: 'Aseta uusi profiilikuva',\n profile_banner: 'Juliste',\n current_profile_banner: 'Nykyinen julisteesi',\n set_new_profile_banner: 'Aseta uusi juliste',\n profile_background: 'Taustakuva',\n set_new_profile_background: 'Aseta uusi taustakuva',\n settings: 'Asetukset',\n theme: 'Teema',\n presets: 'Valmiit teemat',\n theme_help: 'Käytä heksadesimaalivärejä muokataksesi väriteemaasi.',\n background: 'Tausta',\n foreground: 'Korostus',\n text: 'Teksti',\n links: 'Linkit',\n filtering: 'Suodatus',\n filtering_explanation: 'Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.',\n attachments: 'Liitteet',\n hide_attachments_in_tl: 'Piilota liitteet aikajanalla',\n hide_attachments_in_convo: 'Piilota liitteet keskusteluissa',\n nsfw_clickthrough: 'Piilota NSFW liitteet klikkauksen taakse.',\n autoload: 'Lataa vanhempia viestejä automaattisesti ruudun pohjalla',\n streaming: 'Näytä uudet viestit automaattisesti ollessasi ruudun huipulla',\n reply_link_preview: 'Keskusteluiden vastauslinkkien esikatselu'\n },\n notifications: {\n notifications: 'Ilmoitukset',\n read: 'Lue!',\n followed_you: 'seuraa sinua',\n favorited_you: 'tykkäsi viestistäsi',\n repeated_you: 'toisti viestisi'\n },\n login: {\n login: 'Kirjaudu sisään',\n username: 'Käyttäjänimi',\n placeholder: 'esim. lain',\n password: 'Salasana',\n register: 'Rekisteröidy',\n logout: 'Kirjaudu ulos'\n },\n registration: {\n registration: 'Rekisteröityminen',\n fullname: 'Koko nimi',\n email: 'Sähköposti',\n bio: 'Kuvaus',\n password_confirm: 'Salasanan vahvistaminen'\n },\n post_status: {\n posting: 'Lähetetään',\n default: 'Tulin juuri saunasta.'\n },\n finder: {\n find_user: 'Hae käyttäjä',\n error_fetching_user: 'Virhe hakiessa käyttäjää'\n },\n general: {\n submit: 'Lähetä',\n apply: 'Aseta'\n }\n}\n\nconst en = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Local Chat',\n timeline: 'Timeline',\n mentions: 'Mentions',\n public_tl: 'Public Timeline',\n twkn: 'The Whole Known Network',\n friend_requests: 'Follow Requests'\n },\n user_card: {\n follows_you: 'Follows you!',\n following: 'Following!',\n follow: 'Follow',\n blocked: 'Blocked!',\n block: 'Block',\n statuses: 'Statuses',\n mute: 'Mute',\n muted: 'Muted',\n followers: 'Followers',\n followees: 'Following',\n per_day: 'per day',\n remote_follow: 'Remote follow',\n approve: 'Approve',\n deny: 'Deny'\n },\n timeline: {\n show_new: 'Show new',\n error_fetching: 'Error fetching updates',\n up_to_date: 'Up-to-date',\n load_older: 'Load older statuses',\n conversation: 'Conversation',\n collapse: 'Collapse',\n repeated: 'repeated'\n },\n settings: {\n user_settings: 'User Settings',\n name_bio: 'Name & Bio',\n name: 'Name',\n bio: 'Bio',\n avatar: 'Avatar',\n current_avatar: 'Your current avatar',\n set_new_avatar: 'Set new avatar',\n profile_banner: 'Profile Banner',\n current_profile_banner: 'Your current profile banner',\n set_new_profile_banner: 'Set new profile banner',\n profile_background: 'Profile Background',\n set_new_profile_background: 'Set new profile background',\n settings: 'Settings',\n theme: 'Theme',\n presets: 'Presets',\n theme_help: 'Use hex color codes (#rrggbb) to customize your color theme.',\n radii_help: 'Set up interface edge rounding (in pixels)',\n background: 'Background',\n foreground: 'Foreground',\n text: 'Text',\n links: 'Links',\n cBlue: 'Blue (Reply, follow)',\n cRed: 'Red (Cancel)',\n cOrange: 'Orange (Favorite)',\n cGreen: 'Green (Retweet)',\n btnRadius: 'Buttons',\n inputRadius: 'Input fields',\n panelRadius: 'Panels',\n avatarRadius: 'Avatars',\n avatarAltRadius: 'Avatars (Notifications)',\n tooltipRadius: 'Tooltips/alerts',\n attachmentRadius: 'Attachments',\n filtering: 'Filtering',\n filtering_explanation: 'All statuses containing these words will be muted, one per line',\n attachments: 'Attachments',\n hide_attachments_in_tl: 'Hide attachments in timeline',\n hide_attachments_in_convo: 'Hide attachments in conversations',\n nsfw_clickthrough: 'Enable clickthrough NSFW attachment hiding',\n stop_gifs: 'Play-on-hover GIFs',\n autoload: 'Enable automatic loading when scrolled to the bottom',\n streaming: 'Enable automatic streaming of new posts when scrolled to the top',\n reply_link_preview: 'Enable reply-link preview on mouse hover',\n follow_import: 'Follow import',\n import_followers_from_a_csv_file: 'Import follows from a csv file',\n follows_imported: 'Follows imported! Processing them will take a while.',\n follow_import_error: 'Error importing followers',\n delete_account: 'Delete Account',\n delete_account_description: 'Permanently delete your account and all your messages.',\n delete_account_instructions: 'Type your password in the input below to confirm account deletion.',\n delete_account_error: 'There was an issue deleting your account. If this persists please contact your instance administrator.',\n follow_export: 'Follow export',\n follow_export_processing: 'Processing, you\\'ll soon be asked to download your file',\n follow_export_button: 'Export your follows to a csv file',\n change_password: 'Change Password',\n current_password: 'Current password',\n new_password: 'New password',\n confirm_new_password: 'Confirm new password',\n changed_password: 'Password changed successfully!',\n change_password_error: 'There was an issue changing your password.',\n lock_account_description: 'Restrict your account to approved followers only'\n },\n notifications: {\n notifications: 'Notifications',\n read: 'Read!',\n followed_you: 'followed you',\n favorited_you: 'favorited your status',\n repeated_you: 'repeated your status'\n },\n login: {\n login: 'Log in',\n username: 'Username',\n placeholder: 'e.g. lain',\n password: 'Password',\n register: 'Register',\n logout: 'Log out'\n },\n registration: {\n registration: 'Registration',\n fullname: 'Display name',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Password confirmation'\n },\n post_status: {\n posting: 'Posting',\n content_warning: 'Subject (optional)',\n default: 'Just landed in L.A.'\n },\n finder: {\n find_user: 'Find user',\n error_fetching_user: 'Error fetching user'\n },\n general: {\n submit: 'Submit',\n apply: 'Apply'\n },\n user_profile: {\n timeline_title: 'User Timeline'\n }\n}\n\nconst eo = {\n chat: {\n title: 'Babilo'\n },\n nav: {\n chat: 'Loka babilo',\n timeline: 'Tempovido',\n mentions: 'Mencioj',\n public_tl: 'Publika tempovido',\n twkn: 'Tuta konata reto'\n },\n user_card: {\n follows_you: 'Abonas vin!',\n following: 'Abonanta!',\n follow: 'Aboni',\n blocked: 'Barita!',\n block: 'Bari',\n statuses: 'Statoj',\n mute: 'Silentigi',\n muted: 'Silentigita',\n followers: 'Abonantoj',\n followees: 'Abonatoj',\n per_day: 'tage',\n remote_follow: 'Fora abono'\n },\n timeline: {\n show_new: 'Montri novajn',\n error_fetching: 'Eraro ĝisdatigante',\n up_to_date: 'Ĝisdata',\n load_older: 'Enlegi pli malnovajn statojn',\n conversation: 'Interparolo',\n collapse: 'Maletendi',\n repeated: 'ripetata'\n },\n settings: {\n user_settings: 'Uzulaj agordoj',\n name_bio: 'Nomo kaj prio',\n name: 'Nomo',\n bio: 'Prio',\n avatar: 'Profilbildo',\n current_avatar: 'Via nuna profilbildo',\n set_new_avatar: 'Agordi novan profilbildon',\n profile_banner: 'Profila rubando',\n current_profile_banner: 'Via nuna profila rubando',\n set_new_profile_banner: 'Agordi novan profilan rubandon',\n profile_background: 'Profila fono',\n set_new_profile_background: 'Agordi novan profilan fonon',\n settings: 'Agordoj',\n theme: 'Haŭto',\n presets: 'Antaŭmetaĵoj',\n theme_help: 'Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran haŭton.',\n radii_help: 'Agordi fasadan rondigon de randoj (rastrumere)',\n background: 'Fono',\n foreground: 'Malfono',\n text: 'Teksto',\n links: 'Ligiloj',\n cBlue: 'Blua (Respondo, abono)',\n cRed: 'Ruĝa (Nuligo)',\n cOrange: 'Orange (Ŝato)',\n cGreen: 'Verda (Kunhavigo)',\n btnRadius: 'Butonoj',\n panelRadius: 'Paneloj',\n avatarRadius: 'Profilbildoj',\n avatarAltRadius: 'Profilbildoj (Sciigoj)',\n tooltipRadius: 'Ŝpruchelpiloj/avertoj',\n attachmentRadius: 'Kunsendaĵoj',\n filtering: 'Filtrado',\n filtering_explanation: 'Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie',\n attachments: 'Kunsendaĵoj',\n hide_attachments_in_tl: 'Kaŝi kunsendaĵojn en tempovido',\n hide_attachments_in_convo: 'Kaŝi kunsendaĵojn en interparoloj',\n nsfw_clickthrough: 'Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj',\n stop_gifs: 'Movi GIF-bildojn dum ŝvebo',\n autoload: 'Ŝalti memfaran enlegadon ĉe subo de paĝo',\n streaming: 'Ŝalti memfaran fluigon de novaj afiŝoj ĉe supro de paĝo',\n reply_link_preview: 'Ŝalti respond-ligilan antaŭvidon dum ŝvebo',\n follow_import: 'Abona enporto',\n import_followers_from_a_csv_file: 'Enporti abonojn de CSV-dosiero',\n follows_imported: 'Abonoj enportiĝis! Traktado daŭros iom.',\n follow_import_error: 'Eraro enportante abonojn'\n },\n notifications: {\n notifications: 'Sciigoj',\n read: 'Legita!',\n followed_you: 'ekabonis vin',\n favorited_you: 'ŝatis vian staton',\n repeated_you: 'ripetis vian staton'\n },\n login: {\n login: 'Saluti',\n username: 'Salutnomo',\n placeholder: 'ekz. lain',\n password: 'Pasvorto',\n register: 'Registriĝi',\n logout: 'Adiaŭi'\n },\n registration: {\n registration: 'Registriĝo',\n fullname: 'Vidiga nomo',\n email: 'Retpoŝtadreso',\n bio: 'Prio',\n password_confirm: 'Konfirmo de pasvorto'\n },\n post_status: {\n posting: 'Afiŝanta',\n default: 'Ĵus alvenis la universalan kongreson!'\n },\n finder: {\n find_user: 'Trovi uzulon',\n error_fetching_user: 'Eraro alportante uzulon'\n },\n general: {\n submit: 'Sendi',\n apply: 'Apliki'\n },\n user_profile: {\n timeline_title: 'Uzula tempovido'\n }\n}\n\nconst et = {\n nav: {\n timeline: 'Ajajoon',\n mentions: 'Mainimised',\n public_tl: 'Avalik Ajajoon',\n twkn: 'Kogu Teadaolev Võrgustik'\n },\n user_card: {\n follows_you: 'Jälgib sind!',\n following: 'Jälgin!',\n follow: 'Jälgi',\n blocked: 'Blokeeritud!',\n block: 'Blokeeri',\n statuses: 'Staatuseid',\n mute: 'Vaigista',\n muted: 'Vaigistatud',\n followers: 'Jälgijaid',\n followees: 'Jälgitavaid',\n per_day: 'päevas'\n },\n timeline: {\n show_new: 'Näita uusi',\n error_fetching: 'Viga uuenduste laadimisel',\n up_to_date: 'Uuendatud',\n load_older: 'Kuva vanemaid staatuseid',\n conversation: 'Vestlus'\n },\n settings: {\n user_settings: 'Kasutaja sätted',\n name_bio: 'Nimi ja Bio',\n name: 'Nimi',\n bio: 'Bio',\n avatar: 'Profiilipilt',\n current_avatar: 'Sinu praegune profiilipilt',\n set_new_avatar: 'Vali uus profiilipilt',\n profile_banner: 'Profiilibänner',\n current_profile_banner: 'Praegune profiilibänner',\n set_new_profile_banner: 'Vali uus profiilibänner',\n profile_background: 'Profiilitaust',\n set_new_profile_background: 'Vali uus profiilitaust',\n settings: 'Sätted',\n theme: 'Teema',\n filtering: 'Sisu filtreerimine',\n filtering_explanation: 'Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.',\n attachments: 'Manused',\n hide_attachments_in_tl: 'Peida manused ajajoonel',\n hide_attachments_in_convo: 'Peida manused vastlustes',\n nsfw_clickthrough: 'Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha',\n autoload: 'Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud',\n reply_link_preview: 'Luba algpostituse kuvamine vastustes'\n },\n notifications: {\n notifications: 'Teavitused',\n read: 'Loe!',\n followed_you: 'alustas sinu jälgimist'\n },\n login: {\n login: 'Logi sisse',\n username: 'Kasutajanimi',\n placeholder: 'nt lain',\n password: 'Parool',\n register: 'Registreeru',\n logout: 'Logi välja'\n },\n registration: {\n registration: 'Registreerimine',\n fullname: 'Kuvatav nimi',\n email: 'E-post',\n bio: 'Bio',\n password_confirm: 'Parooli kinnitamine'\n },\n post_status: {\n posting: 'Postitan',\n default: 'Just sõitsin elektrirongiga Tallinnast Pääskülla.'\n },\n finder: {\n find_user: 'Otsi kasutajaid',\n error_fetching_user: 'Viga kasutaja leidmisel'\n },\n general: {\n submit: 'Postita'\n }\n}\n\nconst hu = {\n nav: {\n timeline: 'Idővonal',\n mentions: 'Említéseim',\n public_tl: 'Publikus Idővonal',\n twkn: 'Az Egész Ismert Hálózat'\n },\n user_card: {\n follows_you: 'Követ téged!',\n following: 'Követve!',\n follow: 'Követ',\n blocked: 'Letiltva!',\n block: 'Letilt',\n statuses: 'Állapotok',\n mute: 'Némít',\n muted: 'Némított',\n followers: 'Követők',\n followees: 'Követettek',\n per_day: 'naponta'\n },\n timeline: {\n show_new: 'Újak mutatása',\n error_fetching: 'Hiba a frissítések beszerzésénél',\n up_to_date: 'Naprakész',\n load_older: 'Régebbi állapotok betöltése',\n conversation: 'Társalgás'\n },\n settings: {\n user_settings: 'Felhasználói beállítások',\n name_bio: 'Név és Bio',\n name: 'Név',\n bio: 'Bio',\n avatar: 'Avatár',\n current_avatar: 'Jelenlegi avatár',\n set_new_avatar: 'Új avatár',\n profile_banner: 'Profil Banner',\n current_profile_banner: 'Jelenlegi profil banner',\n set_new_profile_banner: 'Új profil banner',\n profile_background: 'Profil háttérkép',\n set_new_profile_background: 'Új profil háttér beállítása',\n settings: 'Beállítások',\n theme: 'Téma',\n filtering: 'Szűrés',\n filtering_explanation: 'Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy',\n attachments: 'Csatolmányok',\n hide_attachments_in_tl: 'Csatolmányok elrejtése az idővonalon',\n hide_attachments_in_convo: 'Csatolmányok elrejtése a társalgásokban',\n nsfw_clickthrough: 'NSFW átkattintási tartalom elrejtésének engedélyezése',\n autoload: 'Autoatikus betöltés engedélyezése lap aljára görgetéskor',\n reply_link_preview: 'Válasz-link előzetes mutatása egér rátételkor'\n },\n notifications: {\n notifications: 'Értesítések',\n read: 'Olvasva!',\n followed_you: 'követ téged'\n },\n login: {\n login: 'Bejelentkezés',\n username: 'Felhasználó név',\n placeholder: 'e.g. lain',\n password: 'Jelszó',\n register: 'Feliratkozás',\n logout: 'Kijelentkezés'\n },\n registration: {\n registration: 'Feliratkozás',\n fullname: 'Teljes név',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Jelszó megerősítése'\n },\n post_status: {\n posting: 'Küldés folyamatban',\n default: 'Most érkeztem L.A.-be'\n },\n finder: {\n find_user: 'Felhasználó keresése',\n error_fetching_user: 'Hiba felhasználó beszerzésével'\n },\n general: {\n submit: 'Elküld'\n }\n}\n\nconst ro = {\n nav: {\n timeline: 'Cronologie',\n mentions: 'Menționări',\n public_tl: 'Cronologie Publică',\n twkn: 'Toată Reșeaua Cunoscută'\n },\n user_card: {\n follows_you: 'Te urmărește!',\n following: 'Urmărit!',\n follow: 'Urmărește',\n blocked: 'Blocat!',\n block: 'Blochează',\n statuses: 'Stări',\n mute: 'Pune pe mut',\n muted: 'Pus pe mut',\n followers: 'Următori',\n followees: 'Urmărește',\n per_day: 'pe zi'\n },\n timeline: {\n show_new: 'Arată cele noi',\n error_fetching: 'Erare la preluarea actualizărilor',\n up_to_date: 'La zi',\n load_older: 'Încarcă stări mai vechi',\n conversation: 'Conversație'\n },\n settings: {\n user_settings: 'Setările utilizatorului',\n name_bio: 'Nume și Bio',\n name: 'Nume',\n bio: 'Bio',\n avatar: 'Avatar',\n current_avatar: 'Avatarul curent',\n set_new_avatar: 'Setează avatar nou',\n profile_banner: 'Banner de profil',\n current_profile_banner: 'Bannerul curent al profilului',\n set_new_profile_banner: 'Setează banner nou la profil',\n profile_background: 'Fundalul de profil',\n set_new_profile_background: 'Setează fundal nou',\n settings: 'Setări',\n theme: 'Temă',\n filtering: 'Filtru',\n filtering_explanation: 'Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie',\n attachments: 'Atașamente',\n hide_attachments_in_tl: 'Ascunde atașamentele în cronologie',\n hide_attachments_in_convo: 'Ascunde atașamentele în conversații',\n nsfw_clickthrough: 'Permite ascunderea al atașamentelor NSFW',\n autoload: 'Permite încărcarea automată când scrolat la capăt',\n reply_link_preview: 'Permite previzualizarea linkului de răspuns la planarea de mouse'\n },\n notifications: {\n notifications: 'Notificări',\n read: 'Citit!',\n followed_you: 'te-a urmărit'\n },\n login: {\n login: 'Loghează',\n username: 'Nume utilizator',\n placeholder: 'd.e. lain',\n password: 'Parolă',\n register: 'Înregistrare',\n logout: 'Deloghează'\n },\n registration: {\n registration: 'Îregistrare',\n fullname: 'Numele întreg',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Cofirmă parola'\n },\n post_status: {\n posting: 'Postează',\n default: 'Nu de mult am aterizat în L.A.'\n },\n finder: {\n find_user: 'Găsește utilizator',\n error_fetching_user: 'Eroare la preluarea utilizatorului'\n },\n general: {\n submit: 'trimite'\n }\n}\n\nconst ja = {\n chat: {\n title: 'チャット'\n },\n nav: {\n chat: 'ローカルチャット',\n timeline: 'タイムライン',\n mentions: 'メンション',\n public_tl: '公開タイムライン',\n twkn: '接続しているすべてのネットワーク'\n },\n user_card: {\n follows_you: 'フォローされました!',\n following: 'フォロー中!',\n follow: 'フォロー',\n blocked: 'ブロック済み!',\n block: 'ブロック',\n statuses: '投稿',\n mute: 'ミュート',\n muted: 'ミュート済み',\n followers: 'フォロワー',\n followees: 'フォロー',\n per_day: '/日',\n remote_follow: 'リモートフォロー'\n },\n timeline: {\n show_new: '更新',\n error_fetching: '更新の取得中にエラーが発生しました。',\n up_to_date: '最新',\n load_older: '古い投稿を読み込む',\n conversation: '会話',\n collapse: '折り畳む',\n repeated: 'リピート'\n },\n settings: {\n user_settings: 'ユーザー設定',\n name_bio: '名前とプロフィール',\n name: '名前',\n bio: 'プロフィール',\n avatar: 'アバター',\n current_avatar: 'あなたの現在のアバター',\n set_new_avatar: '新しいアバターを設定する',\n profile_banner: 'プロフィールバナー',\n current_profile_banner: '現在のプロフィールバナー',\n set_new_profile_banner: '新しいプロフィールバナーを設定する',\n profile_background: 'プロフィールの背景',\n set_new_profile_background: '新しいプロフィールの背景を設定する',\n settings: '設定',\n theme: 'テーマ',\n presets: 'プリセット',\n theme_help: '16進数カラーコード (#aabbcc) を使用してカラーテーマをカスタマイズ出来ます。',\n radii_help: 'インターフェースの縁の丸さを設定する。',\n background: '背景',\n foreground: '前景',\n text: '文字',\n links: 'リンク',\n cBlue: '青 (返信, フォロー)',\n cRed: '赤 (キャンセル)',\n cOrange: 'オレンジ (お気に入り)',\n cGreen: '緑 (リツイート)',\n btnRadius: 'ボタン',\n panelRadius: 'パネル',\n avatarRadius: 'アバター',\n avatarAltRadius: 'アバター (通知)',\n tooltipRadius: 'ツールチップ/アラート',\n attachmentRadius: 'ファイル',\n filtering: 'フィルタリング',\n filtering_explanation: 'これらの単語を含むすべてのものがミュートされます。1行に1つの単語を入力してください。',\n attachments: 'ファイル',\n hide_attachments_in_tl: 'タイムラインのファイルを隠す。',\n hide_attachments_in_convo: '会話の中のファイルを隠す。',\n nsfw_clickthrough: 'NSFWファイルの非表示を有効にする。',\n stop_gifs: 'カーソルを重ねた時にGIFを再生する。',\n autoload: '下にスクロールした時に自動で読み込むようにする。',\n streaming: '上までスクロールした時に自動でストリーミングされるようにする。',\n reply_link_preview: 'マウスカーソルを重ねた時に返信のプレビューを表示するようにする。',\n follow_import: 'フォローインポート',\n import_followers_from_a_csv_file: 'CSVファイルからフォローをインポートする。',\n follows_imported: 'フォローがインポートされました!処理に少し時間がかかるかもしれません。',\n follow_import_error: 'フォロワーのインポート中にエラーが発生しました。'\n },\n notifications: {\n notifications: '通知',\n read: '読んだ!',\n followed_you: 'フォローされました',\n favorited_you: 'あなたの投稿がお気に入りされました',\n repeated_you: 'あなたの投稿がリピートされました'\n },\n login: {\n login: 'ログイン',\n username: 'ユーザー名',\n placeholder: '例えば lain',\n password: 'パスワード',\n register: '登録',\n logout: 'ログアウト'\n },\n registration: {\n registration: '登録',\n fullname: '表示名',\n email: 'Eメール',\n bio: 'プロフィール',\n password_confirm: 'パスワードの確認'\n },\n post_status: {\n posting: '投稿',\n default: 'ちょうどL.A.に着陸しました。'\n },\n finder: {\n find_user: 'ユーザー検索',\n error_fetching_user: 'ユーザー検索でエラーが発生しました'\n },\n general: {\n submit: '送信',\n apply: '適用'\n },\n user_profile: {\n timeline_title: 'ユーザータイムライン'\n }\n}\n\nconst fr = {\n nav: {\n chat: 'Chat local',\n timeline: 'Journal',\n mentions: 'Notifications',\n public_tl: 'Statuts locaux',\n twkn: 'Le réseau connu'\n },\n user_card: {\n follows_you: 'Vous suit !',\n following: 'Suivi !',\n follow: 'Suivre',\n blocked: 'Bloqué',\n block: 'Bloquer',\n statuses: 'Statuts',\n mute: 'Masquer',\n muted: 'Masqué',\n followers: 'Vous suivent',\n followees: 'Suivis',\n per_day: 'par jour',\n remote_follow: 'Suivre d\\'une autre instance'\n },\n timeline: {\n show_new: 'Afficher plus',\n error_fetching: 'Erreur en cherchant les mises à jour',\n up_to_date: 'À jour',\n load_older: 'Afficher plus',\n conversation: 'Conversation',\n collapse: 'Fermer',\n repeated: 'a partagé'\n },\n settings: {\n user_settings: 'Paramètres utilisateur',\n name_bio: 'Nom & Bio',\n name: 'Nom',\n bio: 'Biographie',\n avatar: 'Avatar',\n current_avatar: 'Avatar actuel',\n set_new_avatar: 'Changer d\\'avatar',\n profile_banner: 'Bannière de profil',\n current_profile_banner: 'Bannière de profil actuelle',\n set_new_profile_banner: 'Changer de bannière',\n profile_background: 'Image de fond',\n set_new_profile_background: 'Changer d\\'image de fond',\n settings: 'Paramètres',\n theme: 'Thème',\n filtering: 'Filtre',\n filtering_explanation: 'Tout les statuts contenant ces mots seront masqués. Un mot par ligne.',\n attachments: 'Pièces jointes',\n hide_attachments_in_tl: 'Masquer les pièces jointes dans le journal',\n hide_attachments_in_convo: 'Masquer les pièces jointes dans les conversations',\n nsfw_clickthrough: 'Masquer les images marquées comme contenu adulte ou sensible',\n autoload: 'Charger la suite automatiquement une fois le bas de la page atteint',\n reply_link_preview: 'Afficher un aperçu lors du survol de liens vers une réponse',\n presets: 'Thèmes prédéfinis',\n theme_help: 'Spécifiez des codes couleur hexadécimaux (#aabbcc) pour personnaliser les couleurs du thème',\n background: 'Arrière plan',\n foreground: 'Premier plan',\n text: 'Texte',\n links: 'Liens',\n streaming: 'Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page',\n follow_import: 'Importer des abonnements',\n import_followers_from_a_csv_file: 'Importer des abonnements depuis un fichier csv',\n follows_imported: 'Abonnements importés ! Le traitement peut prendre un moment.',\n follow_import_error: 'Erreur lors de l\\'importation des abonnements.',\n follow_export: 'Exporter les abonnements',\n follow_export_button: 'Exporter les abonnements en csv',\n follow_export_processing: 'Exportation en cours...',\n cBlue: 'Bleu (Répondre, suivre)',\n cRed: 'Rouge (Annuler)',\n cOrange: 'Orange (Aimer)',\n cGreen: 'Vert (Partager)',\n btnRadius: 'Boutons',\n panelRadius: 'Fenêtres',\n inputRadius: 'Champs de texte',\n avatarRadius: 'Avatars',\n avatarAltRadius: 'Avatars (Notifications)',\n tooltipRadius: 'Info-bulles/alertes ',\n attachmentRadius: 'Pièces jointes',\n radii_help: 'Vous pouvez ici choisir le niveau d\\'arrondi des angles de l\\'interface (en pixels)',\n stop_gifs: 'N\\'animer les GIFS que lors du survol du curseur de la souris',\n change_password: 'Modifier son mot de passe',\n current_password: 'Mot de passe actuel',\n new_password: 'Nouveau mot de passe',\n confirm_new_password: 'Confirmation du nouveau mot de passe',\n delete_account: 'Supprimer le compte',\n delete_account_description: 'Supprimer définitivement votre compte et tous vos statuts.',\n delete_account_instructions: 'Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.',\n delete_account_error: 'Il y a eu un problème lors de la tentative de suppression de votre compte. Si le problème persiste, contactez l\\'administrateur de cette instance.'\n },\n notifications: {\n notifications: 'Notifications',\n read: 'Lu !',\n followed_you: 'a commencé à vous suivre',\n favorited_you: 'a aimé votre statut',\n repeated_you: 'a partagé votre statut'\n },\n login: {\n login: 'Connexion',\n username: 'Identifiant',\n placeholder: 'p.e. lain',\n password: 'Mot de passe',\n register: 'S\\'inscrire',\n logout: 'Déconnexion'\n },\n registration: {\n registration: 'Inscription',\n fullname: 'Pseudonyme',\n email: 'Adresse email',\n bio: 'Biographie',\n password_confirm: 'Confirmation du mot de passe'\n },\n post_status: {\n posting: 'Envoi en cours',\n default: 'Écrivez ici votre prochain statut.'\n },\n finder: {\n find_user: 'Chercher un utilisateur',\n error_fetching_user: 'Erreur lors de la recherche de l\\'utilisateur'\n },\n general: {\n submit: 'Envoyer',\n apply: 'Appliquer'\n },\n user_profile: {\n timeline_title: 'Journal de l\\'utilisateur'\n }\n}\n\nconst it = {\n nav: {\n timeline: 'Sequenza temporale',\n mentions: 'Menzioni',\n public_tl: 'Sequenza temporale pubblica',\n twkn: 'L\\'intiera rete conosciuta'\n },\n user_card: {\n follows_you: 'Ti segue!',\n following: 'Lo stai seguendo!',\n follow: 'Segui',\n statuses: 'Messaggi',\n mute: 'Ammutolisci',\n muted: 'Ammutoliti',\n followers: 'Chi ti segue',\n followees: 'Chi stai seguendo',\n per_day: 'al giorno'\n },\n timeline: {\n show_new: 'Mostra nuovi',\n error_fetching: 'Errori nel prelievo aggiornamenti',\n up_to_date: 'Aggiornato',\n load_older: 'Carica messaggi più vecchi'\n },\n settings: {\n user_settings: 'Configurazione dell\\'utente',\n name_bio: 'Nome & Introduzione',\n name: 'Nome',\n bio: 'Introduzione',\n avatar: 'Avatar',\n current_avatar: 'Il tuo attuale avatar',\n set_new_avatar: 'Scegli un nuovo avatar',\n profile_banner: 'Sfondo del tuo profilo',\n current_profile_banner: 'Sfondo attuale',\n set_new_profile_banner: 'Scegli un nuovo sfondo per il tuo profilo',\n profile_background: 'Sfondo della tua pagina',\n set_new_profile_background: 'Scegli un nuovo sfondo per la tua pagina',\n settings: 'Settaggi',\n theme: 'Tema',\n filtering: 'Filtri',\n filtering_explanation: 'Filtra via le notifiche che contengono le seguenti parole (inserisci rigo per rigo le parole di innesco)',\n attachments: 'Allegati',\n hide_attachments_in_tl: 'Nascondi gli allegati presenti nella sequenza temporale',\n hide_attachments_in_convo: 'Nascondi gli allegati presenti nelle conversazioni',\n nsfw_clickthrough: 'Abilita la trasparenza degli allegati NSFW',\n autoload: 'Abilita caricamento automatico quando si raggiunge il fondo schermo',\n reply_link_preview: 'Ability il reply-link preview al passaggio del mouse'\n },\n notifications: {\n notifications: 'Notifiche',\n read: 'Leggi!',\n followed_you: 'ti ha seguito'\n },\n general: {\n submit: 'Invia'\n }\n}\n\nconst oc = {\n chat: {\n title: 'Messatjariá'\n },\n nav: {\n chat: 'Chat local',\n timeline: 'Flux d’actualitat',\n mentions: 'Notificacions',\n public_tl: 'Estatuts locals',\n twkn: 'Lo malhum conegut'\n },\n user_card: {\n follows_you: 'Vos sèc !',\n following: 'Seguit !',\n follow: 'Seguir',\n blocked: 'Blocat',\n block: 'Blocar',\n statuses: 'Estatuts',\n mute: 'Amagar',\n muted: 'Amagat',\n followers: 'Seguidors',\n followees: 'Abonaments',\n per_day: 'per jorn',\n remote_follow: 'Seguir a distància'\n },\n timeline: {\n show_new: 'Ne veire mai',\n error_fetching: 'Error en cercant de mesas a jorn',\n up_to_date: 'A jorn',\n load_older: 'Ne veire mai',\n conversation: 'Conversacion',\n collapse: 'Tampar',\n repeated: 'repetit'\n },\n settings: {\n user_settings: 'Paramètres utilizaire',\n name_bio: 'Nom & Bio',\n name: 'Nom',\n bio: 'Biografia',\n avatar: 'Avatar',\n current_avatar: 'Vòstre avatar actual',\n set_new_avatar: 'Cambiar l’avatar',\n profile_banner: 'Bandièra del perfil',\n current_profile_banner: 'Bandièra actuala del perfil',\n set_new_profile_banner: 'Cambiar de bandièra',\n profile_background: 'Imatge de fons',\n set_new_profile_background: 'Cambiar l’imatge de fons',\n settings: 'Paramètres',\n theme: 'Tèma',\n presets: 'Pre-enregistrats',\n theme_help: 'Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.',\n radii_help: 'Configurar los caires arredondits de l’interfàcia (en pixèls)',\n background: 'Rèire plan',\n foreground: 'Endavant',\n text: 'Tèxte',\n links: 'Ligams',\n cBlue: 'Blau (Respondre, seguir)',\n cRed: 'Roge (Anullar)',\n cOrange: 'Irange (Metre en favorit)',\n cGreen: 'Verd (Repartajar)',\n inputRadius: 'Camps tèxte',\n btnRadius: 'Botons',\n panelRadius: 'Panèls',\n avatarRadius: 'Avatars',\n avatarAltRadius: 'Avatars (Notificacions)',\n tooltipRadius: 'Astúcias/Alèrta',\n attachmentRadius: 'Pèças juntas',\n filtering: 'Filtre',\n filtering_explanation: 'Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha.',\n attachments: 'Pèças juntas',\n hide_attachments_in_tl: 'Rescondre las pèças juntas',\n hide_attachments_in_convo: 'Rescondre las pèças juntas dins las conversacions',\n nsfw_clickthrough: 'Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles',\n stop_gifs: 'Lançar los GIFs al subrevòl',\n autoload: 'Activar lo cargament automatic un còp arribat al cap de la pagina',\n streaming: 'Activar lo cargament automatic dels novèls estatus en anar amont',\n reply_link_preview: 'Activar l’apercebut en passar la mirga',\n follow_import: 'Importar los abonaments',\n import_followers_from_a_csv_file: 'Importar los seguidors d’un fichièr csv',\n follows_imported: 'Seguidors importats. Lo tractament pòt trigar una estona.',\n follow_import_error: 'Error en important los seguidors'\n },\n notifications: {\n notifications: 'Notficacions',\n read: 'Legit !',\n followed_you: 'vos sèc',\n favorited_you: 'a aimat vòstre estatut',\n repeated_you: 'a repetit your vòstre estatut'\n },\n login: {\n login: 'Connexion',\n username: 'Nom d’utilizaire',\n placeholder: 'e.g. lain',\n password: 'Senhal',\n register: 'Se marcar',\n logout: 'Desconnexion'\n },\n registration: {\n registration: 'Inscripcion',\n fullname: 'Nom complèt',\n email: 'Adreça de corrièl',\n bio: 'Biografia',\n password_confirm: 'Confirmar lo senhal'\n },\n post_status: {\n posting: 'Mandadís',\n default: 'Escrivètz aquí vòstre estatut.'\n },\n finder: {\n find_user: 'Cercar un utilizaire',\n error_fetching_user: 'Error pendent la recèrca d’un utilizaire'\n },\n general: {\n submit: 'Mandar',\n apply: 'Aplicar'\n },\n user_profile: {\n timeline_title: 'Flux utilizaire'\n }\n}\n\nconst pl = {\n chat: {\n title: 'Czat'\n },\n nav: {\n chat: 'Lokalny czat',\n timeline: 'Oś czasu',\n mentions: 'Wzmianki',\n public_tl: 'Publiczna oś czasu',\n twkn: 'Cała znana sieć'\n },\n user_card: {\n follows_you: 'Obserwuje cię!',\n following: 'Obserwowany!',\n follow: 'Obserwuj',\n blocked: 'Zablokowany!',\n block: 'Zablokuj',\n statuses: 'Statusy',\n mute: 'Wycisz',\n muted: 'Wyciszony',\n followers: 'Obserwujący',\n followees: 'Obserwowani',\n per_day: 'dziennie',\n remote_follow: 'Zdalna obserwacja'\n },\n timeline: {\n show_new: 'Pokaż nowe',\n error_fetching: 'Błąd pobierania',\n up_to_date: 'Na bieżąco',\n load_older: 'Załaduj starsze statusy',\n conversation: 'Rozmowa',\n collapse: 'Zwiń',\n repeated: 'powtórzono'\n },\n settings: {\n user_settings: 'Ustawienia użytkownika',\n name_bio: 'Imię i bio',\n name: 'Imię',\n bio: 'Bio',\n avatar: 'Awatar',\n current_avatar: 'Twój obecny awatar',\n set_new_avatar: 'Ustaw nowy awatar',\n profile_banner: 'Banner profilu',\n current_profile_banner: 'Twój obecny banner profilu',\n set_new_profile_banner: 'Ustaw nowy banner profilu',\n profile_background: 'Tło profilu',\n set_new_profile_background: 'Ustaw nowe tło profilu',\n settings: 'Ustawienia',\n theme: 'Motyw',\n presets: 'Gotowe motywy',\n theme_help: 'Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.',\n radii_help: 'Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)',\n background: 'Tło',\n foreground: 'Pierwszy plan',\n text: 'Tekst',\n links: 'Łącza',\n cBlue: 'Niebieski (odpowiedz, obserwuj)',\n cRed: 'Czerwony (anuluj)',\n cOrange: 'Pomarańczowy (ulubione)',\n cGreen: 'Zielony (powtórzenia)',\n btnRadius: 'Przyciski',\n inputRadius: 'Pola tekstowe',\n panelRadius: 'Panele',\n avatarRadius: 'Awatary',\n avatarAltRadius: 'Awatary (powiadomienia)',\n tooltipRadius: 'Etykiety/alerty',\n attachmentRadius: 'Załączniki',\n filtering: 'Filtrowanie',\n filtering_explanation: 'Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.',\n attachments: 'Załączniki',\n hide_attachments_in_tl: 'Ukryj załączniki w osi czasu',\n hide_attachments_in_convo: 'Ukryj załączniki w rozmowach',\n nsfw_clickthrough: 'Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)',\n stop_gifs: 'Odtwarzaj GIFy po najechaniu kursorem',\n autoload: 'Włącz automatyczne ładowanie po przewinięciu do końca strony',\n streaming: 'Włącz automatycznie strumieniowanie nowych postów gdy na początku strony',\n reply_link_preview: 'Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi',\n follow_import: 'Import obserwowanych',\n import_followers_from_a_csv_file: 'Importuj obserwowanych z pliku CSV',\n follows_imported: 'Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.',\n follow_import_error: 'Błąd przy importowaniu obserwowanych',\n delete_account: 'Usuń konto',\n delete_account_description: 'Trwale usuń konto i wszystkie posty.',\n delete_account_instructions: 'Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.',\n delete_account_error: 'Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.',\n follow_export: 'Eksport obserwowanych',\n follow_export_processing: 'Przetwarzanie, wkrótce twój plik zacznie się ściągać.',\n follow_export_button: 'Eksportuj swoją listę obserwowanych do pliku CSV',\n change_password: 'Zmień hasło',\n current_password: 'Obecne hasło',\n new_password: 'Nowe hasło',\n confirm_new_password: 'Potwierdź nowe hasło',\n changed_password: 'Hasło zmienione poprawnie!',\n change_password_error: 'Podczas zmiany hasła wystąpił problem.'\n },\n notifications: {\n notifications: 'Powiadomienia',\n read: 'Przeczytane!',\n followed_you: 'obserwuje cię',\n favorited_you: 'dodał twój status do ulubionych',\n repeated_you: 'powtórzył twój status'\n },\n login: {\n login: 'Zaloguj',\n username: 'Użytkownik',\n placeholder: 'n.p. lain',\n password: 'Hasło',\n register: 'Zarejestruj',\n logout: 'Wyloguj'\n },\n registration: {\n registration: 'Rejestracja',\n fullname: 'Wyświetlana nazwa profilu',\n email: 'Email',\n bio: 'Bio',\n password_confirm: 'Potwierdzenie hasła'\n },\n post_status: {\n posting: 'Wysyłanie',\n default: 'Właśnie wróciłem z kościoła'\n },\n finder: {\n find_user: 'Znajdź użytkownika',\n error_fetching_user: 'Błąd przy pobieraniu profilu'\n },\n general: {\n submit: 'Wyślij',\n apply: 'Zastosuj'\n },\n user_profile: {\n timeline_title: 'Oś czasu użytkownika'\n }\n}\n\nconst es = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Chat Local',\n timeline: 'Línea Temporal',\n mentions: 'Menciones',\n public_tl: 'Línea Temporal Pública',\n twkn: 'Toda La Red Conocida'\n },\n user_card: {\n follows_you: '¡Te sigue!',\n following: '¡Siguiendo!',\n follow: 'Seguir',\n blocked: '¡Bloqueado!',\n block: 'Bloquear',\n statuses: 'Estados',\n mute: 'Silenciar',\n muted: 'Silenciado',\n followers: 'Seguidores',\n followees: 'Siguiendo',\n per_day: 'por día',\n remote_follow: 'Seguir'\n },\n timeline: {\n show_new: 'Mostrar lo nuevo',\n error_fetching: 'Error al cargar las actualizaciones',\n up_to_date: 'Actualizado',\n load_older: 'Cargar actualizaciones anteriores',\n conversation: 'Conversación'\n },\n settings: {\n user_settings: 'Ajustes de Usuario',\n name_bio: 'Nombre y Biografía',\n name: 'Nombre',\n bio: 'Biografía',\n avatar: 'Avatar',\n current_avatar: 'Tu avatar actual',\n set_new_avatar: 'Cambiar avatar',\n profile_banner: 'Cabecera del perfil',\n current_profile_banner: 'Cabecera actual',\n set_new_profile_banner: 'Cambiar cabecera',\n profile_background: 'Fondo del Perfil',\n set_new_profile_background: 'Cambiar fondo del perfil',\n settings: 'Ajustes',\n theme: 'Tema',\n presets: 'Por defecto',\n theme_help: 'Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.',\n background: 'Segundo plano',\n foreground: 'Primer plano',\n text: 'Texto',\n links: 'Links',\n filtering: 'Filtros',\n filtering_explanation: 'Todos los estados que contengan estas palabras serán silenciados, una por línea',\n attachments: 'Adjuntos',\n hide_attachments_in_tl: 'Ocultar adjuntos en la línea temporal',\n hide_attachments_in_convo: 'Ocultar adjuntos en las conversaciones',\n nsfw_clickthrough: 'Activar el clic para ocultar los adjuntos NSFW',\n autoload: 'Activar carga automática al llegar al final de la página',\n streaming: 'Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior',\n reply_link_preview: 'Activar la previsualización del enlace de responder al pasar el ratón por encima',\n follow_import: 'Importar personas que tú sigues',\n import_followers_from_a_csv_file: 'Importar personas que tú sigues apartir de un archivo csv',\n follows_imported: '¡Importado! Procesarlos llevará tiempo.',\n follow_import_error: 'Error al importal el archivo'\n },\n notifications: {\n notifications: 'Notificaciones',\n read: '¡Leído!',\n followed_you: 'empezó a seguirte'\n },\n login: {\n login: 'Identificación',\n username: 'Usuario',\n placeholder: 'p.ej. lain',\n password: 'Contraseña',\n register: 'Registrar',\n logout: 'Salir'\n },\n registration: {\n registration: 'Registro',\n fullname: 'Nombre a mostrar',\n email: 'Correo electrónico',\n bio: 'Biografía',\n password_confirm: 'Confirmación de contraseña'\n },\n post_status: {\n posting: 'Publicando',\n default: 'Acabo de aterrizar en L.A.'\n },\n finder: {\n find_user: 'Encontrar usuario',\n error_fetching_user: 'Error al buscar usuario'\n },\n general: {\n submit: 'Enviar',\n apply: 'Aplicar'\n }\n}\n\nconst pt = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Chat Local',\n timeline: 'Linha do tempo',\n mentions: 'Menções',\n public_tl: 'Linha do tempo pública',\n twkn: 'Toda a rede conhecida'\n },\n user_card: {\n follows_you: 'Segue você!',\n following: 'Seguindo!',\n follow: 'Seguir',\n blocked: 'Bloqueado!',\n block: 'Bloquear',\n statuses: 'Postagens',\n mute: 'Silenciar',\n muted: 'Silenciado',\n followers: 'Seguidores',\n followees: 'Seguindo',\n per_day: 'por dia',\n remote_follow: 'Seguidor Remoto'\n },\n timeline: {\n show_new: 'Mostrar novas',\n error_fetching: 'Erro buscando atualizações',\n up_to_date: 'Atualizado',\n load_older: 'Carregar postagens antigas',\n conversation: 'Conversa'\n },\n settings: {\n user_settings: 'Configurações de Usuário',\n name_bio: 'Nome & Biografia',\n name: 'Nome',\n bio: 'Biografia',\n avatar: 'Avatar',\n current_avatar: 'Seu avatar atual',\n set_new_avatar: 'Alterar avatar',\n profile_banner: 'Capa de perfil',\n current_profile_banner: 'Sua capa de perfil atual',\n set_new_profile_banner: 'Alterar capa de perfil',\n profile_background: 'Plano de fundo de perfil',\n set_new_profile_background: 'Alterar o plano de fundo de perfil',\n settings: 'Configurações',\n theme: 'Tema',\n presets: 'Predefinições',\n theme_help: 'Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.',\n background: 'Plano de Fundo',\n foreground: 'Primeiro Plano',\n text: 'Texto',\n links: 'Links',\n filtering: 'Filtragem',\n filtering_explanation: 'Todas as postagens contendo estas palavras serão silenciadas, uma por linha.',\n attachments: 'Anexos',\n hide_attachments_in_tl: 'Ocultar anexos na linha do tempo.',\n hide_attachments_in_convo: 'Ocultar anexos em conversas',\n nsfw_clickthrough: 'Habilitar clique para ocultar anexos NSFW',\n autoload: 'Habilitar carregamento automático quando a rolagem chegar ao fim.',\n streaming: 'Habilitar o fluxo automático de postagens quando ao topo da página',\n reply_link_preview: 'Habilitar a pré-visualização de link de respostas ao passar o mouse.',\n follow_import: 'Importar seguidas',\n import_followers_from_a_csv_file: 'Importe seguidores a partir de um arquivo CSV',\n follows_imported: 'Seguidores importados! O processamento pode demorar um pouco.',\n follow_import_error: 'Erro ao importar seguidores'\n },\n notifications: {\n notifications: 'Notificações',\n read: 'Ler!',\n followed_you: 'seguiu você'\n },\n login: {\n login: 'Entrar',\n username: 'Usuário',\n placeholder: 'p.e. lain',\n password: 'Senha',\n register: 'Registrar',\n logout: 'Sair'\n },\n registration: {\n registration: 'Registro',\n fullname: 'Nome para exibição',\n email: 'Correio eletrônico',\n bio: 'Biografia',\n password_confirm: 'Confirmação de senha'\n },\n post_status: {\n posting: 'Publicando',\n default: 'Acabo de aterrizar em L.A.'\n },\n finder: {\n find_user: 'Buscar usuário',\n error_fetching_user: 'Erro procurando usuário'\n },\n general: {\n submit: 'Enviar',\n apply: 'Aplicar'\n }\n}\n\nconst ru = {\n chat: {\n title: 'Чат'\n },\n nav: {\n chat: 'Локальный чат',\n timeline: 'Лента',\n mentions: 'Упоминания',\n public_tl: 'Публичная лента',\n twkn: 'Федеративная лента'\n },\n user_card: {\n follows_you: 'Читает вас',\n following: 'Читаю',\n follow: 'Читать',\n blocked: 'Заблокирован',\n block: 'Заблокировать',\n statuses: 'Статусы',\n mute: 'Игнорировать',\n muted: 'Игнорирую',\n followers: 'Читатели',\n followees: 'Читаемые',\n per_day: 'в день',\n remote_follow: 'Читать удалённо'\n },\n timeline: {\n show_new: 'Показать новые',\n error_fetching: 'Ошибка при обновлении',\n up_to_date: 'Обновлено',\n load_older: 'Загрузить старые статусы',\n conversation: 'Разговор',\n collapse: 'Свернуть',\n repeated: 'повторил(а)'\n },\n settings: {\n user_settings: 'Настройки пользователя',\n name_bio: 'Имя и описание',\n name: 'Имя',\n bio: 'Описание',\n avatar: 'Аватар',\n current_avatar: 'Текущий аватар',\n set_new_avatar: 'Загрузить новый аватар',\n profile_banner: 'Баннер профиля',\n current_profile_banner: 'Текущий баннер профиля',\n set_new_profile_banner: 'Загрузить новый баннер профиля',\n profile_background: 'Фон профиля',\n set_new_profile_background: 'Загрузить новый фон профиля',\n settings: 'Настройки',\n theme: 'Тема',\n presets: 'Пресеты',\n theme_help: 'Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.',\n radii_help: 'Округление краёв элементов интерфейса (в пикселях)',\n background: 'Фон',\n foreground: 'Передний план',\n text: 'Текст',\n links: 'Ссылки',\n cBlue: 'Ответить, читать',\n cRed: 'Отменить',\n cOrange: 'Нравится',\n cGreen: 'Повторить',\n btnRadius: 'Кнопки',\n inputRadius: 'Поля ввода',\n panelRadius: 'Панели',\n avatarRadius: 'Аватары',\n avatarAltRadius: 'Аватары в уведомлениях',\n tooltipRadius: 'Всплывающие подсказки/уведомления',\n attachmentRadius: 'Прикреплённые файлы',\n filtering: 'Фильтрация',\n filtering_explanation: 'Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке',\n attachments: 'Вложения',\n hide_attachments_in_tl: 'Прятать вложения в ленте',\n hide_attachments_in_convo: 'Прятать вложения в разговорах',\n stop_gifs: 'Проигрывать GIF анимации только при наведении',\n nsfw_clickthrough: 'Включить скрытие NSFW вложений',\n autoload: 'Включить автоматическую загрузку при прокрутке вниз',\n streaming: 'Включить автоматическую загрузку новых сообщений при прокрутке вверх',\n reply_link_preview: 'Включить предварительный просмотр ответа при наведении мыши',\n follow_import: 'Импортировать читаемых',\n import_followers_from_a_csv_file: 'Импортировать читаемых из файла .csv',\n follows_imported: 'Список читаемых импортирован. Обработка займёт некоторое время..',\n follow_import_error: 'Ошибка при импортировании читаемых.',\n delete_account: 'Удалить аккаунт',\n delete_account_description: 'Удалить ваш аккаунт и все ваши сообщения.',\n delete_account_instructions: 'Введите ваш пароль в поле ниже для подтверждения удаления.',\n delete_account_error: 'Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.',\n follow_export: 'Экспортировать читаемых',\n follow_export_processing: 'Ведётся обработка, скоро вам будет предложено загрузить файл',\n follow_export_button: 'Экспортировать читаемых в файл .csv',\n change_password: 'Сменить пароль',\n current_password: 'Текущий пароль',\n new_password: 'Новый пароль',\n confirm_new_password: 'Подтверждение нового пароля',\n changed_password: 'Пароль изменён успешно.',\n change_password_error: 'Произошла ошибка при попытке изменить пароль.'\n },\n notifications: {\n notifications: 'Уведомления',\n read: 'Прочесть',\n followed_you: 'начал(а) читать вас',\n favorited_you: 'нравится ваш статус',\n repeated_you: 'повторил(а) ваш статус'\n },\n login: {\n login: 'Войти',\n username: 'Имя пользователя',\n placeholder: 'e.c. lain',\n password: 'Пароль',\n register: 'Зарегистрироваться',\n logout: 'Выйти'\n },\n registration: {\n registration: 'Регистрация',\n fullname: 'Отображаемое имя',\n email: 'Email',\n bio: 'Описание',\n password_confirm: 'Подтверждение пароля'\n },\n post_status: {\n posting: 'Отправляется',\n default: 'Что нового?'\n },\n finder: {\n find_user: 'Найти пользователя',\n error_fetching_user: 'Пользователь не найден'\n },\n general: {\n submit: 'Отправить',\n apply: 'Применить'\n },\n user_profile: {\n timeline_title: 'Лента пользователя'\n }\n}\nconst nb = {\n chat: {\n title: 'Chat'\n },\n nav: {\n chat: 'Lokal Chat',\n timeline: 'Tidslinje',\n mentions: 'Nevnt',\n public_tl: 'Offentlig Tidslinje',\n twkn: 'Det hele kjente nettverket'\n },\n user_card: {\n follows_you: 'Følger deg!',\n following: 'Følger!',\n follow: 'Følg',\n blocked: 'Blokkert!',\n block: 'Blokker',\n statuses: 'Statuser',\n mute: 'Demp',\n muted: 'Dempet',\n followers: 'Følgere',\n followees: 'Følger',\n per_day: 'per dag',\n remote_follow: 'Følg eksternt'\n },\n timeline: {\n show_new: 'Vis nye',\n error_fetching: 'Feil ved henting av oppdateringer',\n up_to_date: 'Oppdatert',\n load_older: 'Last eldre statuser',\n conversation: 'Samtale',\n collapse: 'Sammenfold',\n repeated: 'gjentok'\n },\n settings: {\n user_settings: 'Brukerinstillinger',\n name_bio: 'Navn & Biografi',\n name: 'Navn',\n bio: 'Biografi',\n avatar: 'Profilbilde',\n current_avatar: 'Ditt nåværende profilbilde',\n set_new_avatar: 'Rediger profilbilde',\n profile_banner: 'Profil-banner',\n current_profile_banner: 'Din nåværende profil-banner',\n set_new_profile_banner: 'Sett ny profil-banner',\n profile_background: 'Profil-bakgrunn',\n set_new_profile_background: 'Rediger profil-bakgrunn',\n settings: 'Innstillinger',\n theme: 'Tema',\n presets: 'Forhåndsdefinerte fargekoder',\n theme_help: 'Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.',\n radii_help: 'Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)',\n background: 'Bakgrunn',\n foreground: 'Framgrunn',\n text: 'Tekst',\n links: 'Linker',\n cBlue: 'Blå (Svar, følg)',\n cRed: 'Rød (Avbryt)',\n cOrange: 'Oransje (Lik)',\n cGreen: 'Grønn (Gjenta)',\n btnRadius: 'Knapper',\n panelRadius: 'Panel',\n avatarRadius: 'Profilbilde',\n avatarAltRadius: 'Profilbilde (Varslinger)',\n tooltipRadius: 'Verktøytips/advarsler',\n attachmentRadius: 'Vedlegg',\n filtering: 'Filtrering',\n filtering_explanation: 'Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje',\n attachments: 'Vedlegg',\n hide_attachments_in_tl: 'Gjem vedlegg på tidslinje',\n hide_attachments_in_convo: 'Gjem vedlegg i samtaler',\n nsfw_clickthrough: 'Krev trykk for å vise statuser som kan være upassende',\n stop_gifs: 'Spill av GIFs når du holder over dem',\n autoload: 'Automatisk lasting når du blar ned til bunnen',\n streaming: 'Automatisk strømming av nye statuser når du har bladd til toppen',\n reply_link_preview: 'Vis en forhåndsvisning når du holder musen over svar til en status',\n follow_import: 'Importer følginger',\n import_followers_from_a_csv_file: 'Importer følginger fra en csv fil',\n follows_imported: 'Følginger imported! Det vil ta litt tid å behandle de.',\n follow_import_error: 'Feil ved importering av følginger.'\n },\n notifications: {\n notifications: 'Varslinger',\n read: 'Les!',\n followed_you: 'fulgte deg',\n favorited_you: 'likte din status',\n repeated_you: 'Gjentok din status'\n },\n login: {\n login: 'Logg inn',\n username: 'Brukernavn',\n placeholder: 'f. eks lain',\n password: 'Passord',\n register: 'Registrer',\n logout: 'Logg ut'\n },\n registration: {\n registration: 'Registrering',\n fullname: 'Visningsnavn',\n email: 'Epost-adresse',\n bio: 'Biografi',\n password_confirm: 'Bekreft passord'\n },\n post_status: {\n posting: 'Publiserer',\n default: 'Landet akkurat i L.A.'\n },\n finder: {\n find_user: 'Finn bruker',\n error_fetching_user: 'Feil ved henting av bruker'\n },\n general: {\n submit: 'Legg ut',\n apply: 'Bruk'\n },\n user_profile: {\n timeline_title: 'Bruker-tidslinje'\n }\n}\n\nconst he = {\n chat: {\n title: 'צ\\'אט'\n },\n nav: {\n chat: 'צ\\'אט מקומי',\n timeline: 'ציר הזמן',\n mentions: 'אזכורים',\n public_tl: 'ציר הזמן הציבורי',\n twkn: 'כל הרשת הידועה'\n },\n user_card: {\n follows_you: 'עוקב אחריך!',\n following: 'עוקב!',\n follow: 'עקוב',\n blocked: 'חסום!',\n block: 'חסימה',\n statuses: 'סטטוסים',\n mute: 'השתק',\n muted: 'מושתק',\n followers: 'עוקבים',\n followees: 'נעקבים',\n per_day: 'ליום',\n remote_follow: 'עקיבה מרחוק'\n },\n timeline: {\n show_new: 'הראה חדש',\n error_fetching: 'שגיאה בהבאת הודעות',\n up_to_date: 'עדכני',\n load_older: 'טען סטטוסים חדשים',\n conversation: 'שיחה',\n collapse: 'מוטט',\n repeated: 'חזר'\n },\n settings: {\n user_settings: 'הגדרות משתמש',\n name_bio: 'שם ואודות',\n name: 'שם',\n bio: 'אודות',\n avatar: 'תמונת פרופיל',\n current_avatar: 'תמונת הפרופיל הנוכחית שלך',\n set_new_avatar: 'קבע תמונת פרופיל חדשה',\n profile_banner: 'כרזת הפרופיל',\n current_profile_banner: 'כרזת הפרופיל הנוכחית שלך',\n set_new_profile_banner: 'קבע כרזת פרופיל חדשה',\n profile_background: 'רקע הפרופיל',\n set_new_profile_background: 'קבע רקע פרופיל חדש',\n settings: 'הגדרות',\n theme: 'תמה',\n presets: 'ערכים קבועים מראש',\n theme_help: 'השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.',\n radii_help: 'קבע מראש עיגול פינות לממשק (בפיקסלים)',\n background: 'רקע',\n foreground: 'חזית',\n text: 'טקסט',\n links: 'לינקים',\n cBlue: 'כחול (תגובה, עקיבה)',\n cRed: 'אדום (ביטול)',\n cOrange: 'כתום (לייק)',\n cGreen: 'ירוק (חזרה)',\n btnRadius: 'כפתורים',\n inputRadius: 'שדות קלט',\n panelRadius: 'פאנלים',\n avatarRadius: 'תמונות פרופיל',\n avatarAltRadius: 'תמונות פרופיל (התראות)',\n tooltipRadius: 'טולטיפ \\\\ התראות',\n attachmentRadius: 'צירופים',\n filtering: 'סינון',\n filtering_explanation: 'כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה',\n attachments: 'צירופים',\n hide_attachments_in_tl: 'החבא צירופים בציר הזמן',\n hide_attachments_in_convo: 'החבא צירופים בשיחות',\n nsfw_clickthrough: 'החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר',\n stop_gifs: 'נגן-בעת-ריחוף GIFs',\n autoload: 'החל טעינה אוטומטית בגלילה לתחתית הדף',\n streaming: 'החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף',\n reply_link_preview: 'החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר',\n follow_import: 'יבוא עקיבות',\n import_followers_from_a_csv_file: 'ייבא את הנעקבים שלך מקובץ csv',\n follows_imported: 'נעקבים יובאו! ייקח זמן מה לעבד אותם.',\n follow_import_error: 'שגיאה בייבוא נעקבים.',\n delete_account: 'מחק משתמש',\n delete_account_description: 'מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.',\n delete_account_instructions: 'הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.',\n delete_account_error: 'הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.',\n follow_export: 'יצוא עקיבות',\n follow_export_processing: 'טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך',\n follow_export_button: 'ייצא את הנעקבים שלך לקובץ csv',\n change_password: 'שנה סיסמה',\n current_password: 'סיסמה נוכחית',\n new_password: 'סיסמה חדשה',\n confirm_new_password: 'אשר סיסמה',\n changed_password: 'סיסמה שונתה בהצלחה!',\n change_password_error: 'הייתה בעיה בשינוי סיסמתך.'\n },\n notifications: {\n notifications: 'התראות',\n read: 'קרא!',\n followed_you: 'עקב אחריך!',\n favorited_you: 'אהב את הסטטוס שלך',\n repeated_you: 'חזר על הסטטוס שלך'\n },\n login: {\n login: 'התחבר',\n username: 'שם המשתמש',\n placeholder: 'למשל lain',\n password: 'סיסמה',\n register: 'הירשם',\n logout: 'התנתק'\n },\n registration: {\n registration: 'הרשמה',\n fullname: 'שם תצוגה',\n email: 'אימייל',\n bio: 'אודות',\n password_confirm: 'אישור סיסמה'\n },\n post_status: {\n posting: 'מפרסם',\n default: 'הרגע נחת ב-ל.א.'\n },\n finder: {\n find_user: 'מציאת משתמש',\n error_fetching_user: 'שגיאה במציאת משתמש'\n },\n general: {\n submit: 'שלח',\n apply: 'החל'\n },\n user_profile: {\n timeline_title: 'ציר זמן המשתמש'\n }\n}\n\nconst messages = {\n de,\n fi,\n en,\n eo,\n et,\n hu,\n ro,\n ja,\n fr,\n it,\n oc,\n pl,\n es,\n pt,\n ru,\n nb,\n he\n}\n\nexport default messages\n\n\n\n// WEBPACK FOOTER //\n// ./src/i18n/messages.js","import merge from 'lodash.merge'\nimport objectPath from 'object-path'\nimport localforage from 'localforage'\nimport { throttle, each } from 'lodash'\n\nlet loaded = false\n\nconst defaultReducer = (state, paths) => (\n paths.length === 0 ? state : paths.reduce((substate, path) => {\n objectPath.set(substate, path, objectPath.get(state, path))\n return substate\n }, {})\n)\n\nconst defaultStorage = (() => {\n return localforage\n})()\n\nconst defaultSetState = (key, state, storage) => {\n if (!loaded) {\n console.log('waiting for old state to be loaded...')\n } else {\n return storage.setItem(key, state)\n }\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 = throttle(defaultSetState, 60000),\n reducer = defaultReducer,\n storage = defaultStorage,\n subscriber = store => handler => store.subscribe(handler)\n} = {}) {\n return store => {\n getState(key, storage).then((savedState) => {\n try {\n if (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 if (store.state.config.customTheme) {\n // This is a hack to deal with async loading of config.json and themes\n // See: style_setter.js, setPreset()\n window.themeLoaded = true\n store.dispatch('setOption', {\n name: 'customTheme',\n value: store.state.config.customTheme\n })\n }\n if (store.state.users.lastLoginName) {\n store.dispatch('loginUser', {username: store.state.users.lastLoginName, password: 'xxx'})\n }\n loaded = true\n } catch (e) {\n console.log(\"Couldn't load state\")\n loaded = true\n }\n })\n\n subscriber(store)((mutation, state) => {\n try {\n setState(key, reducer(state, paths), storage)\n } catch (e) {\n console.log(\"Couldn't persist state:\")\n console.log(e)\n }\n })\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/lib/persisted_state.js","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport {isArray} from 'lodash'\nimport { Socket } from 'phoenix'\n\nconst api = {\n state: {\n backendInteractor: backendInteractorService(),\n fetchers: {},\n socket: null,\n chatDisabled: false,\n followRequests: []\n },\n mutations: {\n setBackendInteractor (state, backendInteractor) {\n state.backendInteractor = backendInteractor\n },\n addFetcher (state, {timeline, fetcher}) {\n state.fetchers[timeline] = fetcher\n },\n removeFetcher (state, {timeline}) {\n delete state.fetchers[timeline]\n },\n setSocket (state, socket) {\n state.socket = socket\n },\n setChatDisabled (state, value) {\n state.chatDisabled = value\n },\n setFollowRequests (state, value) {\n state.followRequests = value\n }\n },\n actions: {\n startFetching (store, timeline) {\n let userId = false\n\n // This is for user timelines\n if (isArray(timeline)) {\n userId = timeline[1]\n timeline = timeline[0]\n }\n\n // Don't start fetching if we already are.\n if (!store.state.fetchers[timeline]) {\n const fetcher = store.state.backendInteractor.startFetching({timeline, store, userId})\n store.commit('addFetcher', {timeline, fetcher})\n }\n },\n stopFetching (store, timeline) {\n const fetcher = store.state.fetchers[timeline]\n window.clearInterval(fetcher)\n store.commit('removeFetcher', {timeline})\n },\n initializeSocket (store, token) {\n // Set up websocket connection\n if (!store.state.chatDisabled) {\n let socket = new Socket('/socket', {params: {token: token}})\n socket.connect()\n store.dispatch('initializeChat', socket)\n }\n },\n disableChat (store) {\n store.commit('setChatDisabled', true)\n },\n removeFollowRequest (store, request) {\n let requests = store.state.followRequests.filter((it) => it !== request)\n store.commit('setFollowRequests', requests)\n }\n }\n}\n\nexport default api\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/api.js","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\n\n\n// WEBPACK FOOTER //\n// ./src/modules/chat.js","import { set } from 'vue'\nimport StyleSetter from '../services/style_setter/style_setter.js'\n\nconst defaultState = {\n name: 'Pleroma FE',\n colors: {},\n hideAttachments: false,\n hideAttachmentsInConv: false,\n hideNsfw: true,\n autoLoad: true,\n streaming: false,\n hoverPreview: true,\n muteWords: []\n}\n\nconst config = {\n state: defaultState,\n mutations: {\n setOption (state, { name, value }) {\n set(state, name, value)\n }\n },\n actions: {\n setPageTitle ({state}, option = '') {\n document.title = `${option} ${state.name}`\n },\n setOption ({ commit, dispatch }, { name, value }) {\n commit('setOption', {name, value})\n switch (name) {\n case 'name':\n dispatch('setPageTitle')\n break\n case 'theme':\n StyleSetter.setPreset(value, commit)\n break\n case 'customTheme':\n StyleSetter.setColors(value, commit)\n }\n }\n }\n}\n\nexport default config\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/config.js","import backendInteractorService from '../services/backend_interactor_service/backend_interactor_service.js'\nimport { compact, map, each, merge } from 'lodash'\nimport { set } from 'vue'\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 merge(oldItem, item)\n return {item: oldItem, new: false}\n } else {\n // This is a new item, prepare it\n arr.push(item)\n obj[item.id] = item\n return {item, new: true}\n }\n}\n\nexport const mutations = {\n setMuted (state, { user: {id}, muted }) {\n const user = state.usersObject[id]\n set(user, 'muted', muted)\n },\n setCurrentUser (state, user) {\n state.lastLoginName = user.screen_name\n state.currentUser = merge(state.currentUser || {}, user)\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 addNewUsers (state, users) {\n each(users, (user) => mergeOrAdd(state.users, state.usersObject, user))\n },\n setUserForStatus (state, status) {\n status.user = state.usersObject[status.user.id]\n }\n}\n\nexport const defaultState = {\n lastLoginName: false,\n currentUser: false,\n loggingIn: false,\n users: [],\n usersObject: {}\n}\n\nconst users = {\n state: defaultState,\n mutations,\n actions: {\n fetchUser (store, id) {\n store.rootState.api.backendInteractor.fetchUser({id})\n .then((user) => store.commit('addNewUsers', user))\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 // Reconnect users to statuses\n each(statuses, (status) => {\n store.commit('setUserForStatus', status)\n })\n // Reconnect users to retweets\n each(compact(map(statuses, 'retweeted_status')), (status) => {\n store.commit('setUserForStatus', status)\n })\n },\n logout (store) {\n store.commit('clearCurrentUser')\n store.dispatch('stopFetching', 'friends')\n store.commit('setBackendInteractor', backendInteractorService())\n },\n loginUser (store, userCredentials) {\n return new Promise((resolve, reject) => {\n const commit = store.commit\n commit('beginLogin')\n store.rootState.api.backendInteractor.verifyCredentials(userCredentials)\n .then((response) => {\n if (response.ok) {\n response.json()\n .then((user) => {\n user.credentials = userCredentials\n commit('setCurrentUser', user)\n commit('addNewUsers', [user])\n\n // Set our new backend interactor\n commit('setBackendInteractor', backendInteractorService(userCredentials))\n\n if (user.token) {\n store.dispatch('initializeSocket', user.token)\n }\n\n // Start getting fresh tweets.\n store.dispatch('startFetching', 'friends')\n\n // Get user mutes and follower info\n store.rootState.api.backendInteractor.fetchMutes().then((mutedUsers) => {\n each(mutedUsers, (user) => { user.muted = true })\n store.commit('addNewUsers', mutedUsers)\n })\n\n if ('Notification' in window && window.Notification.permission === 'default') {\n window.Notification.requestPermission()\n }\n\n // Fetch our friends\n store.rootState.api.backendInteractor.fetchFriends()\n .then((friends) => commit('addNewUsers', friends))\n })\n } else {\n // Authentication failed\n commit('endLogin')\n if (response.status === 401) {\n reject('Wrong username or password')\n } else {\n reject('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('Failed to connect to server, try again')\n })\n })\n }\n }\n}\n\nexport default users\n\n\n\n// WEBPACK FOOTER //\n// ./src/modules/users.js","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 = splitIntoWords(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 splitIntoWords = (str) => {\n // Split at word boundaries\n const regex = /\\b/\n const triggers = /[@#:]+$/\n\n let split = str.split(regex)\n\n // Add trailing @ and # to the following word.\n const words = reduce(split, (result, word) => {\n if (result.length > 0) {\n let previous = result.pop()\n const matches = previous.match(triggers)\n if (matches) {\n previous = previous.replace(triggers, '')\n word = matches[0] + word\n }\n result.push(previous)\n }\n result.push(word)\n\n return result\n }, [])\n\n return words\n}\n\nconst completion = {\n wordAtPosition,\n addPositionToWords,\n splitIntoWords,\n replaceWord\n}\n\nexport default completion\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/completion/completion.js","import { times } from 'lodash'\nimport { rgb2hex, hex2rgb } from '../color_convert/color_convert.js'\n\n// While this is not used anymore right now, I left it in if we want to do custom\n// styles that aren't just colors, so user can pick from a few different distinct\n// styles as well as set their own colors in the future.\n\nconst setStyle = (href, commit) => {\n /***\n What's going on here?\n I want to make it easy for admins to style this application. To have\n a good set of default themes, I chose the system from base16\n (https://chriskempson.github.io/base16/) to style all elements. They\n all have the base00..0F classes. So the only thing an admin needs to\n do to style Pleroma is to change these colors in that one css file.\n Some default things (body text color, link color) need to be set dy-\n namically, so this is done here by waiting for the stylesheet to be\n loaded and then creating an element with the respective classes.\n\n It is a bit weird, but should make life for admins somewhat easier.\n ***/\n const head = document.head\n const body = document.body\n body.style.display = 'none'\n const cssEl = document.createElement('link')\n cssEl.setAttribute('rel', 'stylesheet')\n cssEl.setAttribute('href', href)\n head.appendChild(cssEl)\n\n const setDynamic = () => {\n const baseEl = document.createElement('div')\n body.appendChild(baseEl)\n\n let colors = {}\n times(16, (n) => {\n const name = `base0${n.toString(16).toUpperCase()}`\n baseEl.setAttribute('class', name)\n const color = window.getComputedStyle(baseEl).getPropertyValue('color')\n colors[name] = color\n })\n\n commit('setOption', { name: 'colors', value: colors })\n\n body.removeChild(baseEl)\n\n const styleEl = document.createElement('style')\n head.appendChild(styleEl)\n // const styleSheet = styleEl.sheet\n\n body.style.display = 'initial'\n }\n\n cssEl.addEventListener('load', setDynamic)\n}\n\nconst setColors = (col, commit) => {\n const head = document.head\n const body = document.body\n body.style.display = 'none'\n\n const styleEl = document.createElement('style')\n head.appendChild(styleEl)\n const styleSheet = styleEl.sheet\n\n const isDark = (col.text.r + col.text.g + col.text.b) > (col.bg.r + col.bg.g + col.bg.b)\n let colors = {}\n let radii = {}\n\n const mod = isDark ? -10 : 10\n\n colors.bg = rgb2hex(col.bg.r, col.bg.g, col.bg.b) // background\n colors.lightBg = rgb2hex((col.bg.r + col.fg.r) / 2, (col.bg.g + col.fg.g) / 2, (col.bg.b + col.fg.b) / 2) // hilighted bg\n colors.btn = rgb2hex(col.fg.r, col.fg.g, col.fg.b) // panels & buttons\n colors.input = `rgba(${col.fg.r}, ${col.fg.g}, ${col.fg.b}, .5)`\n colors.border = rgb2hex(col.fg.r - mod, col.fg.g - mod, col.fg.b - mod) // borders\n colors.faint = `rgba(${col.text.r}, ${col.text.g}, ${col.text.b}, .5)`\n colors.fg = rgb2hex(col.text.r, col.text.g, col.text.b) // text\n colors.lightFg = rgb2hex(col.text.r - mod * 5, col.text.g - mod * 5, col.text.b - mod * 5) // strong text\n\n colors['base07'] = rgb2hex(col.text.r - mod * 2, col.text.g - mod * 2, col.text.b - mod * 2)\n\n colors.link = rgb2hex(col.link.r, col.link.g, col.link.b) // links\n colors.icon = rgb2hex((col.bg.r + col.text.r) / 2, (col.bg.g + col.text.g) / 2, (col.bg.b + col.text.b) / 2) // icons\n\n colors.cBlue = col.cBlue && rgb2hex(col.cBlue.r, col.cBlue.g, col.cBlue.b)\n colors.cRed = col.cRed && rgb2hex(col.cRed.r, col.cRed.g, col.cRed.b)\n colors.cGreen = col.cGreen && rgb2hex(col.cGreen.r, col.cGreen.g, col.cGreen.b)\n colors.cOrange = col.cOrange && rgb2hex(col.cOrange.r, col.cOrange.g, col.cOrange.b)\n\n colors.cAlertRed = col.cRed && `rgba(${col.cRed.r}, ${col.cRed.g}, ${col.cRed.b}, .5)`\n\n radii.btnRadius = col.btnRadius\n radii.inputRadius = col.inputRadius\n radii.panelRadius = col.panelRadius\n radii.avatarRadius = col.avatarRadius\n radii.avatarAltRadius = col.avatarAltRadius\n radii.tooltipRadius = col.tooltipRadius\n radii.attachmentRadius = col.attachmentRadius\n\n styleSheet.toString()\n styleSheet.insertRule(`body { ${Object.entries(colors).filter(([k, v]) => v).map(([k, v]) => `--${k}: ${v}`).join(';')} }`, 'index-max')\n styleSheet.insertRule(`body { ${Object.entries(radii).filter(([k, v]) => v).map(([k, v]) => `--${k}: ${v}px`).join(';')} }`, 'index-max')\n body.style.display = 'initial'\n\n commit('setOption', { name: 'colors', value: colors })\n commit('setOption', { name: 'radii', value: radii })\n commit('setOption', { name: 'customTheme', value: col })\n}\n\nconst setPreset = (val, commit) => {\n window.fetch('/static/styles.json')\n .then((data) => data.json())\n .then((themes) => {\n const theme = themes[val] ? themes[val] : themes['pleroma-dark']\n const bgRgb = hex2rgb(theme[1])\n const fgRgb = hex2rgb(theme[2])\n const textRgb = hex2rgb(theme[3])\n const linkRgb = hex2rgb(theme[4])\n\n const cRedRgb = hex2rgb(theme[5] || '#FF0000')\n const cGreenRgb = hex2rgb(theme[6] || '#00FF00')\n const cBlueRgb = hex2rgb(theme[7] || '#0000FF')\n const cOrangeRgb = hex2rgb(theme[8] || '#E3FF00')\n\n const col = {\n bg: bgRgb,\n fg: fgRgb,\n text: textRgb,\n link: linkRgb,\n cRed: cRedRgb,\n cBlue: cBlueRgb,\n cGreen: cGreenRgb,\n cOrange: cOrangeRgb\n }\n\n // This is a hack, this function is only called during initial load.\n // We want to cancel loading the theme from config.json if we're already\n // loading a theme from the persisted state.\n // Needed some way of dealing with the async way of things.\n // load config -> set preset -> wait for styles.json to load ->\n // load persisted state -> set colors -> styles.json loaded -> set colors\n if (!window.themeLoaded) {\n setColors(col, commit)\n }\n })\n}\n\nconst StyleSetter = {\n setStyle,\n setPreset,\n setColors\n}\n\nexport default StyleSetter\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/style_setter/style_setter.js","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 UserFinder from './components/user_finder/user_finder.vue'\nimport WhoToFollowPanel from './components/who_to_follow_panel/who_to_follow_panel.vue'\nimport InstanceSpecificPanel from './components/instance_specific_panel/instance_specific_panel.vue'\nimport ChatPanel from './components/chat_panel/chat_panel.vue'\n\nexport default {\n name: 'app',\n components: {\n UserPanel,\n NavPanel,\n Notifications,\n UserFinder,\n WhoToFollowPanel,\n InstanceSpecificPanel,\n ChatPanel\n },\n data: () => ({\n mobileActivePanel: 'timeline'\n }),\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n background () {\n return this.currentUser.background_image || this.$store.state.config.background\n },\n logoStyle () { return { 'background-image': `url(${this.$store.state.config.logo})` } },\n style () { return { 'background-image': `url(${this.background})` } },\n sitename () { return this.$store.state.config.name },\n chat () { return this.$store.state.chat.channel.state === 'joined' },\n showWhoToFollowPanel () { return this.$store.state.config.showWhoToFollowPanel },\n showInstanceSpecificPanel () { return this.$store.state.config.showInstanceSpecificPanel }\n },\n methods: {\n activatePanel (panelName) {\n this.mobileActivePanel = panelName\n },\n scrollToTop () {\n window.scrollTo(0, 0)\n },\n logout () {\n this.$store.dispatch('logout')\n }\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/App.js","import StillImage from '../still-image/still-image.vue'\nimport nsfwImage from '../../assets/nsfw.png'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\n\nconst Attachment = {\n props: [\n 'attachment',\n 'nsfw',\n 'statusId',\n 'size'\n ],\n data () {\n return {\n nsfwImage,\n hideNsfwLocal: this.$store.state.config.hideNsfw,\n showHidden: false,\n loading: false,\n img: document.createElement('img')\n }\n },\n components: {\n StillImage\n },\n computed: {\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 return fileTypeService.fileType(this.attachment.mimetype) === 'html'\n }\n },\n methods: {\n linkClicked ({target}) {\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n toggleHidden () {\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 }\n }\n}\n\nexport default Attachment\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/attachment/attachment.js","const chatPanel = {\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 }\n}\n\nexport default chatPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/chat_panel/chat_panel.js","import Conversation from '../conversation/conversation.vue'\nimport { find, toInteger } from 'lodash'\n\nconst conversationPage = {\n components: {\n Conversation\n },\n computed: {\n statusoid () {\n const id = toInteger(this.$route.params.id)\n const statuses = this.$store.state.statuses.allStatuses\n const status = find(statuses, {id})\n\n return status\n }\n }\n}\n\nexport default conversationPage\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/conversation-page/conversation-page.js","import { reduce, filter, sortBy } from 'lodash'\nimport { statusType } from '../../modules/statuses.js'\nimport Status from '../status/status.vue'\n\nconst sortAndFilterConversation = (conversation) => {\n conversation = filter(conversation, (status) => statusType(status) !== 'retweet')\n return sortBy(conversation, 'id')\n}\n\nconst conversation = {\n data () {\n return {\n highlight: null\n }\n },\n props: [\n 'statusoid',\n 'collapsable'\n ],\n computed: {\n status () { return this.statusoid },\n conversation () {\n if (!this.status) {\n return false\n }\n\n const conversationId = this.status.statusnet_conversation_id\n const statuses = this.$store.state.statuses.allStatuses\n const conversation = filter(statuses, { statusnet_conversation_id: conversationId })\n return sortAndFilterConversation(conversation)\n },\n replies () {\n let i = 1\n return reduce(this.conversation, (result, {id, in_reply_to_status_id}) => {\n const irid = Number(in_reply_to_status_id)\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 },\n components: {\n Status\n },\n created () {\n this.fetchConversation()\n },\n watch: {\n '$route': 'fetchConversation'\n },\n methods: {\n fetchConversation () {\n if (this.status) {\n const conversationId = this.status.statusnet_conversation_id\n this.$store.state.api.backendInteractor.fetchConversation({id: conversationId})\n .then((statuses) => this.$store.dispatch('addNewStatuses', { statuses }))\n .then(() => this.setHighlight(this.statusoid.id))\n } else {\n const id = this.$route.params.id\n this.$store.state.api.backendInteractor.fetchStatus({id})\n .then((status) => this.$store.dispatch('addNewStatuses', { statuses: [status] }))\n .then(() => this.fetchConversation())\n }\n },\n getReplies (id) {\n id = Number(id)\n return this.replies[id] || []\n },\n focused (id) {\n if (this.statusoid.retweeted_status) {\n return (id === this.statusoid.retweeted_status.id)\n } else {\n return (id === this.statusoid.id)\n }\n },\n setHighlight (id) {\n this.highlight = Number(id)\n }\n }\n}\n\nexport default conversation\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/conversation/conversation.js","const DeleteButton = {\n props: [ 'status' ],\n methods: {\n deleteStatus () {\n const confirmed = window.confirm('Do you really want to delete this status?')\n if (confirmed) {\n this.$store.dispatch('deleteStatus', { id: this.status.id })\n }\n }\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser },\n canDelete () { return this.currentUser && this.currentUser.rights.delete_others_notice || this.status.user.id === this.currentUser.id }\n }\n}\n\nexport default DeleteButton\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/delete_button/delete_button.js","const 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 }\n}\n\nexport default FavoriteButton\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/favorite_button/favorite_button.js","import UserCard from '../user_card/user_card.vue'\n\nconst FollowRequests = {\n components: {\n UserCard\n },\n created () {\n this.updateRequests()\n },\n computed: {\n requests () {\n return this.$store.state.api.followRequests\n }\n },\n methods: {\n updateRequests () {\n this.$store.state.api.backendInteractor.fetchFollowRequests()\n .then((requests) => { this.$store.commit('setFollowRequests', requests) })\n }\n }\n}\n\nexport default FollowRequests\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/follow_requests/follow_requests.js","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\n\n\n// WEBPACK FOOTER //\n// ./src/components/friends_timeline/friends_timeline.js","const InstanceSpecificPanel = {\n computed: {\n instanceSpecificPanelContent () {\n return this.$store.state.config.instanceSpecificPanelContent\n }\n }\n}\n\nexport default InstanceSpecificPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/instance_specific_panel/instance_specific_panel.js","const LoginForm = {\n data: () => ({\n user: {},\n authError: false\n }),\n computed: {\n loggingIn () { return this.$store.state.users.loggingIn },\n registrationOpen () { return this.$store.state.config.registrationOpen }\n },\n methods: {\n submit () {\n this.$store.dispatch('loginUser', this.user).then(\n () => {},\n (error) => {\n this.authError = error\n this.user.username = ''\n this.user.password = ''\n }\n )\n }\n }\n}\n\nexport default LoginForm\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/login_form/login_form.js","/* eslint-env browser */\nimport statusPosterService from '../../services/status_poster/status_poster.service.js'\n\nconst mediaUpload = {\n mounted () {\n const input = this.$el.querySelector('input')\n\n input.addEventListener('change', ({target}) => {\n const file = target.files[0]\n this.uploadFile(file)\n })\n },\n data () {\n return {\n uploading: false\n }\n },\n methods: {\n uploadFile (file) {\n const self = this\n const store = this.$store\n const formData = new FormData()\n formData.append('media', file)\n\n self.$emit('uploading')\n self.uploading = true\n\n statusPosterService.uploadMedia({ store, formData })\n .then((fileData) => {\n self.$emit('uploaded', fileData)\n self.uploading = false\n }, (error) => { // eslint-disable-line handle-callback-err\n self.$emit('upload-failed')\n self.uploading = false\n })\n },\n fileDrop (e) {\n if (e.dataTransfer.files.length > 0) {\n e.preventDefault() // allow dropping text like before\n this.uploadFile(e.dataTransfer.files[0])\n }\n },\n fileDrag (e) {\n let types = e.dataTransfer.types\n if (types.contains('Files')) {\n e.dataTransfer.dropEffect = 'copy'\n } else {\n e.dataTransfer.dropEffect = 'none'\n }\n }\n },\n props: [\n 'dropFiles'\n ],\n watch: {\n 'dropFiles': function (fileInfos) {\n if (!this.uploading) {\n this.uploadFile(fileInfos[0])\n }\n }\n }\n}\n\nexport default mediaUpload\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/media_upload/media_upload.js","import Timeline from '../timeline/timeline.vue'\n\nconst Mentions = {\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.mentions\n }\n },\n components: {\n Timeline\n }\n}\n\nexport default Mentions\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/mentions/mentions.js","const NavPanel = {\n computed: {\n currentUser () {\n return this.$store.state.users.currentUser\n },\n chat () {\n return this.$store.state.chat.channel\n }\n }\n}\n\nexport default NavPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/nav_panel/nav_panel.js","import Status from '../status/status.vue'\nimport StillImage from '../still-image/still-image.vue'\nimport UserCardContent from '../user_card_content/user_card_content.vue'\n\nconst Notification = {\n data () {\n return {\n userExpanded: false\n }\n },\n props: [\n 'notification'\n ],\n components: {\n Status, StillImage, UserCardContent\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n }\n }\n}\n\nexport default Notification\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/notification/notification.js","import Notification from '../notification/notification.vue'\n\nimport { sortBy, take, filter } from 'lodash'\n\nconst Notifications = {\n data () {\n return {\n visibleNotificationCount: 20\n }\n },\n computed: {\n notifications () {\n return this.$store.state.statuses.notifications\n },\n unseenNotifications () {\n return filter(this.notifications, ({seen}) => !seen)\n },\n visibleNotifications () {\n // Don't know why, but sortBy([seen, -action.id]) doesn't work.\n let sortedNotifications = sortBy(this.notifications, ({action}) => -action.id)\n sortedNotifications = sortBy(sortedNotifications, 'seen')\n return take(sortedNotifications, this.visibleNotificationCount)\n },\n unseenCount () {\n return this.unseenNotifications.length\n }\n },\n components: {\n Notification\n },\n watch: {\n unseenCount (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.commit('markNotificationsAsSeen', this.visibleNotifications)\n }\n }\n}\n\nexport default Notifications\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/notifications/notifications.js","import statusPoster from '../../services/status_poster/status_poster.service.js'\nimport MediaUpload from '../media_upload/media_upload.vue'\nimport fileTypeService from '../../services/file_type/file_type.service.js'\nimport Completion from '../../services/completion/completion.js'\nimport { take, filter, reject, map, uniqBy } from 'lodash'\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.join(' ') + ' '\n}\n\nconst PostStatusForm = {\n props: [\n 'replyTo',\n 'repliedUser',\n 'attentions',\n 'messageScope'\n ],\n components: {\n MediaUpload\n },\n mounted () {\n this.resize(this.$refs.textarea)\n },\n data () {\n const preset = this.$route.query.message\n let statusText = preset || ''\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 return {\n dropFiles: [],\n submitDisabled: false,\n error: null,\n posting: false,\n highlighted: 0,\n newStatus: {\n status: statusText,\n files: [],\n visibility: this.messageScope || 'public'\n },\n caret: 0\n }\n },\n computed: {\n vis () {\n return {\n public: { selected: this.newStatus.visibility === 'public' },\n unlisted: { selected: this.newStatus.visibility === 'unlisted' },\n private: { selected: this.newStatus.visibility === 'private' },\n direct: { selected: this.newStatus.visibility === 'direct' }\n }\n },\n candidates () {\n const firstchar = this.textAtCaret.charAt(0)\n if (firstchar === '@') {\n const matchedUsers = filter(this.users, (user) => (String(user.name + user.screen_name)).toUpperCase()\n .match(this.textAtCaret.slice(1).toUpperCase()))\n if (matchedUsers.length <= 0) {\n return false\n }\n // eslint-disable-next-line camelcase\n return map(take(matchedUsers, 5), ({screen_name, name, profile_image_url_original}, index) => ({\n // eslint-disable-next-line camelcase\n screen_name: `@${screen_name}`,\n name: name,\n img: profile_image_url_original,\n highlighted: index === this.highlighted\n }))\n } else if (firstchar === ':') {\n if (this.textAtCaret === ':') { return }\n const matchedEmoji = filter(this.emoji.concat(this.customEmoji), (emoji) => emoji.shortcode.match(this.textAtCaret.slice(1)))\n if (matchedEmoji.length <= 0) {\n return false\n }\n return map(take(matchedEmoji, 5), ({shortcode, image_url, utf}, index) => ({\n // eslint-disable-next-line camelcase\n screen_name: `:${shortcode}:`,\n name: '',\n utf: utf || '',\n img: image_url,\n highlighted: index === this.highlighted\n }))\n } else {\n return false\n }\n },\n textAtCaret () {\n return (this.wordAtCaret || {}).word || ''\n },\n wordAtCaret () {\n const word = Completion.wordAtPosition(this.newStatus.status, this.caret - 1) || {}\n return word\n },\n users () {\n return this.$store.state.users.users\n },\n emoji () {\n return this.$store.state.config.emoji || []\n },\n customEmoji () {\n return this.$store.state.config.customEmoji || []\n },\n statusLength () {\n return this.newStatus.status.length\n },\n statusLengthLimit () {\n return this.$store.state.config.textlimit\n },\n hasStatusLengthLimit () {\n return this.statusLengthLimit > 0\n },\n charactersLeft () {\n return this.statusLengthLimit - this.statusLength\n },\n isOverLengthLimit () {\n return this.hasStatusLengthLimit && (this.statusLength > this.statusLengthLimit)\n },\n scopeOptionsEnabled () {\n return this.$store.state.config.scopeOptionsEnabled\n }\n },\n methods: {\n replace (replacement) {\n this.newStatus.status = Completion.replaceWord(this.newStatus.status, this.wordAtCaret, replacement)\n const el = this.$el.querySelector('textarea')\n el.focus()\n this.caret = 0\n },\n replaceCandidate (e) {\n const len = this.candidates.length || 0\n if (this.textAtCaret === ':' || e.ctrlKey) { return }\n if (len > 0) {\n e.preventDefault()\n const candidate = this.candidates[this.highlighted]\n const replacement = candidate.utf || (candidate.screen_name + ' ')\n this.newStatus.status = Completion.replaceWord(this.newStatus.status, this.wordAtCaret, replacement)\n const el = this.$el.querySelector('textarea')\n el.focus()\n this.caret = 0\n this.highlighted = 0\n }\n },\n cycleBackward (e) {\n const len = this.candidates.length || 0\n if (len > 0) {\n e.preventDefault()\n this.highlighted -= 1\n if (this.highlighted < 0) {\n this.highlighted = this.candidates.length - 1\n }\n } else {\n this.highlighted = 0\n }\n },\n cycleForward (e) {\n const len = this.candidates.length || 0\n if (len > 0) {\n if (e.shiftKey) { return }\n e.preventDefault()\n this.highlighted += 1\n if (this.highlighted >= len) {\n this.highlighted = 0\n }\n } else {\n this.highlighted = 0\n }\n },\n setCaret ({target: {selectionStart}}) {\n this.caret = selectionStart\n },\n postStatus (newStatus) {\n if (this.posting) { return }\n if (this.submitDisabled) { return }\n\n if (this.newStatus.status === '') {\n if (this.newStatus.files.length > 0) {\n this.newStatus.status = '\\u200b' // hack\n } else {\n this.error = 'Cannot post an empty status with no files'\n return\n }\n }\n\n this.posting = true\n statusPoster.postStatus({\n status: newStatus.status,\n spoilerText: newStatus.spoilerText || null,\n visibility: newStatus.visibility,\n media: newStatus.files,\n store: this.$store,\n inReplyToStatusId: this.replyTo\n }).then((data) => {\n if (!data.error) {\n this.newStatus = {\n status: '',\n files: [],\n visibility: newStatus.visibility\n }\n this.$emit('posted')\n let el = this.$el.querySelector('textarea')\n el.style.height = '16px'\n this.error = null\n } else {\n this.error = data.error\n }\n this.posting = false\n })\n },\n addMediaFile (fileInfo) {\n this.newStatus.files.push(fileInfo)\n this.enableSubmit()\n },\n removeMediaFile (fileInfo) {\n let index = this.newStatus.files.indexOf(fileInfo)\n this.newStatus.files.splice(index, 1)\n },\n disableSubmit () {\n this.submitDisabled = true\n },\n enableSubmit () {\n this.submitDisabled = false\n },\n type (fileInfo) {\n return fileTypeService.fileType(fileInfo.mimetype)\n },\n paste (e) {\n if (e.clipboardData.files.length > 0) {\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.files.length > 0) {\n e.preventDefault() // allow dropping text like before\n this.dropFiles = e.dataTransfer.files\n }\n },\n fileDrag (e) {\n e.dataTransfer.dropEffect = 'copy'\n },\n resize (e) {\n if (!e.target) { return }\n const vertPadding = Number(window.getComputedStyle(e.target)['padding-top'].substr(0, 1)) +\n Number(window.getComputedStyle(e.target)['padding-bottom'].substr(0, 1))\n e.target.style.height = 'auto'\n e.target.style.height = `${e.target.scrollHeight - vertPadding}px`\n if (e.target.value === '') {\n e.target.style.height = '16px'\n }\n },\n clearError () {\n this.error = null\n },\n changeVis (visibility) {\n this.newStatus.visibility = visibility\n }\n }\n}\n\nexport default PostStatusForm\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/post_status_form/post_status_form.js","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('startFetching', 'publicAndExternal')\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'publicAndExternal')\n }\n}\n\nexport default PublicAndExternalTimeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/public_and_external_timeline/public_and_external_timeline.js","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('startFetching', 'public')\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'public')\n }\n\n}\n\nexport default PublicTimeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/public_timeline/public_timeline.js","const registration = {\n data: () => ({\n user: {},\n error: false,\n registering: false\n }),\n created () {\n if (!this.$store.state.config.registrationOpen || !!this.$store.state.users.currentUser) {\n this.$router.push('/main/all')\n }\n },\n computed: {\n termsofservice () { return this.$store.state.config.tos }\n },\n methods: {\n submit () {\n this.registering = true\n this.user.nickname = this.user.username\n this.$store.state.api.backendInteractor.register(this.user).then(\n (response) => {\n if (response.ok) {\n this.$store.dispatch('loginUser', this.user)\n this.$router.push('/main/all')\n this.registering = false\n } else {\n this.registering = false\n response.json().then((data) => {\n this.error = data.error\n })\n }\n }\n )\n }\n }\n}\n\nexport default registration\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/registration/registration.js","const RetweetButton = {\n props: ['status', 'loggedIn'],\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 }\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 'animate-spin': this.animated\n }\n }\n }\n}\n\nexport default RetweetButton\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/retweet_button/retweet_button.js","import StyleSwitcher from '../style_switcher/style_switcher.vue'\nimport { filter, trim } from 'lodash'\n\nconst settings = {\n data () {\n return {\n hideAttachmentsLocal: this.$store.state.config.hideAttachments,\n hideAttachmentsInConvLocal: this.$store.state.config.hideAttachmentsInConv,\n hideNsfwLocal: this.$store.state.config.hideNsfw,\n muteWordsString: this.$store.state.config.muteWords.join('\\n'),\n autoLoadLocal: this.$store.state.config.autoLoad,\n streamingLocal: this.$store.state.config.streaming,\n hoverPreviewLocal: this.$store.state.config.hoverPreview,\n stopGifs: this.$store.state.config.stopGifs\n }\n },\n components: {\n StyleSwitcher\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n }\n },\n watch: {\n hideAttachmentsLocal (value) {\n this.$store.dispatch('setOption', { name: 'hideAttachments', value })\n },\n hideAttachmentsInConvLocal (value) {\n this.$store.dispatch('setOption', { name: 'hideAttachmentsInConv', value })\n },\n hideNsfwLocal (value) {\n this.$store.dispatch('setOption', { name: 'hideNsfw', value })\n },\n autoLoadLocal (value) {\n this.$store.dispatch('setOption', { name: 'autoLoad', value })\n },\n streamingLocal (value) {\n this.$store.dispatch('setOption', { name: 'streaming', value })\n },\n hoverPreviewLocal (value) {\n this.$store.dispatch('setOption', { name: 'hoverPreview', value })\n },\n muteWordsString (value) {\n value = filter(value.split('\\n'), (word) => trim(word).length > 0)\n this.$store.dispatch('setOption', { name: 'muteWords', value })\n },\n stopGifs (value) {\n this.$store.dispatch('setOption', { name: 'stopGifs', value })\n }\n }\n}\n\nexport default settings\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/settings/settings.js","import Attachment from '../attachment/attachment.vue'\nimport FavoriteButton from '../favorite_button/favorite_button.vue'\nimport RetweetButton from '../retweet_button/retweet_button.vue'\nimport DeleteButton from '../delete_button/delete_button.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCardContent from '../user_card_content/user_card_content.vue'\nimport StillImage from '../still-image/still-image.vue'\nimport { filter, find } from 'lodash'\n\nconst Status = {\n name: 'Status',\n props: [\n 'statusoid',\n 'expandable',\n 'inConversation',\n 'focused',\n 'highlight',\n 'compact',\n 'replies',\n 'noReplyLinks',\n 'noHeading',\n 'inlineExpanded'\n ],\n data: () => ({\n replying: false,\n expanded: false,\n unmuted: false,\n userExpanded: false,\n preview: null,\n showPreview: false,\n showingTall: false\n }),\n computed: {\n muteWords () {\n return this.$store.state.config.muteWords\n },\n hideAttachments () {\n return (this.$store.state.config.hideAttachments && !this.inConversation) ||\n (this.$store.state.config.hideAttachmentsInConv && this.inConversation)\n },\n retweet () { return !!this.statusoid.retweeted_status },\n retweeter () { return this.statusoid.user.name },\n status () {\n if (this.retweet) {\n return this.statusoid.retweeted_status\n } else {\n return this.statusoid\n }\n },\n loggedIn () {\n return !!this.$store.state.users.currentUser\n },\n muteWordHits () {\n const statusText = this.status.text.toLowerCase()\n const hits = filter(this.muteWords, (muteWord) => {\n return statusText.includes(muteWord.toLowerCase())\n })\n\n return hits\n },\n muted () { return !this.unmuted && (this.status.user.muted || this.muteWordHits.length > 0) },\n isReply () { return !!this.status.in_reply_to_status_id },\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 // This is a bit hacky, but we want to approximate post height before rendering\n // so we count newlines (masto uses

for paragraphs, GS uses
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 hideTallStatus () {\n if (this.showingTall) {\n return false\n }\n const lengthScore = this.status.statusnet_html.split(/ 20\n },\n attachmentSize () {\n if ((this.$store.state.config.hideAttachments && !this.inConversation) ||\n (this.$store.state.config.hideAttachmentsInConv && this.inConversation)) {\n return 'hide'\n } else if (this.compact) {\n return 'small'\n }\n return 'normal'\n }\n },\n components: {\n Attachment,\n FavoriteButton,\n RetweetButton,\n DeleteButton,\n PostStatusForm,\n UserCardContent,\n StillImage\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 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 toggleReplying () {\n this.replying = !this.replying\n },\n gotoOriginal (id) {\n // only handled by conversation, not status_or_conversation\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 toggleShowTall () {\n this.showingTall = !this.showingTall\n },\n replyEnter (id, event) {\n this.showPreview = true\n const targetId = Number(id)\n const statuses = this.$store.state.statuses.allStatuses\n\n if (!this.preview) {\n // if we have the status somewhere already\n this.preview = find(statuses, { 'id': targetId })\n // or if we have to fetch it\n if (!this.preview) {\n this.$store.state.api.backendInteractor.fetchStatus({id}).then((status) => {\n this.preview = status\n })\n }\n } else if (this.preview.id !== targetId) {\n this.preview = find(statuses, { 'id': targetId })\n }\n },\n replyLeave () {\n this.showPreview = false\n }\n },\n watch: {\n 'highlight': function (id) {\n id = Number(id)\n if (this.status.id === id) {\n let rect = this.$el.getBoundingClientRect()\n if (rect.top < 100) {\n window.scrollBy(0, rect.top - 200)\n } else if (rect.bottom > window.innerHeight - 50) {\n window.scrollBy(0, rect.bottom - window.innerHeight + 50)\n }\n }\n }\n }\n}\n\nexport default Status\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/status/status.js","import Status from '../status/status.vue'\nimport Conversation from '../conversation/conversation.vue'\n\nconst statusOrConversation = {\n props: ['statusoid'],\n data () {\n return {\n expanded: false\n }\n },\n components: {\n Status,\n Conversation\n },\n methods: {\n toggleExpanded () {\n this.expanded = !this.expanded\n }\n }\n}\n\nexport default statusOrConversation\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/status_or_conversation/status_or_conversation.js","const StillImage = {\n props: [\n 'src',\n 'referrerpolicy',\n 'mimetype'\n ],\n data () {\n return {\n stopGifs: this.$store.state.config.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 const canvas = this.$refs.canvas\n if (!canvas) return\n canvas.getContext('2d').drawImage(this.$refs.src, 1, 1, canvas.width, canvas.height)\n }\n }\n}\n\nexport default StillImage\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/still-image/still-image.js","import { rgbstr2hex } from '../../services/color_convert/color_convert.js'\n\nexport default {\n data () {\n return {\n availableStyles: [],\n selected: this.$store.state.config.theme,\n bgColorLocal: '',\n btnColorLocal: '',\n textColorLocal: '',\n linkColorLocal: '',\n redColorLocal: '',\n blueColorLocal: '',\n greenColorLocal: '',\n orangeColorLocal: '',\n btnRadiusLocal: '',\n inputRadiusLocal: '',\n panelRadiusLocal: '',\n avatarRadiusLocal: '',\n avatarAltRadiusLocal: '',\n attachmentRadiusLocal: '',\n tooltipRadiusLocal: ''\n }\n },\n created () {\n const self = this\n\n window.fetch('/static/styles.json')\n .then((data) => data.json())\n .then((themes) => {\n self.availableStyles = themes\n })\n },\n mounted () {\n this.bgColorLocal = rgbstr2hex(this.$store.state.config.colors.bg)\n this.btnColorLocal = rgbstr2hex(this.$store.state.config.colors.btn)\n this.textColorLocal = rgbstr2hex(this.$store.state.config.colors.fg)\n this.linkColorLocal = rgbstr2hex(this.$store.state.config.colors.link)\n\n this.redColorLocal = rgbstr2hex(this.$store.state.config.colors.cRed)\n this.blueColorLocal = rgbstr2hex(this.$store.state.config.colors.cBlue)\n this.greenColorLocal = rgbstr2hex(this.$store.state.config.colors.cGreen)\n this.orangeColorLocal = rgbstr2hex(this.$store.state.config.colors.cOrange)\n\n this.btnRadiusLocal = this.$store.state.config.radii.btnRadius || 4\n this.inputRadiusLocal = this.$store.state.config.radii.inputRadius || 4\n this.panelRadiusLocal = this.$store.state.config.radii.panelRadius || 10\n this.avatarRadiusLocal = this.$store.state.config.radii.avatarRadius || 5\n this.avatarAltRadiusLocal = this.$store.state.config.radii.avatarAltRadius || 50\n this.tooltipRadiusLocal = this.$store.state.config.radii.tooltipRadius || 2\n this.attachmentRadiusLocal = this.$store.state.config.radii.attachmentRadius || 5\n },\n methods: {\n setCustomTheme () {\n if (!this.bgColorLocal && !this.btnColorLocal && !this.linkColorLocal) {\n // reset to picked themes\n }\n\n const rgb = (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 const bgRgb = rgb(this.bgColorLocal)\n const btnRgb = rgb(this.btnColorLocal)\n const textRgb = rgb(this.textColorLocal)\n const linkRgb = rgb(this.linkColorLocal)\n\n const redRgb = rgb(this.redColorLocal)\n const blueRgb = rgb(this.blueColorLocal)\n const greenRgb = rgb(this.greenColorLocal)\n const orangeRgb = rgb(this.orangeColorLocal)\n\n if (bgRgb && btnRgb && linkRgb) {\n this.$store.dispatch('setOption', {\n name: 'customTheme',\n value: {\n fg: btnRgb,\n bg: bgRgb,\n text: textRgb,\n link: linkRgb,\n cRed: redRgb,\n cBlue: blueRgb,\n cGreen: greenRgb,\n cOrange: orangeRgb,\n btnRadius: this.btnRadiusLocal,\n inputRadius: this.inputRadiusLocal,\n panelRadius: this.panelRadiusLocal,\n avatarRadius: this.avatarRadiusLocal,\n avatarAltRadius: this.avatarAltRadiusLocal,\n tooltipRadius: this.tooltipRadiusLocal,\n attachmentRadius: this.attachmentRadiusLocal\n }})\n }\n }\n },\n watch: {\n selected () {\n this.bgColorLocal = this.selected[1]\n this.btnColorLocal = this.selected[2]\n this.textColorLocal = this.selected[3]\n this.linkColorLocal = this.selected[4]\n this.redColorLocal = this.selected[5]\n this.greenColorLocal = this.selected[6]\n this.blueColorLocal = this.selected[7]\n this.orangeColorLocal = this.selected[8]\n }\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/style_switcher/style_switcher.js","import Timeline from '../timeline/timeline.vue'\n\nconst TagTimeline = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'tag' })\n this.$store.dispatch('startFetching', { '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('startFetching', { 'tag': this.tag })\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'tag')\n }\n}\n\nexport default TagTimeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/tag_timeline/tag_timeline.js","import Status from '../status/status.vue'\nimport timelineFetcher from '../../services/timeline_fetcher/timeline_fetcher.service.js'\nimport StatusOrConversation from '../status_or_conversation/status_or_conversation.vue'\nimport UserCard from '../user_card/user_card.vue'\n\nconst Timeline = {\n props: [\n 'timeline',\n 'timelineName',\n 'title',\n 'userId',\n 'tag'\n ],\n data () {\n return {\n paused: false\n }\n },\n computed: {\n timelineError () { return this.$store.state.statuses.error },\n followers () {\n return this.timeline.followers\n },\n friends () {\n return this.timeline.friends\n },\n viewing () {\n return this.timeline.viewing\n },\n newStatusCount () {\n return this.timeline.newStatusCount\n },\n newStatusCountStr () {\n if (this.timeline.flushMarker !== 0) {\n return ''\n } else {\n return ` (${this.newStatusCount})`\n }\n }\n },\n components: {\n Status,\n StatusOrConversation,\n UserCard\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 timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n showImmediately,\n userId: this.userId,\n tag: this.tag\n })\n\n // don't fetch followers for public, friend, twkn\n if (this.timelineName === 'user') {\n this.fetchFriends()\n this.fetchFollowers()\n }\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n this.$store.commit('setLoading', { timeline: this.timelineName, value: false })\n },\n methods: {\n showNewStatuses () {\n if (this.timeline.flushMarker !== 0) {\n this.$store.commit('clearTimeline', { timeline: this.timelineName })\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 () {\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(() => store.commit('setLoading', { timeline: this.timelineName, value: false }))\n },\n fetchFollowers () {\n const id = this.userId\n this.$store.state.api.backendInteractor.fetchFollowers({ id })\n .then((followers) => this.$store.dispatch('addFollowers', { followers }))\n },\n fetchFriends () {\n const id = this.userId\n this.$store.state.api.backendInteractor.fetchFriends({ id })\n .then((friends) => this.$store.dispatch('addFriends', { friends }))\n },\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.$store.state.config.autoLoad &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)) {\n this.fetchOlderStatuses()\n }\n }\n },\n watch: {\n newStatusCount (count) {\n if (!this.$store.state.config.streaming) {\n return\n }\n if (count > 0) {\n // only 'stream' them when you're scrolled to the top\n if (window.pageYOffset < 15 && !this.paused) {\n this.showNewStatuses()\n } else {\n this.paused = true\n }\n }\n }\n }\n}\n\nexport default Timeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/timeline/timeline.js","import UserCardContent from '../user_card_content/user_card_content.vue'\n\nconst UserCard = {\n props: [\n 'user',\n 'showFollows',\n 'showApproval'\n ],\n data () {\n return {\n userExpanded: false\n }\n },\n components: {\n UserCardContent\n },\n methods: {\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n approveUser () {\n this.$store.state.api.backendInteractor.approveUser(this.user.id)\n this.$store.dispatch('removeFollowRequest', this.user)\n },\n denyUser () {\n this.$store.state.api.backendInteractor.denyUser(this.user.id)\n this.$store.dispatch('removeFollowRequest', this.user)\n }\n }\n}\n\nexport default UserCard\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_card/user_card.js","import StillImage from '../still-image/still-image.vue'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\n\nexport default {\n props: [ 'user', 'switcher', 'selected', 'hideBio' ],\n computed: {\n headingStyle () {\n const color = this.$store.state.config.colors.bg\n if (color) {\n const rgb = hex2rgb(color)\n const tintColor = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .5)`\n console.log(rgb)\n console.log([\n `url(${this.user.cover_photo})`,\n `linear-gradient(to bottom, ${tintColor}, ${tintColor})`\n ].join(', '))\n return {\n backgroundColor: `rgb(${Math.floor(rgb.r * 0.53)}, ${Math.floor(rgb.g * 0.56)}, ${Math.floor(rgb.b * 0.59)})`,\n backgroundImage: [\n `linear-gradient(to bottom, ${tintColor}, ${tintColor})`,\n `url(${this.user.cover_photo})`\n ].join(', ')\n }\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 },\n components: {\n StillImage\n },\n methods: {\n followUser () {\n const store = this.$store\n store.state.api.backendInteractor.followUser(this.user.id)\n .then((followedUser) => store.commit('addNewUsers', [followedUser]))\n },\n unfollowUser () {\n const store = this.$store\n store.state.api.backendInteractor.unfollowUser(this.user.id)\n .then((unfollowedUser) => store.commit('addNewUsers', [unfollowedUser]))\n },\n blockUser () {\n const store = this.$store\n store.state.api.backendInteractor.blockUser(this.user.id)\n .then((blockedUser) => store.commit('addNewUsers', [blockedUser]))\n },\n unblockUser () {\n const store = this.$store\n store.state.api.backendInteractor.unblockUser(this.user.id)\n .then((unblockedUser) => store.commit('addNewUsers', [unblockedUser]))\n },\n toggleMute () {\n const store = this.$store\n store.commit('setMuted', {user: this.user, muted: !this.user.muted})\n store.state.api.backendInteractor.setUserMute(this.user)\n },\n setProfileView (v) {\n if (this.switcher) {\n const store = this.$store\n store.commit('setProfileView', { v })\n }\n }\n }\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_card_content/user_card_content.js","const UserFinder = {\n data: () => ({\n username: undefined,\n hidden: true,\n error: false,\n loading: false\n }),\n methods: {\n findUser (username) {\n username = username[0] === '@' ? username.slice(1) : username\n this.loading = true\n this.$store.state.api.backendInteractor.externalProfile(username)\n .then((user) => {\n this.loading = false\n this.hidden = true\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$router.push({name: 'user-profile', params: {id: user.id}})\n } else {\n this.error = true\n }\n })\n },\n toggleHidden () {\n this.hidden = !this.hidden\n },\n dismissError () {\n this.error = false\n }\n }\n}\n\nexport default UserFinder\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_finder/user_finder.js","import LoginForm from '../login_form/login_form.vue'\nimport PostStatusForm from '../post_status_form/post_status_form.vue'\nimport UserCardContent from '../user_card_content/user_card_content.vue'\n\nconst UserPanel = {\n computed: {\n user () { return this.$store.state.users.currentUser }\n },\n components: {\n LoginForm,\n PostStatusForm,\n UserCardContent\n }\n}\n\nexport default UserPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_panel/user_panel.js","import UserCardContent from '../user_card_content/user_card_content.vue'\nimport Timeline from '../timeline/timeline.vue'\n\nconst UserProfile = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.dispatch('startFetching', ['user', this.userId])\n if (!this.$store.state.users.usersObject[this.userId]) {\n this.$store.dispatch('fetchUser', this.userId)\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'user')\n },\n computed: {\n timeline () { return this.$store.state.statuses.timelines.user },\n userId () {\n return this.$route.params.id\n },\n user () {\n if (this.timeline.statuses[0]) {\n return this.timeline.statuses[0].user\n } else {\n return this.$store.state.users.usersObject[this.userId] || false\n }\n }\n },\n watch: {\n userId () {\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.dispatch('startFetching', ['user', this.userId])\n }\n },\n components: {\n UserCardContent,\n Timeline\n }\n}\n\nexport default UserProfile\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_profile/user_profile.js","import StyleSwitcher from '../style_switcher/style_switcher.vue'\n\nconst UserSettings = {\n data () {\n return {\n newname: this.$store.state.users.currentUser.name,\n newbio: this.$store.state.users.currentUser.description,\n newlocked: this.$store.state.users.currentUser.locked,\n followList: null,\n followImportError: false,\n followsImported: false,\n enableFollowsExport: true,\n uploading: [ false, false, false, false ],\n previews: [ null, null, null ],\n deletingAccount: false,\n deleteAccountConfirmPasswordInput: '',\n deleteAccountError: false,\n changePasswordInputs: [ '', '', '' ],\n changedPassword: false,\n changePasswordError: false\n }\n },\n components: {\n StyleSwitcher\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n pleromaBackend () {\n return this.$store.state.config.pleromaBackend\n }\n },\n methods: {\n updateProfile () {\n const name = this.newname\n const description = this.newbio\n const locked = this.newlocked\n this.$store.state.api.backendInteractor.updateProfile({params: {name, description, locked}}).then((user) => {\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n }\n })\n },\n uploadFile (slot, e) {\n const file = e.target.files[0]\n if (!file) { return }\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({target}) => {\n const img = target.result\n this.previews[slot] = img\n this.$forceUpdate() // just changing the array with the index doesn't update the view\n }\n reader.readAsDataURL(file)\n },\n submitAvatar () {\n if (!this.previews[0]) { return }\n\n let img = this.previews[0]\n // eslint-disable-next-line no-undef\n let imginfo = new Image()\n let cropX, cropY, cropW, cropH\n imginfo.src = img\n if (imginfo.height > imginfo.width) {\n cropX = 0\n cropW = imginfo.width\n cropY = Math.floor((imginfo.height - imginfo.width) / 2)\n cropH = imginfo.width\n } else {\n cropY = 0\n cropH = imginfo.height\n cropX = Math.floor((imginfo.width - imginfo.height) / 2)\n cropW = imginfo.height\n }\n this.uploading[0] = true\n this.$store.state.api.backendInteractor.updateAvatar({params: {img, cropX, cropY, cropW, cropH}}).then((user) => {\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n this.previews[0] = null\n }\n this.uploading[0] = false\n })\n },\n submitBanner () {\n if (!this.previews[1]) { return }\n\n let banner = this.previews[1]\n // eslint-disable-next-line no-undef\n let imginfo = new Image()\n /* eslint-disable camelcase */\n let offset_top, offset_left, width, height\n imginfo.src = banner\n width = imginfo.width\n height = imginfo.height\n offset_top = 0\n offset_left = 0\n this.uploading[1] = true\n this.$store.state.api.backendInteractor.updateBanner({params: {banner, offset_top, offset_left, width, height}}).then((data) => {\n if (!data.error) {\n let clone = JSON.parse(JSON.stringify(this.$store.state.users.currentUser))\n clone.cover_photo = data.url\n this.$store.commit('addNewUsers', [clone])\n this.$store.commit('setCurrentUser', clone)\n this.previews[1] = null\n }\n this.uploading[1] = false\n })\n /* eslint-enable camelcase */\n },\n submitBg () {\n if (!this.previews[2]) { return }\n let img = this.previews[2]\n // eslint-disable-next-line no-undef\n let imginfo = new Image()\n let cropX, cropY, cropW, cropH\n imginfo.src = img\n cropX = 0\n cropY = 0\n cropW = imginfo.width\n cropH = imginfo.width\n this.uploading[2] = true\n this.$store.state.api.backendInteractor.updateBg({params: {img, cropX, cropY, cropW, cropH}}).then((data) => {\n if (!data.error) {\n let clone = JSON.parse(JSON.stringify(this.$store.state.users.currentUser))\n clone.background_image = data.url\n this.$store.commit('addNewUsers', [clone])\n this.$store.commit('setCurrentUser', clone)\n this.previews[2] = null\n }\n this.uploading[2] = false\n })\n },\n importFollows () {\n this.uploading[3] = true\n const followList = this.followList\n this.$store.state.api.backendInteractor.followImport({params: followList})\n .then((status) => {\n if (status) {\n this.followsImported = true\n } else {\n this.followImportError = true\n }\n this.uploading[3] = false\n })\n },\n /* This function takes an Array of Users\n * and outputs a file with all the addresses for the user to download\n */\n exportPeople (users, filename) {\n // Get all the friends addresses\n var UserAddresses = users.map(function (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 user.screen_name += '@' + location.hostname\n }\n return user.screen_name\n }).join('\\n')\n // Make the user download the file\n var fileToDownload = document.createElement('a')\n fileToDownload.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(UserAddresses))\n fileToDownload.setAttribute('download', filename)\n fileToDownload.style.display = 'none'\n document.body.appendChild(fileToDownload)\n fileToDownload.click()\n document.body.removeChild(fileToDownload)\n },\n exportFollows () {\n this.enableFollowsExport = false\n this.$store.state.api.backendInteractor\n .fetchFriends({id: this.$store.state.users.currentUser.id})\n .then((friendList) => {\n this.exportPeople(friendList, 'friends.csv')\n })\n },\n followListChange () {\n // eslint-disable-next-line no-undef\n let formData = new FormData()\n formData.append('list', this.$refs.followlist.files[0])\n this.followList = formData\n },\n dismissImported () {\n this.followsImported = false\n this.followImportError = false\n },\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('/main/all')\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 } else {\n this.changedPassword = false\n this.changePasswordError = res.error\n }\n })\n }\n }\n}\n\nexport default UserSettings\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_settings/user_settings.js","function showWhoToFollow (panel, reply, aHost, aUser) {\n var users = reply.ids\n var cn\n var index = 0\n var random = Math.floor(Math.random() * 10)\n for (cn = random; cn < users.length; cn = cn + 10) {\n var user\n user = users[cn]\n var img\n if (user.icon) {\n img = user.icon\n } else {\n img = '/images/avi.png'\n }\n var name = user.to_id\n if (index === 0) {\n panel.img1 = img\n panel.name1 = name\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n panel.id1 = externalUser.id\n }\n })\n } else if (index === 1) {\n panel.img2 = img\n panel.name2 = name\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n panel.id2 = externalUser.id\n }\n })\n } else if (index === 2) {\n panel.img3 = img\n panel.name3 = name\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n panel.id3 = externalUser.id\n }\n })\n }\n index = index + 1\n if (index > 2) {\n break\n }\n }\n}\n\nfunction getWhoToFollow (panel) {\n var user = panel.$store.state.users.currentUser.screen_name\n if (user) {\n panel.name1 = 'Loading...'\n panel.name2 = 'Loading...'\n panel.name3 = 'Loading...'\n var host = window.location.hostname\n var whoToFollowProvider = panel.$store.state.config.whoToFollowProvider\n var url\n url = whoToFollowProvider.replace(/{{host}}/g, encodeURIComponent(host))\n url = url.replace(/{{user}}/g, encodeURIComponent(user))\n window.fetch(url, {mode: 'cors'}).then(function (response) {\n if (response.ok) {\n return response.json()\n } else {\n panel.name1 = ''\n panel.name2 = ''\n panel.name3 = ''\n }\n }).then(function (reply) {\n showWhoToFollow(panel, reply, host, user)\n })\n }\n}\n\nconst WhoToFollowPanel = {\n data: () => ({\n img1: '/images/avi.png',\n name1: '',\n id1: 0,\n img2: '/images/avi.png',\n name2: '',\n id2: 0,\n img3: '/images/avi.png',\n name3: '',\n id3: 0\n }),\n computed: {\n user: function () {\n return this.$store.state.users.currentUser.screen_name\n },\n moreUrl: function () {\n var host = window.location.hostname\n var user = this.user\n var whoToFollowLink = this.$store.state.config.whoToFollowLink\n var url\n url = whoToFollowLink.replace(/{{host}}/g, encodeURIComponent(host))\n url = url.replace(/{{user}}/g, encodeURIComponent(user))\n return url\n },\n showWhoToFollowPanel () {\n return this.$store.state.config.showWhoToFollowPanel\n }\n },\n watch: {\n user: function (user, oldUser) {\n if (this.showWhoToFollowPanel) {\n getWhoToFollow(this)\n }\n }\n },\n mounted:\n function () {\n if (this.showWhoToFollowPanel) {\n getWhoToFollow(this)\n }\n }\n}\n\nexport default WhoToFollowPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/who_to_follow_panel/who_to_follow_panel.js","module.exports = [\"now\",[\"%ss\",\"%ss\"],[\"%smin\",\"%smin\"],[\"%sh\",\"%sh\"],[\"%sd\",\"%sd\"],[\"%sw\",\"%sw\"],[\"%smo\",\"%smo\"],[\"%sy\",\"%sy\"]]\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./static/timeago-en.json\n// module id = 300\n// module chunks = 2","module.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./static/timeago-ja.json\n// module id = 301\n// module chunks = 2","module.exports = __webpack_public_path__ + \"static/img/nsfw.50fd83c.png\";\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/assets/nsfw.png\n// module id = 467\n// module chunks = 2","\n/* styles */\nrequire(\"!!../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-4c17cd72\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!./App.scss\")\n\nvar Component = require(\"!../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./App.js\"),\n /* template */\n require(\"!!../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4c17cd72\\\"}!../node_modules/vue-loader/lib/selector?type=template&index=0!./App.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/App.vue\n// module id = 470\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-48d74080\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./attachment.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./attachment.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-48d74080\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./attachment.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/attachment/attachment.vue\n// module id = 471\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-37c7b840\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./chat_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./chat_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-37c7b840\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./chat_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/chat_panel/chat_panel.vue\n// module id = 472\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./conversation-page.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6d354bd4\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./conversation-page.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/conversation-page/conversation-page.vue\n// module id = 473\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-ab5f3124\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./delete_button.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./delete_button.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-ab5f3124\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./delete_button.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/delete_button/delete_button.vue\n// module id = 474\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-bd666be8\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./favorite_button.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./favorite_button.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-bd666be8\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./favorite_button.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/favorite_button/favorite_button.vue\n// module id = 475\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./follow_requests.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-06c79474\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_requests.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/follow_requests/follow_requests.vue\n// module id = 476\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./friends_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-938aba00\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./friends_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/friends_timeline/friends_timeline.vue\n// module id = 477\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-8ac93238\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./instance_specific_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./instance_specific_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-8ac93238\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./instance_specific_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/instance_specific_panel/instance_specific_panel.vue\n// module id = 478\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-437c2fc0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./login_form.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./login_form.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-437c2fc0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./login_form.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/login_form/login_form.vue\n// module id = 479\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-546891a0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_upload.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./media_upload.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-546891a0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_upload.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/media_upload/media_upload.vue\n// module id = 480\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./mentions.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2b4a7ac0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./mentions.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/mentions/mentions.vue\n// module id = 481\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-d306a29c\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./nav_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./nav_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d306a29c\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./nav_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/nav_panel/nav_panel.vue\n// module id = 482\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./notification.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-68f32600\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notification.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/notification/notification.vue\n// module id = 483\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-00135b32\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!./notifications.scss\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./notifications.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-00135b32\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./notifications.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/notifications/notifications.vue\n// module id = 484\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./public_and_external_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-2dd59500\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_and_external_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/public_and_external_timeline/public_and_external_timeline.vue\n// module id = 485\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./public_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-63335050\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./public_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/public_timeline/public_timeline.vue\n// module id = 486\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-45f064c0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./registration.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./registration.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-45f064c0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./registration.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/registration/registration.vue\n// module id = 487\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-1ca01100\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./retweet_button.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./retweet_button.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1ca01100\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./retweet_button.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/retweet_button/retweet_button.vue\n// module id = 488\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-cd51c000\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./settings.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./settings.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-cd51c000\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./settings.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/settings/settings.vue\n// module id = 489\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-42b0f6a0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./status_or_conversation.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./status_or_conversation.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-42b0f6a0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./status_or_conversation.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/status_or_conversation/status_or_conversation.vue\n// module id = 490\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./tag_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1555bc40\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./tag_timeline.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/tag_timeline/tag_timeline.vue\n// module id = 491\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-3e9fe956\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_finder.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_finder.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3e9fe956\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_finder.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_finder/user_finder.vue\n// module id = 492\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-eda04b40\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-eda04b40\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_panel/user_panel.vue\n// module id = 493\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-48484e40\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_profile.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_profile.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-48484e40\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_profile.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_profile/user_profile.vue\n// module id = 494\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-93ac3f60\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_settings.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_settings.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-93ac3f60\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_settings.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/user_settings/user_settings.vue\n// module id = 495\n// module chunks = 2","\n/* styles */\nrequire(\"!!../../../node_modules/extract-text-webpack-plugin/loader.js?{\\\"omit\\\":1,\\\"extract\\\":true,\\\"remove\\\":true}!vue-style-loader!css-loader?sourceMap!../../../node_modules/vue-loader/lib/style-compiler/index?{\\\"id\\\":\\\"data-v-d8fd69d8\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./who_to_follow_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d8fd69d8\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow_panel.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/who_to_follow_panel/who_to_follow_panel.vue\n// module id = 496\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"notifications\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [(_vm.unseenCount) ? _c('span', {\n staticClass: \"unseen-count\"\n }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e(), _vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.notifications')) + \"\\n \"), (_vm.unseenCount) ? _c('button', {\n staticClass: \"read-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.markAsSeen($event)\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.visibleNotifications), function(notification) {\n return _c('div', {\n key: notification.action.id,\n staticClass: \"notification\",\n class: {\n \"unseen\": !notification.seen\n }\n }, [_c('notification', {\n attrs: {\n \"notification\": notification\n }\n })], 1)\n }))])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-00135b32\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/notifications/notifications.vue\n// module id = 497\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"profile-panel-background\",\n style: (_vm.headingStyle),\n attrs: {\n \"id\": \"heading\"\n }\n }, [_c('div', {\n staticClass: \"panel-heading text-center\"\n }, [_c('div', {\n staticClass: \"user-info\"\n }, [(!_vm.isOtherUser) ? _c('router-link', {\n staticStyle: {\n \"float\": \"right\",\n \"margin-top\": \"16px\"\n },\n attrs: {\n \"to\": \"/user-settings\"\n }\n }, [_c('i', {\n staticClass: \"icon-cog usersettings\"\n })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\n staticStyle: {\n \"float\": \"right\",\n \"margin-top\": \"16px\"\n },\n attrs: {\n \"href\": _vm.user.statusnet_profile_url,\n \"target\": \"_blank\"\n }\n }, [_c('i', {\n staticClass: \"icon-link-ext usersettings\"\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"container\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.user.id\n }\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url_original\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"name-and-screen-name\"\n }, [_c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), _c('router-link', {\n staticClass: \"user-screen-name\",\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.user.id\n }\n }\n }\n }, [_c('span', [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))]), (_vm.user.locked) ? _c('span', [_c('i', {\n staticClass: \"icon icon-lock\"\n })]) : _vm._e(), _vm._v(\" \"), _c('span', {\n staticClass: \"dailyAvg\"\n }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))])])], 1)], 1), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n staticClass: \"user-interactions\"\n }, [(_vm.user.follows_you && _vm.loggedIn) ? _c('div', {\n staticClass: \"following\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.loggedIn) ? _c('div', {\n staticClass: \"follow\"\n }, [(_vm.user.following) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n on: {\n \"click\": _vm.unfollowUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n on: {\n \"click\": _vm.followUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n staticClass: \"mute\"\n }, [(_vm.user.muted) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n on: {\n \"click\": _vm.toggleMute\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.muted')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.muted) ? _c('span', [_c('button', {\n on: {\n \"click\": _vm.toggleMute\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.mute')) + \"\\n \")])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (!_vm.loggedIn && _vm.user.is_local) ? _c('div', {\n staticClass: \"remote-follow\"\n }, [_c('form', {\n attrs: {\n \"method\": \"POST\",\n \"action\": _vm.subscribeUrl\n }\n }, [_c('input', {\n attrs: {\n \"type\": \"hidden\",\n \"name\": \"nickname\"\n },\n domProps: {\n \"value\": _vm.user.screen_name\n }\n }), _vm._v(\" \"), _c('input', {\n attrs: {\n \"type\": \"hidden\",\n \"name\": \"profile\",\n \"value\": \"\"\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"remote-button\",\n attrs: {\n \"click\": \"submit\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.remote_follow')) + \"\\n \")])])]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _c('div', {\n staticClass: \"block\"\n }, [(_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n on: {\n \"click\": _vm.unblockUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.blocked')) + \"\\n \")])]) : _vm._e(), _vm._v(\" \"), (!_vm.user.statusnet_blocking) ? _c('span', [_c('button', {\n on: {\n \"click\": _vm.blockUser\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.block')) + \"\\n \")])]) : _vm._e()]) : _vm._e()]) : _vm._e()], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body profile-panel-body\"\n }, [_c('div', {\n staticClass: \"user-counts\",\n class: {\n clickable: _vm.switcher\n }\n }, [_c('div', {\n staticClass: \"user-count\",\n class: {\n selected: _vm.selected === 'statuses'\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.setProfileView('statuses')\n }\n }\n }, [_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', {\n staticClass: \"user-count\",\n class: {\n selected: _vm.selected === 'friends'\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.setProfileView('friends')\n }\n }\n }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followees')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.friends_count))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"user-count\",\n class: {\n selected: _vm.selected === 'followers'\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.setProfileView('followers')\n }\n }\n }, [_c('h5', [_vm._v(_vm._s(_vm.$t('user_card.followers')))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.user.followers_count))])])]), _vm._v(\" \"), (!_vm.hideBio) ? _c('p', [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-05b840de\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_card_content/user_card_content.vue\n// module id = 498\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.viewing == 'statuses') ? _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _vm._v(\" \"), (_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('button', {\n staticClass: \"loadmore-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.showNewStatuses($event)\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.timelineError) ? _c('div', {\n staticClass: \"loadmore-error alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n staticClass: \"loadmore-text\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.up_to_date')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.timeline.visibleStatuses), function(status) {\n return _c('status-or-conversation', {\n key: status.id,\n staticClass: \"status-fadein\",\n attrs: {\n \"statusoid\": status\n }\n })\n }))]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(!_vm.timeline.loading) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.fetchOlderStatuses()\n }\n }\n }, [_c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(_vm._s(_vm.$t('timeline.load_older')))])]) : _c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(\"...\")])])]) : (_vm.viewing == 'followers') ? _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followers')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.followers), function(follower) {\n return _c('user-card', {\n key: follower.id,\n attrs: {\n \"user\": follower,\n \"showFollows\": false\n }\n })\n }))])]) : (_vm.viewing == 'friends') ? _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.followees')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.friends), function(friend) {\n return _c('user-card', {\n key: friend.id,\n attrs: {\n \"user\": friend,\n \"showFollows\": true\n }\n })\n }))])]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-0652fc80\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/timeline/timeline.vue\n// module id = 499\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.friend_requests')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.requests), function(request) {\n return _c('user-card', {\n key: request.id,\n attrs: {\n \"user\": request,\n \"showFollows\": false,\n \"showApproval\": true\n }\n })\n }))])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-06c79474\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/follow_requests/follow_requests.vue\n// module id = 500\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"post-status-form\"\n }, [_c('form', {\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.postStatus(_vm.newStatus)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [(_vm.scopeOptionsEnabled) ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.spoilerText),\n expression: \"newStatus.spoilerText\"\n }],\n staticClass: \"form-cw\",\n attrs: {\n \"type\": \"text\",\n \"placeholder\": _vm.$t('post_status.content_warning')\n },\n domProps: {\n \"value\": (_vm.newStatus.spoilerText)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.status),\n expression: \"newStatus.status\"\n }],\n ref: \"textarea\",\n staticClass: \"form-control\",\n attrs: {\n \"placeholder\": _vm.$t('post_status.default'),\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.newStatus.status)\n },\n on: {\n \"click\": _vm.setCaret,\n \"keyup\": [_vm.setCaret, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n if (!$event.ctrlKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"keydown\": [function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key)) { return null; }\n _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key)) { return null; }\n _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key)) { return null; }\n if (!$event.shiftKey) { return null; }\n _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key)) { return null; }\n _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n _vm.replaceCandidate($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n if (!$event.metaKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"drop\": _vm.fileDrop,\n \"dragover\": function($event) {\n $event.preventDefault();\n _vm.fileDrag($event)\n },\n \"input\": [function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n }, _vm.resize],\n \"paste\": _vm.paste\n }\n }), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', {\n staticClass: \"visibility-tray\"\n }, [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })]) : _vm._e()]), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n staticStyle: {\n \"position\": \"relative\"\n }\n }, [_c('div', {\n staticClass: \"autocomplete-panel\"\n }, _vm._l((_vm.candidates), function(candidate) {\n return _c('div', {\n on: {\n \"click\": function($event) {\n _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n }\n }\n }, [_c('div', {\n staticClass: \"autocomplete\",\n class: {\n highlighted: candidate.highlighted\n }\n }, [(candidate.img) ? _c('span', [_c('img', {\n attrs: {\n \"src\": candidate.img\n }\n })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n }))]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-bottom\"\n }, [_c('media-upload', {\n attrs: {\n \"drop-files\": _vm.dropFiles\n },\n on: {\n \"uploading\": _vm.disableSubmit,\n \"uploaded\": _vm.addMediaFile,\n \"upload-failed\": _vm.enableSubmit\n }\n }), _vm._v(\" \"), (_vm.isOverLengthLimit) ? _c('p', {\n staticClass: \"error\"\n }, [_vm._v(_vm._s(_vm.charactersLeft))]) : (_vm.hasStatusLengthLimit) ? _c('p', {\n staticClass: \"faint\"\n }, [_vm._v(_vm._s(_vm.charactersLeft))]) : _vm._e(), _vm._v(\" \"), (_vm.posting) ? _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.posting')))]) : (_vm.isOverLengthLimit) ? _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.submitDisabled,\n \"type\": \"submit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))])], 1), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.error) + \"\\n \"), _c('i', {\n staticClass: \"icon-cancel\",\n on: {\n \"click\": _vm.clearError\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"attachments\"\n }, _vm._l((_vm.newStatus.files), function(file) {\n return _c('div', {\n staticClass: \"media-upload-container attachment\"\n }, [_c('i', {\n staticClass: \"fa icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.removeMediaFile(file)\n }\n }\n }), _vm._v(\" \"), (_vm.type(file) === 'image') ? _c('img', {\n staticClass: \"thumbnail media-upload\",\n attrs: {\n \"src\": file.image\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n attrs: {\n \"href\": file.image\n }\n }, [_vm._v(_vm._s(file.url))]) : _vm._e()])\n }))])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-11ada5e0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/post_status_form/post_status_form.vue\n// module id = 501\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"timeline panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading conversation-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.conversation')) + \"\\n \"), (_vm.collapsable) ? _c('span', {\n staticStyle: {\n \"float\": \"right\"\n }\n }, [_c('small', [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.$emit('toggleExpanded')\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('timeline.collapse')))])])]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"timeline\"\n }, _vm._l((_vm.conversation), function(status) {\n return _c('status', {\n key: status.id,\n staticClass: \"status-fadein\",\n attrs: {\n \"inlineExpanded\": _vm.collapsable,\n \"statusoid\": status,\n \"expandable\": false,\n \"focused\": _vm.focused(status.id),\n \"inConversation\": true,\n \"highlight\": _vm.highlight,\n \"replies\": _vm.getReplies(status.id)\n },\n on: {\n \"goto\": _vm.setHighlight\n }\n })\n }))])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-12838600\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/conversation/conversation.vue\n// module id = 502\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.tag,\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'tag',\n \"tag\": _vm.tag\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1555bc40\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/tag_timeline/tag_timeline.vue\n// module id = 503\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.loggedIn) ? _c('div', [_c('i', {\n staticClass: \"icon-retweet rt-active\",\n class: _vm.classes,\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.retweet()\n }\n }\n }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _c('div', [_c('i', {\n staticClass: \"icon-retweet\",\n class: _vm.classes\n }), _vm._v(\" \"), (_vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1ca01100\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/retweet_button/retweet_button.vue\n// module id = 504\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.mentions'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'mentions'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-2b4a7ac0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/mentions/mentions.vue\n// module id = 505\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.twkn'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'publicAndExternal'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-2dd59500\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/public_and_external_timeline/public_and_external_timeline.vue\n// module id = 506\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (!this.collapsed) ? _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading chat-heading\",\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), _c('i', {\n staticClass: \"icon-cancel\",\n staticStyle: {\n \"float\": \"right\"\n }\n })])]), _vm._v(\" \"), _c('div', {\n directives: [{\n name: \"chat-scroll\",\n rawName: \"v-chat-scroll\"\n }],\n staticClass: \"chat-window\"\n }, _vm._l((_vm.messages), function(message) {\n return _c('div', {\n key: message.id,\n staticClass: \"chat-message\"\n }, [_c('span', {\n staticClass: \"chat-avatar\"\n }, [_c('img', {\n attrs: {\n \"src\": message.author.avatar\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"chat-content\"\n }, [_c('router-link', {\n staticClass: \"chat-name\",\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: message.author.id\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(message.author.username) + \"\\n \")]), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('span', {\n staticClass: \"chat-text\"\n }, [_vm._v(\"\\n \" + _vm._s(message.text) + \"\\n \")])], 1)])\n })), _vm._v(\" \"), _c('div', {\n staticClass: \"chat-input\"\n }, [_c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.currentMessage),\n expression: \"currentMessage\"\n }],\n staticClass: \"chat-input-textarea\",\n attrs: {\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.currentMessage)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n _vm.submit(_vm.currentMessage)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.currentMessage = $event.target.value\n }\n }\n })])])]) : _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading stub timeline-heading chat-heading\",\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_c('i', {\n staticClass: \"icon-comment-empty\"\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-37c7b840\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/chat_panel/chat_panel.vue\n// module id = 507\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('span', {\n staticClass: \"user-finder-container\"\n }, [(_vm.error) ? _c('span', {\n staticClass: \"alert error\"\n }, [_c('i', {\n staticClass: \"icon-cancel user-finder-icon\",\n on: {\n \"click\": _vm.dismissError\n }\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('finder.error_fetching_user')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.loading) ? _c('i', {\n staticClass: \"icon-spin4 user-finder-icon animate-spin-slow\"\n }) : _vm._e(), _vm._v(\" \"), (_vm.hidden) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n }\n }, [_c('i', {\n staticClass: \"icon-user-plus user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n _vm.toggleHidden($event)\n }\n }\n })]) : _c('span', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.username),\n expression: \"username\"\n }],\n staticClass: \"user-finder-input\",\n attrs: {\n \"placeholder\": _vm.$t('finder.find_user'),\n \"id\": \"user-finder-input\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.username)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key)) { return null; }\n _vm.findUser(_vm.username)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.username = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-cancel user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n _vm.toggleHidden($event)\n }\n }\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-3e9fe956\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_finder/user_finder.vue\n// module id = 508\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [(_vm.expanded) ? _c('conversation', {\n attrs: {\n \"collapsable\": true,\n \"statusoid\": _vm.statusoid\n },\n on: {\n \"toggleExpanded\": _vm.toggleExpanded\n }\n }) : _vm._e(), _vm._v(\" \"), (!_vm.expanded) ? _c('status', {\n attrs: {\n \"expandable\": true,\n \"inConversation\": false,\n \"focused\": false,\n \"statusoid\": _vm.statusoid\n },\n on: {\n \"toggleExpanded\": _vm.toggleExpanded\n }\n }) : _vm._e()], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-42b0f6a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/status_or_conversation/status_or_conversation.vue\n// module id = 509\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"login panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('login.login')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('form', {\n staticClass: \"login-form\",\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.submit(_vm.user)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"username\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.username),\n expression: \"user.username\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.loggingIn,\n \"id\": \"username\",\n \"placeholder\": _vm.$t('login.placeholder')\n },\n domProps: {\n \"value\": (_vm.user.username)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"username\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"password\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.password),\n expression: \"user.password\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.loggingIn,\n \"id\": \"password\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.password)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"password\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"login-bottom\"\n }, [_c('div', [(_vm.registrationOpen) ? _c('router-link', {\n staticClass: \"register\",\n attrs: {\n \"to\": {\n name: 'registration'\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('login.register')))]) : _vm._e()], 1), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.loggingIn,\n \"type\": \"submit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.login')))])])]), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(_vm._s(_vm.authError))])]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-437c2fc0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/login_form/login_form.vue\n// module id = 510\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('registration.registration')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('form', {\n staticClass: \"registration-form\",\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.submit(_vm.user)\n }\n }\n }, [_c('div', {\n staticClass: \"container\"\n }, [_c('div', {\n staticClass: \"text-fields\"\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"username\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.username),\n expression: \"user.username\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"username\",\n \"placeholder\": \"e.g. lain\"\n },\n domProps: {\n \"value\": (_vm.user.username)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"username\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"fullname\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.fullname')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.fullname),\n expression: \"user.fullname\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"fullname\",\n \"placeholder\": \"e.g. Lain Iwakura\"\n },\n domProps: {\n \"value\": (_vm.user.fullname)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"fullname\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"email\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.email')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.email),\n expression: \"user.email\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"email\",\n \"type\": \"email\"\n },\n domProps: {\n \"value\": (_vm.user.email)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"email\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"bio\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.bio')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.bio),\n expression: \"user.bio\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"bio\"\n },\n domProps: {\n \"value\": (_vm.user.bio)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"bio\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"password\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.password),\n expression: \"user.password\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"password\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.password)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"password\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"password_confirmation\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.password_confirm')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.user.confirm),\n expression: \"user.confirm\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.registering,\n \"id\": \"password_confirmation\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.confirm)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"confirm\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.registering,\n \"type\": \"submit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"terms-of-service\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.termsofservice)\n }\n })]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(_vm._s(_vm.error))])]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-45f064c0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/registration/registration.vue\n// module id = 511\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [(_vm.user) ? _c('div', {\n staticClass: \"user-profile panel panel-default\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": true,\n \"selected\": _vm.timeline.viewing\n }\n })], 1) : _vm._e(), _vm._v(\" \"), _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('user_profile.timeline_title'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'user',\n \"user-id\": _vm.userId\n }\n })], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-48484e40\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_profile/user_profile.vue\n// module id = 512\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.size === 'hide') ? _c('div', [(_vm.type !== 'html') ? _c('a', {\n staticClass: \"placeholder\",\n attrs: {\n \"target\": \"_blank\",\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(\"[\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\")]) : _vm._e()]) : _c('div', {\n directives: [{\n name: \"show\",\n rawName: \"v-show\",\n value: (!_vm.isEmpty),\n expression: \"!isEmpty\"\n }],\n staticClass: \"attachment\",\n class: ( _obj = {\n loading: _vm.loading,\n 'small-attachment': _vm.isSmall,\n 'fullwidth': _vm.fullwidth\n }, _obj[_vm.type] = true, _obj )\n }, [(_vm.hidden) ? _c('a', {\n staticClass: \"image-attachment\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleHidden()\n }\n }\n }, [_c('img', {\n key: _vm.nsfwImage,\n attrs: {\n \"src\": _vm.nsfwImage\n }\n })]) : _vm._e(), _vm._v(\" \"), (_vm.nsfw && _vm.hideNsfwLocal && !_vm.hidden) ? _c('div', {\n staticClass: \"hider\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleHidden()\n }\n }\n }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && !_vm.hidden) ? _c('a', {\n staticClass: \"image-attachment\",\n attrs: {\n \"href\": _vm.attachment.url,\n \"target\": \"_blank\"\n }\n }, [_c('StillImage', {\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"referrerpolicy\": \"no-referrer\",\n \"mimetype\": _vm.attachment.mimetype,\n \"src\": _vm.attachment.large_thumb_url || _vm.attachment.url\n }\n })], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video' && !_vm.hidden) ? _c('video', {\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"src\": _vm.attachment.url,\n \"controls\": \"\",\n \"loop\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n attrs: {\n \"src\": _vm.attachment.url,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n staticClass: \"oembed\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.linkClicked($event)\n }\n }\n }, [(_vm.attachment.thumb_url) ? _c('div', {\n staticClass: \"image\"\n }, [_c('img', {\n attrs: {\n \"src\": _vm.attachment.thumb_url\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"text\"\n }, [_c('h1', [_c('a', {\n attrs: {\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n }\n })])]) : _vm._e()])\n var _obj;\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-48d74080\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/attachment/attachment.vue\n// module id = 513\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n style: (_vm.style),\n attrs: {\n \"id\": \"app\"\n }\n }, [_c('nav', {\n staticClass: \"container\",\n attrs: {\n \"id\": \"nav\"\n },\n on: {\n \"click\": function($event) {\n _vm.scrollToTop()\n }\n }\n }, [_c('div', {\n staticClass: \"inner-nav\",\n style: (_vm.logoStyle)\n }, [_c('div', {\n staticClass: \"item\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'root'\n }\n }\n }, [_vm._v(_vm._s(_vm.sitename))])], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"item right\"\n }, [_c('user-finder', {\n staticClass: \"nav-icon\"\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'settings'\n }\n }\n }, [_c('i', {\n staticClass: \"icon-cog nav-icon\"\n })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.logout($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-logout nav-icon\",\n attrs: {\n \"title\": _vm.$t('login.logout')\n }\n })]) : _vm._e()], 1)])]), _vm._v(\" \"), _c('div', {\n staticClass: \"container\",\n attrs: {\n \"id\": \"content\"\n }\n }, [_c('div', {\n staticClass: \"panel-switcher\"\n }, [_c('button', {\n on: {\n \"click\": function($event) {\n _vm.activatePanel('sidebar')\n }\n }\n }, [_vm._v(\"Sidebar\")]), _vm._v(\" \"), _c('button', {\n on: {\n \"click\": function($event) {\n _vm.activatePanel('timeline')\n }\n }\n }, [_vm._v(\"Timeline\")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"sidebar-flexer\",\n class: {\n 'mobile-hidden': _vm.mobileActivePanel != 'sidebar'\n }\n }, [_c('div', {\n staticClass: \"sidebar-bounds\"\n }, [_c('div', {\n staticClass: \"sidebar-scroller\"\n }, [_c('div', {\n staticClass: \"sidebar\"\n }, [_c('user-panel'), _vm._v(\" \"), _c('nav-panel'), _vm._v(\" \"), (_vm.showInstanceSpecificPanel) ? _c('instance-specific-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.showWhoToFollowPanel) ? _c('who-to-follow-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('notifications') : _vm._e()], 1)])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"main\",\n class: {\n 'mobile-hidden': _vm.mobileActivePanel != 'timeline'\n }\n }, [_c('transition', {\n attrs: {\n \"name\": \"fade\"\n }\n }, [_c('router-view')], 1)], 1)]), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n staticClass: \"floating-chat mobile-hidden\"\n }) : _vm._e()], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4c17cd72\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/App.vue\n// module id = 514\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"media-upload\",\n on: {\n \"drop\": [function($event) {\n $event.preventDefault();\n }, _vm.fileDrop],\n \"dragover\": function($event) {\n $event.preventDefault();\n _vm.fileDrag($event)\n }\n }\n }, [_c('label', {\n staticClass: \"btn btn-default\"\n }, [(_vm.uploading) ? _c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n }) : _vm._e(), _vm._v(\" \"), (!_vm.uploading) ? _c('i', {\n staticClass: \"icon-upload\"\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticStyle: {\n \"position\": \"fixed\",\n \"top\": \"-100em\"\n },\n attrs: {\n \"type\": \"file\"\n }\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-546891a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/media_upload/media_upload.vue\n// module id = 515\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.public_tl'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'public'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-63335050\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/public_timeline/public_timeline.vue\n// module id = 516\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.notification.type === 'mention') ? _c('status', {\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status\n }\n }) : _c('div', {\n staticClass: \"non-mention\"\n }, [_c('a', {\n staticClass: \"avatar-container\",\n attrs: {\n \"href\": _vm.notification.action.user.statusnet_profile_url\n },\n on: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar-compact\",\n attrs: {\n \"src\": _vm.notification.action.user.profile_image_url_original\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"notification-right\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard notification-usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.notification.action.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n staticClass: \"notification-details\"\n }, [_c('div', {\n staticClass: \"name-and-action\"\n }, [_c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'favorite') ? _c('span', [_c('i', {\n staticClass: \"fa icon-star lit\"\n }), _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', {\n staticClass: \"fa icon-retweet lit\"\n }), _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', {\n staticClass: \"fa icon-user-plus lit\"\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n staticClass: \"timeago\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.notification.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.notification.action.created_at,\n \"auto-update\": 240\n }\n })], 1)], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n staticClass: \"follow-text\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.notification.action.user.id\n }\n }\n }\n }, [_vm._v(\"@\" + _vm._s(_vm.notification.action.user.screen_name))])], 1) : _c('status', {\n staticClass: \"faint\",\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status,\n \"noHeading\": true\n }\n })], 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-68f32600\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/notification/notification.vue\n// module id = 517\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('conversation', {\n attrs: {\n \"collapsable\": false,\n \"statusoid\": _vm.statusoid\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6d354bd4\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/conversation-page/conversation-page.vue\n// module id = 518\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"still-image\",\n class: {\n animated: _vm.animated\n }\n }, [(_vm.animated) ? _c('canvas', {\n ref: \"canvas\"\n }) : _vm._e(), _vm._v(\" \"), _c('img', {\n ref: \"src\",\n attrs: {\n \"src\": _vm.src,\n \"referrerpolicy\": _vm.referrerpolicy\n },\n on: {\n \"load\": _vm.onLoad\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6ecb31e4\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/still-image/still-image.vue\n// module id = 519\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"status-el\",\n class: [{\n 'status-el_focused': _vm.isFocused\n }, {\n 'status-conversation': _vm.inlineExpanded\n }]\n }, [(_vm.muted && !_vm.noReplyLinks) ? [_c('div', {\n staticClass: \"media status container muted\"\n }, [_c('small', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.status.user.id\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.status.user.screen_name))])], 1), _vm._v(\" \"), _c('small', {\n staticClass: \"muteWords\"\n }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n staticClass: \"unmute\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-eye-off\"\n })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n staticClass: \"media container retweet-info\"\n }, [(_vm.retweet) ? _c('StillImage', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.statusoid.user.profile_image_url_original\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media-body faint\"\n }, [_c('a', {\n staticStyle: {\n \"font-weight\": \"bold\"\n },\n attrs: {\n \"href\": _vm.statusoid.user.statusnet_profile_url,\n \"title\": '@' + _vm.statusoid.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.retweeter))]), _vm._v(\" \"), _c('i', {\n staticClass: \"fa icon-retweet retweeted\"\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media status\"\n }, [(!_vm.noHeading) ? _c('div', {\n staticClass: \"media-left\"\n }, [_c('a', {\n attrs: {\n \"href\": _vm.status.user.statusnet_profile_url\n },\n on: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar\",\n class: {\n 'avatar-compact': _vm.compact\n },\n attrs: {\n \"src\": _vm.status.user.profile_image_url_original\n }\n })], 1)]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-body\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard media-body\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.status.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n staticClass: \"media-body container media-heading\"\n }, [_c('div', {\n staticClass: \"media-heading-left\"\n }, [_c('div', {\n staticClass: \"name-and-links\"\n }, [_c('h4', {\n staticClass: \"user-name\"\n }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n staticClass: \"links\"\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.status.user.id\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.status.user.screen_name))]), _vm._v(\" \"), (_vm.status.in_reply_to_screen_name) ? _c('span', {\n staticClass: \"faint reply-info\"\n }, [_c('i', {\n staticClass: \"icon-right-open\"\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.status.in_reply_to_user_id\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.status.in_reply_to_screen_name) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.gotoOriginal(_vm.status.in_reply_to_status_id)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-reply\",\n on: {\n \"mouseenter\": function($event) {\n _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n staticClass: \"replies\"\n }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n return _c('small', {\n staticClass: \"reply-link\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.gotoOriginal(reply.id)\n },\n \"mouseenter\": function($event) {\n _vm.replyEnter(reply.id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n }, [_vm._v(_vm._s(reply.name) + \" \")])])\n })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"media-heading-right\"\n }, [_c('router-link', {\n staticClass: \"timeago\",\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.status.created_at,\n \"auto-update\": 60\n }\n })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('span', [_c('i', {\n class: _vm.visibilityIcon(_vm.status.visibility)\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.status.is_local) ? _c('a', {\n staticClass: \"source_url\",\n attrs: {\n \"href\": _vm.status.external_url,\n \"target\": \"_blank\"\n }\n }, [_c('i', {\n staticClass: \"icon-link-ext\"\n })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleExpanded($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-plus-squared\"\n })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-eye-off\"\n })]) : _vm._e()], 2)]) : _vm._e(), _vm._v(\" \"), (_vm.showPreview) ? _c('div', {\n staticClass: \"status-preview-container\"\n }, [(_vm.preview) ? _c('status', {\n staticClass: \"status-preview\",\n attrs: {\n \"noReplyLinks\": true,\n \"statusoid\": _vm.preview,\n \"compact\": true\n }\n }) : _c('div', {\n staticClass: \"status-preview status-preview-loading\"\n }, [_c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n })])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-content-wrapper\",\n class: {\n 'tall-status': _vm.hideTallStatus\n }\n }, [(_vm.hideTallStatus) ? _c('a', {\n staticClass: \"tall-status-hider\",\n class: {\n 'tall-status-hider_focused': _vm.isFocused\n },\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleShowTall($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.linkClicked($event)\n }\n }\n }), _vm._v(\" \"), (_vm.showingTall) ? _c('a', {\n staticClass: \"tall-status-unhider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleShowTall($event)\n }\n }\n }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments) ? _c('div', {\n staticClass: \"attachments media-body\"\n }, _vm._l((_vm.status.attachments), function(attachment) {\n return _c('attachment', {\n key: attachment.id,\n attrs: {\n \"size\": _vm.attachmentSize,\n \"status-id\": _vm.status.id,\n \"nsfw\": _vm.status.nsfw,\n \"attachment\": attachment\n }\n })\n })) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading && !_vm.noReplyLinks) ? _c('div', {\n staticClass: \"status-actions media-body\"\n }, [(_vm.loggedIn) ? _c('div', [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleReplying($event)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-reply\",\n class: {\n 'icon-reply-active': _vm.replying\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n attrs: {\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('favorite-button', {\n attrs: {\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('delete-button', {\n attrs: {\n \"status\": _vm.status\n }\n })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n staticClass: \"container\"\n }, [_c('div', {\n staticClass: \"reply-left\"\n }), _vm._v(\" \"), _c('post-status-form', {\n staticClass: \"reply-body\",\n attrs: {\n \"reply-to\": _vm.status.id,\n \"attentions\": _vm.status.attentions,\n \"repliedUser\": _vm.status.user,\n \"message-scope\": _vm.status.visibility\n },\n on: {\n \"posted\": _vm.toggleReplying\n }\n })], 1) : _vm._e()]], 2)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-769e38a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/status/status.vue\n// module id = 520\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"instance-specific-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.instanceSpecificPanelContent)\n }\n })])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-8ac93238\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/instance_specific_panel/instance_specific_panel.vue\n// module id = 521\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('Timeline', {\n attrs: {\n \"title\": _vm.$t('nav.timeline'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'friends'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-938aba00\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/friends_timeline/friends_timeline.vue\n// module id = 522\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.user_settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body profile-edit\"\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_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('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newname),\n expression: \"newname\"\n }],\n staticClass: \"name-changer\",\n attrs: {\n \"id\": \"username\"\n },\n domProps: {\n \"value\": (_vm.newname)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.newname = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.bio')))]), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newbio),\n expression: \"newbio\"\n }],\n staticClass: \"bio\",\n domProps: {\n \"value\": (_vm.newbio)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.newbio = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newlocked),\n expression: \"newlocked\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-locked\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newlocked) ? _vm._i(_vm.newlocked, null) > -1 : (_vm.newlocked)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newlocked,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.newlocked = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.newlocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.newlocked = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-locked\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.newname.length <= 0\n },\n on: {\n \"click\": _vm.updateProfile\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.avatar')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_avatar')))]), _vm._v(\" \"), _c('img', {\n staticClass: \"old-avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url_original\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_avatar')))]), _vm._v(\" \"), (_vm.previews[0]) ? _c('img', {\n staticClass: \"new-avatar\",\n attrs: {\n \"src\": _vm.previews[0]\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": function($event) {\n _vm.uploadFile(0, $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.uploading[0]) ? _c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n }) : (_vm.previews[0]) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.submitAvatar\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_banner')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.current_profile_banner')))]), _vm._v(\" \"), _c('img', {\n staticClass: \"banner\",\n attrs: {\n \"src\": _vm.user.cover_photo\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_banner')))]), _vm._v(\" \"), (_vm.previews[1]) ? _c('img', {\n staticClass: \"banner\",\n attrs: {\n \"src\": _vm.previews[1]\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": function($event) {\n _vm.uploadFile(1, $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.uploading[1]) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.previews[1]) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.submitBanner\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.profile_background')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.set_new_profile_background')))]), _vm._v(\" \"), (_vm.previews[2]) ? _c('img', {\n staticClass: \"bg\",\n attrs: {\n \"src\": _vm.previews[2]\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', [_c('input', {\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": function($event) {\n _vm.uploadFile(2, $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.uploading[2]) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.previews[2]) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.submitBg\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_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', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.changePasswordInputs[0]),\n expression: \"changePasswordInputs[0]\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.changePasswordInputs[0])\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.changePasswordInputs, 0, $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.new_password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.changePasswordInputs[1]),\n expression: \"changePasswordInputs[1]\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.changePasswordInputs[1])\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.changePasswordInputs, 1, $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.confirm_new_password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.changePasswordInputs[2]),\n expression: \"changePasswordInputs[2]\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.changePasswordInputs[2])\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.changePasswordInputs, 2, $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.changePassword\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.changedPassword) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.changed_password')))]) : (_vm.changePasswordError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.change_password_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.changePasswordError) ? _c('p', [_vm._v(_vm._s(_vm.changePasswordError))]) : _vm._e()]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('div', {\n staticClass: \"setting-item\"\n }, [_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('form', {\n model: {\n value: (_vm.followImportForm),\n callback: function($$v) {\n _vm.followImportForm = $$v\n },\n expression: \"followImportForm\"\n }\n }, [_c('input', {\n ref: \"followlist\",\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": _vm.followListChange\n }\n })]), _vm._v(\" \"), (_vm.uploading[3]) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.importFollows\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]), _vm._v(\" \"), (_vm.followsImported) ? _c('div', [_c('i', {\n staticClass: \"icon-cross\",\n on: {\n \"click\": _vm.dismissImported\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follows_imported')))])]) : (_vm.followImportError) ? _c('div', [_c('i', {\n staticClass: \"icon-cross\",\n on: {\n \"click\": _vm.dismissImported\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.follow_import_error')))])]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.enableFollowsExport) ? _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.exportFollows\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.follow_export_button')))])]) : _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.follow_export_processing')))])]), _vm._v(\" \"), _c('hr'), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _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', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.deleteAccountConfirmPasswordInput),\n expression: \"deleteAccountConfirmPasswordInput\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.deleteAccountConfirmPasswordInput)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.deleteAccountConfirmPasswordInput = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.deleteAccount\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.confirmDelete\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-93ac3f60\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_settings/user_settings.vue\n// module id = 523\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.canDelete) ? _c('div', [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.deleteStatus()\n }\n }\n }, [_c('i', {\n staticClass: \"icon-cancel delete-status\"\n })])]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-ab5f3124\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/delete_button/delete_button.vue\n// module id = 524\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [_c('div', [_vm._v(_vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"style-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected),\n expression: \"selected\"\n }],\n staticClass: \"style-switcher\",\n attrs: {\n \"id\": \"style-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.availableStyles), function(style) {\n return _c('option', {\n domProps: {\n \"value\": style\n }\n }, [_vm._v(_vm._s(style[0]))])\n })), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-container\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"bgcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.background')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.bgColorLocal),\n expression: \"bgColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"bgcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.bgColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.bgColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.bgColorLocal),\n expression: \"bgColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"bgcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.bgColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.bgColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"fgcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.foreground')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnColorLocal),\n expression: \"btnColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"fgcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.btnColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.btnColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnColorLocal),\n expression: \"btnColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"fgcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.btnColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.btnColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"textcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.text')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.textColorLocal),\n expression: \"textColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"textcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.textColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.textColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.textColorLocal),\n expression: \"textColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"textcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.textColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.textColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"linkcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.links')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.linkColorLocal),\n expression: \"linkColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"linkcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.linkColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.linkColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.linkColorLocal),\n expression: \"linkColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"linkcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.linkColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.linkColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"redcolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cRed')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.redColorLocal),\n expression: \"redColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"redcolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.redColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.redColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.redColorLocal),\n expression: \"redColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"redcolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.redColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.redColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"bluecolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cBlue')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.blueColorLocal),\n expression: \"blueColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"bluecolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.blueColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.blueColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.blueColorLocal),\n expression: \"blueColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"bluecolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.blueColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.blueColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"greencolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cGreen')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.greenColorLocal),\n expression: \"greenColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"greencolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.greenColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.greenColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.greenColorLocal),\n expression: \"greenColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"greencolor-t\",\n \"type\": \"green\"\n },\n domProps: {\n \"value\": (_vm.greenColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.greenColorLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('label', {\n staticClass: \"theme-color-lb\",\n attrs: {\n \"for\": \"orangecolor\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.cOrange')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.orangeColorLocal),\n expression: \"orangeColorLocal\"\n }],\n staticClass: \"theme-color-cl\",\n attrs: {\n \"id\": \"orangecolor\",\n \"type\": \"color\"\n },\n domProps: {\n \"value\": (_vm.orangeColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.orangeColorLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.orangeColorLocal),\n expression: \"orangeColorLocal\"\n }],\n staticClass: \"theme-color-in\",\n attrs: {\n \"id\": \"orangecolor-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.orangeColorLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.orangeColorLocal = $event.target.value\n }\n }\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-container\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"btnradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.btnRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnRadiusLocal),\n expression: \"btnRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"btnradius\",\n \"type\": \"range\",\n \"max\": \"16\"\n },\n domProps: {\n \"value\": (_vm.btnRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.btnRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.btnRadiusLocal),\n expression: \"btnRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"btnradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.btnRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.btnRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"inputradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.inputRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.inputRadiusLocal),\n expression: \"inputRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"inputradius\",\n \"type\": \"range\",\n \"max\": \"16\"\n },\n domProps: {\n \"value\": (_vm.inputRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.inputRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.inputRadiusLocal),\n expression: \"inputRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"inputradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.inputRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.inputRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"panelradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.panelRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.panelRadiusLocal),\n expression: \"panelRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"panelradius\",\n \"type\": \"range\",\n \"max\": \"50\"\n },\n domProps: {\n \"value\": (_vm.panelRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.panelRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.panelRadiusLocal),\n expression: \"panelRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"panelradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.panelRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.panelRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"avatarradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.avatarRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarRadiusLocal),\n expression: \"avatarRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"avatarradius\",\n \"type\": \"range\",\n \"max\": \"28\"\n },\n domProps: {\n \"value\": (_vm.avatarRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.avatarRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarRadiusLocal),\n expression: \"avatarRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"avatarradius-t\",\n \"type\": \"green\"\n },\n domProps: {\n \"value\": (_vm.avatarRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.avatarRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"avataraltradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.avatarAltRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarAltRadiusLocal),\n expression: \"avatarAltRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"avataraltradius\",\n \"type\": \"range\",\n \"max\": \"28\"\n },\n domProps: {\n \"value\": (_vm.avatarAltRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.avatarAltRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.avatarAltRadiusLocal),\n expression: \"avatarAltRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"avataraltradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.avatarAltRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.avatarAltRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"attachmentradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.attachmentRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.attachmentRadiusLocal),\n expression: \"attachmentRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"attachmentrradius\",\n \"type\": \"range\",\n \"max\": \"50\"\n },\n domProps: {\n \"value\": (_vm.attachmentRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.attachmentRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.attachmentRadiusLocal),\n expression: \"attachmentRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"attachmentradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.attachmentRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.attachmentRadiusLocal = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-item\"\n }, [_c('label', {\n staticClass: \"theme-radius-lb\",\n attrs: {\n \"for\": \"tooltipradius\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.tooltipRadius')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.tooltipRadiusLocal),\n expression: \"tooltipRadiusLocal\"\n }],\n staticClass: \"theme-radius-rn\",\n attrs: {\n \"id\": \"tooltipradius\",\n \"type\": \"range\",\n \"max\": \"20\"\n },\n domProps: {\n \"value\": (_vm.tooltipRadiusLocal)\n },\n on: {\n \"__r\": function($event) {\n _vm.tooltipRadiusLocal = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.tooltipRadiusLocal),\n expression: \"tooltipRadiusLocal\"\n }],\n staticClass: \"theme-radius-in\",\n attrs: {\n \"id\": \"tooltipradius-t\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.tooltipRadiusLocal)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.tooltipRadiusLocal = $event.target.value\n }\n }\n })])]), _vm._v(\" \"), _c('div', {\n style: ({\n '--btnRadius': _vm.btnRadiusLocal + 'px',\n '--inputRadius': _vm.inputRadiusLocal + 'px',\n '--panelRadius': _vm.panelRadiusLocal + 'px',\n '--avatarRadius': _vm.avatarRadiusLocal + 'px',\n '--avatarAltRadius': _vm.avatarAltRadiusLocal + 'px',\n '--tooltipRadius': _vm.tooltipRadiusLocal + 'px',\n '--attachmentRadius': _vm.attachmentRadiusLocal + 'px'\n })\n }, [_c('div', {\n staticClass: \"panel dummy\"\n }, [_c('div', {\n staticClass: \"panel-heading\",\n style: ({\n 'background-color': _vm.btnColorLocal,\n 'color': _vm.textColorLocal\n })\n }, [_vm._v(\"Preview\")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body theme-preview-content\",\n style: ({\n 'background-color': _vm.bgColorLocal,\n 'color': _vm.textColorLocal\n })\n }, [_c('div', {\n staticClass: \"avatar\",\n style: ({\n 'border-radius': _vm.avatarRadiusLocal + 'px'\n })\n }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('h4', [_vm._v(\"Content\")]), _vm._v(\" \"), _c('br'), _vm._v(\"\\n A bunch of more content and\\n \"), _c('a', {\n style: ({\n color: _vm.linkColorLocal\n })\n }, [_vm._v(\"a nice lil' link\")]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-reply\",\n style: ({\n color: _vm.blueColorLocal\n })\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-retweet\",\n style: ({\n color: _vm.greenColorLocal\n })\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-cancel\",\n style: ({\n color: _vm.redColorLocal\n })\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-star\",\n style: ({\n color: _vm.orangeColorLocal\n })\n }), _vm._v(\" \"), _c('br'), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n style: ({\n 'background-color': _vm.btnColorLocal,\n 'color': _vm.textColorLocal\n })\n }, [_vm._v(\"Button\")])])])]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.setCustomTheme\n }\n }, [_vm._v(_vm._s(_vm.$t('general.apply')))])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-ae8f5000\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/style_switcher/style_switcher.vue\n// module id = 525\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.loggedIn) ? _c('div', [_c('i', {\n staticClass: \"favorite-button fav-active\",\n class: _vm.classes,\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.favorite()\n }\n }\n }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n staticClass: \"favorite-button\",\n class: _vm.classes\n }), _vm._v(\" \"), (_vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-bd666be8\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/favorite_button/favorite_button.vue\n// module id = 526\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"settings panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.theme')))]), _vm._v(\" \"), _c('style-switcher')], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.filtering')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.filtering_explanation')))]), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.muteWordsString),\n expression: \"muteWordsString\"\n }],\n attrs: {\n \"id\": \"muteWords\"\n },\n domProps: {\n \"value\": (_vm.muteWordsString)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.muteWordsString = $event.target.value\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsLocal),\n expression: \"hideAttachmentsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachments\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachments\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsInConvLocal),\n expression: \"hideAttachmentsInConvLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachmentsInConv\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsInConvLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsInConvLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachmentsInConv\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideNsfwLocal),\n expression: \"hideNsfwLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideNsfw\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideNsfwLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideNsfwLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideNsfw\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.autoLoadLocal),\n expression: \"autoLoadLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"autoload\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.autoLoadLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.autoLoadLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"autoload\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.streamingLocal),\n expression: \"streamingLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"streaming\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.streamingLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.streamingLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"streaming\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hoverPreviewLocal),\n expression: \"hoverPreviewLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hoverPreview\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hoverPreviewLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hoverPreviewLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hoverPreview\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.stopGifs),\n expression: \"stopGifs\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"stopGifs\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.stopGifs,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.stopGifs = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"stopGifs\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])])])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-cd51c000\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/settings/settings.vue\n// module id = 527\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"nav-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('ul', [(_vm.currentUser) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/main/friends\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'mentions',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.mentions\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/friend-requests\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.friend_requests\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/main/public\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.public_tl\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', [_c('router-link', {\n attrs: {\n \"to\": \"/main/all\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1)])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d306a29c\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/nav_panel/nav_panel.vue\n// module id = 528\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"who-to-follow-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default base01-background\"\n }, [_vm._m(0), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body who-to-follow\"\n }, [_c('p', [_c('img', {\n attrs: {\n \"src\": _vm.img1\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.id1\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.name1))]), _c('br'), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.img2\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.id2\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.name2))]), _c('br'), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.img3\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-profile',\n params: {\n id: _vm.id3\n }\n }\n }\n }, [_vm._v(_vm._s(_vm.name3))]), _c('br'), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.$store.state.config.logo\n }\n }), _vm._v(\" \"), _c('a', {\n attrs: {\n \"href\": _vm.moreUrl,\n \"target\": \"_blank\"\n }\n }, [_vm._v(\"More\")])], 1)])])])\n},staticRenderFns: [function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"panel-heading timeline-heading base02-background base04\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n Who to follow\\n \")])])\n}]}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d8fd69d8\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/who_to_follow_panel/who_to_follow_panel.vue\n// module id = 529\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"user-panel\"\n }, [(_vm.user) ? _c('div', {\n staticClass: \"panel panel-default\",\n staticStyle: {\n \"overflow\": \"visible\"\n }\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": false,\n \"hideBio\": true\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(_vm.user) ? _c('post-status-form') : _vm._e()], 1)], 1) : _vm._e(), _vm._v(\" \"), (!_vm.user) ? _c('login-form') : _vm._e()], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-eda04b40\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_panel/user_panel.vue\n// module id = 530\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"card\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n }\n }, [_c('img', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.toggleUserExpanded($event)\n }\n }\n })]), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": false\n }\n })], 1) : _c('div', {\n staticClass: \"name-and-screen-name\"\n }, [_c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('a', {\n attrs: {\n \"href\": _vm.user.statusnet_profile_url,\n \"target\": \"blank\"\n }\n }, [_c('div', {\n staticClass: \"user-screen-name\"\n }, [_vm._v(\"@\" + _vm._s(_vm.user.screen_name))])])]), _vm._v(\" \"), (_vm.showApproval) ? _c('div', {\n staticClass: \"approval\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.approveUser\n }\n }, [_vm._v(_vm._s(_vm.$t('user_card.approve')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.denyUser\n }\n }, [_vm._v(_vm._s(_vm.$t('user_card.deny')))])]) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-f117c42c\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_card/user_card.vue\n// module id = 531\n// module chunks = 2"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/static/js/manifest.004e63f0a7e5719fbbe8.js b/priv/static/static/js/manifest.004e63f0a7e5719fbbe8.js new file mode 100644 index 000000000..805516b62 --- /dev/null +++ b/priv/static/static/js/manifest.004e63f0a7e5719fbbe8.js @@ -0,0 +1,2 @@ +!function(e){function t(r){if(a[r])return a[r].exports;var n=a[r]={exports:{},id:r,loaded:!1};return e[r].call(n.exports,n,n.exports,t),n.loaded=!0,n.exports}var r=window.webpackJsonp;window.webpackJsonp=function(c,o){for(var p,l,s=0,i=[];s=e.length?{value:void 0,done:!0}:(t=r(e,n),this._i+=t.length,{value:t,done:!1})})},function(t,e,n){function r(t){return"symbol"==typeof t||i(t)&&o(t)==a}var o=n(20),i=n(18),a="[object Symbol]";t.exports=r},function(t,e,n){function r(t,e){var n=u(t)?o:a;return n(t,i(e,3))}var o=n(55),i=n(7),a=n(146),u=n(3);t.exports=r},function(t,e,n){function r(t){return null==t?"":o(t)}var o=n(149);t.exports=r},,function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},function(t,e,n){var r=n(14),o=n(118),i=n(116),a=n(12),u=n(50),s=n(84),c={},f={},e=t.exports=function(t,e,n,l,p){var d,h,v,m,y=p?function(){return t}:s(t),g=r(n,l,e?2:1),b=0;if("function"!=typeof y)throw TypeError(t+" is not iterable!");if(i(y)){for(d=u(t.length);d>b;b++)if(m=e?g(a(h=t[b])[0],h[1]):g(t[b]),m===c||m===f)return m}else for(v=y.call(t);!(h=v.next()).done;)if(m=o(v,g,h.value,e),m===c||m===f)return m};e.BREAK=c,e.RETURN=f},function(t,e){t.exports=!0},function(t,e,n){var r=n(124),o=n(72);t.exports=Object.keys||function(t){return r(t,o)}},function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},function(t,e,n){var r=n(11).f,o=n(19),i=n(5)("toStringTag");t.exports=function(t,e,n){t&&!o(t=n?t:t.prototype,i)&&r(t,i,{configurable:!0,value:e})}},function(t,e,n){n(266);for(var r=n(4),o=n(15),i=n(25),a=n(5)("toStringTag"),u="CSSRuleList,CSSStyleDeclaration,CSSValueList,ClientRectList,DOMRectList,DOMStringList,DOMTokenList,DataTransferItemList,FileList,HTMLAllCollection,HTMLCollection,HTMLFormElement,HTMLSelectElement,MediaList,MimeTypeArray,NamedNodeMap,NodeList,PaintRequestList,Plugin,PluginArray,SVGLengthList,SVGNumberList,SVGPathSegList,SVGPointList,SVGStringList,SVGTransformList,SourceBufferList,StyleSheetList,TextTrackCueList,TextTrackList,TouchList".split(","),s=0;s-1&&t%1==0&&t<=c}function u(t){var e=typeof t;return!!t&&("object"==e||"function"==e)}function s(t){return!!t&&"object"==typeof t}var c=9007199254740991,f="[object Arguments]",l="[object Function]",p="[object GeneratorFunction]",d=Object.prototype,h=d.hasOwnProperty,v=d.toString,m=d.propertyIsEnumerable;t.exports=n},function(t,e,n){var r=n(8),o=r.Symbol;t.exports=o},function(t,e,n){function r(t){if("string"==typeof t||o(t))return t;var e=t+"";return"0"==e&&1/t==-i?"-0":e}var o=n(27),i=1/0;t.exports=r},function(t,e){function n(t,e){return t===e||t!==t&&e!==e}t.exports=n},function(t,e,n){function r(t,e){var n=u(t)?o:i;return n(t,a(e,3))}var o=n(89),i=n(141),a=n(7),u=n(3);t.exports=r},function(t,e){function n(t){return t}t.exports=n},function(t,e,n){function r(t){return a(t)?o(t):i(t)}var o=n(136),i=n(349),a=n(17);t.exports=r},,,function(t,e,n){var r=n(32),o=n(5)("toStringTag"),i="Arguments"==r(function(){return arguments}()),a=function(t,e){try{return t[e]}catch(t){}};t.exports=function(t){var e,n,u;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=a(e=Object(t),o))?n:i?r(e):"Object"==(u=r(e))&&"function"==typeof e.callee?"Arguments":u}},function(t,e){e.f={}.propertyIsEnumerable},function(t,e,n){var r=n(80),o=Math.min;t.exports=function(t){return t>0?o(r(t),9007199254740991):0}},function(t,e,n){var r=n(70);t.exports=function(t){return Object(r(t))}},function(t,e){var n=0,r=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+r).toString(36))}},function(t,e){function n(t){return!!t&&"object"==typeof t}function r(t,e){var n=null==t?void 0:t[e];return u(n)?n:void 0}function o(t){return"number"==typeof t&&t>-1&&t%1==0&&t<=y}function i(t){return a(t)&&h.call(t)==c}function a(t){var e=typeof t;return!!t&&("object"==e||"function"==e)}function u(t){return null!=t&&(i(t)?v.test(p.call(t)):n(t)&&f.test(t))}var s="[object Array]",c="[object Function]",f=/^\[object .+?Constructor\]$/,l=Object.prototype,p=Function.prototype.toString,d=l.hasOwnProperty,h=l.toString,v=RegExp("^"+p.call(d).replace(/[\\^$.*+?()[\]{}|]/g,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),m=r(Array,"isArray"),y=9007199254740991,g=m||function(t){return n(t)&&o(t.length)&&h.call(t)==s};t.exports=g},function(t,e,n){function r(t){var e=-1,n=null==t?0:t.length;for(this.clear();++eo?0:o+e),n=n>o?o:n,n<0&&(n+=o),o=e>n?0:n-e>>>0,e>>>=0;for(var i=Array(o);++r-1&&t%1==0&&t=0&&Math.floor(e)===e&&isFinite(t)}function p(t){return null==t?"":"object"==typeof t?JSON.stringify(t,null,2):String(t)}function d(t){var e=parseFloat(t);return isNaN(e)?t:e}function h(t,e){for(var n=Object.create(null),r=t.split(","),o=0;o-1)return t.splice(n,1)}}function m(t,e){return Ar.call(t,e)}function y(t){var e=Object.create(null);return function(n){var r=e[n];return r||(e[n]=t(n))}}function g(t,e){function n(n){var r=arguments.length;return r?r>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n}function b(t,e){return t.bind(e)}function _(t,e){e=e||0;for(var n=t.length-e,r=new Array(n);n--;)r[n]=t[n+e];return r}function x(t,e){for(var n in e)t[n]=e[n];return t}function j(t){for(var e={},n=0;n-1)if(i&&!m(o,"default"))a=!1;else if(""===a||a===Ir(t)){var s=nt(String,o.type);(s<0||u0&&(a=bt(a,(e||"")+"_"+n),gt(a[0])&>(c)&&(f[s]=$(c.text+a[0].text),a.shift()),f.push.apply(f,a)):u(a)?gt(c)?f[s]=$(c.text+a):""!==a&&f.push($(a)):gt(a)&>(c)?f[s]=$(c.text+a.text):(i(t._isVList)&&o(a.tag)&&r(a.key)&&o(e)&&(a.key="__vlist"+e+"_"+n+"__"),f.push(a)));return f}function _t(t,e){return(t.__esModule||ro&&"Module"===t[Symbol.toStringTag])&&(t=t.default),s(t)?e.extend(t):t}function xt(t,e,n,r,o){var i=fo();return i.asyncFactory=t,i.asyncMeta={data:e,context:n,children:r,tag:o},i}function jt(t,e,n){if(i(t.error)&&o(t.errorComp))return t.errorComp;if(o(t.resolved))return t.resolved;if(i(t.loading)&&o(t.loadingComp))return t.loadingComp;if(!o(t.contexts)){var a=t.contexts=[n],u=!0,c=function(){for(var t=0,e=a.length;t1?_(n):n;for(var r=_(arguments,1),o=0,i=n.length;oLo&&Io[n].id>t.id;)n--;Io.splice(n+1,0,t)}else Io.push(t);Mo||(Mo=!0,st(zt))}}function Gt(t,e,n){Bo.get=function(){return this[e][n]},Bo.set=function(t){this[e][n]=t},Object.defineProperty(t,n,Bo)}function Kt(t){t._watchers=[];var e=t.$options;e.props&&Jt(t,e.props),e.methods&&ee(t,e.methods),e.data?Xt(t):D(t._data={},!0),e.computed&&Yt(t,e.computed),e.watch&&e.watch!==Xr&&ne(t,e.watch)}function Jt(t,e){var n=t.$options.propsData||{},r=t._props={},o=t.$options._propKeys=[],i=!t.$parent;i||M(!1);var a=function(i){o.push(i);var a=Y(i,e,n,t);F(r,i,a),i in t||Gt(t,"_props",i)};for(var u in e)a(u);M(!0)}function Xt(t){var e=t.$options.data;e=t._data="function"==typeof e?Zt(e,t):e||{},c(e)||(e={});for(var n=Object.keys(e),r=t.$options.props,o=(t.$options.methods,n.length);o--;){var i=n[o];r&&m(r,i)||A(i)||Gt(t,"_data",i)}D(e,!0)}function Zt(t,e){T();try{return t.call(e,e)}catch(t){return rt(t,e,"data()"),{}}finally{I()}}function Yt(t,e){var n=t._computedWatchers=Object.create(null),r=eo();for(var o in e){var i=e[o],a="function"==typeof i?i:i.get;r||(n[o]=new Fo(t,a||w,w,Uo)),o in t||Qt(t,o,i)}}function Qt(t,e,n){var r=!eo();"function"==typeof n?(Bo.get=r?te(e):n,Bo.set=w):(Bo.get=n.get?r&&n.cache!==!1?te(e):n.get:w,Bo.set=n.set?n.set:w),Object.defineProperty(t,e,Bo)}function te(t){return function(){var e=this._computedWatchers&&this._computedWatchers[t];if(e)return e.dirty&&e.evaluate(),ao.target&&e.depend(),e.value}}function ee(t,e){t.$options.props;for(var n in e)t[n]=null==e[n]?w:$r(e[n],t)}function ne(t,e){for(var n in e){var r=e[n];if(Array.isArray(r))for(var o=0;o=0||n.indexOf(t[o])<0)&&r.push(t[o]);return r}return t}function Fe(t){this._init(t)}function Be(t){t.use=function(t){var e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;var n=_(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}function Ue(t){t.mixin=function(t){return this.options=X(this.options,t),this}}function ze(t){t.cid=0;var e=1;t.extend=function(t){t=t||{};var n=this,r=n.cid,o=t._Ctor||(t._Ctor={});if(o[r])return o[r];var i=t.name||n.options.name,a=function(t){this._init(t)};return a.prototype=Object.create(n.prototype),a.prototype.constructor=a,a.cid=e++,a.options=X(n.options,t),a.super=n,a.options.props&&He(a),a.options.computed&&qe(a),a.extend=n.extend,a.mixin=n.mixin,a.use=n.use,Lr.forEach(function(t){a[t]=n[t]}),i&&(a.options.components[i]=a),a.superOptions=n.options,a.extendOptions=t,a.sealedOptions=x({},a.options),o[r]=a,a}}function He(t){var e=t.options.props;for(var n in e)Gt(t.prototype,"_props",n)}function qe(t){var e=t.options.computed;for(var n in e)Qt(t.prototype,n,e[n])}function Ve(t){Lr.forEach(function(e){t[e]=function(t,n){return n?("component"===e&&c(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}function We(t){return t&&(t.Ctor.options.name||t.tag)}function Ge(t,e){return Array.isArray(t)?t.indexOf(e)>-1:"string"==typeof t?t.split(",").indexOf(e)>-1:!!f(t)&&t.test(e)}function Ke(t,e){var n=t.cache,r=t.keys,o=t._vnode;for(var i in n){var a=n[i];if(a){var u=We(a.componentOptions);u&&!e(u)&&Je(n,i,r,o)}}}function Je(t,e,n,r){var o=t[e];!o||r&&o.tag===r.tag||o.componentInstance.$destroy(),t[e]=null,v(n,e)}function Xe(t){var e={};e.get=function(){return Fr},Object.defineProperty(t,"config",e),t.util={warn:oo,extend:x,mergeOptions:X,defineReactive:F},t.set=B,t.delete=U,t.nextTick=st,t.options=Object.create(null),Lr.forEach(function(e){t.options[e+"s"]=Object.create(null)}),t.options._base=t,x(t.options.components,Jo),Be(t),Ue(t),ze(t),Ve(t)}function Ze(t){for(var e=t.data,n=t,r=t;o(r.componentInstance);)r=r.componentInstance._vnode,r&&r.data&&(e=Ye(r.data,e));for(;o(n=n.parent);)n&&n.data&&(e=Ye(e,n.data));return Qe(e.staticClass,e.class)}function Ye(t,e){return{staticClass:tn(t.staticClass,e.staticClass),class:o(t.class)?[t.class,e.class]:e.class}}function Qe(t,e){return o(t)||o(e)?tn(t,en(e)):""}function tn(t,e){return t?e?t+" "+e:t:e||""}function en(t){return Array.isArray(t)?nn(t):s(t)?rn(t):"string"==typeof t?t:""}function nn(t){for(var e,n="",r=0,i=t.length;r-1?li[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:li[t]=/HTMLUnknownElement/.test(e.toString())}function un(t){if("string"==typeof t){var e=document.querySelector(t);return e?e:document.createElement("div")}return t}function sn(t,e){var n=document.createElement(t);return"select"!==t?n:(e.data&&e.data.attrs&&void 0!==e.data.attrs.multiple&&n.setAttribute("multiple","multiple"),n)}function cn(t,e){return document.createElementNS(ui[t],e)}function fn(t){return document.createTextNode(t)}function ln(t){return document.createComment(t)}function pn(t,e,n){t.insertBefore(e,n)}function dn(t,e){t.removeChild(e)}function hn(t,e){t.appendChild(e)}function vn(t){return t.parentNode}function mn(t){return t.nextSibling}function yn(t){return t.tagName}function gn(t,e){t.textContent=e}function bn(t,e){t.setAttribute(e,"")}function _n(t,e){var n=t.data.ref;if(o(n)){var r=t.context,i=t.componentInstance||t.elm,a=r.$refs;e?Array.isArray(a[n])?v(a[n],i):a[n]===i&&(a[n]=void 0):t.data.refInFor?Array.isArray(a[n])?a[n].indexOf(i)<0&&a[n].push(i):a[n]=[i]:a[n]=i}}function xn(t,e){return t.key===e.key&&(t.tag===e.tag&&t.isComment===e.isComment&&o(t.data)===o(e.data)&&jn(t,e)||i(t.isAsyncPlaceholder)&&t.asyncFactory===e.asyncFactory&&r(e.asyncFactory.error))}function jn(t,e){if("input"!==t.tag)return!0;var n,r=o(n=t.data)&&o(n=n.attrs)&&n.type,i=o(n=e.data)&&o(n=n.attrs)&&n.type;return r===i||pi(r)&&pi(i)}function wn(t,e,n){var r,i,a={};for(r=e;r<=n;++r)i=t[r].key,o(i)&&(a[i]=r);return a}function kn(t){function e(t){return new so(T.tagName(t).toLowerCase(),{},[],void 0,t)}function n(t,e){function n(){0===--n.listeners&&a(t)}return n.listeners=e,n}function a(t){var e=T.parentNode(t);o(e)&&T.removeChild(e,t)}function s(t,e,n,r,a,u,s){if(o(t.elm)&&o(u)&&(t=u[s]=P(t)),t.isRootInsert=!a,!c(t,e,n,r)){var f=t.data,l=t.children,h=t.tag;o(h)?(t.elm=t.ns?T.createElementNS(t.ns,h):T.createElement(h,t),y(t),d(t,l,e),o(f)&&m(t,e),p(n,t.elm,r)):i(t.isComment)?(t.elm=T.createComment(t.text),p(n,t.elm,r)):(t.elm=T.createTextNode(t.text),p(n,t.elm,r))}}function c(t,e,n,r){var a=t.data;if(o(a)){var u=o(t.componentInstance)&&a.keepAlive;if(o(a=a.hook)&&o(a=a.init)&&a(t,!1,n,r),o(t.componentInstance))return f(t,e),i(u)&&l(t,e,n,r),!0}}function f(t,e){o(t.data.pendingInsert)&&(e.push.apply(e,t.data.pendingInsert),t.data.pendingInsert=null),t.elm=t.componentInstance.$el,v(t)?(m(t,e),y(t)):(_n(t),e.push(t))}function l(t,e,n,r){for(var i,a=t;a.componentInstance;)if(a=a.componentInstance._vnode,o(i=a.data)&&o(i=i.transition)){for(i=0;ih?(l=r(n[y+1])?null:n[y+1].elm,g(t,l,n,d,y,i)):d>y&&_(t,e,p,h)}function w(t,e,n,r){for(var i=n;i-1?In(t,e,n):ni(e)?ai(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):ei(e)?t.setAttribute(e,ai(n)||"false"===n?"false":"true"):oi(e)?ai(n)?t.removeAttributeNS(ri,ii(e)):t.setAttributeNS(ri,e,n):In(t,e,n)}function In(t,e,n){if(ai(n))t.removeAttribute(e);else{if(Wr&&!Gr&&"TEXTAREA"===t.tagName&&"placeholder"===e&&!t.__ieph){var r=function(e){e.stopImmediatePropagation(),t.removeEventListener("input",r)};t.addEventListener("input",r),t.__ieph=!0}t.setAttribute(e,n)}}function $n(t,e){var n=e.elm,i=e.data,a=t.data;if(!(r(i.staticClass)&&r(i.class)&&(r(a)||r(a.staticClass)&&r(a.class)))){var u=Ze(e),s=n._transitionClasses;o(s)&&(u=tn(u,en(s))),u!==n._prevClass&&(n.setAttribute("class",u),n._prevClass=u)}}function Pn(t){if(o(t[ji])){var e=Wr?"change":"input";t[e]=[].concat(t[ji],t[e]||[]),delete t[ji]}o(t[wi])&&(t.change=[].concat(t[wi],t.change||[]),delete t[wi])}function Mn(t,e,n){var r=Xo;return function o(){var i=t.apply(null,arguments);null!==i&&Ln(e,o,n,r)}}function Rn(t,e,n,r,o){e=ut(e),n&&(e=Mn(e,t,r)),Xo.addEventListener(t,e,Zr?{capture:r,passive:o}:r)}function Ln(t,e,n,r){(r||Xo).removeEventListener(t,e._withTask||e,n)}function Dn(t,e){if(!r(t.data.on)||!r(e.data.on)){var n=e.data.on||{},o=t.data.on||{};Xo=e.elm,Pn(n),pt(n,o,Rn,Ln,e.context),Xo=void 0}}function Fn(t,e){if(!r(t.data.domProps)||!r(e.data.domProps)){var n,i,a=e.elm,u=t.data.domProps||{},s=e.data.domProps||{};o(s.__ob__)&&(s=e.data.domProps=x({},s));for(n in u)r(s[n])&&(a[n]="");for(n in s){if(i=s[n],"textContent"===n||"innerHTML"===n){if(e.children&&(e.children.length=0),i===u[n])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===n){a._value=i;var c=r(i)?"":String(i);Bn(a,c)&&(a.value=c)}else a[n]=i}}}function Bn(t,e){return!t.composing&&("OPTION"===t.tagName||Un(t,e)||zn(t,e))}function Un(t,e){var n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}function zn(t,e){var n=t.value,r=t._vModifiers;if(o(r)){if(r.lazy)return!1;if(r.number)return d(n)!==d(e);if(r.trim)return n.trim()!==e.trim()}return n!==e}function Hn(t){var e=qn(t.style);return t.staticStyle?x(t.staticStyle,e):e}function qn(t){return Array.isArray(t)?j(t):"string"==typeof t?Si(t):t}function Vn(t,e){var n,r={};if(e)for(var o=t;o.componentInstance;)o=o.componentInstance._vnode,o&&o.data&&(n=Hn(o.data))&&x(r,n);(n=Hn(t.data))&&x(r,n);for(var i=t;i=i.parent;)i.data&&(n=Hn(i.data))&&x(r,n);return r}function Wn(t,e){var n=e.data,i=t.data;if(!(r(n.staticStyle)&&r(n.style)&&r(i.staticStyle)&&r(i.style))){var a,u,s=e.elm,c=i.staticStyle,f=i.normalizedStyle||i.style||{},l=c||f,p=qn(e.data.style)||{};e.data.normalizedStyle=o(p.__ob__)?x({},p):p;var d=Vn(e,!0);for(u in l)r(d[u])&&Ni(s,u,"");for(u in d)a=d[u],a!==l[u]&&Ni(s,u,null==a?"":a)}}function Gn(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(/\s+/).forEach(function(e){return t.classList.add(e)}):t.classList.add(e);else{var n=" "+(t.getAttribute("class")||"")+" ";n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function Kn(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(/\s+/).forEach(function(e){return t.classList.remove(e)}):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{for(var n=" "+(t.getAttribute("class")||"")+" ",r=" "+e+" ";n.indexOf(r)>=0;)n=n.replace(r," ");n=n.trim(),n?t.setAttribute("class",n):t.removeAttribute("class")}}function Jn(t){if(t){if("object"==typeof t){var e={};return t.css!==!1&&x(e,$i(t.name||"v")),x(e,t),e}return"string"==typeof t?$i(t):void 0}}function Xn(t){Ui(function(){Ui(t)})}function Zn(t,e){var n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),Gn(t,e))}function Yn(t,e){t._transitionClasses&&v(t._transitionClasses,e),Kn(t,e)}function Qn(t,e,n){var r=tr(t,e),o=r.type,i=r.timeout,a=r.propCount;if(!o)return n();var u=o===Mi?Di:Bi,s=0,c=function(){t.removeEventListener(u,f),n()},f=function(e){e.target===t&&++s>=a&&c()};setTimeout(function(){s0&&(n=Mi,f=a,l=i.length):e===Ri?c>0&&(n=Ri,f=c,l=s.length):(f=Math.max(a,c),n=f>0?a>c?Mi:Ri:null,l=n?n===Mi?i.length:s.length:0);var p=n===Mi&&zi.test(r[Li+"Property"]);return{type:n,timeout:f,propCount:l,hasTransform:p}}function er(t,e){for(;t.length1}function ur(t,e){e.data.show!==!0&&rr(e)}function sr(t,e,n){cr(t,e,n),(Wr||Kr)&&setTimeout(function(){cr(t,e,n)},0)}function cr(t,e,n){var r=e.value,o=t.multiple;if(!o||Array.isArray(r)){for(var i,a,u=0,s=t.options.length;u-1,a.selected!==i&&(a.selected=i);else if(k(lr(a),r))return void(t.selectedIndex!==u&&(t.selectedIndex=u));o||(t.selectedIndex=-1)}}function fr(t,e){return e.every(function(e){return!k(e,t)})}function lr(t){return"_value"in t?t._value:t.value}function pr(t){t.target.composing=!0}function dr(t){t.target.composing&&(t.target.composing=!1,hr(t.target,"input"))}function hr(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function vr(t){return!t.componentInstance||t.data&&t.data.transition?t:vr(t.componentInstance._vnode)}function mr(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?mr(kt(e.children)):t}function yr(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[Nr(i)]=o[i];return e}function gr(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}function br(t){for(;t=t.parent;)if(t.data.transition)return!0}function _r(t,e){return e.key===t.key&&e.tag===t.tag}function xr(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function jr(t){t.data.newPos=t.elm.getBoundingClientRect()}function wr(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}var kr=Object.freeze({}),Or=Object.prototype.toString,Sr=(h("slot,component",!0),h("key,ref,slot,slot-scope,is")),Ar=Object.prototype.hasOwnProperty,Er=/-(\w)/g,Nr=y(function(t){return t.replace(Er,function(t,e){return e?e.toUpperCase():""})}),Cr=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),Tr=/\B([A-Z])/g,Ir=y(function(t){return t.replace(Tr,"-$1").toLowerCase()}),$r=Function.prototype.bind?b:g,Pr=function(t,e,n){return!1},Mr=function(t){return t},Rr="data-server-rendered",Lr=["component","directive","filter"],Dr=["beforeCreate","created","beforeMount","mounted","beforeUpdate","updated","beforeDestroy","destroyed","activated","deactivated","errorCaptured"],Fr={optionMergeStrategies:Object.create(null),silent:!1,productionTip:!1,devtools:!1,performance:!1,errorHandler:null,warnHandler:null,ignoredElements:[],keyCodes:Object.create(null),isReservedTag:Pr,isReservedAttr:Pr,isUnknownElement:Pr,getTagNamespace:w,parsePlatformTagName:Mr,mustUseProp:Pr,_lifecycleHooks:Dr},Br=/[^\w.$]/,Ur="__proto__"in{},zr="undefined"!=typeof window,Hr="undefined"!=typeof WXEnvironment&&!!WXEnvironment.platform,qr=Hr&&WXEnvironment.platform.toLowerCase(),Vr=zr&&window.navigator.userAgent.toLowerCase(),Wr=Vr&&/msie|trident/.test(Vr),Gr=Vr&&Vr.indexOf("msie 9.0")>0,Kr=Vr&&Vr.indexOf("edge/")>0,Jr=(Vr&&Vr.indexOf("android")>0||"android"===qr,Vr&&/iphone|ipad|ipod|ios/.test(Vr)||"ios"===qr),Xr=(Vr&&/chrome\/\d+/.test(Vr)&&!Kr,{}.watch),Zr=!1;if(zr)try{var Yr={};Object.defineProperty(Yr,"passive",{get:function(){Zr=!0}}),window.addEventListener("test-passive",null,Yr)}catch(t){}var Qr,to,eo=function(){return void 0===Qr&&(Qr=!zr&&!Hr&&"undefined"!=typeof e&&"server"===e.process.env.VUE_ENV),Qr},no=zr&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__,ro="undefined"!=typeof Symbol&&C(Symbol)&&"undefined"!=typeof Reflect&&C(Reflect.ownKeys);to="undefined"!=typeof Set&&C(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return this.set[t]===!0},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var oo=w,io=0,ao=function(){this.id=io++,this.subs=[]};ao.prototype.addSub=function(t){this.subs.push(t)},ao.prototype.removeSub=function(t){v(this.subs,t)},ao.prototype.depend=function(){ao.target&&ao.target.addDep(this)},ao.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;eparseInt(this.max)&&Je(s,c[0],c,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}},Jo={KeepAlive:Ko};Xe(Fe),Object.defineProperty(Fe.prototype,"$isServer",{get:eo}),Object.defineProperty(Fe.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(Fe,"FunctionalRenderContext",{value:_e}),Fe.version="2.5.17";var Xo,Zo,Yo=h("style,class"),Qo=h("input,textarea,option,select,progress"),ti=function(t,e,n){return"value"===n&&Qo(t)&&"button"!==e||"selected"===n&&"option"===t||"checked"===n&&"input"===t||"muted"===n&&"video"===t},ei=h("contenteditable,draggable,spellcheck"),ni=h("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),ri="http://www.w3.org/1999/xlink",oi=function(t){return":"===t.charAt(5)&&"xlink"===t.slice(0,5)},ii=function(t){return oi(t)?t.slice(6,t.length):""},ai=function(t){return null==t||t===!1},ui={svg:"http://www.w3.org/2000/svg",math:"http://www.w3.org/1998/Math/MathML"},si=h("html,body,base,head,link,meta,style,title,address,article,aside,footer,header,h1,h2,h3,h4,h5,h6,hgroup,nav,section,div,dd,dl,dt,figcaption,figure,picture,hr,img,li,main,ol,p,pre,ul,a,b,abbr,bdi,bdo,br,cite,code,data,dfn,em,i,kbd,mark,q,rp,rt,rtc,ruby,s,samp,small,span,strong,sub,sup,time,u,var,wbr,area,audio,map,track,video,embed,object,param,source,canvas,script,noscript,del,ins,caption,col,colgroup,table,thead,tbody,td,th,tr,button,datalist,fieldset,form,input,label,legend,meter,optgroup,option,output,progress,select,textarea,details,dialog,menu,menuitem,summary,content,element,shadow,template,blockquote,iframe,tfoot"),ci=h("svg,animate,circle,clippath,cursor,defs,desc,ellipse,filter,font-face,foreignObject,g,glyph,image,line,marker,mask,missing-glyph,path,pattern,polygon,polyline,rect,switch,symbol,text,textpath,tspan,use,view",!0),fi=function(t){return si(t)||ci(t)},li=Object.create(null),pi=h("text,number,password,search,email,tel,url"),di=Object.freeze({createElement:sn,createElementNS:cn,createTextNode:fn,createComment:ln,insertBefore:pn,removeChild:dn,appendChild:hn,parentNode:vn,nextSibling:mn,tagName:yn,setTextContent:gn,setStyleScope:bn}),hi={create:function(t,e){_n(e)},update:function(t,e){t.data.ref!==e.data.ref&&(_n(t,!0),_n(e))},destroy:function(t){_n(t,!0)}},vi=new so("",{},[]),mi=["create","activate","update","remove","destroy"],yi={create:On,update:On,destroy:function(t){On(t,vi)}},gi=Object.create(null),bi=[hi,yi],_i={create:Cn,update:Cn},xi={create:$n,update:$n},ji="__r",wi="__c",ki={create:Dn,update:Dn},Oi={create:Fn,update:Fn},Si=y(function(t){var e={},n=/;(?![^(]*\))/g,r=/:(.+)/;return t.split(n).forEach(function(t){if(t){var n=t.split(r);n.length>1&&(e[n[0].trim()]=n[1].trim())}}),e}),Ai=/^--/,Ei=/\s*!important$/,Ni=function(t,e,n){if(Ai.test(e))t.style.setProperty(e,n);else if(Ei.test(n))t.style.setProperty(e,n.replace(Ei,""),"important");else{var r=Ti(e);if(Array.isArray(n))for(var o=0,i=n.length;o";for(e.style.display="none",n(113).appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write(o+"script"+a+"document.F=Object"+o+"/script"+a),t.close(),c=t.F;r--;)delete c[s][i[r]];return c()};t.exports=Object.create||function(t,e){var n;return null!==t?(u[s]=r(t),n=new u,u[s]=null,n[a]=t):n=c(),void 0===e?n:o(n,e)}},function(t,e,n){var r=n(15);t.exports=function(t,e,n){for(var o in e)n&&t[o]?t[o]=e[o]:r(t,o,e[o]);return t}},function(t,e,n){var r=n(79)("keys"),o=n(52);t.exports=function(t){return r[t]||(r[t]=o(t))}},function(t,e,n){var r=n(2),o=n(4),i="__core-js_shared__",a=o[i]||(o[i]={});(t.exports=function(t,e){return a[t]||(a[t]=void 0!==e?e:{})})("versions",[]).push({version:r.version,mode:n(34)?"pure":"global",copyright:"© 2018 Denis Pushkarev (zloirock.ru)"})},function(t,e){var n=Math.ceil,r=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?r:n)(t)}},function(t,e,n){var r=n(10);t.exports=function(t,e){if(!r(t))return t;var n,o;if(e&&"function"==typeof(n=t.toString)&&!r(o=n.call(t)))return o;if("function"==typeof(n=t.valueOf)&&!r(o=n.call(t)))return o;if(!e&&"function"==typeof(n=t.toString)&&!r(o=n.call(t)))return o;throw TypeError("Can't convert object to primitive value")}},function(t,e,n){var r=n(4),o=n(2),i=n(34),a=n(83),u=n(11).f;t.exports=function(t){var e=o.Symbol||(o.Symbol=i?{}:r.Symbol||{});"_"==t.charAt(0)||t in e||u(e,t,{value:a.f(t)})}},function(t,e,n){e.f=n(5)},function(t,e,n){var r=n(48),o=n(5)("iterator"),i=n(25);t.exports=n(2).getIteratorMethod=function(t){if(void 0!=t)return t[o]||t["@@iterator"]||i[r(t)]}},function(t,e){},function(t,e,n){var r=n(21),o=n(8),i=r(o,"Map");t.exports=i},function(t,e,n){function r(t){var e=-1,n=null==t?0:t.length;for(this.clear();++e-1&&t%1==0&&t<=r}var r=9007199254740991;t.exports=n},function(t,e,n){var r=n(348),o=n(150),i=n(418),a=i&&i.isTypedArray,u=a?o(a):r;t.exports=u},function(t,e,n){var r=n(143),o=n(356),i=n(147),a=n(93),u=i(function(t,e){if(null==t)return[];var n=e.length;return n>1&&a(t,e[0],e[1])?e=[]:n>2&&a(e[0],e[1],e[2])&&(e=[e[0]]),o(t,r(e,1),[])});t.exports=u},function(t,e){t.exports=function(t){return t.webpackPolyfill||(t.deprecate=function(){},t.paths=[],t.children=[],t.webpackPolyfill=1),t}},,,,,,,,function(t,e,n){t.exports={default:n(232),__esModule:!0}},function(t,e,n){t.exports={default:n(235),__esModule:!0}},function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}e.__esModule=!0;var o=n(220),i=r(o),a=n(219),u=r(a);e.default=function(){function t(t,e){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=(0,u.default)(t);!(r=(a=s.next()).done)&&(n.push(a.value),!e||n.length!==e);r=!0);}catch(t){o=!0,i=t}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}return function(e,n){if(Array.isArray(e))return e;if((0,i.default)(Object(e)))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}()},function(t,e,n){var r=n(4).document;t.exports=r&&r.documentElement},function(t,e,n){t.exports=!n(13)&&!n(24)(function(){return 7!=Object.defineProperty(n(71)("div"),"a",{get:function(){return 7}}).a})},function(t,e,n){var r=n(32);t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},function(t,e,n){var r=n(25),o=n(5)("iterator"),i=Array.prototype;t.exports=function(t){return void 0!==t&&(r.Array===t||i[o]===t)}},function(t,e,n){var r=n(32);t.exports=Array.isArray||function(t){return"Array"==r(t)}},function(t,e,n){var r=n(12);t.exports=function(t,e,n,o){try{return o?e(r(n)[0],n[1]):e(n)}catch(e){var i=t.return;throw void 0!==i&&r(i.call(t)),e}}},function(t,e,n){var r=n(5)("iterator"),o=!1;try{var i=[7][r]();i.return=function(){o=!0},Array.from(i,function(){throw 2})}catch(t){}t.exports=function(t,e){if(!e&&!o)return!1;var n=!1;try{var i=[7],a=i[r]();a.next=function(){return{done:n=!0}},i[r]=function(){return a},t(i)}catch(t){}return n}},function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},function(t,e,n){var r=n(49),o=n(36),i=n(16),a=n(81),u=n(19),s=n(114),c=Object.getOwnPropertyDescriptor;e.f=n(13)?c:function(t,e){if(t=i(t),e=a(e,!0),s)try{return c(t,e)}catch(t){}if(u(t,e))return o(!r.f.call(t,e),t[e])}},function(t,e,n){var r=n(124),o=n(72).concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return r(t,o)}},function(t,e){e.f=Object.getOwnPropertySymbols},function(t,e,n){var r=n(19),o=n(16),i=n(242)(!1),a=n(78)("IE_PROTO");t.exports=function(t,e){var n,u=o(t),s=0,c=[];for(n in u)n!=a&&r(u,n)&&c.push(n);for(;e.length>s;)r(u,n=e[s++])&&(~i(c,n)||c.push(n));return c}},function(t,e,n){var r=n(6),o=n(2),i=n(24);t.exports=function(t,e){var n=(o.Object||{})[t]||Object[t],a={};a[t]=e(n),r(r.S+r.F*i(function(){n(1)}),"Object",a)}},function(t,e){t.exports=function(t){try{return{e:!1,v:t()}}catch(t){return{e:!0,v:t}}}},function(t,e,n){var r=n(12),o=n(10),i=n(75);t.exports=function(t,e){if(r(t),o(e)&&e.constructor===t)return e;var n=i.f(t),a=n.resolve;return a(e),n.promise}},function(t,e,n){t.exports=n(15)},function(t,e,n){"use strict";var r=n(4),o=n(2),i=n(11),a=n(13),u=n(5)("species");t.exports=function(t){var e="function"==typeof o[t]?o[t]:r[t];a&&e&&!e[u]&&i.f(e,u,{configurable:!0,get:function(){return this}})}},function(t,e,n){var r=n(12),o=n(31),i=n(5)("species");t.exports=function(t,e){var n,a=r(t).constructor;return void 0===a||void 0==(n=r(a)[i])?e:o(n)}},function(t,e,n){var r,o,i,a=n(14),u=n(251),s=n(113),c=n(71),f=n(4),l=f.process,p=f.setImmediate,d=f.clearImmediate,h=f.MessageChannel,v=f.Dispatch,m=0,y={},g="onreadystatechange",b=function(){var t=+this;if(y.hasOwnProperty(t)){var e=y[t];delete y[t],e()}},_=function(t){b.call(t.data)};p&&d||(p=function(t){for(var e=[],n=1;arguments.length>n;)e.push(arguments[n++]);return y[++m]=function(){u("function"==typeof t?t:Function(t),e)},r(m),m},d=function(t){delete y[t]},"process"==n(32)(l)?r=function(t){l.nextTick(a(b,t,1))}:v&&v.now?r=function(t){v.now(a(b,t,1))}:h?(o=new h,i=o.port2,o.port1.onmessage=_,r=a(i.postMessage,i,1)):f.addEventListener&&"function"==typeof postMessage&&!f.importScripts?(r=function(t){f.postMessage(t+"","*")},f.addEventListener("message",_,!1)):r=g in c("script")?function(t){s.appendChild(c("script"))[g]=function(){s.removeChild(this),b.call(t)}}:function(t){setTimeout(a(b,t,1),0)}),t.exports={set:p,clear:d}},function(t,e,n){var r=n(10);t.exports=function(t,e){if(!r(t)||t._t!==e)throw TypeError("Incompatible receiver, "+e+" required!");return t}},function(t,e,n){var r=n(21),o=n(8),i=r(o,"Set");t.exports=i},function(t,e,n){function r(t){var e=-1,n=null==t?0:t.length;for(this.__data__=new o;++e0&&n(f)?e>1?r(f,e-1,n,a,u):o(u,f):a||(u[u.length]=f)}return u}var o=n(137),i=n(401);t.exports=r},function(t,e,n){var r=n(379),o=r();t.exports=o},function(t,e,n){function r(t,e,n,a,u){return t===e||(null==t||null==e||!i(t)&&!i(e)?t!==t&&e!==e:o(t,e,n,a,r,u))}var o=n(344),i=n(18);t.exports=r},function(t,e,n){function r(t,e){var n=-1,r=i(t)?Array(t.length):[];return o(t,function(t,o,i){r[++n]=e(t,o,i)}),r}var o=n(57),i=n(17);t.exports=r},function(t,e,n){function r(t,e){return a(i(t,e,o),t+"")}var o=n(44),i=n(420),a=n(424);t.exports=r},function(t,e){function n(t,e){for(var n=-1,r=Array(t);++n=r?t:o(t,e,n)}var o=n(59);t.exports=r},function(t,e,n){var r=n(21),o=function(){try{var t=r(Object,"defineProperty");return t({},"",{}),t}catch(t){}}();t.exports=o},function(t,e,n){function r(t,e,n,r,c,f){var l=n&u,p=t.length,d=e.length;if(p!=d&&!(l&&d>p))return!1;var h=f.get(t);if(h&&f.get(e))return h==e;var v=-1,m=!0,y=n&s?new o:void 0;for(f.set(t,e),f.set(e,t);++vf;)if(u=s[f++],u!=u)return!0}else for(;c>f;f++)if((t||f in s)&&s[f]===n)return t||f||0;return!t&&-1}}},function(t,e,n){var r=n(14),o=n(115),i=n(51),a=n(50),u=n(245);t.exports=function(t,e){var n=1==t,s=2==t,c=3==t,f=4==t,l=6==t,p=5==t||l,d=e||u;return function(e,u,h){for(var v,m,y=i(e),g=o(y),b=r(u,h,3),_=a(g.length),x=0,j=n?d(e,_):s?d(e,0):void 0;_>x;x++)if((p||x in g)&&(v=g[x],m=b(v,x,y),t))if(n)j[x]=m;else if(m)switch(t){case 3:return!0;case 5:return v;case 6:return x;case 2:j.push(v)}else if(f)return!1;return l?-1:c||f?f:j}}},function(t,e,n){var r=n(10),o=n(117),i=n(5)("species");t.exports=function(t){var e;return o(t)&&(e=t.constructor,"function"!=typeof e||e!==Array&&!o(e.prototype)||(e=void 0),r(e)&&(e=e[i],null===e&&(e=void 0))),void 0===e?Array:e}},function(t,e,n){var r=n(244);t.exports=function(t,e){return new(r(t))(e)}},function(t,e,n){"use strict";var r=n(11).f,o=n(76),i=n(77),a=n(14),u=n(69),s=n(33),c=n(73),f=n(120),l=n(129),p=n(13),d=n(74).fastKey,h=n(132),v=p?"_s":"size",m=function(t,e){var n,r=d(e);if("F"!==r)return t._i[r];for(n=t._f;n;n=n.n)if(n.k==e)return n};t.exports={getConstructor:function(t,e,n,c){var f=t(function(t,r){u(t,f,e,"_i"),t._t=e,t._i=o(null),t._f=void 0,t._l=void 0,t[v]=0,void 0!=r&&s(r,n,t[c],t)});return i(f.prototype,{clear:function(){for(var t=h(this,e),n=t._i,r=t._f;r;r=r.n)r.r=!0,r.p&&(r.p=r.p.n=void 0),delete n[r.i];t._f=t._l=void 0,t[v]=0},delete:function(t){var n=h(this,e),r=m(n,t);if(r){var o=r.n,i=r.p;delete n._i[r.i],r.r=!0,i&&(i.n=o),o&&(o.p=i),n._f==r&&(n._f=o),n._l==r&&(n._l=i),n[v]--}return!!r},forEach:function(t){h(this,e);for(var n,r=a(t,arguments.length>1?arguments[1]:void 0,3);n=n?n.n:this._f;)for(r(n.v,n.k,this);n&&n.r;)n=n.p},has:function(t){return!!m(h(this,e),t)}}),p&&r(f.prototype,"size",{get:function(){return h(this,e)[v]}}),f},def:function(t,e,n){var r,o,i=m(t,e);return i?i.v=n:(t._l=i={i:o=d(e,!0),k:e,v:n,p:r=t._l,n:void 0,r:!1},t._f||(t._f=i),r&&(r.n=i),t[v]++,"F"!==o&&(t._i[o]=i)),t},getEntry:m,setStrong:function(t,e,n){c(t,e,function(t,n){this._t=h(t,e),this._k=n,this._l=void 0},function(){for(var t=this,e=t._k,n=t._l;n&&n.r;)n=n.p;return t._t&&(t._l=n=n?n.n:t._t._f)?"keys"==e?f(0,n.k):"values"==e?f(0,n.v):f(0,[n.k,n.v]):(t._t=void 0,f(1))},n?"entries":"values",!n,!0),l(e)}}},function(t,e,n){var r=n(48),o=n(241);t.exports=function(t){return function(){if(r(this)!=t)throw TypeError(t+"#toJSON isn't generic");return o(this)}}},function(t,e,n){"use strict";var r=n(4),o=n(6),i=n(74),a=n(24),u=n(15),s=n(77),c=n(33),f=n(69),l=n(10),p=n(37),d=n(11).f,h=n(243)(0),v=n(13);t.exports=function(t,e,n,m,y,g){var b=r[t],_=b,x=y?"set":"add",j=_&&_.prototype,w={};return v&&"function"==typeof _&&(g||j.forEach&&!a(function(){(new _).entries().next()}))?(_=e(function(e,n){f(e,_,t,"_c"),e._c=new b,void 0!=n&&c(n,y,e[x],e)}),h("add,clear,delete,forEach,get,has,set,keys,values,entries,toJSON".split(","),function(t){var e="add"==t||"set"==t;t in j&&(!g||"clear"!=t)&&u(_.prototype,t,function(n,r){if(f(this,_,t),!e&&g&&!l(n))return"get"==t&&void 0;var o=this._c[t](0===n?0:n,r);return e?this:o})}),g||d(_.prototype,"size",{get:function(){return this._c.size}})):(_=m.getConstructor(e,t,y,x),s(_.prototype,n),i.NEED=!0),p(_,t),w[t]=_,o(o.G+o.W+o.F,w),g||m.setStrong(_,t,y),_}},function(t,e,n){"use strict";var r=n(11),o=n(36);t.exports=function(t,e,n){e in t?r.f(t,e,o(0,n)):t[e]=n}},function(t,e,n){var r=n(35),o=n(123),i=n(49);t.exports=function(t){var e=r(t),n=o.f;if(n)for(var a,u=n(t),s=i.f,c=0;u.length>c;)s.call(t,a=u[c++])&&e.push(a);return e}},function(t,e){t.exports=function(t,e,n){var r=void 0===n;switch(e.length){case 0:return r?t():t.call(n);case 1:return r?t(e[0]):t.call(n,e[0]);case 2:return r?t(e[0],e[1]):t.call(n,e[0],e[1]);case 3:return r?t(e[0],e[1],e[2]):t.call(n,e[0],e[1],e[2]);case 4:return r?t(e[0],e[1],e[2],e[3]):t.call(n,e[0],e[1],e[2],e[3])}return t.apply(n,e)}},function(t,e,n){"use strict";var r=n(76),o=n(36),i=n(37),a={};n(15)(a,n(5)("iterator"),function(){return this}),t.exports=function(t,e,n){t.prototype=r(a,{next:o(1,n)}),i(t,e+" Iterator")}},function(t,e,n){var r=n(4),o=n(131).set,i=r.MutationObserver||r.WebKitMutationObserver,a=r.process,u=r.Promise,s="process"==n(32)(a);t.exports=function(){var t,e,n,c=function(){var r,o;for(s&&(r=a.domain)&&r.exit();t;){o=t.fn,t=t.next;try{o()}catch(r){throw t?n():e=void 0,r}}e=void 0,r&&r.enter()};if(s)n=function(){a.nextTick(c)};else if(!i||r.navigator&&r.navigator.standalone)if(u&&u.resolve){var f=u.resolve(void 0);n=function(){f.then(c)}}else n=function(){o.call(r,c)};else{var l=!0,p=document.createTextNode("");new i(c).observe(p,{characterData:!0}),n=function(){p.data=l=!l}}return function(r){var o={fn:r,next:void 0};e&&(e.next=o),t||(t=o,n()),e=o}}},function(t,e,n){var r=n(11),o=n(12),i=n(35);t.exports=n(13)?Object.defineProperties:function(t,e){o(t);for(var n,a=i(e),u=a.length,s=0;u>s;)r.f(t,n=a[s++],e[n]);return t}},function(t,e,n){var r=n(16),o=n(122).f,i={}.toString,a="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],u=function(t){try{return o(t)}catch(t){return a.slice()}};t.exports.f=function(t){return a&&"[object Window]"==i.call(t)?u(t):o(r(t))}},function(t,e,n){var r=n(19),o=n(51),i=n(78)("IE_PROTO"),a=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=o(t),r(t,i)?t[i]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?a:null}},function(t,e,n){var r=n(35),o=n(16),i=n(49).f;t.exports=function(t){return function(e){for(var n,a=o(e),u=r(a),s=u.length,c=0,f=[];s>c;)i.call(a,n=u[c++])&&f.push(t?[n,a[n]]:a[n]);return f}}},function(t,e,n){"use strict";var r=n(6),o=n(31),i=n(14),a=n(33);t.exports=function(t){r(r.S,t,{from:function(t){var e,n,r,u,s=arguments[1];return o(this),e=void 0!==s,e&&o(s),void 0==t?new this:(n=[],e?(r=0,u=i(s,arguments[2],2),a(t,!1,function(t){n.push(u(t,r++))})):a(t,!1,n.push,n),new this(n))}})}},function(t,e,n){"use strict";var r=n(6);t.exports=function(t){r(r.S,t,{of:function(){for(var t=arguments.length,e=new Array(t);t--;)e[t]=arguments[t];return new this(e)}})}},function(t,e,n){var r=n(80),o=n(70);t.exports=function(t){return function(e,n){var i,a,u=String(o(e)),s=r(n),c=u.length;return s<0||s>=c?t?"":void 0:(i=u.charCodeAt(s),i<55296||i>56319||s+1===c||(a=u.charCodeAt(s+1))<56320||a>57343?t?u.charAt(s):i:t?u.slice(s,s+2):(i-55296<<10)+(a-56320)+65536)}}},function(t,e,n){var r=n(80),o=Math.max,i=Math.min;t.exports=function(t,e){return t=r(t),t<0?o(t+e,0):i(t,e)}},function(t,e,n){var r=n(4),o=r.navigator;t.exports=o&&o.userAgent||""},function(t,e,n){var r=n(12),o=n(84);t.exports=n(2).getIterator=function(t){var e=o(t);if("function"!=typeof e)throw TypeError(t+" is not iterable!");return r(e.call(t))}},function(t,e,n){var r=n(48),o=n(5)("iterator"),i=n(25);t.exports=n(2).isIterable=function(t){var e=Object(t);return void 0!==e[o]||"@@iterator"in e||i.hasOwnProperty(r(e))}},function(t,e,n){"use strict";var r=n(14),o=n(6),i=n(51),a=n(118),u=n(116),s=n(50),c=n(249),f=n(84);o(o.S+o.F*!n(119)(function(t){Array.from(t)}),"Array",{from:function(t){var e,n,o,l,p=i(t),d="function"==typeof this?this:Array,h=arguments.length,v=h>1?arguments[1]:void 0,m=void 0!==v,y=0,g=f(p);if(m&&(v=r(v,h>2?arguments[2]:void 0,2)),void 0==g||d==Array&&u(g))for(e=s(p.length),n=new d(e);e>y;y++)c(n,y,m?v(p[y],y):p[y]);else for(l=g.call(p),n=new d;!(o=l.next()).done;y++)c(n,y,m?a(l,v,[o.value,y],!0):o.value);return n.length=y,n}})},function(t,e,n){"use strict";var r=n(240),o=n(120),i=n(25),a=n(16);t.exports=n(73)(Array,"Array",function(t,e){this._t=a(t),this._i=0,this._k=e},function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,o(1)):"keys"==e?o(0,n):"values"==e?o(0,t[n]):o(0,[n,t[n]])},"values"),i.Arguments=i.Array,r("keys"),r("values"),r("entries")},function(t,e,n){var r=n(16),o=n(121).f;n(125)("getOwnPropertyDescriptor",function(){return function(t,e){return o(r(t),e)}})},function(t,e,n){var r=n(51),o=n(35);n(125)("keys",function(){return function(t){return o(r(t))}})},function(t,e,n){"use strict";var r,o,i,a,u=n(34),s=n(4),c=n(14),f=n(48),l=n(6),p=n(10),d=n(31),h=n(69),v=n(33),m=n(130),y=n(131).set,g=n(253)(),b=n(75),_=n(126),x=n(262),j=n(127),w="Promise",k=s.TypeError,O=s.process,S=O&&O.versions,A=S&&S.v8||"",E=s[w],N="process"==f(O),C=function(){},T=o=b.f,I=!!function(){try{var t=E.resolve(1),e=(t.constructor={})[n(5)("species")]=function(t){t(C,C)};return(N||"function"==typeof PromiseRejectionEvent)&&t.then(C)instanceof e&&0!==A.indexOf("6.6")&&x.indexOf("Chrome/66")===-1}catch(t){}}(),$=function(t){var e;return!(!p(t)||"function"!=typeof(e=t.then))&&e},P=function(t,e){if(!t._n){t._n=!0;var n=t._c;g(function(){for(var r=t._v,o=1==t._s,i=0,a=function(e){var n,i,a,u=o?e.ok:e.fail,s=e.resolve,c=e.reject,f=e.domain;try{u?(o||(2==t._h&&L(t),t._h=1),u===!0?n=r:(f&&f.enter(),n=u(r),f&&(f.exit(),a=!0)),n===e.promise?c(k("Promise-chain cycle")):(i=$(n))?i.call(n,s,c):s(n)):c(r)}catch(t){f&&!a&&f.exit(),c(t)}};n.length>i;)a(n[i++]);t._c=[],t._n=!1,e&&!t._h&&M(t)})}},M=function(t){y.call(s,function(){var e,n,r,o=t._v,i=R(t);if(i&&(e=_(function(){N?O.emit("unhandledRejection",o,t):(n=s.onunhandledrejection)?n({promise:t,reason:o}):(r=s.console)&&r.error&&r.error("Unhandled promise rejection",o)}),t._h=N||R(t)?2:1),t._a=void 0,i&&e.e)throw e.v})},R=function(t){return 1!==t._h&&0===(t._a||t._c).length},L=function(t){y.call(s,function(){var e;N?O.emit("rejectionHandled",t):(e=s.onrejectionhandled)&&e({promise:t,reason:t._v})})},D=function(t){var e=this;e._d||(e._d=!0,e=e._w||e,e._v=t,e._s=2,e._a||(e._a=e._c.slice()),P(e,!0))},F=function(t){var e,n=this;if(!n._d){n._d=!0,n=n._w||n;try{if(n===t)throw k("Promise can't be resolved itself");(e=$(t))?g(function(){var r={_w:n,_d:!1};try{e.call(t,c(F,r,1),c(D,r,1))}catch(t){D.call(r,t)}}):(n._v=t,n._s=1,P(n,!1))}catch(t){D.call({_w:n,_d:!1},t)}}};I||(E=function(t){h(this,E,w,"_h"),d(t),r.call(this);try{t(c(F,this,1),c(D,this,1))}catch(t){D.call(this,t)}},r=function(t){this._c=[],this._a=void 0,this._s=0,this._d=!1,this._v=void 0,this._h=0,this._n=!1},r.prototype=n(77)(E.prototype,{then:function(t,e){var n=T(m(this,E));return n.ok="function"!=typeof t||t,n.fail="function"==typeof e&&e,n.domain=N?O.domain:void 0,this._c.push(n),this._a&&this._a.push(n),this._s&&P(this,!1),n.promise},catch:function(t){return this.then(void 0,t)}}),i=function(){var t=new r;this.promise=t,this.resolve=c(F,t,1),this.reject=c(D,t,1)},b.f=T=function(t){return t===E||t===a?new i(t):o(t)}),l(l.G+l.W+l.F*!I,{Promise:E}),n(37)(E,w),n(129)(w),a=n(2)[w],l(l.S+l.F*!I,w,{reject:function(t){var e=T(this),n=e.reject;return n(t),e.promise}}),l(l.S+l.F*(u||!I),w,{resolve:function(t){return j(u&&this===a?E:this,t)}}),l(l.S+l.F*!(I&&n(119)(function(t){E.all(t).catch(C)})),w,{all:function(t){var e=this,n=T(e),r=n.resolve,o=n.reject,i=_(function(){var n=[],i=0,a=1;v(t,!1,function(t){var u=i++,s=!1;n.push(void 0),a++,e.resolve(t).then(function(t){s||(s=!0,n[u]=t,--a||r(n))},o)}),--a||r(n)});return i.e&&o(i.v),n.promise},race:function(t){var e=this,n=T(e),r=n.reject,o=_(function(){v(t,!1,function(t){e.resolve(t).then(n.resolve,r)})});return o.e&&r(o.v),n.promise}})},function(t,e,n){"use strict";var r=n(246),o=n(132),i="Set";t.exports=n(248)(i,function(t){return function(){return t(this,arguments.length>0?arguments[0]:void 0)}},{add:function(t){return r.def(o(this,i),t=0===t?0:t,t)}},r)},function(t,e,n){"use strict";var r=n(4),o=n(19),i=n(13),a=n(6),u=n(128),s=n(74).KEY,c=n(24),f=n(79),l=n(37),p=n(52),d=n(5),h=n(83),v=n(82),m=n(250),y=n(117),g=n(12),b=n(10),_=n(16),x=n(81),j=n(36),w=n(76),k=n(255),O=n(121),S=n(11),A=n(35),E=O.f,N=S.f,C=k.f,T=r.Symbol,I=r.JSON,$=I&&I.stringify,P="prototype",M=d("_hidden"),R=d("toPrimitive"),L={}.propertyIsEnumerable,D=f("symbol-registry"),F=f("symbols"),B=f("op-symbols"),U=Object[P],z="function"==typeof T,H=r.QObject,q=!H||!H[P]||!H[P].findChild,V=i&&c(function(){return 7!=w(N({},"a",{get:function(){return N(this,"a",{value:7}).a}})).a})?function(t,e,n){var r=E(U,e);r&&delete U[e],N(t,e,n),r&&t!==U&&N(U,e,r)}:N,W=function(t){var e=F[t]=w(T[P]);return e._k=t,e},G=z&&"symbol"==typeof T.iterator?function(t){return"symbol"==typeof t}:function(t){return t instanceof T},K=function(t,e,n){return t===U&&K(B,e,n),g(t),e=x(e,!0),g(n),o(F,e)?(n.enumerable?(o(t,M)&&t[M][e]&&(t[M][e]=!1),n=w(n,{enumerable:j(0,!1)})):(o(t,M)||N(t,M,j(1,{})),t[M][e]=!0),V(t,e,n)):N(t,e,n)},J=function(t,e){g(t);for(var n,r=m(e=_(e)),o=0,i=r.length;i>o;)K(t,n=r[o++],e[n]);return t},X=function(t,e){return void 0===e?w(t):J(w(t),e)},Z=function(t){var e=L.call(this,t=x(t,!0));return!(this===U&&o(F,t)&&!o(B,t))&&(!(e||!o(this,t)||!o(F,t)||o(this,M)&&this[M][t])||e)},Y=function(t,e){if(t=_(t),e=x(e,!0),t!==U||!o(F,e)||o(B,e)){var n=E(t,e);return!n||!o(F,e)||o(t,M)&&t[M][e]||(n.enumerable=!0),n}},Q=function(t){for(var e,n=C(_(t)),r=[],i=0;n.length>i;)o(F,e=n[i++])||e==M||e==s||r.push(e);return r},tt=function(t){for(var e,n=t===U,r=C(n?B:_(t)),i=[],a=0;r.length>a;)!o(F,e=r[a++])||n&&!o(U,e)||i.push(F[e]);return i};z||(T=function(){if(this instanceof T)throw TypeError("Symbol is not a constructor!");var t=p(arguments.length>0?arguments[0]:void 0),e=function(n){this===U&&e.call(B,n),o(this,M)&&o(this[M],t)&&(this[M][t]=!1),V(this,t,j(1,n))};return i&&q&&V(U,t,{configurable:!0,set:e}),W(t)},u(T[P],"toString",function(){return this._k}),O.f=Y,S.f=K,n(122).f=k.f=Q,n(49).f=Z,n(123).f=tt,i&&!n(34)&&u(U,"propertyIsEnumerable",Z,!0),h.f=function(t){return W(d(t))}),a(a.G+a.W+a.F*!z,{Symbol:T});for(var et="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),nt=0;et.length>nt;)d(et[nt++]);for(var rt=A(d.store),ot=0;rt.length>ot;)v(rt[ot++]);a(a.S+a.F*!z,"Symbol",{for:function(t){return o(D,t+="")?D[t]:D[t]=T(t)},keyFor:function(t){if(!G(t))throw TypeError(t+" is not a symbol!");for(var e in D)if(D[e]===t)return e},useSetter:function(){q=!0},useSimple:function(){q=!1}}),a(a.S+a.F*!z,"Object",{create:X,defineProperty:K,defineProperties:J,getOwnPropertyDescriptor:Y,getOwnPropertyNames:Q,getOwnPropertySymbols:tt}),I&&a(a.S+a.F*(!z||c(function(){var t=T();return"[null]"!=$([t])||"{}"!=$({a:t})||"{}"!=$(Object(t))})),"JSON",{stringify:function(t){for(var e,n,r=[t],o=1;arguments.length>o;)r.push(arguments[o++]);if(n=e=r[1],(b(e)||void 0!==t)&&!G(t))return y(e)||(e=function(t,e){if("function"==typeof n&&(e=n.call(this,t,e)),!G(e))return e}),r[1]=e,$.apply(I,r)}}),T[P][R]||n(15)(T[P],R,T[P].valueOf),l(T,"Symbol"),l(Math,"Math",!0),l(r.JSON,"JSON",!0)},function(t,e,n){var r=n(6),o=n(257)(!0);r(r.S,"Object",{entries:function(t){return o(t)}})},function(t,e,n){"use strict";var r=n(6),o=n(2),i=n(4),a=n(130),u=n(127);r(r.P+r.R,"Promise",{finally:function(t){var e=a(this,o.Promise||i.Promise),n="function"==typeof t;return this.then(n?function(n){return u(e,t()).then(function(){return n})}:t,n?function(n){return u(e,t()).then(function(){throw n})}:t)}})},function(t,e,n){"use strict";var r=n(6),o=n(75),i=n(126);r(r.S,"Promise",{try:function(t){var e=o.f(this),n=i(t);return(n.e?e.reject:e.resolve)(n.v),e.promise}})},function(t,e,n){n(258)("Set")},function(t,e,n){n(259)("Set")},function(t,e,n){var r=n(6);r(r.P+r.R,"Set",{toJSON:n(247)("Set")})},function(t,e,n){n(82)("asyncIterator")},function(t,e,n){ +n(82)("observable")},,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){!function(e,n){t.exports=n()}("undefined"!=typeof self?self:this,function(){return function(t){function e(r){if(n[r])return n[r].exports;var o=n[r]={i:r,l:!1,exports:{}};return t[r].call(o.exports,o,o.exports,e),o.l=!0,o.exports}var n={};return e.m=t,e.c=n,e.d=function(t,n,r){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:r})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="",e(e.s="./src/index.js")}({"./node_modules/babel-runtime/core-js/object/define-property.js":function(t,e,n){t.exports={default:n("./node_modules/core-js/library/fn/object/define-property.js"),__esModule:!0}},"./node_modules/babel-runtime/core-js/object/keys.js":function(t,e,n){t.exports={default:n("./node_modules/core-js/library/fn/object/keys.js"),__esModule:!0}},"./node_modules/babel-runtime/core-js/object/values.js":function(t,e,n){t.exports={default:n("./node_modules/core-js/library/fn/object/values.js"),__esModule:!0}},"./node_modules/babel-runtime/helpers/classCallCheck.js":function(t,e,n){"use strict";e.__esModule=!0,e.default=function(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}},"./node_modules/babel-runtime/helpers/createClass.js":function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}e.__esModule=!0;var o=n("./node_modules/babel-runtime/core-js/object/define-property.js"),i=r(o);e.default=function(){function t(t,e){for(var n=0;nf;)if(u=s[f++],u!=u)return!0}else for(;c>f;f++)if((t||f in s)&&s[f]===n)return t||f||0;return!t&&-1}}},"./node_modules/core-js/library/modules/_cof.js":function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},"./node_modules/core-js/library/modules/_core.js":function(t,e){var n=t.exports={version:"2.5.1"};"number"==typeof __e&&(__e=n)},"./node_modules/core-js/library/modules/_ctx.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_a-function.js");t.exports=function(t,e,n){if(r(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,r){return t.call(e,n,r)};case 3:return function(n,r,o){return t.call(e,n,r,o)}}return function(){return t.apply(e,arguments)}}},"./node_modules/core-js/library/modules/_defined.js":function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},"./node_modules/core-js/library/modules/_descriptors.js":function(t,e,n){t.exports=!n("./node_modules/core-js/library/modules/_fails.js")(function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a})},"./node_modules/core-js/library/modules/_dom-create.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_is-object.js"),o=n("./node_modules/core-js/library/modules/_global.js").document,i=r(o)&&r(o.createElement);t.exports=function(t){return i?o.createElement(t):{}}},"./node_modules/core-js/library/modules/_enum-bug-keys.js":function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},"./node_modules/core-js/library/modules/_export.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_global.js"),o=n("./node_modules/core-js/library/modules/_core.js"),i=n("./node_modules/core-js/library/modules/_ctx.js"),a=n("./node_modules/core-js/library/modules/_hide.js"),u="prototype",s=function(t,e,n){var c,f,l,p=t&s.F,d=t&s.G,h=t&s.S,v=t&s.P,m=t&s.B,y=t&s.W,g=d?o:o[e]||(o[e]={}),b=g[u],_=d?r:h?r[e]:(r[e]||{})[u];d&&(n=e);for(c in n)f=!p&&_&&void 0!==_[c],f&&c in g||(l=f?_[c]:n[c],g[c]=d&&"function"!=typeof _[c]?n[c]:m&&f?i(l,r):y&&_[c]==l?function(t){var e=function(e,n,r){if(this instanceof t){switch(arguments.length){case 0:return new t;case 1:return new t(e);case 2:return new t(e,n)}return new t(e,n,r)}return t.apply(this,arguments)};return e[u]=t[u],e}(l):v&&"function"==typeof l?i(Function.call,l):l,v&&((g.virtual||(g.virtual={}))[c]=l,t&s.R&&b&&!b[c]&&a(b,c,l)))};s.F=1,s.G=2,s.S=4,s.P=8,s.B=16,s.W=32,s.U=64,s.R=128,t.exports=s},"./node_modules/core-js/library/modules/_fails.js":function(t,e){t.exports=function(t){try{return!!t()}catch(t){return!0}}},"./node_modules/core-js/library/modules/_global.js":function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},"./node_modules/core-js/library/modules/_has.js":function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},"./node_modules/core-js/library/modules/_hide.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_object-dp.js"),o=n("./node_modules/core-js/library/modules/_property-desc.js");t.exports=n("./node_modules/core-js/library/modules/_descriptors.js")?function(t,e,n){return r.f(t,e,o(1,n))}:function(t,e,n){return t[e]=n,t}},"./node_modules/core-js/library/modules/_ie8-dom-define.js":function(t,e,n){t.exports=!n("./node_modules/core-js/library/modules/_descriptors.js")&&!n("./node_modules/core-js/library/modules/_fails.js")(function(){return 7!=Object.defineProperty(n("./node_modules/core-js/library/modules/_dom-create.js")("div"),"a",{get:function(){return 7}}).a})},"./node_modules/core-js/library/modules/_iobject.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_cof.js");t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==r(t)?t.split(""):Object(t)}},"./node_modules/core-js/library/modules/_is-object.js":function(t,e){t.exports=function(t){return"object"==typeof t?null!==t:"function"==typeof t}},"./node_modules/core-js/library/modules/_object-dp.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_an-object.js"),o=n("./node_modules/core-js/library/modules/_ie8-dom-define.js"),i=n("./node_modules/core-js/library/modules/_to-primitive.js"),a=Object.defineProperty;e.f=n("./node_modules/core-js/library/modules/_descriptors.js")?Object.defineProperty:function(t,e,n){if(r(t),e=i(e,!0),r(n),o)try{return a(t,e,n)}catch(t){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},"./node_modules/core-js/library/modules/_object-keys-internal.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_has.js"),o=n("./node_modules/core-js/library/modules/_to-iobject.js"),i=n("./node_modules/core-js/library/modules/_array-includes.js")(!1),a=n("./node_modules/core-js/library/modules/_shared-key.js")("IE_PROTO");t.exports=function(t,e){var n,u=o(t),s=0,c=[];for(n in u)n!=a&&r(u,n)&&c.push(n);for(;e.length>s;)r(u,n=e[s++])&&(~i(c,n)||c.push(n));return c}},"./node_modules/core-js/library/modules/_object-keys.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_object-keys-internal.js"),o=n("./node_modules/core-js/library/modules/_enum-bug-keys.js");t.exports=Object.keys||function(t){return r(t,o)}},"./node_modules/core-js/library/modules/_object-pie.js":function(t,e){e.f={}.propertyIsEnumerable},"./node_modules/core-js/library/modules/_object-sap.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_export.js"),o=n("./node_modules/core-js/library/modules/_core.js"),i=n("./node_modules/core-js/library/modules/_fails.js");t.exports=function(t,e){var n=(o.Object||{})[t]||Object[t],a={};a[t]=e(n),r(r.S+r.F*i(function(){n(1)}),"Object",a)}},"./node_modules/core-js/library/modules/_object-to-array.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_object-keys.js"),o=n("./node_modules/core-js/library/modules/_to-iobject.js"),i=n("./node_modules/core-js/library/modules/_object-pie.js").f;t.exports=function(t){return function(e){for(var n,a=o(e),u=r(a),s=u.length,c=0,f=[];s>c;)i.call(a,n=u[c++])&&f.push(t?[n,a[n]]:a[n]);return f}}},"./node_modules/core-js/library/modules/_property-desc.js":function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},"./node_modules/core-js/library/modules/_shared-key.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_shared.js")("keys"),o=n("./node_modules/core-js/library/modules/_uid.js");t.exports=function(t){return r[t]||(r[t]=o(t))}},"./node_modules/core-js/library/modules/_shared.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_global.js"),o="__core-js_shared__",i=r[o]||(r[o]={});t.exports=function(t){return i[t]||(i[t]={})}},"./node_modules/core-js/library/modules/_to-absolute-index.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_to-integer.js"),o=Math.max,i=Math.min;t.exports=function(t,e){return t=r(t),t<0?o(t+e,0):i(t,e)}},"./node_modules/core-js/library/modules/_to-integer.js":function(t,e){var n=Math.ceil,r=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?r:n)(t)}},"./node_modules/core-js/library/modules/_to-iobject.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_iobject.js"),o=n("./node_modules/core-js/library/modules/_defined.js");t.exports=function(t){return r(o(t))}},"./node_modules/core-js/library/modules/_to-length.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_to-integer.js"),o=Math.min;t.exports=function(t){return t>0?o(r(t),9007199254740991):0}},"./node_modules/core-js/library/modules/_to-object.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_defined.js");t.exports=function(t){return Object(r(t))}},"./node_modules/core-js/library/modules/_to-primitive.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_is-object.js");t.exports=function(t,e){if(!r(t))return t;var n,o;if(e&&"function"==typeof(n=t.toString)&&!r(o=n.call(t)))return o;if("function"==typeof(n=t.valueOf)&&!r(o=n.call(t)))return o;if(!e&&"function"==typeof(n=t.toString)&&!r(o=n.call(t)))return o;throw TypeError("Can't convert object to primitive value")}},"./node_modules/core-js/library/modules/_uid.js":function(t,e){var n=0,r=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+r).toString(36))}},"./node_modules/core-js/library/modules/es6.object.define-property.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_export.js");r(r.S+r.F*!n("./node_modules/core-js/library/modules/_descriptors.js"),"Object",{defineProperty:n("./node_modules/core-js/library/modules/_object-dp.js").f})},"./node_modules/core-js/library/modules/es6.object.keys.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_to-object.js"),o=n("./node_modules/core-js/library/modules/_object-keys.js");n("./node_modules/core-js/library/modules/_object-sap.js")("keys",function(){return function(t){return o(r(t))}})},"./node_modules/core-js/library/modules/es7.object.values.js":function(t,e,n){var r=n("./node_modules/core-js/library/modules/_export.js"),o=n("./node_modules/core-js/library/modules/_object-to-array.js")(!1);r(r.S,"Object",{values:function(t){return o(t)}})},"./src/data.js":function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var r={aa:{name:"Afar",nativeName:"Afaraf"},ab:{name:"Abkhaz",nativeName:"аҧсуа бызшәа"},ae:{name:"Avestan",nativeName:"avesta"},af:{name:"Afrikaans",nativeName:"Afrikaans"},ak:{name:"Akan",nativeName:"Akan"},am:{name:"Amharic",nativeName:"አማርኛ"},an:{name:"Aragonese",nativeName:"aragonés"},ar:{name:"Arabic",nativeName:"اللغة العربية"},as:{name:"Assamese",nativeName:"অসমীয়া"},av:{name:"Avaric",nativeName:"авар мацӀ"},ay:{name:"Aymara",nativeName:"aymar aru"},az:{name:"Azerbaijani",nativeName:"azərbaycan dili"},ba:{name:"Bashkir",nativeName:"башҡорт теле"},be:{name:"Belarusian",nativeName:"беларуская мова"},bg:{name:"Bulgarian",nativeName:"български език"},bh:{name:"Bihari",nativeName:"भोजपुरी"},bi:{name:"Bislama",nativeName:"Bislama"},bm:{name:"Bambara",nativeName:"bamanankan"},bn:{name:"Bengali",nativeName:"বাংলা"},bo:{name:"Tibetan Standard",nativeName:"བོད་ཡིག"},br:{name:"Breton",nativeName:"brezhoneg"},bs:{name:"Bosnian",nativeName:"bosanski jezik"},ca:{name:"Catalan",nativeName:"català"},ce:{name:"Chechen",nativeName:"нохчийн мотт"},ch:{name:"Chamorro",nativeName:"Chamoru"},co:{name:"Corsican",nativeName:"corsu"},cr:{name:"Cree",nativeName:"ᓀᐦᐃᔭᐍᐏᐣ"},cs:{name:"Czech",nativeName:"čeština"},cu:{name:"Old Church Slavonic",nativeName:"ѩзыкъ словѣньскъ"},cv:{name:"Chuvash",nativeName:"чӑваш чӗлхи"},cy:{name:"Welsh",nativeName:"Cymraeg"},da:{name:"Danish",nativeName:"dansk"},de:{name:"German",nativeName:"Deutsch"},dv:{name:"Divehi",nativeName:"Dhivehi"},dz:{name:"Dzongkha",nativeName:"རྫོང་ཁ"},ee:{name:"Ewe",nativeName:"Eʋegbe"},el:{name:"Greek",nativeName:"ελληνικά"},en:{name:"English",nativeName:"English"},eo:{name:"Esperanto",nativeName:"Esperanto"},es:{name:"Spanish",nativeName:"Español"},et:{name:"Estonian",nativeName:"eesti"},eu:{name:"Basque",nativeName:"euskara"},fa:{name:"Persian",nativeName:"فارسی"},ff:{name:"Fula",nativeName:"Fulfulde"},fi:{name:"Finnish",nativeName:"suomi"},fj:{name:"Fijian",nativeName:"Vakaviti"},fo:{name:"Faroese",nativeName:"føroyskt"},fr:{name:"French",nativeName:"Français"},fy:{name:"Western Frisian",nativeName:"Frysk"},ga:{name:"Irish",nativeName:"Gaeilge"},gd:{name:"Scottish Gaelic",nativeName:"Gàidhlig"},gl:{name:"Galician",nativeName:"galego"},gn:{name:"Guaraní",nativeName:"Avañe'ẽ"},gu:{name:"Gujarati",nativeName:"ગુજરાતી"},gv:{name:"Manx",nativeName:"Gaelg"},ha:{name:"Hausa",nativeName:"هَوُسَ"},he:{name:"Hebrew",nativeName:"עברית"},hi:{name:"Hindi",nativeName:"हिन्दी"},ho:{name:"Hiri Motu",nativeName:"Hiri Motu"},hr:{name:"Croatian",nativeName:"hrvatski jezik"},ht:{name:"Haitian",nativeName:"Kreyòl ayisyen"},hu:{name:"Hungarian",nativeName:"magyar"},hy:{name:"Armenian",nativeName:"Հայերեն"},hz:{name:"Herero",nativeName:"Otjiherero"},ia:{name:"Interlingua",nativeName:"Interlingua"},id:{name:"Indonesian",nativeName:"Indonesian"},ie:{name:"Interlingue",nativeName:"Interlingue"},ig:{name:"Igbo",nativeName:"Asụsụ Igbo"},ii:{name:"Nuosu",nativeName:"ꆈꌠ꒿ Nuosuhxop"},ik:{name:"Inupiaq",nativeName:"Iñupiaq"},io:{name:"Ido",nativeName:"Ido"},is:{name:"Icelandic",nativeName:"Íslenska"},it:{name:"Italian",nativeName:"Italiano"},iu:{name:"Inuktitut",nativeName:"ᐃᓄᒃᑎᑐᑦ"},ja:{name:"Japanese",nativeName:"日本語"},jv:{name:"Javanese",nativeName:"basa Jawa"},ka:{name:"Georgian",nativeName:"ქართული"},kg:{name:"Kongo",nativeName:"Kikongo"},ki:{name:"Kikuyu",nativeName:"Gĩkũyũ"},kj:{name:"Kwanyama",nativeName:"Kuanyama"},kk:{name:"Kazakh",nativeName:"қазақ тілі"},kl:{name:"Kalaallisut",nativeName:"kalaallisut"},km:{name:"Khmer",nativeName:"ខេមរភាសា"},kn:{name:"Kannada",nativeName:"ಕನ್ನಡ"},ko:{name:"Korean",nativeName:"한국어"},kr:{name:"Kanuri",nativeName:"Kanuri"},ks:{name:"Kashmiri",nativeName:"कश्मीरी"},ku:{name:"Kurdish",nativeName:"Kurdî"},kv:{name:"Komi",nativeName:"коми кыв"},kw:{name:"Cornish",nativeName:"Kernewek"},ky:{name:"Kyrgyz",nativeName:"Кыргызча"},la:{name:"Latin",nativeName:"latine"},lb:{name:"Luxembourgish",nativeName:"Lëtzebuergesch"},lg:{name:"Ganda",nativeName:"Luganda"},li:{name:"Limburgish",nativeName:"Limburgs"},ln:{name:"Lingala",nativeName:"Lingála"},lo:{name:"Lao",nativeName:"ພາສາ"},lt:{name:"Lithuanian",nativeName:"lietuvių kalba"},lu:{name:"Luba-Katanga",nativeName:"Tshiluba"},lv:{name:"Latvian",nativeName:"latviešu valoda"},mg:{name:"Malagasy",nativeName:"fiteny malagasy"},mh:{name:"Marshallese",nativeName:"Kajin M̧ajeļ"},mi:{name:"Māori",nativeName:"te reo Māori"},mk:{name:"Macedonian",nativeName:"македонски јазик"},ml:{name:"Malayalam",nativeName:"മലയാളം"},mn:{name:"Mongolian",nativeName:"Монгол хэл"},mr:{name:"Marathi",nativeName:"मराठी"},ms:{name:"Malay",nativeName:"هاس ملايو‎"},mt:{name:"Maltese",nativeName:"Malti"},my:{name:"Burmese",nativeName:"ဗမာစာ"},na:{name:"Nauru",nativeName:"Ekakairũ Naoero"},nb:{name:"Norwegian Bokmål",nativeName:"Norsk bokmål"},nd:{name:"Northern Ndebele",nativeName:"isiNdebele"},ne:{name:"Nepali",nativeName:"नेपाली"},ng:{name:"Ndonga",nativeName:"Owambo"},nl:{name:"Dutch",nativeName:"Nederlands"},nn:{name:"Norwegian Nynorsk",nativeName:"Norsk nynorsk"},no:{name:"Norwegian",nativeName:"Norsk"},nr:{name:"Southern Ndebele",nativeName:"isiNdebele"},nv:{name:"Navajo",nativeName:"Diné bizaad"},ny:{name:"Chichewa",nativeName:"chiCheŵa"},oc:{name:"Occitan",nativeName:"occitan"},oj:{name:"Ojibwe",nativeName:"ᐊᓂᔑᓈᐯᒧᐎᓐ"},om:{name:"Oromo",nativeName:"Afaan Oromoo"},or:{name:"Oriya",nativeName:"ଓଡ଼ିଆ"},os:{name:"Ossetian",nativeName:"ирон æвзаг"},pa:{name:"Panjabi",nativeName:"ਪੰਜਾਬੀ"},pi:{name:"Pāli",nativeName:"पाऴि"},pl:{name:"Polish",nativeName:"język polski"},ps:{name:"Pashto",nativeName:"پښتو"},pt:{name:"Portuguese",nativeName:"Português"},qu:{name:"Quechua",nativeName:"Runa Simi"},rm:{name:"Romansh",nativeName:"rumantsch grischun"},rn:{name:"Kirundi",nativeName:"Ikirundi"},ro:{name:"Romanian",nativeName:"limba română"},ru:{name:"Russian",nativeName:"Русский"},rw:{name:"Kinyarwanda",nativeName:"Ikinyarwanda"},sa:{name:"Sanskrit",nativeName:"संस्कृतम्"},sc:{name:"Sardinian",nativeName:"sardu"},sd:{name:"Sindhi",nativeName:"सिन्धी"},se:{name:"Northern Sami",nativeName:"Davvisámegiella"},sg:{name:"Sango",nativeName:"yângâ tî sängö"},si:{name:"Sinhala",nativeName:"සිංහල"},sk:{name:"Slovak",nativeName:"slovenčina"},sl:{name:"Slovene",nativeName:"slovenski jezik"},sm:{name:"Samoan",nativeName:"gagana fa'a Samoa"},sn:{name:"Shona",nativeName:"chiShona"},so:{name:"Somali",nativeName:"Soomaaliga"},sq:{name:"Albanian",nativeName:"Shqip"},sr:{name:"Serbian",nativeName:"српски језик"},ss:{name:"Swati",nativeName:"SiSwati"},st:{name:"Southern Sotho",nativeName:"Sesotho"},su:{name:"Sundanese",nativeName:"Basa Sunda"},sv:{name:"Swedish",nativeName:"svenska"},sw:{name:"Swahili",nativeName:"Kiswahili"},ta:{name:"Tamil",nativeName:"தமிழ்"},te:{name:"Telugu",nativeName:"తెలుగు"},tg:{name:"Tajik",nativeName:"тоҷикӣ"},th:{name:"Thai",nativeName:"ไทย"},ti:{name:"Tigrinya",nativeName:"ትግርኛ"},tk:{name:"Turkmen",nativeName:"Türkmen"},tl:{name:"Tagalog",nativeName:"Wikang Tagalog"},tn:{name:"Tswana",nativeName:"Setswana"},to:{name:"Tonga",nativeName:"faka Tonga"},tr:{name:"Turkish",nativeName:"Türkçe"},ts:{name:"Tsonga",nativeName:"Xitsonga"},tt:{name:"Tatar",nativeName:"татар теле"},tw:{name:"Twi",nativeName:"Twi"},ty:{name:"Tahitian",nativeName:"Reo Tahiti"},ug:{name:"Uyghur",nativeName:"ئۇيغۇرچە‎"},uk:{name:"Ukrainian",nativeName:"Українська"},ur:{name:"Urdu",nativeName:"اردو"},uz:{name:"Uzbek",nativeName:"Ўзбек"},ve:{name:"Venda",nativeName:"Tshivenḓa"},vi:{name:"Vietnamese",nativeName:"Tiếng Việt"},vo:{name:"Volapük",nativeName:"Volapük"},wa:{name:"Walloon",nativeName:"walon"},wo:{name:"Wolof",nativeName:"Wollof"},xh:{name:"Xhosa",nativeName:"isiXhosa"},yi:{name:"Yiddish",nativeName:"ייִדיש"},yo:{name:"Yoruba",nativeName:"Yorùbá"},za:{name:"Zhuang",nativeName:"Saɯ cueŋƅ"},zh:{name:"Chinese",nativeName:"中文"},zu:{name:"Zulu",nativeName:"isiZulu"}};e.default=r,t.exports=e.default},"./src/index.js":function(t,e,n){"use strict";function r(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var o=n("./node_modules/babel-runtime/core-js/object/keys.js"),i=r(o),a=n("./node_modules/babel-runtime/core-js/object/values.js"),u=r(a),s=n("./node_modules/babel-runtime/helpers/classCallCheck.js"),c=r(s),f=n("./node_modules/babel-runtime/helpers/createClass.js"),l=r(f),p=n("./src/data.js"),d=r(p),h=function(){function t(){(0,c.default)(this,t)}return(0,l.default)(t,null,[{key:"getLanguages",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return e.map(function(e){return{code:e,name:t.getName(e),nativeName:t.getNativeName(e)}})}},{key:"getName",value:function(e){return t.validate(e)?d.default[e].name:""}},{key:"getAllNames",value:function(){return(0,u.default)(d.default).map(function(t){return t.name})}},{key:"getNativeName",value:function(e){return t.validate(e)?d.default[e].nativeName:""}},{key:"getAllNativeNames",value:function(){return(0,u.default)(d.default).map(function(t){return t.nativeName})}},{key:"getCode",value:function(t){var e=(0,i.default)(d.default).find(function(e){var n=d.default[e];return n.name.toLowerCase()===t.toLowerCase()||n.nativeName.toLowerCase()===t.toLowerCase()});return e||""}},{key:"getAllCodes",value:function(){return(0,i.default)(d.default)}},{key:"validate",value:function(t){return void 0!==d.default[t]}}]),t}();e.default=h,t.exports=e.default}})})},,,function(t,e){/*! + localForage -- Offline Storage, Improved + Version 1.7.2 + https://localforage.github.io/localForage + (c) 2013-2017 Mozilla, Apache License 2.0 + */ +!function(n){if("object"==typeof e&&"undefined"!=typeof t)t.exports=n();else if("function"==typeof define&&define.amd)define([],n);else{var r;r="undefined"!=typeof window?window:"undefined"!=typeof global?global:"undefined"!=typeof self?self:this,r.localforage=n()}}(function(){return function t(e,n,r){function o(a,u){if(!n[a]){if(!e[a]){var s="function"==typeof require&&require;if(!u&&s)return s(a,!0);if(i)return i(a,!0);var c=new Error("Cannot find module '"+a+"'");throw c.code="MODULE_NOT_FOUND",c}var f=n[a]={exports:{}};e[a][0].call(f.exports,function(t){var n=e[a][1][t];return o(n?n:t)},f,f.exports,t,e,n,r)}return n[a].exports}for(var i="function"==typeof require&&require,a=0;a=43)}}).catch(function(){return!1})}function d(t){return"boolean"==typeof wt?xt.resolve(wt):p(t).then(function(t){return wt=t})}function h(t){var e=kt[t.name],n={};n.promise=new xt(function(t,e){n.resolve=t,n.reject=e}),e.deferredOperations.push(n),e.dbReady?e.dbReady=e.dbReady.then(function(){return n.promise}):e.dbReady=n.promise}function v(t){var e=kt[t.name],n=e.deferredOperations.pop();if(n)return n.resolve(),n.promise}function m(t,e){var n=kt[t.name],r=n.deferredOperations.pop();if(r)return r.reject(e),r.promise}function y(t,e){return new xt(function(n,r){if(kt[t.name]=kt[t.name]||A(),t.db){if(!e)return n(t.db);h(t),t.db.close()}var o=[t.name];e&&o.push(t.version);var i=_t.open.apply(_t,o);e&&(i.onupgradeneeded=function(e){var n=i.result;try{n.createObjectStore(t.storeName),e.oldVersion<=1&&n.createObjectStore(jt)}catch(n){if("ConstraintError"!==n.name)throw n;console.warn('The database "'+t.name+'" has been upgraded from version '+e.oldVersion+" to version "+e.newVersion+', but the storage "'+t.storeName+'" already exists.')}}),i.onerror=function(t){t.preventDefault(),r(i.error)},i.onsuccess=function(){n(i.result),v(t)}})}function g(t){return y(t,!1)}function b(t){return y(t,!0)}function _(t,e){if(!t.db)return!0;var n=!t.db.objectStoreNames.contains(t.storeName),r=t.versiont.db.version;if(r&&(t.version!==e&&console.warn('The database "'+t.name+"\" can't be downgraded from version "+t.db.version+" to version "+t.version+"."),t.version=t.db.version),o||n){if(n){var i=t.db.version+1;i>t.version&&(t.version=i)}return!0}return!1}function x(t){return new xt(function(e,n){var r=new FileReader;r.onerror=n,r.onloadend=function(n){var r=btoa(n.target.result||"");e({__local_forage_encoded_blob:!0,data:r,type:t.type})},r.readAsBinaryString(t)})}function j(t){var e=l(atob(t.data));return a([e],{type:t.type})}function w(t){return t&&t.__local_forage_encoded_blob}function k(t){var e=this,n=e._initReady().then(function(){var t=kt[e._dbInfo.name];if(t&&t.dbReady)return t.dbReady});return s(n,t,t),n}function O(t){h(t);for(var e=kt[t.name],n=e.forages,r=0;r0&&(!t.db||"InvalidStateError"===o.name||"NotFoundError"===o.name))return xt.resolve().then(function(){if(!t.db||"NotFoundError"===o.name&&!t.db.objectStoreNames.contains(t.storeName)&&t.version<=t.db.version)return t.db&&(t.version=t.db.version+1),b(t)}).then(function(){return O(t).then(function(){S(t,e,n,r-1)})}).catch(n);n(o)}}function A(){return{forages:[],db:null,dbReady:null,deferredOperations:[]}}function E(t){function e(){return xt.resolve()}var n=this,r={db:null};if(t)for(var o in t)r[o]=t[o];var i=kt[r.name];i||(i=A(),kt[r.name]=i),i.forages.push(n),n._initReady||(n._initReady=n.ready,n.ready=k);for(var a=[],u=0;u>4,f[s++]=(15&r)<<4|o>>2,f[s++]=(3&o)<<6|63&i;return c}function B(t){var e,n=new Uint8Array(t),r="";for(e=0;e>2],r+=Nt[(3&n[e])<<4|n[e+1]>>4],r+=Nt[(15&n[e+1])<<2|n[e+2]>>6],r+=Nt[63&n[e+2]];return n.length%3===2?r=r.substring(0,r.length-1)+"=":n.length%3===1&&(r=r.substring(0,r.length-2)+"=="),r}function U(t,e){var n="";if(t&&(n=Wt.call(t)),t&&("[object ArrayBuffer]"===n||t.buffer&&"[object ArrayBuffer]"===Wt.call(t.buffer))){var r,o=It;t instanceof ArrayBuffer?(r=t,o+=Pt):(r=t.buffer,"[object Int8Array]"===n?o+=Rt:"[object Uint8Array]"===n?o+=Lt:"[object Uint8ClampedArray]"===n?o+=Dt:"[object Int16Array]"===n?o+=Ft:"[object Uint16Array]"===n?o+=Ut:"[object Int32Array]"===n?o+=Bt:"[object Uint32Array]"===n?o+=zt:"[object Float32Array]"===n?o+=Ht:"[object Float64Array]"===n?o+=qt:e(new Error("Failed to get type for BinaryArray"))),e(o+B(r))}else if("[object Blob]"===n){var i=new FileReader;i.onload=function(){var n=Ct+t.type+"~"+B(this.result);e(It+Mt+n)},i.readAsArrayBuffer(t)}else try{e(JSON.stringify(t))}catch(n){console.error("Couldn't convert value into a JSON string: ",t),e(null,n)}}function z(t){if(t.substring(0,$t)!==It)return JSON.parse(t);var e,n=t.substring(Vt),r=t.substring($t,Vt);if(r===Mt&&Tt.test(n)){var o=n.match(Tt);e=o[1],n=n.substring(o[0].length)}var i=F(n);switch(r){case Pt:return i;case Mt:return a([i],{type:e});case Rt:return new Int8Array(i);case Lt:return new Uint8Array(i);case Dt:return new Uint8ClampedArray(i);case Ft:return new Int16Array(i);case Ut:return new Uint16Array(i);case Bt:return new Int32Array(i);case zt:return new Uint32Array(i);case Ht:return new Float32Array(i);case qt:return new Float64Array(i);default:throw new Error("Unkown type: "+r)}}function H(t,e,n,r){t.executeSql("CREATE TABLE IF NOT EXISTS "+e.storeName+" (id INTEGER PRIMARY KEY, key unique, value)",[],n,r)}function q(t){var e=this,n={db:null};if(t)for(var r in t)n[r]="string"!=typeof t[r]?t[r].toString():t[r];var o=new xt(function(t,r){try{n.db=openDatabase(n.name,String(n.version),n.description,n.size)}catch(t){return r(t)}n.db.transaction(function(o){H(o,n,function(){e._dbInfo=n,t()},function(t,e){r(e)})},r)});return n.serializer=Gt,o}function V(t,e,n,r,o,i){t.executeSql(n,r,o,function(t,a){a.code===a.SYNTAX_ERR?t.executeSql("SELECT name FROM sqlite_master WHERE type='table' AND name = ?",[e.storeName],function(t,u){u.rows.length?i(t,a):H(t,e,function(){t.executeSql(n,r,o,i)},i)},i):i(t,a)},i)}function W(t,e){var n=this;t=c(t);var r=new xt(function(e,r){n.ready().then(function(){var o=n._dbInfo;o.db.transaction(function(n){V(n,o,"SELECT * FROM "+o.storeName+" WHERE key = ? LIMIT 1",[t],function(t,n){var r=n.rows.length?n.rows.item(0).value:null;r&&(r=o.serializer.deserialize(r)),e(r)},function(t,e){r(e)})})}).catch(r)});return u(r,e),r}function G(t,e){var n=this,r=new xt(function(e,r){n.ready().then(function(){var o=n._dbInfo;o.db.transaction(function(n){V(n,o,"SELECT * FROM "+o.storeName,[],function(n,r){for(var i=r.rows,a=i.length,u=0;u0)return void i(K.apply(o,[t,u,n,r-1]));a(e)}})})}).catch(a)});return u(i,n),i}function J(t,e,n){return K.apply(this,[t,e,n,1])}function X(t,e){var n=this;t=c(t);var r=new xt(function(e,r){n.ready().then(function(){var o=n._dbInfo;o.db.transaction(function(n){V(n,o,"DELETE FROM "+o.storeName+" WHERE key = ?",[t],function(){e()},function(t,e){r(e)})})}).catch(r)});return u(r,e),r}function Z(t){var e=this,n=new xt(function(t,n){e.ready().then(function(){var r=e._dbInfo;r.db.transaction(function(e){V(e,r,"DELETE FROM "+r.storeName,[],function(){t()},function(t,e){n(e)})})}).catch(n)});return u(n,t),n}function Y(t){var e=this,n=new xt(function(t,n){e.ready().then(function(){var r=e._dbInfo;r.db.transaction(function(e){V(e,r,"SELECT COUNT(key) as c FROM "+r.storeName,[],function(e,n){var r=n.rows.item(0).c;t(r)},function(t,e){n(e)})})}).catch(n)});return u(n,t),n}function Q(t,e){var n=this,r=new xt(function(e,r){n.ready().then(function(){var o=n._dbInfo;o.db.transaction(function(n){V(n,o,"SELECT key FROM "+o.storeName+" WHERE id = ? LIMIT 1",[t+1],function(t,n){var r=n.rows.length?n.rows.item(0).key:null;e(r)},function(t,e){r(e)})})}).catch(r)});return u(r,e),r}function tt(t){var e=this,n=new xt(function(t,n){e.ready().then(function(){var r=e._dbInfo;r.db.transaction(function(e){V(e,r,"SELECT key FROM "+r.storeName,[],function(e,n){for(var r=[],o=0;o '__WebKitDatabaseInfoTable__'",[],function(n,r){for(var o=[],i=0;i0}function ut(t){var e=this,n={};if(t)for(var r in t)n[r]=t[r];return n.keyPrefix=ot(t,e._defaultConfig),at()?(e._dbInfo=n,n.serializer=Gt,xt.resolve()):xt.reject()}function st(t){var e=this,n=e.ready().then(function(){for(var t=e._dbInfo.keyPrefix,n=localStorage.length-1;n>=0;n--){var r=localStorage.key(n);0===r.indexOf(t)&&localStorage.removeItem(r)}});return u(n,t),n}function ct(t,e){var n=this;t=c(t);var r=n.ready().then(function(){var e=n._dbInfo,r=localStorage.getItem(e.keyPrefix+t);return r&&(r=e.serializer.deserialize(r)),r});return u(r,e),r}function ft(t,e){var n=this,r=n.ready().then(function(){for(var e=n._dbInfo,r=e.keyPrefix,o=r.length,i=localStorage.length,a=1,u=0;u=0;e--){var n=localStorage.key(e);0===n.indexOf(t)&&localStorage.removeItem(n)}}):xt.reject("Invalid arguments"),u(r,e),r}function yt(t,e){t[e]=function(){var n=arguments;return t.ready().then(function(){return t[e].apply(t,n)})}}function gt(){for(var t=1;t2?n[a-2]:void 0,s=a>2?n[2]:void 0,c=a>1?n[a-1]:void 0;for("function"==typeof u?(u=o(u,c,5),a-=2):(u="function"==typeof c?c:void 0,a-=u?1:0),s&&i(n[0],n[1],s)&&(u=a<3?void 0:u,a=1);++r-1&&t%1==0&&t-1&&t%1==0&&t<=c}function u(t){var e=typeof t;return!!t&&("object"==e||"function"==e)}var s=/^\d+$/,c=9007199254740991,f=n("length");t.exports=i},function(t,e){function n(t){return"number"==typeof t&&t>-1&&t%1==0&&t<=i}function r(t){return!!t&&"object"==typeof t}function o(t){return r(t)&&n(t.length)&&!!C[I.call(t)]; +}var i=9007199254740991,a="[object Arguments]",u="[object Array]",s="[object Boolean]",c="[object Date]",f="[object Error]",l="[object Function]",p="[object Map]",d="[object Number]",h="[object Object]",v="[object RegExp]",m="[object Set]",y="[object String]",g="[object WeakMap]",b="[object ArrayBuffer]",_="[object DataView]",x="[object Float32Array]",j="[object Float64Array]",w="[object Int8Array]",k="[object Int16Array]",O="[object Int32Array]",S="[object Uint8Array]",A="[object Uint8ClampedArray]",E="[object Uint16Array]",N="[object Uint32Array]",C={};C[x]=C[j]=C[w]=C[k]=C[O]=C[S]=C[A]=C[E]=C[N]=!0,C[a]=C[u]=C[b]=C[s]=C[_]=C[c]=C[f]=C[l]=C[p]=C[d]=C[h]=C[v]=C[m]=C[y]=C[g]=!1;var T=Object.prototype,I=T.toString;t.exports=o},function(t,e,n){function r(t){return function(e){return null==e?void 0:e[t]}}function o(t){return null!=t&&a(g(t))}function i(t,e){return t="number"==typeof t||d.test(t)?+t:-1,e=null==e?y:e,t>-1&&t%1==0&&t-1&&t%1==0&&t<=y}function u(t){for(var e=c(t),n=e.length,r=n&&t.length,o=!!r&&a(r)&&(p(t)||l(t)),u=-1,s=[];++u0;++r-1&&t%1==0&&t<=b}function c(t){var e=typeof t;return!!t&&("object"==e||"function"==e)}var f=n(310),l=n(311),p=n(315),d=n(39),h=n(53),v=n(321),m=n(318),y=n(319),g=n(324),b=9007199254740991,_=a("length"),x=p(o);t.exports=x},function(t,e,n){function r(t){return!!t&&"object"==typeof t}function o(t,e){return a(t,e,s)}function i(t){var e;if(!r(t)||p.call(t)!=c||u(t)||!l.call(t,"constructor")&&(e=t.constructor,"function"==typeof e&&!(e instanceof e)))return!1;var n;return o(t,function(t,e){n=e}),void 0===n||l.call(t,n)}var a=n(313),u=n(39),s=n(322),c="[object Object]",f=Object.prototype,l=f.hasOwnProperty,p=f.toString;t.exports=i},function(t,e,n){function r(t,e){return t="number"==typeof t||c.test(t)?+t:-1,e=null==e?p:e,t>-1&&t%1==0&&t-1&&t%1==0&&t<=p}function i(t){var e=typeof t;return!!t&&("object"==e||"function"==e)}function a(t){if(null==t)return[];i(t)||(t=Object(t));var e=t.length;e=e&&o(e)&&(s(t)||u(t))&&e||0;for(var n=t.constructor,a=-1,c="function"==typeof n&&n.prototype===t,f=Array(e),p=e>0;++a-1&&t%1==0&&t-1&&t%1==0&&t<=p}function i(t){var e=typeof t;return!!t&&("object"==e||"function"==e)}function a(t){if(null==t)return[];i(t)||(t=Object(t));var e=t.length;e=e&&o(e)&&(s(t)||u(t))&&e||0;for(var n=t.constructor,a=-1,c="function"==typeof n&&n.prototype===t,f=Array(e),p=e>0;++a-1}var o=n(58);t.exports=r},function(t,e){function n(t,e,n){for(var r=-1,o=null==t?0:t.length;++re}t.exports=n},function(t,e){function n(t,e){return null!=t&&e in Object(t)}t.exports=n},function(t,e,n){function r(t){return i(t)&&o(t)==a}var o=n(20),i=n(18),a="[object Arguments]";t.exports=r},function(t,e,n){function r(t,e,n,r,m,g){var b=c(t),_=c(e),x=b?h:s(t),j=_?h:s(e);x=x==d?v:x,j=j==d?v:j;var w=x==v,k=j==v,O=x==j;if(O&&f(t)){if(!f(e))return!1;b=!0,w=!1}if(O&&!w)return g||(g=new o),b||l(t)?i(t,e,n,r,m,g):a(t,e,x,n,r,m,g);if(!(n&p)){var S=w&&y.call(t,"__wrapped__"),A=k&&y.call(e,"__wrapped__");if(S||A){var E=S?t.value():t,N=A?e.value():e;return g||(g=new o),m(E,N,n,r,g)}}return!!O&&(g||(g=new o),u(t,e,n,r,m,g))}var o=n(88),i=n(155),a=n(385),u=n(386),s=n(391),c=n(3),f=n(97),l=n(100),p=1,d="[object Arguments]",h="[object Array]",v="[object Object]",m=Object.prototype,y=m.hasOwnProperty;t.exports=r},function(t,e,n){function r(t,e,n,r){var s=n.length,c=s,f=!r;if(null==t)return!c;for(t=Object(t);s--;){var l=n[s];if(f&&l[2]?l[1]!==t[l[0]]:!(l[0]in t))return!1}for(;++s=f){var m=e?null:s(t);if(m)return c(m);d=!1,l=u,v=new o}else v=e?[]:h;t:for(;++r-1;);return n}var o=n(58);t.exports=r},function(t,e,n){function r(t,e){for(var n=-1,r=t.length;++n-1;);return n}var o=n(58);t.exports=r},function(t,e,n){function r(t){var e=new t.constructor(t.byteLength);return new o(e).set(new o(t)),e}var o=n(135);t.exports=r},function(t,e,n){(function(t){function r(t,e){if(e)return t.slice();var n=t.length,r=c?c(n):new t.constructor(n);return t.copy(r),r}var o=n(8),i="object"==typeof e&&e&&!e.nodeType&&e,a=i&&"object"==typeof t&&t&&!t.nodeType&&t,u=a&&a.exports===i,s=u?o.Buffer:void 0,c=s?s.allocUnsafe:void 0;t.exports=r}).call(e,n(102)(t))},function(t,e,n){function r(t,e){var n=e?o(t.buffer):t.buffer;return new t.constructor(n,t.byteOffset,t.length)}var o=n(369);t.exports=r},function(t,e,n){function r(t,e){if(t!==e){var n=void 0!==t,r=null===t,i=t===t,a=o(t),u=void 0!==e,s=null===e,c=e===e,f=o(e);if(!s&&!f&&!a&&t>e||a&&u&&c&&!s&&!f||r&&u&&c||!n&&c||!i)return 1;if(!r&&!a&&!f&&t=s)return c;var f=n[r];return c*("desc"==f?-1:1)}}return t.index-e.index}var o=n(372);t.exports=r},function(t,e){function n(t,e){var n=-1,r=t.length;for(e||(e=Array(r));++n1?n[o-1]:void 0,u=o>2?n[2]:void 0;for(a=t.length>3&&"function"==typeof a?(o--,a):void 0,u&&i(n[0],n[1],u)&&(a=o<3?void 0:a,o=1),e=Object(e);++r-1?u[s?e[c]:c]:void 0}}var o=n(7),i=n(17),a=n(45);t.exports=r},function(t,e,n){var r=n(133),o=n(454),i=n(96),a=1/0,u=r&&1/i(new r([,-0]))[1]==a?function(t){return new r(t)}:o;t.exports=u},function(t,e,n){var r=n(359),o={"À":"A","Á":"A","Â":"A","Ã":"A","Ä":"A","Å":"A","à":"a","á":"a","â":"a","ã":"a","ä":"a","å":"a","Ç":"C","ç":"c","Ð":"D","ð":"d","È":"E","É":"E","Ê":"E","Ë":"E","è":"e","é":"e","ê":"e","ë":"e","Ì":"I","Í":"I","Î":"I","Ï":"I","ì":"i","í":"i","î":"i","ï":"i","Ñ":"N","ñ":"n","Ò":"O","Ó":"O","Ô":"O","Õ":"O","Ö":"O","Ø":"O","ò":"o","ó":"o","ô":"o","õ":"o","ö":"o","ø":"o","Ù":"U","Ú":"U","Û":"U","Ü":"U","ù":"u","ú":"u","û":"u","ü":"u","Ý":"Y","ý":"y","ÿ":"y","Æ":"Ae","æ":"ae","Þ":"Th","þ":"th","ß":"ss","Ā":"A","Ă":"A","Ą":"A","ā":"a","ă":"a","ą":"a","Ć":"C","Ĉ":"C","Ċ":"C","Č":"C","ć":"c","ĉ":"c","ċ":"c","č":"c","Ď":"D","Đ":"D","ď":"d","đ":"d","Ē":"E","Ĕ":"E","Ė":"E","Ę":"E","Ě":"E","ē":"e","ĕ":"e","ė":"e","ę":"e","ě":"e","Ĝ":"G","Ğ":"G","Ġ":"G","Ģ":"G","ĝ":"g","ğ":"g","ġ":"g","ģ":"g","Ĥ":"H","Ħ":"H","ĥ":"h","ħ":"h","Ĩ":"I","Ī":"I","Ĭ":"I","Į":"I","İ":"I","ĩ":"i","ī":"i","ĭ":"i","į":"i","ı":"i","Ĵ":"J","ĵ":"j","Ķ":"K","ķ":"k","ĸ":"k","Ĺ":"L","Ļ":"L","Ľ":"L","Ŀ":"L","Ł":"L","ĺ":"l","ļ":"l","ľ":"l","ŀ":"l","ł":"l","Ń":"N","Ņ":"N","Ň":"N","Ŋ":"N","ń":"n","ņ":"n","ň":"n","ŋ":"n","Ō":"O","Ŏ":"O","Ő":"O","ō":"o","ŏ":"o","ő":"o","Ŕ":"R","Ŗ":"R","Ř":"R","ŕ":"r","ŗ":"r","ř":"r","Ś":"S","Ŝ":"S","Ş":"S","Š":"S","ś":"s","ŝ":"s","ş":"s","š":"s","Ţ":"T","Ť":"T","Ŧ":"T","ţ":"t","ť":"t","ŧ":"t","Ũ":"U","Ū":"U","Ŭ":"U","Ů":"U","Ű":"U","Ų":"U","ũ":"u","ū":"u","ŭ":"u","ů":"u","ű":"u","ų":"u","Ŵ":"W","ŵ":"w","Ŷ":"Y","ŷ":"y","Ÿ":"Y","Ź":"Z","Ż":"Z","Ž":"Z","ź":"z","ż":"z","ž":"z","IJ":"IJ","ij":"ij","Œ":"Oe","œ":"oe","ʼn":"'n","ſ":"s"},i=r(o);t.exports=i},function(t,e,n){function r(t,e,n,r,o,w,O){switch(n){case j:if(t.byteLength!=e.byteLength||t.byteOffset!=e.byteOffset)return!1;t=t.buffer,e=e.buffer;case x:return!(t.byteLength!=e.byteLength||!w(new i(t),new i(e)));case p:case d:case m:return a(+t,+e);case h:return t.name==e.name&&t.message==e.message;case y:case b:return t==e+"";case v:var S=s;case g:var A=r&f;if(S||(S=c),t.size!=e.size&&!A)return!1;var E=O.get(t);if(E)return E==e;r|=l,O.set(t,e);var N=u(S(t),S(e),r,o,w,O);return O.delete(t),N;case _:if(k)return k.call(t)==k.call(e)}return!1}var o=n(40),i=n(135),a=n(42),u=n(155),s=n(414),c=n(96),f=1,l=2,p="[object Boolean]",d="[object Date]",h="[object Error]",v="[object Map]",m="[object Number]",y="[object RegExp]",g="[object Set]",b="[object String]",_="[object Symbol]",x="[object ArrayBuffer]",j="[object DataView]",w=o?o.prototype:void 0,k=w?w.valueOf:void 0;t.exports=r},function(t,e,n){function r(t,e,n,r,a,s){var c=n&i,f=o(t),l=f.length,p=o(e),d=p.length;if(l!=d&&!c)return!1;for(var h=l;h--;){var v=f[h];if(!(c?v in e:u.call(e,v)))return!1}var m=s.get(t);if(m&&s.get(e))return m==e;var y=!0;s.set(t,e),s.set(e,t);for(var g=c;++h-1}var o=n(56);t.exports=r},function(t,e,n){function r(t,e){var n=this.__data__,r=o(n,t);return r<0?(++this.size,n.push([t,e])):n[r][1]=e,this}var o=n(56);t.exports=r},function(t,e,n){function r(){this.size=0,this.__data__={hash:new o,map:new(a||i),string:new o}}var o=n(327),i=n(54),a=n(86);t.exports=r},function(t,e,n){function r(t){var e=o(this,t).delete(t);return this.size-=e?1:0,e}var o=n(60);t.exports=r},function(t,e,n){function r(t){return o(this,t).get(t)}var o=n(60);t.exports=r},function(t,e,n){function r(t){return o(this,t).has(t)}var o=n(60);t.exports=r},function(t,e,n){function r(t,e){var n=o(this,t),r=n.size;return n.set(t,e),this.size+=n.size==r?0:1,this}var o=n(60);t.exports=r},function(t,e){function n(t){var e=-1,n=Array(t.size);return t.forEach(function(t,r){n[++e]=[r,t]}),n}t.exports=n},function(t,e,n){function r(t){var e=o(t,function(t){return n.size===i&&n.clear(),t}),n=e.cache;return e}var o=n(451),i=500;t.exports=r},function(t,e,n){var r=n(161),o=r(Object.keys,Object);t.exports=o},function(t,e){function n(t){var e=[];if(null!=t)for(var n in Object(t))e.push(n);return e}t.exports=n},function(t,e,n){(function(t){var r=n(156),o="object"==typeof e&&e&&!e.nodeType&&e,i=o&&"object"==typeof t&&t&&!t.nodeType&&t,a=i&&i.exports===o,u=a&&r.process,s=function(){try{var t=i&&i.require&&i.require("util").types;return t?t:u&&u.binding&&u.binding("util")}catch(t){}}();t.exports=s}).call(e,n(102)(t))},function(t,e){function n(t){return o.call(t)}var r=Object.prototype,o=r.toString;t.exports=n},function(t,e,n){function r(t,e,n){return e=i(void 0===e?t.length-1:e,0),function(){for(var r=arguments,a=-1,u=i(r.length-e,0),s=Array(u);++a0){if(++e>=r)return arguments[0]}else e=0;return t.apply(void 0,arguments)}}var r=800,o=16,i=Date.now;t.exports=n},function(t,e,n){function r(){this.__data__=new o,this.size=0}var o=n(54);t.exports=r},function(t,e){function n(t){var e=this.__data__,n=e.delete(t);return this.size=e.size,n}t.exports=n},function(t,e){function n(t){return this.__data__.get(t)}t.exports=n},function(t,e){function n(t){return this.__data__.has(t)}t.exports=n},function(t,e,n){function r(t,e){var n=this.__data__;if(n instanceof o){var r=n.__data__;if(!i||r.length=e||n<0||S&&r>=_}function d(){var t=i();return p(t)?h(t):void(j=setTimeout(d,l(t)))}function h(t){return j=void 0,A&&g?r(t):(g=b=void 0,x)}function v(){void 0!==j&&clearTimeout(j),k=0,g=w=b=j=void 0}function m(){return void 0===j?x:h(i())}function y(){var t=i(),n=p(t);if(g=arguments,b=this,w=t,n){if(void 0===j)return f(w);if(S)return j=setTimeout(d,e),r(w)}return void 0===j&&(j=setTimeout(d,e)),x}var g,b,_,x,j,w,k=0,O=!1,S=!1,A=!0;if("function"!=typeof t)throw new TypeError(u);return e=a(e)||0,o(n)&&(O=!!n.leading,S="maxWait"in n,_=S?s(a(n.maxWait)||0,e):_,A="trailing"in n?!!n.trailing:A),y.cancel=v,y.flush=m,y}var o=n(9),i=n(455),a=n(169),u="Expected a function",s=Math.max,c=Math.min;t.exports=r},function(t,e,n){function r(t){return t=i(t),t&&t.replace(a,o).replace(p,"")}var o=n(384),i=n(29),a=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,u="\\u0300-\\u036f",s="\\ufe20-\\ufe2f",c="\\u20d0-\\u20ff",f=u+s+c,l="["+f+"]",p=RegExp(l,"g");t.exports=r},function(t,e,n){function r(t,e,n){var r=null==t?0:t.length;if(!r)return-1;var s=null==n?0:a(n);return s<0&&(s=u(r+s,0)),o(t,i(e,3),s)}var o=n(142),i=n(7),a=n(22),u=Math.max;t.exports=r},function(t,e,n){function r(t){var e=null==t?0:t.length;return e?o(t,1):[]}var o=n(143);t.exports=r},function(t,e,n){function r(t,e){var n=u(t)?o:i;return n(t,a(e))}var o=n(331),i=n(57),a=n(152),u=n(3);t.exports=r},function(t,e,n){function r(t,e,n){var r=null==t?void 0:o(t,e);return void 0===r?n:r}var o=n(91);t.exports=r},function(t,e,n){function r(t,e){return null!=t&&i(t,e,o)}var o=n(342),i=n(393);t.exports=r},function(t,e,n){function r(t,e,n,r){t=i(t)?t:s(t),n=n&&!r?u(n):0;var f=t.length;return n<0&&(n=c(f+n,0)),a(t)?n<=f&&t.indexOf(e,n)>-1:!!f&&o(t,e,n)>-1}var o=n(58),i=n(17),a=n(449),u=n(22),s=n(470),c=Math.max;t.exports=r},function(t,e,n){function r(t){return i(t)&&o(t)}var o=n(17),i=n(18);t.exports=r},function(t,e,n){function r(t){if(!a(t)||o(t)!=u)return!1;var e=i(t);if(null===e)return!0;var n=l.call(e,"constructor")&&e.constructor;return"function"==typeof n&&n instanceof n&&f.call(n)==p}var o=n(20),i=n(157),a=n(18),u="[object Object]",s=Function.prototype,c=Object.prototype,f=s.toString,l=c.hasOwnProperty,p=f.call(Object);t.exports=r},function(t,e,n){function r(t){return"string"==typeof t||!i(t)&&a(t)&&o(t)==u}var o=n(20),i=n(3),a=n(18),u="[object String]";t.exports=r},function(t,e,n){function r(t,e){return t&&t.length?o(t,a(e,2),i):void 0}var o=n(140),i=n(341),a=n(7);t.exports=r},function(t,e,n){function r(t,e){if("function"!=typeof t||null!=e&&"function"!=typeof e)throw new TypeError(i);var n=function(){var r=arguments,o=e?e.apply(this,r):r[0],i=n.cache;if(i.has(o))return i.get(o);var a=t.apply(this,r);return n.cache=i.set(o,a)||i,a};return n.cache=new(r.Cache||o),n}var o=n(87),i="Expected a function";r.Cache=o,t.exports=r},function(t,e,n){function r(t,e){return t&&t.length?o(t,i(e,2),a):void 0}var o=n(140),i=n(7),a=n(351);t.exports=r},function(t,e){function n(t){if("function"!=typeof t)throw new TypeError(r);return function(){var e=arguments;switch(e.length){case 0:return!t.call(this);case 1:return!t.call(this,e[0]);case 2:return!t.call(this,e[0],e[1]);case 3:return!t.call(this,e[0],e[1],e[2])}return!t.apply(this,e)}}var r="Expected a function";t.exports=n},function(t,e){function n(){}t.exports=n},function(t,e,n){var r=n(8),o=function(){return r.Date.now()};t.exports=o},function(t,e,n){function r(t){return a(t)?o(u(t)):i(t)}var o=n(357),i=n(358),a=n(94),u=n(41);t.exports=r},function(t,e,n){function r(t,e){var n=u(t)?o:i;return n(t,s(a(e,3)))}var o=n(89),i=n(141),a=n(7),u=n(3),s=n(453);t.exports=r},function(t,e,n){function r(t,e){var n=[];if(!t||!t.length)return n;var r=-1,a=[],u=t.length;for(e=o(e,3);++ru)return[];var n=s,r=c(t,s);e=i(e),t-=s;for(var f=o(r,e);++n0&&void 0!==arguments[0]?arguments[0]:this.timeout;if(this.joinedOnce)throw"tried to join multiple times. 'join' can only be called a single time per channel instance";return this.joinedOnce=!0,this.rejoin(t),this.joinPush}},{key:"onClose",value:function(t){this.on(l.close,t)}},{key:"onError",value:function(t){this.on(l.error,function(e){return t(e)})}},{key:"on",value:function(t,e){this.bindings.push({event:t,callback:e})}},{key:"off",value:function(t){this.bindings=this.bindings.filter(function(e){return e.event!==t})}},{key:"canPush",value:function(){return this.socket.isConnected()&&this.isJoined()}},{key:"push",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.timeout;if(!this.joinedOnce)throw"tried to push '"+t+"' to '"+this.topic+"' before joining. Use channel.join() before pushing events";var r=new h(this,t,e,n);return this.canPush()?r.send():(r.startTimeout(),this.pushBuffer.push(r)),r}},{key:"leave",value:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.timeout;this.state=f.leaving;var n=function(){t.socket.log("channel","leave "+t.topic),t.trigger(l.close,"leave")},r=new h(this,l.leave,{},e);return r.receive("ok",function(){return n()}).receive("timeout",function(){return n()}),r.send(),this.canPush()||r.trigger("ok",{}),r}},{key:"onMessage",value:function(t,e,n){return e}},{key:"isMember",value:function(t,e,n,r){if(this.topic!==t)return!1;var o=p.indexOf(e)>=0;return!r||!o||r===this.joinRef()||(this.socket.log("channel","dropping outdated message",{topic:t,event:e,payload:n,joinRef:r}),!1)}},{key:"joinRef",value:function(){return this.joinPush.ref}},{key:"sendJoin",value:function(t){this.state=f.joining,this.joinPush.resend(t)}},{key:"rejoin",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.timeout;this.isLeaving()||this.sendJoin(t)}},{key:"trigger",value:function(t,e,n,r){var o=this,i=this.onMessage(t,e,n,r);if(e&&!i)throw"channel onMessage callbacks must return the payload, modified or unmodified";this.bindings.filter(function(e){return e.event===t}).map(function(t){return t.callback(i,n,r||o.joinRef())})}},{key:"replyEventName",value:function(t){return"chan_reply_"+t}},{key:"isClosed",value:function(){return this.state===f.closed}},{key:"isErrored",value:function(){return this.state===f.errored}},{key:"isJoined",value:function(){return this.state===f.joined}},{key:"isJoining",value:function(){return this.state===f.joining}},{key:"isLeaving",value:function(){return this.state===f.leaving}}]),t}(),m={encode:function(t,e){var n=[t.join_ref,t.ref,t.topic,t.event,t.payload];return e(JSON.stringify(n))},decode:function(t,e){var n=JSON.parse(t),r=o(n,5),i=r[0],a=r[1],u=r[2],s=r[3],c=r[4];return e({join_ref:i,ref:a,topic:u,event:s,payload:c})}},y=(t.Socket=function(){function t(e){var r=this,o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};n(this,t),this.stateChangeCallbacks={open:[],close:[],error:[],message:[]},this.channels=[],this.sendBuffer=[],this.ref=0,this.timeout=o.timeout||s,this.transport=o.transport||window.WebSocket||y,this.defaultEncoder=m.encode,this.defaultDecoder=m.decode,this.transport!==y?(this.encode=o.encode||this.defaultEncoder,this.decode=o.decode||this.defaultDecoder):(this.encode=this.defaultEncoder,this.decode=this.defaultDecoder),this.heartbeatIntervalMs=o.heartbeatIntervalMs||3e4,this.reconnectAfterMs=o.reconnectAfterMs||function(t){return[1e3,2e3,5e3,1e4][t-1]||1e4},this.logger=o.logger||function(){},this.longpollerTimeout=o.longpollerTimeout||2e4,this.params=o.params||{},this.endPoint=e+"/"+d.websocket,this.heartbeatTimer=null,this.pendingHeartbeatRef=null,this.reconnectTimer=new b(function(){r.disconnect(function(){return r.connect()})},this.reconnectAfterMs)}return i(t,[{key:"protocol",value:function(){return location.protocol.match(/^https/)?"wss":"ws"}},{key:"endPointURL",value:function(){var t=g.appendParams(g.appendParams(this.endPoint,this.params),{vsn:a});return"/"!==t.charAt(0)?t:"/"===t.charAt(1)?this.protocol()+":"+t:this.protocol()+"://"+location.host+t}},{key:"disconnect",value:function(t,e,n){this.conn&&(this.conn.onclose=function(){},e?this.conn.close(e,n||""):this.conn.close(),this.conn=null),t&&t()}},{key:"connect",value:function(t){var e=this;t&&(console&&console.log("passing params to connect is deprecated. Instead pass :params to the Socket constructor"),this.params=t),this.conn||(this.conn=new this.transport(this.endPointURL()),this.conn.timeout=this.longpollerTimeout,this.conn.onopen=function(){return e.onConnOpen()},this.conn.onerror=function(t){return e.onConnError(t)},this.conn.onmessage=function(t){return e.onConnMessage(t)},this.conn.onclose=function(t){return e.onConnClose(t)})}},{key:"log",value:function(t,e,n){this.logger(t,e,n)}},{key:"onOpen",value:function(t){this.stateChangeCallbacks.open.push(t)}},{key:"onClose",value:function(t){this.stateChangeCallbacks.close.push(t)}},{key:"onError",value:function(t){this.stateChangeCallbacks.error.push(t)}},{key:"onMessage",value:function(t){this.stateChangeCallbacks.message.push(t)}},{key:"onConnOpen",value:function(){var t=this;this.log("transport","connected to "+this.endPointURL()),this.flushSendBuffer(),this.reconnectTimer.reset(),this.conn.skipHeartbeat||(clearInterval(this.heartbeatTimer),this.heartbeatTimer=setInterval(function(){return t.sendHeartbeat()},this.heartbeatIntervalMs)),this.stateChangeCallbacks.open.forEach(function(t){return t()})}},{key:"onConnClose",value:function(t){this.log("transport","close",t),this.triggerChanError(),clearInterval(this.heartbeatTimer),this.reconnectTimer.scheduleTimeout(),this.stateChangeCallbacks.close.forEach(function(e){return e(t)})}},{key:"onConnError",value:function(t){this.log("transport",t),this.triggerChanError(),this.stateChangeCallbacks.error.forEach(function(e){return e(t)})}},{key:"triggerChanError",value:function(){this.channels.forEach(function(t){return t.trigger(l.error)})}},{key:"connectionState",value:function(){switch(this.conn&&this.conn.readyState){case u.connecting:return"connecting";case u.open:return"open";case u.closing:return"closing";default:return"closed"}}},{key:"isConnected",value:function(){return"open"===this.connectionState()}},{key:"remove",value:function(t){this.channels=this.channels.filter(function(e){return e.joinRef()!==t.joinRef()})}},{key:"channel",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=new v(t,e,this);return this.channels.push(n),n}},{key:"push",value:function(t){var e=this,n=t.topic,r=t.event,o=t.payload,i=t.ref,a=t.join_ref,u=function(){e.encode(t,function(t){e.conn.send(t)})};this.log("push",n+" "+r+" ("+a+", "+i+")",o),this.isConnected()?u():this.sendBuffer.push(u)}},{key:"makeRef",value:function(){var t=this.ref+1;return t===this.ref?this.ref=0:this.ref=t,this.ref.toString()}},{key:"sendHeartbeat",value:function(){if(this.isConnected()){if(this.pendingHeartbeatRef)return this.pendingHeartbeatRef=null,this.log("transport","heartbeat timeout. Attempting to re-establish connection"),void this.conn.close(c,"hearbeat timeout");this.pendingHeartbeatRef=this.makeRef(),this.push({topic:"phoenix",event:"heartbeat",payload:{},ref:this.pendingHeartbeatRef})}}},{key:"flushSendBuffer",value:function(){this.isConnected()&&this.sendBuffer.length>0&&(this.sendBuffer.forEach(function(t){return t()}),this.sendBuffer=[])}},{key:"onConnMessage",value:function(t){var e=this;this.decode(t.data,function(t){var n=t.topic,r=t.event,o=t.payload,i=t.ref,a=t.join_ref;i&&i===e.pendingHeartbeatRef&&(e.pendingHeartbeatRef=null),e.log("receive",(o.status||"")+" "+n+" "+r+" "+(i&&"("+i+")"||""),o),e.channels.filter(function(t){return t.isMember(n,r,o,a)}).forEach(function(t){return t.trigger(r,o,i,a)}),e.stateChangeCallbacks.message.forEach(function(e){return e(t)})})}}]),t}(),t.LongPoll=function(){function t(e){n(this,t),this.endPoint=null,this.token=null,this.skipHeartbeat=!0,this.onopen=function(){},this.onerror=function(){},this.onmessage=function(){},this.onclose=function(){},this.pollEndpoint=this.normalizeEndpoint(e),this.readyState=u.connecting,this.poll()}return i(t,[{key:"normalizeEndpoint",value:function(t){return t.replace("ws://","http://").replace("wss://","https://").replace(new RegExp("(.*)/"+d.websocket),"$1/"+d.longpoll)}},{key:"endpointURL",value:function(){return g.appendParams(this.pollEndpoint,{token:this.token})}},{key:"closeAndRetry",value:function(){this.close(),this.readyState=u.connecting}},{key:"ontimeout",value:function(){this.onerror("timeout"),this.closeAndRetry()}},{key:"poll",value:function(){var t=this;this.readyState!==u.open&&this.readyState!==u.connecting||g.request("GET",this.endpointURL(),"application/json",null,this.timeout,this.ontimeout.bind(this),function(e){if(e){var n=e.status,r=e.token,o=e.messages;t.token=r}else var n=0;switch(n){case 200:o.forEach(function(e){return t.onmessage({data:e})}),t.poll();break;case 204:t.poll();break;case 410:t.readyState=u.open,t.onopen(),t.poll();break;case 0:case 500:t.onerror(),t.closeAndRetry();break;default:throw"unhandled poll status "+n}})}},{key:"send",value:function(t){var e=this;g.request("POST",this.endpointURL(),"application/json",t,this.timeout,this.onerror.bind(this,"timeout"),function(t){t&&200===t.status||(e.onerror(t&&t.status),e.closeAndRetry())})}},{key:"close",value:function(t,e){this.readyState=u.closed,this.onclose()}}]),t}()),g=t.Ajax=function(){function t(){n(this,t)}return i(t,null,[{key:"request",value:function(t,e,n,r,o,i,a){if(window.XDomainRequest){var u=new XDomainRequest;this.xdomainRequest(u,t,e,r,o,i,a)}else{var s=window.XMLHttpRequest?new window.XMLHttpRequest:new ActiveXObject("Microsoft.XMLHTTP");this.xhrRequest(s,t,e,n,r,o,i,a)}}},{key:"xdomainRequest",value:function(t,e,n,r,o,i,a){var u=this;t.timeout=o,t.open(e,n),t.onload=function(){var e=u.parseJSON(t.responseText);a&&a(e)},i&&(t.ontimeout=i),t.onprogress=function(){},t.send(r)}},{key:"xhrRequest",value:function(t,e,n,r,o,i,a,u){var s=this;t.open(e,n,!0),t.timeout=i,t.setRequestHeader("Content-Type",r),t.onerror=function(){u&&u(null)},t.onreadystatechange=function(){if(t.readyState===s.states.complete&&u){var e=s.parseJSON(t.responseText);u(e)}},a&&(t.ontimeout=a),t.send(o)}},{key:"parseJSON",value:function(t){if(!t||""===t)return null;try{return JSON.parse(t)}catch(e){return console&&console.log("failed to parse JSON response",t),null}}},{key:"serialize",value:function(t,e){var n=[];for(var o in t)if(t.hasOwnProperty(o)){var i=e?e+"["+o+"]":o,a=t[o];"object"===("undefined"==typeof a?"undefined":r(a))?n.push(this.serialize(a,i)):n.push(encodeURIComponent(i)+"="+encodeURIComponent(a))}return n.join("&")}},{key:"appendParams",value:function(t,e){if(0===Object.keys(e).length)return t;var n=t.match(/\?/)?"&":"?";return""+t+n+this.serialize(e)}}]),t}();g.states={complete:4};var b=(t.Presence={syncState:function(t,e,n,r){var o=this,i=this.clone(t),a={},u={};return this.map(i,function(t,n){e[t]||(u[t]=n)}),this.map(e,function(t,e){var n=i[t];if(n){var r=e.metas.map(function(t){return t.phx_ref}),s=n.metas.map(function(t){return t.phx_ref}),c=e.metas.filter(function(t){return s.indexOf(t.phx_ref)<0}),f=n.metas.filter(function(t){return r.indexOf(t.phx_ref)<0});c.length>0&&(a[t]=e,a[t].metas=c),f.length>0&&(u[t]=o.clone(n),u[t].metas=f)}else a[t]=e}),this.syncDiff(i,{joins:a,leaves:u},n,r)},syncDiff:function(t,n,r,o){var i=n.joins,a=n.leaves,u=this.clone(t);return r||(r=function(){}),o||(o=function(){}),this.map(i,function(t,n){var o=u[t];if(u[t]=n,o){var i;(i=u[t].metas).unshift.apply(i,e(o.metas))}r(t,o,n)}),this.map(a,function(t,e){var n=u[t];if(n){var r=e.metas.map(function(t){return t.phx_ref});n.metas=n.metas.filter(function(t){return r.indexOf(t.phx_ref)<0}),o(t,n,e),0===n.metas.length&&delete u[t]}}),u},list:function(t,e){return e||(e=function(t,e){return e}),this.map(t,function(t,n){return e(t,n)})},map:function(t,e){return Object.getOwnPropertyNames(t).map(function(n){return e(n,t[n])})},clone:function(t){return JSON.parse(JSON.stringify(t))}},function(){function t(e,r){n(this,t),this.callback=e,this.timerCalc=r,this.timer=null,this.tries=0}return i(t,[{key:"reset",value:function(){this.tries=0,clearTimeout(this.timer)}},{key:"scheduleTimeout",value:function(){var t=this;clearTimeout(this.timer),this.timer=setTimeout(function(){t.tries=t.tries+1,t.callback()},this.timerCalc(this.tries+1))}}]),t}())})},function(t,e){function n(){throw new Error("setTimeout has not been defined")}function r(){throw new Error("clearTimeout has not been defined")}function o(t){if(f===setTimeout)return setTimeout(t,0);if((f===n||!f)&&setTimeout)return f=setTimeout,setTimeout(t,0);try{return f(t,0)}catch(e){try{return f.call(null,t,0)}catch(e){return f.call(this,t,0)}}}function i(t){if(l===clearTimeout)return clearTimeout(t);if((l===r||!l)&&clearTimeout)return l=clearTimeout,clearTimeout(t);try{return l(t)}catch(e){try{return l.call(null,t)}catch(e){return l.call(this,t)}}}function a(){v&&d&&(v=!1,d.length?h=d.concat(h):m=-1,h.length&&u())}function u(){if(!v){var t=o(a);v=!0;for(var e=h.length;e;){for(d=h,h=[];++m1)for(var n=1;n=0&&(t._idleTimeoutId=setTimeout(function(){t._onTimeout&&t._onTimeout()},e))},n(475),e.setImmediate="undefined"!=typeof self&&self.setImmediate||"undefined"!=typeof t&&t.setImmediate||this&&this.setImmediate,e.clearImmediate="undefined"!=typeof self&&self.clearImmediate||"undefined"!=typeof t&&t.clearImmediate||this&&this.clearImmediate}).call(e,function(){return this}())},,function(t,e,n){!function(e,n){t.exports=n()}(this,function(){"use strict";var t=function(t,e){t.scroll({top:t.scrollHeight,behavior:e?"smooth":"instant"})},e={bind:function(e,n){var r=!1;e.addEventListener("scroll",function(t){r=e.scrollTop+e.clientHeight+11?1:0:1}function c(t,e){return t=Math.abs(t),2===e?s(t):t?Math.min(t,2):0}function f(t,e){if(!t&&"string"!=typeof t)return null;var n=t.split("|");return e=c(e,n.length),n[e]?n[e].trim():t}function l(t){return JSON.parse(JSON.stringify(t))}function p(t,e){if(t.length){var n=t.indexOf(e);if(n>-1)return t.splice(n,1)}}function d(t,e){return L.call(t,e)}function h(t){for(var e=arguments,n=Object(t),r=1;r0;)n[r]=arguments[r+1];var o=t.$i18n;return o._t.apply(o,[e,o.locale,o._getMessages(),t].concat(n))}}}),Object.defineProperty(t.prototype,"$tc",{get:function(){var t=this;return function(e,n){for(var r=[],o=arguments.length-2;o-- >0;)r[o]=arguments[o+2];var i=t.$i18n;return i._tc.apply(i,[e,i.locale,i._getMessages(),t,n].concat(r))}}}),Object.defineProperty(t.prototype,"$te",{get:function(){var t=this;return function(e,n){var r=t.$i18n;return r._te(e,r.locale,r._getMessages(),n)}}}),Object.defineProperty(t.prototype,"$d",{get:function(){var t=this;return function(e){for(var n,r=[],o=arguments.length-1;o-- >0;)r[o]=arguments[o+1];return(n=t.$i18n).d.apply(n,[e].concat(r))}}}),Object.defineProperty(t.prototype,"$n",{get:function(){var t=this;return function(e){for(var n,r=[],o=arguments.length-1;o-- >0;)r[o]=arguments[o+1];return(n=t.$i18n).n.apply(n,[e].concat(r))}}})}function y(t,e,n){_(t,n)&&j(t,e,n)}function g(t,e,n,r){_(t,n)&&(x(t,n)&&v(e.value,e.oldValue)||j(t,e,n))}function b(t,e,n,r){_(t,n)&&(t.textContent="",t._vt=void 0,delete t._vt,t._locale=void 0,delete t._locale)}function _(t,e){var n=e.context;return n?!!n.$i18n||(r("not exist VueI18n instance in Vue instance"),!1):(r("not exist Vue instance in VNode context"),!1)}function x(t,e){var n=e.context;return t._locale===n.$i18n.locale}function j(t,e,n){var o,i,a=e.value,u=w(a),s=u.path,c=u.locale,f=u.args,l=u.choice;if(!s&&!c&&!f)return void r("not support value type");if(!s)return void r("required `path` in v-t directive");var p=n.context;l?t._vt=t.textContent=(o=p.$i18n).tc.apply(o,[s,l].concat(k(c,f))):t._vt=t.textContent=(i=p.$i18n).t.apply(i,[s].concat(k(c,f))),t._locale=p.$i18n.locale}function w(t){var e,n,r,o;return"string"==typeof t?e=t:i(t)&&(e=t.path,n=t.locale,r=t.args,o=t.choice),{path:e,locale:n,args:r,choice:o}}function k(t,e){var n=[];return t&&n.push(t),e&&(Array.isArray(e)||i(e))&&n.push(e),n}function O(t){P=t;P.version&&Number(P.version.split(".")[0])||-1;O.installed=!0,Object.defineProperty(P.prototype,"$i18n",{get:function(){return this._i18n}}),m(P),P.mixin(B),P.directive("t",{bind:y,update:g,unbind:b}),P.component(U.name,U);var e=P.config.optionMergeStrategies;e.i18n=e.methods}function S(t){for(var e=[],n=0,r="";n=97&&e<=122||e>=65&&e<=90?"ident":e>=49&&e<=57?"number":"else"}function T(t){var e=t.trim();return("0"!==t.charAt(0)||!isNaN(t))&&(E(e)?N(e):"*"+e)}function I(t){function e(){var e=t[f+1];if(l===tt&&"'"===e||l===et&&'"'===e)return f++,o="\\"+e,d[V](),!0}var n,r,o,i,a,u,s,c=[],f=-1,l=J,p=0,d=[];for(d[W]=function(){void 0!==r&&(c.push(r),r=void 0)},d[V]=function(){void 0===r?r=o:r+=o},d[G]=function(){d[V](),p++},d[K]=function(){if(p>0)p--,l=Q,d[V]();else{if(p=0,r=T(r),r===!1)return!1;d[W]()}};null!==l;)if(f++,n=t[f],"\\"!==n||!e()){if(i=C(n),s=ot[l],a=s[i]||s.else||rt,a===rt)return;if(l=a[0],u=d[a[1]],u&&(o=a[2],o=void 0===o?n:o,u()===!1))return;if(l===nt)return c}}function $(t){return!!Array.isArray(t)&&0===t.length}var P,M=Object.prototype.toString,R="[object Object]",L=Object.prototype.hasOwnProperty,D="undefined"!=typeof Intl&&"undefined"!=typeof Intl.DateTimeFormat,F="undefined"!=typeof Intl&&"undefined"!=typeof Intl.NumberFormat,B={beforeCreate:function(){var t=this.$options;if(t.i18n=t.i18n||(t.__i18n?{}:null),t.i18n){if(t.i18n instanceof st){if(t.__i18n)try{var e={};t.__i18n.forEach(function(t){e=h(e,JSON.parse(t))}),Object.keys(e).forEach(function(n){t.i18n.mergeLocaleMessage(n,e[n])})}catch(t){}this._i18n=t.i18n,this._i18nWatcher=this._i18n.watchI18nData(),this._i18n.subscribeDataChanging(this),this._subscribing=!0}else if(i(t.i18n)){if(this.$root&&this.$root.$i18n&&this.$root.$i18n instanceof st&&(t.i18n.root=this.$root.$i18n,t.i18n.formatter=this.$root.$i18n.formatter,t.i18n.fallbackLocale=this.$root.$i18n.fallbackLocale,t.i18n.silentTranslationWarn=this.$root.$i18n.silentTranslationWarn),t.__i18n)try{var n={};t.__i18n.forEach(function(t){n=h(n,JSON.parse(t))}),t.i18n.messages=n}catch(t){}this._i18n=new st(t.i18n),this._i18nWatcher=this._i18n.watchI18nData(),this._i18n.subscribeDataChanging(this),this._subscribing=!0,(void 0===t.i18n.sync||t.i18n.sync)&&(this._localeWatcher=this.$i18n.watchLocale())}}else this.$root&&this.$root.$i18n&&this.$root.$i18n instanceof st?(this._i18n=this.$root.$i18n,this._i18n.subscribeDataChanging(this),this._subscribing=!0):t.parent&&t.parent.$i18n&&t.parent.$i18n instanceof st&&(this._i18n=t.parent.$i18n,this._i18n.subscribeDataChanging(this),this._subscribing=!0)},beforeDestroy:function(){this._i18n&&(this._subscribing&&(this._i18n.unsubscribeDataChanging(this),delete this._subscribing),this._i18nWatcher&&(this._i18nWatcher(),delete this._i18nWatcher),this._localeWatcher&&(this._localeWatcher(),delete this._localeWatcher),this._i18n=null)}},U={name:"i18n",functional:!0,props:{tag:{type:String,default:"span"},path:{type:String,required:!0},locale:{type:String},places:{type:[Array,Object]}},render:function(t,e){var n=e.props,o=e.data,i=e.children,a=e.parent,u=a.$i18n;if(i=(i||[]).filter(function(t){return t.tag||(t.text=t.text.trim())}),!u)return i;var s=n.path,c=n.locale,f={},l=n.places||{},p=Array.isArray(l)?l.length>0:Object.keys(l).length>0,d=i.every(function(t){if(t.data&&t.data.attrs){var e=t.data.attrs.place;return"undefined"!=typeof e&&""!==e}});return p&&i.length>0&&!d&&r("If places prop is set, all child elements must have place prop set."),Array.isArray(l)?l.forEach(function(t,e){f[e]=t}):Object.keys(l).forEach(function(t){f[t]=l[t]}),i.forEach(function(t,e){var n=d?""+t.data.attrs.place:""+e;f[n]=t}),t(n.tag,o,u.i(s,c,f))}},z=function(){this._caches=Object.create(null)};z.prototype.interpolate=function(t,e){if(!e)return[t];var n=this._caches[t];return n||(n=S(t),this._caches[t]=n),A(n,e)};var H=/^(\d)+/,q=/^(\w)+/,V=0,W=1,G=2,K=3,J=0,X=1,Z=2,Y=3,Q=4,tt=5,et=6,nt=7,rt=8,ot=[];ot[J]={ws:[J],ident:[Y,V],"[":[Q],eof:[nt]},ot[X]={ws:[X],".":[Z],"[":[Q],eof:[nt]},ot[Z]={ws:[Z],ident:[Y,V],0:[Y,V],number:[Y,V]},ot[Y]={ident:[Y,V],0:[Y,V],number:[Y,V],ws:[X,W],".":[Z,W],"[":[Q,W],eof:[nt,W]},ot[Q]={"'":[tt,V],'"':[et,V],"[":[Q,G],"]":[X,K],eof:rt,else:[Q,V]},ot[tt]={"'":[Q,V],eof:rt,else:[tt,V]},ot[et]={'"':[Q,V],eof:rt,else:[et,V]};var it=/^\s?(true|false|-?[\d.]+|'[^']*'|"[^"]*")\s?$/,at=function(){this._cache=Object.create(null)};at.prototype.parsePath=function(t){var e=this._cache[t];return e||(e=I(t),e&&(this._cache[t]=e)),e||[]},at.prototype.getPathValue=function(t,e){if(!o(t))return null;var n=this.parsePath(e);if($(n))return null;for(var r=n.length,i=null,a=t,u=0;u=0&&(c=this._link(t,e,c,r,o,u)),this._render(c,o,u)},st.prototype._link=function(t,e,n,r,o,i){var a=this,u=n,s=u.match(/(@:[\w\-_|.]+)/g);for(var c in s)if(s.hasOwnProperty(c)){var f=s[c],l=f.substr(2),p=a._interpolate(t,e,l,r,"raw"===o?"string":o,"raw"===o?void 0:i);if(a._isFallbackRoot(p)){if(!a._root)throw Error("unexpected error");var d=a._root;p=d._translate(d._getMessages(),d.locale,d.fallbackLocale,l,r,o,i)}p=a._warnDefault(t,l,p,r,Array.isArray(i)?i:[i]),u=p?u.replace(f,p):u}return u},st.prototype._render=function(t,e,n){var r=this._formatter.interpolate(t,n);return"string"===e?r.join(""):r},st.prototype._translate=function(t,e,n,r,o,i,u){var s=this._interpolate(e,t[e],r,o,i,u);return a(s)?(s=this._interpolate(n,t[n],r,o,i,u),a(s)?null:s):s},st.prototype._t=function(t,e,n,r){for(var o,i=[],a=arguments.length-4;a-- >0;)i[a]=arguments[a+4];if(!t)return"";var s=u.apply(void 0,i),c=s.locale||e,f=this._translate(n,c,this.fallbackLocale,t,r,"string",s.params);if(this._isFallbackRoot(f)){if(!this._root)throw Error("unexpected error");return(o=this._root).t.apply(o,[t].concat(i))}return this._warnDefault(c,t,f,r,i)},st.prototype.t=function(t){for(var e,n=[],r=arguments.length-1;r-- >0;)n[r]=arguments[r+1];return(e=this)._t.apply(e,[t,this.locale,this._getMessages(),null].concat(n))},st.prototype._i=function(t,e,n,r,o){var i=this._translate(n,e,this.fallbackLocale,t,r,"raw",o);if(this._isFallbackRoot(i)){if(!this._root)throw Error("unexpected error");return this._root.i(t,e,o)}return this._warnDefault(e,t,i,r,[o])},st.prototype.i=function(t,e,n){return t?("string"!=typeof e&&(e=this.locale),this._i(t,e,this._getMessages(),null,n)):""},st.prototype._tc=function(t,e,n,r,o){for(var i,a=[],u=arguments.length-5;u-- >0;)a[u]=arguments[u+5];return t?(void 0===o&&(o=1),f((i=this)._t.apply(i,[t,e,n,r].concat(a)),o)):""},st.prototype.tc=function(t,e){for(var n,r=[],o=arguments.length-2;o-- >0;)r[o]=arguments[o+2];return(n=this)._tc.apply(n,[t,this.locale,this._getMessages(),null,e].concat(r))},st.prototype._te=function(t,e,n){for(var r=[],o=arguments.length-3;o-- >0;)r[o]=arguments[o+3];var i=u.apply(void 0,r).locale||e;return this._exist(n[i],t)},st.prototype.te=function(t,e){return this._te(t,this.locale,this._getMessages(),e)},st.prototype.getLocaleMessage=function(t){return l(this._vm.messages[t]||{})},st.prototype.setLocaleMessage=function(t,e){this._vm.$set(this._vm.messages,t,e)},st.prototype.mergeLocaleMessage=function(t,e){this._vm.$set(this._vm.messages,t,P.util.extend(this._vm.messages[t]||{},e))},st.prototype.getDateTimeFormat=function(t){return l(this._vm.dateTimeFormats[t]||{})},st.prototype.setDateTimeFormat=function(t,e){this._vm.$set(this._vm.dateTimeFormats,t,e)},st.prototype.mergeDateTimeFormat=function(t,e){this._vm.$set(this._vm.dateTimeFormats,t,P.util.extend(this._vm.dateTimeFormats[t]||{},e))},st.prototype._localizeDateTime=function(t,e,n,r,o){var i=e,u=r[i];if((a(u)||a(u[o]))&&(i=n,u=r[i]),a(u)||a(u[o]))return null;var s=u[o],c=i+"__"+o,f=this._dateTimeFormatters[c];return f||(f=this._dateTimeFormatters[c]=new Intl.DateTimeFormat(i,s)),f.format(t)},st.prototype._d=function(t,e,n){if(!n)return new Intl.DateTimeFormat(e).format(t);var r=this._localizeDateTime(t,e,this.fallbackLocale,this._getDateTimeFormats(),n);if(this._isFallbackRoot(r)){if(!this._root)throw Error("unexpected error");return this._root.d(t,n,e)}return r||""},st.prototype.d=function(t){for(var e=[],n=arguments.length-1;n-- >0;)e[n]=arguments[n+1];var r=this.locale,i=null;return 1===e.length?"string"==typeof e[0]?i=e[0]:o(e[0])&&(e[0].locale&&(r=e[0].locale),e[0].key&&(i=e[0].key)):2===e.length&&("string"==typeof e[0]&&(i=e[0]),"string"==typeof e[1]&&(r=e[1])),this._d(t,r,i)},st.prototype.getNumberFormat=function(t){return l(this._vm.numberFormats[t]||{})},st.prototype.setNumberFormat=function(t,e){this._vm.$set(this._vm.numberFormats,t,e)},st.prototype.mergeNumberFormat=function(t,e){this._vm.$set(this._vm.numberFormats,t,P.util.extend(this._vm.numberFormats[t]||{},e))},st.prototype._localizeNumber=function(t,e,n,r,o,i){var u=e,s=r[u];if((a(s)||a(s[o]))&&(u=n,s=r[u]),a(s)||a(s[o]))return null;var c,f=s[o];if(i)c=new Intl.NumberFormat(u,Object.assign({},f,i));else{var l=u+"__"+o;c=this._numberFormatters[l],c||(c=this._numberFormatters[l]=new Intl.NumberFormat(u,f))}return c.format(t)},st.prototype._n=function(t,e,n,r){if(!n){var o=r?new Intl.NumberFormat(e,r):new Intl.NumberFormat(e);return o.format(t)}var i=this._localizeNumber(t,e,this.fallbackLocale,this._getNumberFormats(),n,r);if(this._isFallbackRoot(i)){if(!this._root)throw Error("unexpected error");return this._root.n(t,Object.assign({},{key:n,locale:e},r))}return i||""},st.prototype.n=function(t){for(var e=[],n=arguments.length-1;n-- >0;)e[n]=arguments[n+1];var r=this.locale,i=null,a=null;return 1===e.length?"string"==typeof e[0]?i=e[0]:o(e[0])&&(e[0].locale&&(r=e[0].locale),e[0].key&&(i=e[0].key),a=Object.keys(e[0]).reduce(function(t,n){var r;return ut.includes(n)?Object.assign({},t,(r={},r[n]=e[0][n],r)):t},null)):2===e.length&&("string"==typeof e[0]&&(i=e[0]),"string"==typeof e[1]&&(r=e[1])),this._n(t,r,i,a)},Object.defineProperties(st.prototype,ct),st.availabilities={dateTimeFormat:D,numberFormat:F},st.install=O,st.version="7.8.1",t.exports=st},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(t,e,n){/** + * vue-router v3.0.1 + * (c) 2017 Evan You + * @license MIT + */ +"use strict";function r(t,e){}function o(t){return Object.prototype.toString.call(t).indexOf("Error")>-1}function i(t,e){switch(typeof e){case"undefined":return;case"object":return e;case"function":return e(t);case"boolean":return e?t.params:void 0}}function a(t,e){for(var n in e)t[n]=e[n];return t}function u(t,e,n){void 0===e&&(e={});var r,o=n||s;try{r=o(t||"")}catch(t){r={}}for(var i in e)r[i]=e[i];return r}function s(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach(function(t){var n=t.replace(/\+/g," ").split("="),r=Bt(n.shift()),o=n.length>0?Bt(n.join("=")):null;void 0===e[r]?e[r]=o:Array.isArray(e[r])?e[r].push(o):e[r]=[e[r],o]}),e):e}function c(t){var e=t?Object.keys(t).map(function(e){var n=t[e];if(void 0===n)return"";if(null===n)return Ft(e);if(Array.isArray(n)){var r=[];return n.forEach(function(t){void 0!==t&&(null===t?r.push(Ft(e)):r.push(Ft(e)+"="+Ft(t)))}),r.join("&")}return Ft(e)+"="+Ft(n)}).filter(function(t){return t.length>0}).join("&"):null;return e?"?"+e:""}function f(t,e,n,r){var o=r&&r.options.stringifyQuery,i=e.query||{};try{i=l(i)}catch(t){}var a={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:i,params:e.params||{},fullPath:d(e,o),matched:t?p(t):[]};return n&&(a.redirectedFrom=d(n,o)),Object.freeze(a)}function l(t){if(Array.isArray(t))return t.map(l);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=l(t[n]);return e}return t}function p(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function d(t,e){var n=t.path,r=t.query;void 0===r&&(r={});var o=t.hash;void 0===o&&(o="");var i=e||c;return(n||"/")+i(r)+o}function h(t,e){return e===zt?t===e:!!e&&(t.path&&e.path?t.path.replace(Ut,"")===e.path.replace(Ut,"")&&t.hash===e.hash&&v(t.query,e.query):!(!t.name||!e.name)&&(t.name===e.name&&t.hash===e.hash&&v(t.query,e.query)&&v(t.params,e.params)))}function v(t,e){if(void 0===t&&(t={}),void 0===e&&(e={}),!t||!e)return t===e;var n=Object.keys(t),r=Object.keys(e);return n.length===r.length&&n.every(function(n){var r=t[n],o=e[n];return"object"==typeof r&&"object"==typeof o?v(r,o):String(r)===String(o)})}function m(t,e){return 0===t.path.replace(Ut,"/").indexOf(e.path.replace(Ut,"/"))&&(!e.hash||t.hash===e.hash)&&y(t.query,e.query)}function y(t,e){for(var n in e)if(!(n in t))return!1;return!0}function g(t){if(!(t.metaKey||t.altKey||t.ctrlKey||t.shiftKey||t.defaultPrevented||void 0!==t.button&&0!==t.button)){if(t.currentTarget&&t.currentTarget.getAttribute){var e=t.currentTarget.getAttribute("target");if(/\b_blank\b/i.test(e))return}return t.preventDefault&&t.preventDefault(),!0}}function b(t){if(t)for(var e,n=0;n=0&&(e=t.slice(r),t=t.slice(0,r));var o=t.indexOf("?");return o>=0&&(n=t.slice(o+1),t=t.slice(0,o)),{path:t,query:n,hash:e}}function w(t){return t.replace(/\/\//g,"/")}function k(t,e){for(var n,r=[],o=0,i=0,a="",u=e&&e.delimiter||"/";null!=(n=Qt.exec(t));){var s=n[0],c=n[1],f=n.index;if(a+=t.slice(i,f),i=f+s.length,c)a+=c[1];else{var l=t[i],p=n[2],d=n[3],h=n[4],v=n[5],m=n[6],y=n[7];a&&(r.push(a),a="");var g=null!=p&&null!=l&&l!==p,b="+"===m||"*"===m,_="?"===m||"*"===m,x=n[2]||u,j=h||v;r.push({name:d||o++,prefix:p||"",delimiter:x,optional:_,repeat:b,partial:g,asterisk:!!y,pattern:j?C(j):y?".*":"[^"+N(x)+"]+?"})}}return i-1&&(o.params[p]=n.params[p]);if(u)return o.path=D(u.path,o.params,'named route "'+i+'"'),a(u,o,r)}else if(o.path){o.params={};for(var d=0;d=t.length?n():t[o]?e(t[o],function(){r(o+1)}):r(o+1)};r(0)}function ft(t){return function(e,n,r){var i=!1,a=0,u=null;lt(t,function(t,e,n,s){if("function"==typeof t&&void 0===t.cid){i=!0,a++;var c,f=ht(function(e){dt(e)&&(e=e.default),t.resolved="function"==typeof e?e:Pt.extend(e),n.components[s]=e,a--,a<=0&&r()}),l=ht(function(t){var e="Failed to resolve async component "+s+": "+t;u||(u=o(t)?t:new Error(e),r(u))});try{c=t(f,l)}catch(t){l(t)}if(c)if("function"==typeof c.then)c.then(f,l);else{var p=c.component;p&&"function"==typeof p.then&&p.then(f,l)}}}),i||r()}}function lt(t,e){return pt(t.map(function(t){return Object.keys(t.components).map(function(n){return e(t.components[n],t.instances[n],t,n)})}))}function pt(t){return Array.prototype.concat.apply([],t)}function dt(t){return t.__esModule||ie&&"Module"===t[Symbol.toStringTag]}function ht(t){var e=!1;return function(){for(var n=[],r=arguments.length;r--;)n[r]=arguments[r];if(!e)return e=!0,t.apply(this,n)}}function vt(t){if(!t)if(Wt){var e=document.querySelector("base");t=e&&e.getAttribute("href")||"/",t=t.replace(/^https?:\/\/[^\/]+/,"")}else t="/";return"/"!==t.charAt(0)&&(t="/"+t),t.replace(/\/$/,"")}function mt(t,e){var n,r=Math.max(t.length,e.length);for(n=0;n=0?e.slice(0,n):e;return r+"#"+t}function Ct(t){ne?ut(Nt(t)):window.location.hash=t}function Tt(t){ne?st(Nt(t)):window.location.replace(Nt(t))}function It(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}function $t(t,e,n){var r="hash"===n?"#"+e:e;return t?w(t+"/"+r):r}var Pt,Mt={name:"router-view",functional:!0,props:{name:{type:String,default:"default"}},render:function(t,e){var n=e.props,r=e.children,o=e.parent,u=e.data;u.routerView=!0;for(var s=o.$createElement,c=n.name,f=o.$route,l=o._routerViewCache||(o._routerViewCache={}),p=0,d=!1;o&&o._routerRoot!==o;)o.$vnode&&o.$vnode.data.routerView&&p++,o._inactive&&(d=!0),o=o.$parent;if(u.routerViewDepth=p,d)return s(l[c],u,r);var h=f.matched[p];if(!h)return l[c]=null,s();var v=l[c]=h.components[c];u.registerRouteInstance=function(t,e){var n=h.instances[c];(e&&n!==t||!e&&n===t)&&(h.instances[c]=e)},(u.hook||(u.hook={})).prepatch=function(t,e){h.instances[c]=e.componentInstance};var m=u.props=i(f,h.props&&h.props[c]);if(m){m=u.props=a({},m);var y=u.attrs=u.attrs||{};for(var g in m)v.props&&g in v.props||(y[g]=m[g],delete m[g])}return s(v,u,r)}},Rt=/[!'()*]/g,Lt=function(t){return"%"+t.charCodeAt(0).toString(16)},Dt=/%2C/g,Ft=function(t){return encodeURIComponent(t).replace(Rt,Lt).replace(Dt,",")},Bt=decodeURIComponent,Ut=/\/?$/,zt=f(null,{path:"/"}),Ht=[String,Object],qt=[String,Array],Vt={name:"router-link",props:{to:{type:Ht,required:!0},tag:{type:String,default:"a"},exact:Boolean,append:Boolean,replace:Boolean,activeClass:String,exactActiveClass:String,event:{type:qt,default:"click"}},render:function(t){var e=this,n=this.$router,r=this.$route,o=n.resolve(this.to,r,this.append),i=o.location,a=o.route,u=o.href,s={},c=n.options.linkActiveClass,l=n.options.linkExactActiveClass,p=null==c?"router-link-active":c,d=null==l?"router-link-exact-active":l,v=null==this.activeClass?p:this.activeClass,y=null==this.exactActiveClass?d:this.exactActiveClass,_=i.path?f(null,i,null,n):a;s[y]=h(r,_),s[v]=this.exact?s[y]:m(r,_);var x=function(t){g(t)&&(e.replace?n.replace(i):n.push(i))},j={click:g};Array.isArray(this.event)?this.event.forEach(function(t){j[t]=x}):j[this.event]=x;var w={class:s};if("a"===this.tag)w.on=j,w.attrs={href:u};else{var k=b(this.$slots.default);if(k){k.isStatic=!1;var O=Pt.util.extend,S=k.data=O({},k.data);S.on=j;var A=k.data.attrs=O({},k.data.attrs);A.href=u}else w.on=j}return t(this.tag,w,this.$slots.default)}},Wt="undefined"!=typeof window,Gt=Array.isArray||function(t){return"[object Array]"==Object.prototype.toString.call(t)},Kt=L,Jt=k,Xt=O,Zt=E,Yt=R,Qt=new RegExp(["(\\\\.)","([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))"].join("|"),"g");Kt.parse=Jt,Kt.compile=Xt,Kt.tokensToFunction=Zt,Kt.tokensToRegExp=Yt;var te=Object.create(null),ee=Object.create(null),ne=Wt&&function(){var t=window.navigator.userAgent;return(t.indexOf("Android 2.")===-1&&t.indexOf("Android 4.0")===-1||t.indexOf("Mobile Safari")===-1||t.indexOf("Chrome")!==-1||t.indexOf("Windows Phone")!==-1)&&(window.history&&"pushState"in window.history)}(),re=Wt&&window.performance&&window.performance.now?window.performance:Date,oe=ot(),ie="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag,ae=function(t,e){this.router=t,this.base=vt(e),this.current=zt,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[]};ae.prototype.listen=function(t){this.cb=t},ae.prototype.onReady=function(t,e){this.ready?t():(this.readyCbs.push(t),e&&this.readyErrorCbs.push(e))},ae.prototype.onError=function(t){this.errorCbs.push(t)},ae.prototype.transitionTo=function(t,e,n){var r=this,o=this.router.match(t,this.current);this.confirmTransition(o,function(){r.updateRoute(o),e&&e(o),r.ensureURL(),r.ready||(r.ready=!0,r.readyCbs.forEach(function(t){t(o)}))},function(t){n&&n(t),t&&!r.ready&&(r.ready=!0,r.readyErrorCbs.forEach(function(e){e(t)}))})},ae.prototype.confirmTransition=function(t,e,n){var i=this,a=this.current,u=function(t){o(t)&&(i.errorCbs.length?i.errorCbs.forEach(function(e){e(t)}):(r(!1,"uncaught error during route navigation:"),console.error(t))),n&&n(t)};if(h(t,a)&&t.matched.length===a.matched.length)return this.ensureURL(),u();var s=mt(this.current.matched,t.matched),c=s.updated,f=s.deactivated,l=s.activated,p=[].concat(bt(f),this.router.beforeHooks,_t(c),l.map(function(t){return t.beforeEnter}),ft(l));this.pending=t;var d=function(e,n){if(i.pending!==t)return u();try{e(t,a,function(t){t===!1||o(t)?(i.ensureURL(!0),u(t)):"string"==typeof t||"object"==typeof t&&("string"==typeof t.path||"string"==typeof t.name)?(u(),"object"==typeof t&&t.replace?i.replace(t):i.push(t)):n(t)})}catch(t){u(t)}};ct(p,d,function(){var n=[],r=function(){return i.current===t},o=jt(l,n,r),a=o.concat(i.router.resolveHooks);ct(a,d,function(){return i.pending!==t?u():(i.pending=null,e(t),void(i.router.app&&i.router.app.$nextTick(function(){n.forEach(function(t){t()})})))})})},ae.prototype.updateRoute=function(t){var e=this.current;this.current=t,this.cb&&this.cb(t),this.router.afterHooks.forEach(function(n){n&&n(t,e)})};var ue=function(t){function e(e,n){var r=this;t.call(this,e,n);var o=e.options.scrollBehavior;o&&K();var i=Ot(this.base);window.addEventListener("popstate",function(t){var n=r.current,a=Ot(r.base);r.current===zt&&a===i||r.transitionTo(a,function(t){o&&J(e,t,n,!0)})})}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.go=function(t){window.history.go(t)},e.prototype.push=function(t,e,n){var r=this,o=this,i=o.current;this.transitionTo(t,function(t){ut(w(r.base+t.fullPath)),J(r.router,t,i,!1),e&&e(t)},n)},e.prototype.replace=function(t,e,n){var r=this,o=this,i=o.current;this.transitionTo(t,function(t){st(w(r.base+t.fullPath)),J(r.router,t,i,!1),e&&e(t)},n)},e.prototype.ensureURL=function(t){if(Ot(this.base)!==this.current.fullPath){var e=w(this.base+this.current.fullPath);t?ut(e):st(e)}},e.prototype.getCurrentLocation=function(){return Ot(this.base)},e}(ae),se=function(t){function e(e,n,r){t.call(this,e,n),r&&St(this.base)||At()}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.setupListeners=function(){var t=this,e=this.router,n=e.options.scrollBehavior,r=ne&&n;r&&K(),window.addEventListener(ne?"popstate":"hashchange",function(){var e=t.current;At()&&t.transitionTo(Et(),function(n){r&&J(t.router,n,e,!0),ne||Tt(n.fullPath)})})},e.prototype.push=function(t,e,n){var r=this,o=this,i=o.current;this.transitionTo(t,function(t){Ct(t.fullPath),J(r.router,t,i,!1),e&&e(t)},n)},e.prototype.replace=function(t,e,n){var r=this,o=this,i=o.current;this.transitionTo(t,function(t){Tt(t.fullPath),J(r.router,t,i,!1),e&&e(t)},n)},e.prototype.go=function(t){window.history.go(t)},e.prototype.ensureURL=function(t){var e=this.current.fullPath;Et()!==e&&(t?Ct(e):Tt(e))},e.prototype.getCurrentLocation=function(){return Et()},e}(ae),ce=function(t){function e(e,n){t.call(this,e,n),this.stack=[],this.index=-1}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.push=function(t,e,n){var r=this;this.transitionTo(t,function(t){r.stack=r.stack.slice(0,r.index+1).concat(t),r.index++,e&&e(t)},n)},e.prototype.replace=function(t,e,n){var r=this;this.transitionTo(t,function(t){r.stack=r.stack.slice(0,r.index).concat(t),e&&e(t)},n)},e.prototype.go=function(t){var e=this,n=this.index+t;if(!(n<0||n>=this.stack.length)){var r=this.stack[n];this.confirmTransition(r,function(){e.index=n,e.updateRoute(r)})}},e.prototype.getCurrentLocation=function(){var t=this.stack[this.stack.length-1];return t?t.fullPath:"/"},e.prototype.ensureURL=function(){},e}(ae),fe=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=V(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!ne&&t.fallback!==!1,this.fallback&&(e="hash"),Wt||(e="abstract"),this.mode=e,e){case"history":this.history=new ue(this,t.base);break;case"hash":this.history=new se(this,t.base,this.fallback);break;case"abstract":this.history=new ce(this,t.base)}},le={currentRoute:{configurable:!0}};fe.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},le.currentRoute.get=function(){return this.history&&this.history.current},fe.prototype.init=function(t){var e=this;if(this.apps.push(t),!this.app){this.app=t;var n=this.history;if(n instanceof ue)n.transitionTo(n.getCurrentLocation());else if(n instanceof se){var r=function(){n.setupListeners()};n.transitionTo(n.getCurrentLocation(),r,r)}n.listen(function(t){e.apps.forEach(function(e){e._route=t})})}},fe.prototype.beforeEach=function(t){return It(this.beforeHooks,t)},fe.prototype.beforeResolve=function(t){return It(this.resolveHooks,t)},fe.prototype.afterEach=function(t){return It(this.afterHooks,t)},fe.prototype.onReady=function(t,e){this.history.onReady(t,e)},fe.prototype.onError=function(t){this.history.onError(t)},fe.prototype.push=function(t,e,n){this.history.push(t,e,n)},fe.prototype.replace=function(t,e,n){this.history.replace(t,e,n)},fe.prototype.go=function(t){this.history.go(t)},fe.prototype.back=function(){this.go(-1)},fe.prototype.forward=function(){this.go(1)},fe.prototype.getMatchedComponents=function(t){var e=t?t.matched?t:this.resolve(t).route:this.currentRoute;return e?[].concat.apply([],e.matched.map(function(t){return Object.keys(t.components).map(function(e){return t.components[e]})})):[]},fe.prototype.resolve=function(t,e,n){var r=H(t,e||this.history.current,n,this),o=this.match(r,e),i=o.redirectedFrom||o.fullPath,a=this.history.base,u=$t(a,i,this.mode);return{location:r,route:o,href:u,normalizedTo:r,resolved:o}},fe.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==zt&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(fe.prototype,le),fe.install=_,fe.version="3.0.1",Wt&&window.Vue&&window.Vue.use(fe),t.exports=fe},function(t,e){t.exports=function(t,e){for(var n=[],r={},o=0;o1?e[1].replace(/%s/,n):e[0].replace(/%s/,n):e.replace(/%s/,n)}function e(t){var e=new Date(t);return e.toLocaleString()}function n(n,c){void 0===c&&(c={});var f=c.name;void 0===f&&(f="timeago");var l=c.locale;void 0===l&&(l="en-US");var p=c.locales;if(void 0===p&&(p=null),!p||0===Object.keys(p).length)throw new TypeError("Expected locales to have at least one locale.");var d={props:{since:{required:!0},locale:String,maxTime:Number,autoUpdate:Number,format:Function},data:function(){return{now:(new Date).getTime()}},computed:{currentLocale:function(){var t=p[this.locale||l];return t?t:p[l]},sinceTime:function(){return new Date(this.since).getTime()},timeForTitle:function(){var t=this.now/1e3-this.sinceTime/1e3;return this.maxTime&&t>this.maxTime?null:this.format?this.format(this.sinceTime):e(this.sinceTime)},timeago:function(){var n=this.now/1e3-this.sinceTime/1e3;if(this.maxTime&&n>this.maxTime)return clearInterval(this.interval),this.format?this.format(this.sinceTime):e(this.sinceTime);var c=n<=5?t("just now",this.currentLocale[0]):n-1&&e.splice(n,1)}}function c(t,e){t._actions=Object.create(null),t._mutations=Object.create(null),t._wrappedGetters=Object.create(null),t._modulesNamespaceMap=Object.create(null);var n=t.state;l(t,n,[],t._modules.root,!0),f(t,n,e)}function f(t,e,n){var r=t._vm;t.getters={};var i=t._wrappedGetters,a={};o(i,function(e,n){a[n]=function(){return e(t)},Object.defineProperty(t.getters,n,{get:function(){return t._vm[n]},enumerable:!0})});var u=N.config.silent;N.config.silent=!0,t._vm=new N({data:{$$state:e},computed:a}),N.config.silent=u,t.strict&&y(t),r&&(n&&t._withCommit(function(){r._data.$$state=null}),N.nextTick(function(){return r.$destroy()}))}function l(t,e,n,r,o){var i=!n.length,a=t._modules.getNamespace(n);if(r.namespaced&&(t._modulesNamespaceMap[a]=r),!i&&!o){var u=g(e,n.slice(0,-1)),s=n[n.length-1];t._withCommit(function(){N.set(u,s,r.state)})}var c=r.context=p(t,a,n);r.forEachMutation(function(e,n){var r=a+n;h(t,r,e,c)}),r.forEachAction(function(e,n){var r=e.root?n:a+n,o=e.handler||e;v(t,r,o,c)}),r.forEachGetter(function(e,n){var r=a+n;m(t,r,e,c)}),r.forEachChild(function(r,i){l(t,e,n.concat(i),r,o)})}function p(t,e,n){var r=""===e,o={dispatch:r?t.dispatch:function(n,r,o){var i=b(n,r,o),a=i.payload,u=i.options,s=i.type;return u&&u.root||(s=e+s),t.dispatch(s,a)},commit:r?t.commit:function(n,r,o){var i=b(n,r,o),a=i.payload,u=i.options,s=i.type;u&&u.root||(s=e+s),t.commit(s,a,u)}};return Object.defineProperties(o,{getters:{get:r?function(){return t.getters}:function(){return d(t,e)}},state:{get:function(){return g(t.state,n)}}}),o}function d(t,e){var n={},r=e.length;return Object.keys(t.getters).forEach(function(o){if(o.slice(0,r)===e){var i=o.slice(r);Object.defineProperty(n,i,{get:function(){return t.getters[o]},enumerable:!0})}}),n}function h(t,e,n,r){var o=t._mutations[e]||(t._mutations[e]=[]);o.push(function(e){n.call(t,r.state,e)})}function v(t,e,n,r){var o=t._actions[e]||(t._actions[e]=[]);o.push(function(e,o){var i=n.call(t,{dispatch:r.dispatch,commit:r.commit,getters:r.getters,state:r.state,rootGetters:t.getters,rootState:t.state},e,o);return a(i)||(i=Promise.resolve(i)),t._devtoolHook?i.catch(function(e){throw t._devtoolHook.emit("vuex:error",e),e}):i})}function m(t,e,n,r){t._wrappedGetters[e]||(t._wrappedGetters[e]=function(t){return n(r.state,r.getters,t.state,t.getters)})}function y(t){t._vm.$watch(function(){return this._data.$$state},function(){},{deep:!0,sync:!0})}function g(t,e){return e.length?e.reduce(function(t,e){return t[e]},t):t}function b(t,e,n){return i(t)&&t.type&&(n=e,e=t,t=t.type),{type:t,payload:e,options:n}}function _(t){N&&t===N||(N=t,k(N))}function x(t){return Array.isArray(t)?t.map(function(t){return{key:t,val:t}}):Object.keys(t).map(function(e){return{key:e,val:t[e]}})}function j(t){return function(e,n){return"string"!=typeof e?(n=e,e=""):"/"!==e.charAt(e.length-1)&&(e+="/"),t(e,n)}}function w(t,e,n){var r=t._modulesNamespaceMap[n];return r}var k=function(t){function e(){var t=this.$options;t.store?this.$store="function"==typeof t.store?t.store():t.store:t.parent&&t.parent.$store&&(this.$store=t.parent.$store)}var n=Number(t.version.split(".")[0]);if(n>=2)t.mixin({beforeCreate:e});else{var r=t.prototype._init;t.prototype._init=function(t){void 0===t&&(t={}),t.init=t.init?[e].concat(t.init):e,r.call(this,t)}}},O="undefined"!=typeof window&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__,S=function(t,e){this.runtime=e,this._children=Object.create(null),this._rawModule=t;var n=t.state;this.state=("function"==typeof n?n():n)||{}},A={namespaced:{configurable:!0}};A.namespaced.get=function(){return!!this._rawModule.namespaced},S.prototype.addChild=function(t,e){this._children[t]=e},S.prototype.removeChild=function(t){delete this._children[t]},S.prototype.getChild=function(t){return this._children[t]},S.prototype.update=function(t){this._rawModule.namespaced=t.namespaced,t.actions&&(this._rawModule.actions=t.actions),t.mutations&&(this._rawModule.mutations=t.mutations),t.getters&&(this._rawModule.getters=t.getters)},S.prototype.forEachChild=function(t){o(this._children,t)},S.prototype.forEachGetter=function(t){this._rawModule.getters&&o(this._rawModule.getters,t)},S.prototype.forEachAction=function(t){this._rawModule.actions&&o(this._rawModule.actions,t)},S.prototype.forEachMutation=function(t){this._rawModule.mutations&&o(this._rawModule.mutations,t)},Object.defineProperties(S.prototype,A);var E=function(t){this.register([],t,!1)};E.prototype.get=function(t){return t.reduce(function(t,e){return t.getChild(e)},this.root)},E.prototype.getNamespace=function(t){var e=this.root;return t.reduce(function(t,n){return e=e.getChild(n),t+(e.namespaced?n+"/":"")},"")},E.prototype.update=function(t){u([],this.root,t)},E.prototype.register=function(t,e,n){var r=this;void 0===n&&(n=!0);var i=new S(e,n);if(0===t.length)this.root=i;else{var a=this.get(t.slice(0,-1));a.addChild(t[t.length-1],i)}e.modules&&o(e.modules,function(e,o){r.register(t.concat(o),e,n)})},E.prototype.unregister=function(t){var e=this.get(t.slice(0,-1)),n=t[t.length-1];e.getChild(n).runtime&&e.removeChild(n)};var N,C=function t(e){var n=this;void 0===e&&(e={}),!N&&"undefined"!=typeof window&&window.Vue&&_(window.Vue);var o=e.plugins;void 0===o&&(o=[]);var i=e.strict;void 0===i&&(i=!1);var a=e.state;void 0===a&&(a={}),"function"==typeof a&&(a=a()||{}),this._committing=!1,this._actions=Object.create(null),this._actionSubscribers=[],this._mutations=Object.create(null),this._wrappedGetters=Object.create(null),this._modules=new E(e),this._modulesNamespaceMap=Object.create(null),this._subscribers=[],this._watcherVM=new N;var u=this,s=this,c=s.dispatch,p=s.commit;this.dispatch=function(t,e){return c.call(u,t,e)},this.commit=function(t,e,n){return p.call(u,t,e,n)},this.strict=i,l(this,a,[],this._modules.root),f(this,a),o.forEach(function(t){return t(n)}),N.config.devtools&&r(this)},T={state:{configurable:!0}};T.state.get=function(){return this._vm._data.$$state},T.state.set=function(t){},C.prototype.commit=function(t,e,n){var r=this,o=b(t,e,n),i=o.type,a=o.payload,u=(o.options,{type:i,payload:a}),s=this._mutations[i];s&&(this._withCommit(function(){s.forEach(function(t){t(a)})}),this._subscribers.forEach(function(t){return t(u,r.state)}))},C.prototype.dispatch=function(t,e){var n=this,r=b(t,e),o=r.type,i=r.payload,a={type:o,payload:i},u=this._actions[o];if(u)return this._actionSubscribers.forEach(function(t){return t(a,n.state)}),u.length>1?Promise.all(u.map(function(t){return t(i)})):u[0](i)},C.prototype.subscribe=function(t){return s(t,this._subscribers)},C.prototype.subscribeAction=function(t){return s(t,this._actionSubscribers)},C.prototype.watch=function(t,e,n){var r=this;return this._watcherVM.$watch(function(){return t(r.state,r.getters)},e,n)},C.prototype.replaceState=function(t){var e=this;this._withCommit(function(){e._vm._data.$$state=t})},C.prototype.registerModule=function(t,e,n){void 0===n&&(n={}),"string"==typeof t&&(t=[t]),this._modules.register(t,e),l(this,this.state,t,this._modules.get(t),n.preserveState),f(this,this.state)},C.prototype.unregisterModule=function(t){var e=this;"string"==typeof t&&(t=[t]),this._modules.unregister(t),this._withCommit(function(){var n=g(e.state,t.slice(0,-1));N.delete(n,t[t.length-1])}),c(this)},C.prototype.hotUpdate=function(t){this._modules.update(t),c(this,!0)},C.prototype._withCommit=function(t){var e=this._committing;this._committing=!0,t(),this._committing=e},Object.defineProperties(C.prototype,T);var I=j(function(t,e){var n={};return x(e).forEach(function(e){var r=e.key,o=e.val;n[r]=function(){var e=this.$store.state,n=this.$store.getters;if(t){var r=w(this.$store,"mapState",t);if(!r)return;e=r.context.state,n=r.context.getters}return"function"==typeof o?o.call(this,e,n):e[o]},n[r].vuex=!0}),n}),$=j(function(t,e){var n={};return x(e).forEach(function(e){var r=e.key,o=e.val;n[r]=function(){for(var e=[],n=arguments.length;n--;)e[n]=arguments[n];var r=this.$store.commit;if(t){var i=w(this.$store,"mapMutations",t);if(!i)return;r=i.context.commit}return"function"==typeof o?o.apply(this,[r].concat(e)):r.apply(this.$store,[o].concat(e))}}),n}),P=j(function(t,e){var n={};return x(e).forEach(function(e){var r=e.key,o=e.val;o=t+o,n[r]=function(){if(!t||w(this.$store,"mapGetters",t))return this.$store.getters[o]},n[r].vuex=!0}),n}),M=j(function(t,e){var n={};return x(e).forEach(function(e){var r=e.key,o=e.val;n[r]=function(){for(var e=[],n=arguments.length;n--;)e[n]=arguments[n];var r=this.$store.dispatch;if(t){var i=w(this.$store,"mapActions",t);if(!i)return;r=i.context.dispatch}return"function"==typeof o?o.apply(this,[r].concat(e)):r.apply(this.$store,[o].concat(e))}}),n}),R=function(t){return{mapState:I.bind(null,t),mapGetters:P.bind(null,t),mapMutations:$.bind(null,t),mapActions:M.bind(null,t)}},L={Store:C,install:_,version:"3.0.1",mapState:I,mapMutations:$,mapGetters:P,mapActions:M,createNamespacedHelpers:R};t.exports=L},function(t,e){!function(t){"use strict";function e(t){if("string"!=typeof t&&(t=String(t)),/[^a-z0-9\-#$%&'*+.\^_`|~]/i.test(t))throw new TypeError("Invalid character in header field name");return t.toLowerCase()}function n(t){return"string"!=typeof t&&(t=String(t)),t}function r(t){var e={next:function(){var e=t.shift();return{done:void 0===e,value:e}}};return y.iterable&&(e[Symbol.iterator]=function(){return e}),e}function o(t){this.map={},t instanceof o?t.forEach(function(t,e){this.append(e,t)},this):Array.isArray(t)?t.forEach(function(t){this.append(t[0],t[1])},this):t&&Object.getOwnPropertyNames(t).forEach(function(e){this.append(e,t[e])},this)}function i(t){return t.bodyUsed?Promise.reject(new TypeError("Already read")):void(t.bodyUsed=!0)}function a(t){return new Promise(function(e,n){t.onload=function(){e(t.result)},t.onerror=function(){n(t.error)}})}function u(t){var e=new FileReader,n=a(e);return e.readAsArrayBuffer(t),n}function s(t){var e=new FileReader,n=a(e);return e.readAsText(t),n}function c(t){for(var e=new Uint8Array(t),n=new Array(e.length),r=0;r-1?e:t}function d(t,e){e=e||{};var n=e.body;if(t instanceof d){if(t.bodyUsed)throw new TypeError("Already read");this.url=t.url,this.credentials=t.credentials,e.headers||(this.headers=new o(t.headers)),this.method=t.method,this.mode=t.mode,n||null==t._bodyInit||(n=t._bodyInit,t.bodyUsed=!0)}else this.url=String(t);if(this.credentials=e.credentials||this.credentials||"omit",!e.headers&&this.headers||(this.headers=new o(e.headers)),this.method=p(e.method||this.method||"GET"),this.mode=e.mode||this.mode||null,this.referrer=null,("GET"===this.method||"HEAD"===this.method)&&n)throw new TypeError("Body not allowed for GET or HEAD requests");this._initBody(n)}function h(t){var e=new FormData;return t.trim().split("&").forEach(function(t){if(t){var n=t.split("="),r=n.shift().replace(/\+/g," "),o=n.join("=").replace(/\+/g," ");e.append(decodeURIComponent(r),decodeURIComponent(o))}}),e}function v(t){var e=new o,n=t.replace(/\r?\n[\t ]+/g," ");return n.split(/\r?\n/).forEach(function(t){var n=t.split(":"),r=n.shift().trim();if(r){var o=n.join(":").trim();e.append(r,o)}}),e}function m(t,e){e||(e={}),this.type="default",this.status=void 0===e.status?200:e.status,this.ok=this.status>=200&&this.status<300,this.statusText="statusText"in e?e.statusText:"OK",this.headers=new o(e.headers),this.url=e.url||"",this._initBody(t)}if(!t.fetch){var y={searchParams:"URLSearchParams"in t,iterable:"Symbol"in t&&"iterator"in Symbol,blob:"FileReader"in t&&"Blob"in t&&function(){try{return new Blob,!0}catch(t){return!1}}(),formData:"FormData"in t,arrayBuffer:"ArrayBuffer"in t};if(y.arrayBuffer)var g=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],b=function(t){return t&&DataView.prototype.isPrototypeOf(t)},_=ArrayBuffer.isView||function(t){return t&&g.indexOf(Object.prototype.toString.call(t))>-1};o.prototype.append=function(t,r){t=e(t),r=n(r);var o=this.map[t];this.map[t]=o?o+","+r:r},o.prototype.delete=function(t){delete this.map[e(t)]},o.prototype.get=function(t){return t=e(t),this.has(t)?this.map[t]:null},o.prototype.has=function(t){return this.map.hasOwnProperty(e(t))},o.prototype.set=function(t,r){this.map[e(t)]=n(r)},o.prototype.forEach=function(t,e){for(var n in this.map)this.map.hasOwnProperty(n)&&t.call(e,this.map[n],n,this)},o.prototype.keys=function(){var t=[];return this.forEach(function(e,n){t.push(n)}),r(t)},o.prototype.values=function(){var t=[];return this.forEach(function(e){t.push(e)}),r(t)},o.prototype.entries=function(){var t=[];return this.forEach(function(e,n){t.push([n,e])}),r(t)},y.iterable&&(o.prototype[Symbol.iterator]=o.prototype.entries);var x=["DELETE","GET","HEAD","OPTIONS","POST","PUT"];d.prototype.clone=function(){return new d(this,{body:this._bodyInit})},l.call(d.prototype),l.call(m.prototype),m.prototype.clone=function(){return new m(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new o(this.headers),url:this.url})},m.error=function(){var t=new m(null,{status:0,statusText:""});return t.type="error",t};var j=[301,302,303,307,308];m.redirect=function(t,e){if(j.indexOf(e)===-1)throw new RangeError("Invalid status code");return new m(null,{status:e,headers:{location:t}})},t.Headers=o,t.Request=d,t.Response=m,t.fetch=function(t,e){return new Promise(function(n,r){var o=new d(t,e),i=new XMLHttpRequest;i.onload=function(){var t={status:i.status,statusText:i.statusText,headers:v(i.getAllResponseHeaders()||"")};t.url="responseURL"in i?i.responseURL:t.headers.get("X-Request-URL");var e="response"in i?i.response:i.responseText;n(new m(e,t))},i.onerror=function(){r(new TypeError("Network request failed"))},i.ontimeout=function(){r(new TypeError("Network request failed"))},i.open(o.method,o.url,!0),"include"===o.credentials?i.withCredentials=!0:"omit"===o.credentials&&(i.withCredentials=!1),"responseType"in i&&y.blob&&(i.responseType="blob"),o.headers.forEach(function(t,e){i.setRequestHeader(e,t)}),i.send("undefined"==typeof o._bodyInit?null:o._bodyInit)})},t.fetch.polyfill=!0}}("undefined"!=typeof self?self:this)},function(t,e){t.exports=function(){var t=[];return t.toString=function(){for(var t=[],e=0;en.parts.length&&(r.parts.length=n.parts.length)}else{for(var a=[],o=0;o true\n\t *\n\t * _.isArray(document.body.children);\n\t * // => false\n\t *\n\t * _.isArray('abc');\n\t * // => false\n\t *\n\t * _.isArray(_.noop);\n\t * // => false\n\t */\n\tvar isArray = Array.isArray;\n\t\n\tmodule.exports = isArray;\n\n\n/***/ }),\n/* 4 */\n/***/ (function(module, exports) {\n\n\t// https://github.com/zloirock/core-js/issues/86#issuecomment-115759028\n\tvar global = module.exports = typeof window != 'undefined' && window.Math == Math\n\t ? window : typeof self != 'undefined' && self.Math == Math ? self\n\t // eslint-disable-next-line no-new-func\n\t : Function('return this')();\n\tif (typeof __g == 'number') __g = global; // eslint-disable-line no-undef\n\n\n/***/ }),\n/* 5 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar store = __webpack_require__(79)('wks');\n\tvar uid = __webpack_require__(52);\n\tvar Symbol = __webpack_require__(4).Symbol;\n\tvar USE_SYMBOL = typeof Symbol == 'function';\n\t\n\tvar $exports = module.exports = function (name) {\n\t return store[name] || (store[name] =\n\t USE_SYMBOL && Symbol[name] || (USE_SYMBOL ? Symbol : uid)('Symbol.' + name));\n\t};\n\t\n\t$exports.store = store;\n\n\n/***/ }),\n/* 6 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar global = __webpack_require__(4);\n\tvar core = __webpack_require__(2);\n\tvar ctx = __webpack_require__(14);\n\tvar hide = __webpack_require__(15);\n\tvar has = __webpack_require__(19);\n\tvar PROTOTYPE = 'prototype';\n\t\n\tvar $export = function (type, name, source) {\n\t var IS_FORCED = type & $export.F;\n\t var IS_GLOBAL = type & $export.G;\n\t var IS_STATIC = type & $export.S;\n\t var IS_PROTO = type & $export.P;\n\t var IS_BIND = type & $export.B;\n\t var IS_WRAP = type & $export.W;\n\t var exports = IS_GLOBAL ? core : core[name] || (core[name] = {});\n\t var expProto = exports[PROTOTYPE];\n\t var target = IS_GLOBAL ? global : IS_STATIC ? global[name] : (global[name] || {})[PROTOTYPE];\n\t var key, own, out;\n\t if (IS_GLOBAL) source = name;\n\t for (key in source) {\n\t // contains in native\n\t own = !IS_FORCED && target && target[key] !== undefined;\n\t if (own && has(exports, key)) continue;\n\t // export native or passed\n\t out = own ? target[key] : source[key];\n\t // prevent global pollution for namespaces\n\t exports[key] = IS_GLOBAL && typeof target[key] != 'function' ? source[key]\n\t // bind timers to global for call from export context\n\t : IS_BIND && own ? ctx(out, global)\n\t // wrap global constructors for prevent change them in library\n\t : IS_WRAP && target[key] == out ? (function (C) {\n\t var F = function (a, b, c) {\n\t if (this instanceof C) {\n\t switch (arguments.length) {\n\t case 0: return new C();\n\t case 1: return new C(a);\n\t case 2: return new C(a, b);\n\t } return new C(a, b, c);\n\t } return C.apply(this, arguments);\n\t };\n\t F[PROTOTYPE] = C[PROTOTYPE];\n\t return F;\n\t // make static versions for prototype methods\n\t })(out) : IS_PROTO && typeof out == 'function' ? ctx(Function.call, out) : out;\n\t // export proto methods to core.%CONSTRUCTOR%.methods.%NAME%\n\t if (IS_PROTO) {\n\t (exports.virtual || (exports.virtual = {}))[key] = out;\n\t // export proto methods to core.%CONSTRUCTOR%.prototype.%NAME%\n\t if (type & $export.R && expProto && !expProto[key]) hide(expProto, key, out);\n\t }\n\t }\n\t};\n\t// type bitmap\n\t$export.F = 1; // forced\n\t$export.G = 2; // global\n\t$export.S = 4; // static\n\t$export.P = 8; // proto\n\t$export.B = 16; // bind\n\t$export.W = 32; // wrap\n\t$export.U = 64; // safe\n\t$export.R = 128; // real proto method for `library`\n\tmodule.exports = $export;\n\n\n/***/ }),\n/* 7 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseMatches = __webpack_require__(352),\n\t baseMatchesProperty = __webpack_require__(353),\n\t identity = __webpack_require__(44),\n\t isArray = __webpack_require__(3),\n\t property = __webpack_require__(456);\n\t\n\t/**\n\t * The base implementation of `_.iteratee`.\n\t *\n\t * @private\n\t * @param {*} [value=_.identity] The value to convert to an iteratee.\n\t * @returns {Function} Returns the iteratee.\n\t */\n\tfunction baseIteratee(value) {\n\t // Don't store the `typeof` result in a variable to avoid a JIT bug in Safari 9.\n\t // See https://bugs.webkit.org/show_bug.cgi?id=156034 for more details.\n\t if (typeof value == 'function') {\n\t return value;\n\t }\n\t if (value == null) {\n\t return identity;\n\t }\n\t if (typeof value == 'object') {\n\t return isArray(value)\n\t ? baseMatchesProperty(value[0], value[1])\n\t : baseMatches(value);\n\t }\n\t return property(value);\n\t}\n\t\n\tmodule.exports = baseIteratee;\n\n\n/***/ }),\n/* 8 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar freeGlobal = __webpack_require__(156);\n\t\n\t/** Detect free variable `self`. */\n\tvar freeSelf = typeof self == 'object' && self && self.Object === Object && self;\n\t\n\t/** Used as a reference to the global object. */\n\tvar root = freeGlobal || freeSelf || Function('return this')();\n\t\n\tmodule.exports = root;\n\n\n/***/ }),\n/* 9 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * Checks if `value` is the\n\t * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)\n\t * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n\t * @example\n\t *\n\t * _.isObject({});\n\t * // => true\n\t *\n\t * _.isObject([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObject(_.noop);\n\t * // => true\n\t *\n\t * _.isObject(null);\n\t * // => false\n\t */\n\tfunction isObject(value) {\n\t var type = typeof value;\n\t return value != null && (type == 'object' || type == 'function');\n\t}\n\t\n\tmodule.exports = isObject;\n\n\n/***/ }),\n/* 10 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = function (it) {\n\t return typeof it === 'object' ? it !== null : typeof it === 'function';\n\t};\n\n\n/***/ }),\n/* 11 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar anObject = __webpack_require__(12);\n\tvar IE8_DOM_DEFINE = __webpack_require__(114);\n\tvar toPrimitive = __webpack_require__(81);\n\tvar dP = Object.defineProperty;\n\t\n\texports.f = __webpack_require__(13) ? Object.defineProperty : function defineProperty(O, P, Attributes) {\n\t anObject(O);\n\t P = toPrimitive(P, true);\n\t anObject(Attributes);\n\t if (IE8_DOM_DEFINE) try {\n\t return dP(O, P, Attributes);\n\t } catch (e) { /* empty */ }\n\t if ('get' in Attributes || 'set' in Attributes) throw TypeError('Accessors not supported!');\n\t if ('value' in Attributes) O[P] = Attributes.value;\n\t return O;\n\t};\n\n\n/***/ }),\n/* 12 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isObject = __webpack_require__(10);\n\tmodule.exports = function (it) {\n\t if (!isObject(it)) throw TypeError(it + ' is not an object!');\n\t return it;\n\t};\n\n\n/***/ }),\n/* 13 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// Thank's IE8 for his funny defineProperty\n\tmodule.exports = !__webpack_require__(24)(function () {\n\t return Object.defineProperty({}, 'a', { get: function () { return 7; } }).a != 7;\n\t});\n\n\n/***/ }),\n/* 14 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// optional / simple context binding\n\tvar aFunction = __webpack_require__(31);\n\tmodule.exports = function (fn, that, length) {\n\t aFunction(fn);\n\t if (that === undefined) return fn;\n\t switch (length) {\n\t case 1: return function (a) {\n\t return fn.call(that, a);\n\t };\n\t case 2: return function (a, b) {\n\t return fn.call(that, a, b);\n\t };\n\t case 3: return function (a, b, c) {\n\t return fn.call(that, a, b, c);\n\t };\n\t }\n\t return function (/* ...args */) {\n\t return fn.apply(that, arguments);\n\t };\n\t};\n\n\n/***/ }),\n/* 15 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar dP = __webpack_require__(11);\n\tvar createDesc = __webpack_require__(36);\n\tmodule.exports = __webpack_require__(13) ? function (object, key, value) {\n\t return dP.f(object, key, createDesc(1, value));\n\t} : function (object, key, value) {\n\t object[key] = value;\n\t return object;\n\t};\n\n\n/***/ }),\n/* 16 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// to indexed object, toObject with fallback for non-array-like ES3 strings\n\tvar IObject = __webpack_require__(115);\n\tvar defined = __webpack_require__(70);\n\tmodule.exports = function (it) {\n\t return IObject(defined(it));\n\t};\n\n\n/***/ }),\n/* 17 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isFunction = __webpack_require__(98),\n\t isLength = __webpack_require__(99);\n\t\n\t/**\n\t * Checks if `value` is array-like. A value is considered array-like if it's\n\t * not a function and has a `value.length` that's an integer greater than or\n\t * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is array-like, else `false`.\n\t * @example\n\t *\n\t * _.isArrayLike([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArrayLike(document.body.children);\n\t * // => true\n\t *\n\t * _.isArrayLike('abc');\n\t * // => true\n\t *\n\t * _.isArrayLike(_.noop);\n\t * // => false\n\t */\n\tfunction isArrayLike(value) {\n\t return value != null && isLength(value.length) && !isFunction(value);\n\t}\n\t\n\tmodule.exports = isArrayLike;\n\n\n/***/ }),\n/* 18 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * Checks if `value` is object-like. A value is object-like if it's not `null`\n\t * and has a `typeof` result of \"object\".\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is object-like, else `false`.\n\t * @example\n\t *\n\t * _.isObjectLike({});\n\t * // => true\n\t *\n\t * _.isObjectLike([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObjectLike(_.noop);\n\t * // => false\n\t *\n\t * _.isObjectLike(null);\n\t * // => false\n\t */\n\tfunction isObjectLike(value) {\n\t return value != null && typeof value == 'object';\n\t}\n\t\n\tmodule.exports = isObjectLike;\n\n\n/***/ }),\n/* 19 */\n/***/ (function(module, exports) {\n\n\tvar hasOwnProperty = {}.hasOwnProperty;\n\tmodule.exports = function (it, key) {\n\t return hasOwnProperty.call(it, key);\n\t};\n\n\n/***/ }),\n/* 20 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Symbol = __webpack_require__(40),\n\t getRawTag = __webpack_require__(389),\n\t objectToString = __webpack_require__(419);\n\t\n\t/** `Object#toString` result references. */\n\tvar nullTag = '[object Null]',\n\t undefinedTag = '[object Undefined]';\n\t\n\t/** Built-in value references. */\n\tvar symToStringTag = Symbol ? Symbol.toStringTag : undefined;\n\t\n\t/**\n\t * The base implementation of `getTag` without fallbacks for buggy environments.\n\t *\n\t * @private\n\t * @param {*} value The value to query.\n\t * @returns {string} Returns the `toStringTag`.\n\t */\n\tfunction baseGetTag(value) {\n\t if (value == null) {\n\t return value === undefined ? undefinedTag : nullTag;\n\t }\n\t return (symToStringTag && symToStringTag in Object(value))\n\t ? getRawTag(value)\n\t : objectToString(value);\n\t}\n\t\n\tmodule.exports = baseGetTag;\n\n\n/***/ }),\n/* 21 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseIsNative = __webpack_require__(347),\n\t getValue = __webpack_require__(392);\n\t\n\t/**\n\t * Gets the native function at `key` of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {string} key The key of the method to get.\n\t * @returns {*} Returns the function if it's native, else `undefined`.\n\t */\n\tfunction getNative(object, key) {\n\t var value = getValue(object, key);\n\t return baseIsNative(value) ? value : undefined;\n\t}\n\t\n\tmodule.exports = getNative;\n\n\n/***/ }),\n/* 22 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar toFinite = __webpack_require__(465);\n\t\n\t/**\n\t * Converts `value` to an integer.\n\t *\n\t * **Note:** This method is loosely based on\n\t * [`ToInteger`](http://www.ecma-international.org/ecma-262/7.0/#sec-tointeger).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {number} Returns the converted integer.\n\t * @example\n\t *\n\t * _.toInteger(3.2);\n\t * // => 3\n\t *\n\t * _.toInteger(Number.MIN_VALUE);\n\t * // => 0\n\t *\n\t * _.toInteger(Infinity);\n\t * // => 1.7976931348623157e+308\n\t *\n\t * _.toInteger('3.2');\n\t * // => 3\n\t */\n\tfunction toInteger(value) {\n\t var result = toFinite(value),\n\t remainder = result % 1;\n\t\n\t return result === result ? (remainder ? result - remainder : result) : 0;\n\t}\n\t\n\tmodule.exports = toInteger;\n\n\n/***/ }),\n/* 23 */,\n/* 24 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = function (exec) {\n\t try {\n\t return !!exec();\n\t } catch (e) {\n\t return true;\n\t }\n\t};\n\n\n/***/ }),\n/* 25 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {};\n\n\n/***/ }),\n/* 26 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\tvar $at = __webpack_require__(260)(true);\n\t\n\t// 21.1.3.27 String.prototype[@@iterator]()\n\t__webpack_require__(73)(String, 'String', function (iterated) {\n\t this._t = String(iterated); // target\n\t this._i = 0; // next index\n\t// 21.1.5.2.1 %StringIteratorPrototype%.next()\n\t}, function () {\n\t var O = this._t;\n\t var index = this._i;\n\t var point;\n\t if (index >= O.length) return { value: undefined, done: true };\n\t point = $at(O, index);\n\t this._i += point.length;\n\t return { value: point, done: false };\n\t});\n\n\n/***/ }),\n/* 27 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseGetTag = __webpack_require__(20),\n\t isObjectLike = __webpack_require__(18);\n\t\n\t/** `Object#toString` result references. */\n\tvar symbolTag = '[object Symbol]';\n\t\n\t/**\n\t * Checks if `value` is classified as a `Symbol` primitive or object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a symbol, else `false`.\n\t * @example\n\t *\n\t * _.isSymbol(Symbol.iterator);\n\t * // => true\n\t *\n\t * _.isSymbol('abc');\n\t * // => false\n\t */\n\tfunction isSymbol(value) {\n\t return typeof value == 'symbol' ||\n\t (isObjectLike(value) && baseGetTag(value) == symbolTag);\n\t}\n\t\n\tmodule.exports = isSymbol;\n\n\n/***/ }),\n/* 28 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar arrayMap = __webpack_require__(55),\n\t baseIteratee = __webpack_require__(7),\n\t baseMap = __webpack_require__(146),\n\t isArray = __webpack_require__(3);\n\t\n\t/**\n\t * Creates an array of values by running each element in `collection` thru\n\t * `iteratee`. The iteratee is invoked with three arguments:\n\t * (value, index|key, collection).\n\t *\n\t * Many lodash methods are guarded to work as iteratees for methods like\n\t * `_.every`, `_.filter`, `_.map`, `_.mapValues`, `_.reject`, and `_.some`.\n\t *\n\t * The guarded methods are:\n\t * `ary`, `chunk`, `curry`, `curryRight`, `drop`, `dropRight`, `every`,\n\t * `fill`, `invert`, `parseInt`, `random`, `range`, `rangeRight`, `repeat`,\n\t * `sampleSize`, `slice`, `some`, `sortBy`, `split`, `take`, `takeRight`,\n\t * `template`, `trim`, `trimEnd`, `trimStart`, and `words`\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [iteratee=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new mapped array.\n\t * @example\n\t *\n\t * function square(n) {\n\t * return n * n;\n\t * }\n\t *\n\t * _.map([4, 8], square);\n\t * // => [16, 64]\n\t *\n\t * _.map({ 'a': 4, 'b': 8 }, square);\n\t * // => [16, 64] (iteration order is not guaranteed)\n\t *\n\t * var users = [\n\t * { 'user': 'barney' },\n\t * { 'user': 'fred' }\n\t * ];\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.map(users, 'user');\n\t * // => ['barney', 'fred']\n\t */\n\tfunction map(collection, iteratee) {\n\t var func = isArray(collection) ? arrayMap : baseMap;\n\t return func(collection, baseIteratee(iteratee, 3));\n\t}\n\t\n\tmodule.exports = map;\n\n\n/***/ }),\n/* 29 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseToString = __webpack_require__(149);\n\t\n\t/**\n\t * Converts `value` to a string. An empty string is returned for `null`\n\t * and `undefined` values. The sign of `-0` is preserved.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to convert.\n\t * @returns {string} Returns the converted string.\n\t * @example\n\t *\n\t * _.toString(null);\n\t * // => ''\n\t *\n\t * _.toString(-0);\n\t * // => '-0'\n\t *\n\t * _.toString([1, 2, 3]);\n\t * // => '1,2,3'\n\t */\n\tfunction toString(value) {\n\t return value == null ? '' : baseToString(value);\n\t}\n\t\n\tmodule.exports = toString;\n\n\n/***/ }),\n/* 30 */,\n/* 31 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = function (it) {\n\t if (typeof it != 'function') throw TypeError(it + ' is not a function!');\n\t return it;\n\t};\n\n\n/***/ }),\n/* 32 */\n/***/ (function(module, exports) {\n\n\tvar toString = {}.toString;\n\t\n\tmodule.exports = function (it) {\n\t return toString.call(it).slice(8, -1);\n\t};\n\n\n/***/ }),\n/* 33 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar ctx = __webpack_require__(14);\n\tvar call = __webpack_require__(118);\n\tvar isArrayIter = __webpack_require__(116);\n\tvar anObject = __webpack_require__(12);\n\tvar toLength = __webpack_require__(50);\n\tvar getIterFn = __webpack_require__(84);\n\tvar BREAK = {};\n\tvar RETURN = {};\n\tvar exports = module.exports = function (iterable, entries, fn, that, ITERATOR) {\n\t var iterFn = ITERATOR ? function () { return iterable; } : getIterFn(iterable);\n\t var f = ctx(fn, that, entries ? 2 : 1);\n\t var index = 0;\n\t var length, step, iterator, result;\n\t if (typeof iterFn != 'function') throw TypeError(iterable + ' is not iterable!');\n\t // fast case for arrays with default iterator\n\t if (isArrayIter(iterFn)) for (length = toLength(iterable.length); length > index; index++) {\n\t result = entries ? f(anObject(step = iterable[index])[0], step[1]) : f(iterable[index]);\n\t if (result === BREAK || result === RETURN) return result;\n\t } else for (iterator = iterFn.call(iterable); !(step = iterator.next()).done;) {\n\t result = call(iterator, f, step.value, entries);\n\t if (result === BREAK || result === RETURN) return result;\n\t }\n\t};\n\texports.BREAK = BREAK;\n\texports.RETURN = RETURN;\n\n\n/***/ }),\n/* 34 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = true;\n\n\n/***/ }),\n/* 35 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 19.1.2.14 / 15.2.3.14 Object.keys(O)\n\tvar $keys = __webpack_require__(124);\n\tvar enumBugKeys = __webpack_require__(72);\n\t\n\tmodule.exports = Object.keys || function keys(O) {\n\t return $keys(O, enumBugKeys);\n\t};\n\n\n/***/ }),\n/* 36 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = function (bitmap, value) {\n\t return {\n\t enumerable: !(bitmap & 1),\n\t configurable: !(bitmap & 2),\n\t writable: !(bitmap & 4),\n\t value: value\n\t };\n\t};\n\n\n/***/ }),\n/* 37 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar def = __webpack_require__(11).f;\n\tvar has = __webpack_require__(19);\n\tvar TAG = __webpack_require__(5)('toStringTag');\n\t\n\tmodule.exports = function (it, tag, stat) {\n\t if (it && !has(it = stat ? it : it.prototype, TAG)) def(it, TAG, { configurable: true, value: tag });\n\t};\n\n\n/***/ }),\n/* 38 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t__webpack_require__(266);\n\tvar global = __webpack_require__(4);\n\tvar hide = __webpack_require__(15);\n\tvar Iterators = __webpack_require__(25);\n\tvar TO_STRING_TAG = __webpack_require__(5)('toStringTag');\n\t\n\tvar DOMIterables = ('CSSRuleList,CSSStyleDeclaration,CSSValueList,ClientRectList,DOMRectList,DOMStringList,' +\n\t 'DOMTokenList,DataTransferItemList,FileList,HTMLAllCollection,HTMLCollection,HTMLFormElement,HTMLSelectElement,' +\n\t 'MediaList,MimeTypeArray,NamedNodeMap,NodeList,PaintRequestList,Plugin,PluginArray,SVGLengthList,SVGNumberList,' +\n\t 'SVGPathSegList,SVGPointList,SVGStringList,SVGTransformList,SourceBufferList,StyleSheetList,TextTrackCueList,' +\n\t 'TextTrackList,TouchList').split(',');\n\t\n\tfor (var i = 0; i < DOMIterables.length; i++) {\n\t var NAME = DOMIterables[i];\n\t var Collection = global[NAME];\n\t var proto = Collection && Collection.prototype;\n\t if (proto && !proto[TO_STRING_TAG]) hide(proto, TO_STRING_TAG, NAME);\n\t Iterators[NAME] = Iterators.Array;\n\t}\n\n\n/***/ }),\n/* 39 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * lodash (Custom Build) \n\t * Build: `lodash modularize exports=\"npm\" -o ./`\n\t * Copyright jQuery Foundation and other contributors \n\t * Released under MIT license \n\t * Based on Underscore.js 1.8.3 \n\t * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n\t */\n\t\n\t/** Used as references for various `Number` constants. */\n\tvar MAX_SAFE_INTEGER = 9007199254740991;\n\t\n\t/** `Object#toString` result references. */\n\tvar argsTag = '[object Arguments]',\n\t funcTag = '[object Function]',\n\t genTag = '[object GeneratorFunction]';\n\t\n\t/** Used for built-in method references. */\n\tvar objectProto = Object.prototype;\n\t\n\t/** Used to check objects for own properties. */\n\tvar hasOwnProperty = objectProto.hasOwnProperty;\n\t\n\t/**\n\t * Used to resolve the\n\t * [`toStringTag`](http://ecma-international.org/ecma-262/7.0/#sec-object.prototype.tostring)\n\t * of values.\n\t */\n\tvar objectToString = objectProto.toString;\n\t\n\t/** Built-in value references. */\n\tvar propertyIsEnumerable = objectProto.propertyIsEnumerable;\n\t\n\t/**\n\t * Checks if `value` is likely an `arguments` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.isArguments(function() { return arguments; }());\n\t * // => true\n\t *\n\t * _.isArguments([1, 2, 3]);\n\t * // => false\n\t */\n\tfunction isArguments(value) {\n\t // Safari 8.1 makes `arguments.callee` enumerable in strict mode.\n\t return isArrayLikeObject(value) && hasOwnProperty.call(value, 'callee') &&\n\t (!propertyIsEnumerable.call(value, 'callee') || objectToString.call(value) == argsTag);\n\t}\n\t\n\t/**\n\t * Checks if `value` is array-like. A value is considered array-like if it's\n\t * not a function and has a `value.length` that's an integer greater than or\n\t * equal to `0` and less than or equal to `Number.MAX_SAFE_INTEGER`.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is array-like, else `false`.\n\t * @example\n\t *\n\t * _.isArrayLike([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArrayLike(document.body.children);\n\t * // => true\n\t *\n\t * _.isArrayLike('abc');\n\t * // => true\n\t *\n\t * _.isArrayLike(_.noop);\n\t * // => false\n\t */\n\tfunction isArrayLike(value) {\n\t return value != null && isLength(value.length) && !isFunction(value);\n\t}\n\t\n\t/**\n\t * This method is like `_.isArrayLike` except that it also checks if `value`\n\t * is an object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an array-like object,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.isArrayLikeObject([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArrayLikeObject(document.body.children);\n\t * // => true\n\t *\n\t * _.isArrayLikeObject('abc');\n\t * // => false\n\t *\n\t * _.isArrayLikeObject(_.noop);\n\t * // => false\n\t */\n\tfunction isArrayLikeObject(value) {\n\t return isObjectLike(value) && isArrayLike(value);\n\t}\n\t\n\t/**\n\t * Checks if `value` is classified as a `Function` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a function, else `false`.\n\t * @example\n\t *\n\t * _.isFunction(_);\n\t * // => true\n\t *\n\t * _.isFunction(/abc/);\n\t * // => false\n\t */\n\tfunction isFunction(value) {\n\t // The use of `Object#toString` avoids issues with the `typeof` operator\n\t // in Safari 8-9 which returns 'object' for typed array and other constructors.\n\t var tag = isObject(value) ? objectToString.call(value) : '';\n\t return tag == funcTag || tag == genTag;\n\t}\n\t\n\t/**\n\t * Checks if `value` is a valid array-like length.\n\t *\n\t * **Note:** This method is loosely based on\n\t * [`ToLength`](http://ecma-international.org/ecma-262/7.0/#sec-tolength).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.\n\t * @example\n\t *\n\t * _.isLength(3);\n\t * // => true\n\t *\n\t * _.isLength(Number.MIN_VALUE);\n\t * // => false\n\t *\n\t * _.isLength(Infinity);\n\t * // => false\n\t *\n\t * _.isLength('3');\n\t * // => false\n\t */\n\tfunction isLength(value) {\n\t return typeof value == 'number' &&\n\t value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;\n\t}\n\t\n\t/**\n\t * Checks if `value` is the\n\t * [language type](http://www.ecma-international.org/ecma-262/7.0/#sec-ecmascript-language-types)\n\t * of `Object`. (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n\t * @example\n\t *\n\t * _.isObject({});\n\t * // => true\n\t *\n\t * _.isObject([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObject(_.noop);\n\t * // => true\n\t *\n\t * _.isObject(null);\n\t * // => false\n\t */\n\tfunction isObject(value) {\n\t var type = typeof value;\n\t return !!value && (type == 'object' || type == 'function');\n\t}\n\t\n\t/**\n\t * Checks if `value` is object-like. A value is object-like if it's not `null`\n\t * and has a `typeof` result of \"object\".\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is object-like, else `false`.\n\t * @example\n\t *\n\t * _.isObjectLike({});\n\t * // => true\n\t *\n\t * _.isObjectLike([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObjectLike(_.noop);\n\t * // => false\n\t *\n\t * _.isObjectLike(null);\n\t * // => false\n\t */\n\tfunction isObjectLike(value) {\n\t return !!value && typeof value == 'object';\n\t}\n\t\n\tmodule.exports = isArguments;\n\n\n/***/ }),\n/* 40 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar root = __webpack_require__(8);\n\t\n\t/** Built-in value references. */\n\tvar Symbol = root.Symbol;\n\t\n\tmodule.exports = Symbol;\n\n\n/***/ }),\n/* 41 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isSymbol = __webpack_require__(27);\n\t\n\t/** Used as references for various `Number` constants. */\n\tvar INFINITY = 1 / 0;\n\t\n\t/**\n\t * Converts `value` to a string key if it's not a string or symbol.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @returns {string|symbol} Returns the key.\n\t */\n\tfunction toKey(value) {\n\t if (typeof value == 'string' || isSymbol(value)) {\n\t return value;\n\t }\n\t var result = (value + '');\n\t return (result == '0' && (1 / value) == -INFINITY) ? '-0' : result;\n\t}\n\t\n\tmodule.exports = toKey;\n\n\n/***/ }),\n/* 42 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * Performs a\n\t * [`SameValueZero`](http://ecma-international.org/ecma-262/7.0/#sec-samevaluezero)\n\t * comparison between two values to determine if they are equivalent.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.0.0\n\t * @category Lang\n\t * @param {*} value The value to compare.\n\t * @param {*} other The other value to compare.\n\t * @returns {boolean} Returns `true` if the values are equivalent, else `false`.\n\t * @example\n\t *\n\t * var object = { 'a': 1 };\n\t * var other = { 'a': 1 };\n\t *\n\t * _.eq(object, object);\n\t * // => true\n\t *\n\t * _.eq(object, other);\n\t * // => false\n\t *\n\t * _.eq('a', 'a');\n\t * // => true\n\t *\n\t * _.eq('a', Object('a'));\n\t * // => false\n\t *\n\t * _.eq(NaN, NaN);\n\t * // => true\n\t */\n\tfunction eq(value, other) {\n\t return value === other || (value !== value && other !== other);\n\t}\n\t\n\tmodule.exports = eq;\n\n\n/***/ }),\n/* 43 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar arrayFilter = __webpack_require__(89),\n\t baseFilter = __webpack_require__(141),\n\t baseIteratee = __webpack_require__(7),\n\t isArray = __webpack_require__(3);\n\t\n\t/**\n\t * Iterates over elements of `collection`, returning an array of all elements\n\t * `predicate` returns truthy for. The predicate is invoked with three\n\t * arguments: (value, index|key, collection).\n\t *\n\t * **Note:** Unlike `_.remove`, this method returns a new array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @returns {Array} Returns the new filtered array.\n\t * @see _.reject\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': true },\n\t * { 'user': 'fred', 'age': 40, 'active': false }\n\t * ];\n\t *\n\t * _.filter(users, function(o) { return !o.active; });\n\t * // => objects for ['fred']\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.filter(users, { 'age': 36, 'active': true });\n\t * // => objects for ['barney']\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.filter(users, ['active', false]);\n\t * // => objects for ['fred']\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.filter(users, 'active');\n\t * // => objects for ['barney']\n\t */\n\tfunction filter(collection, predicate) {\n\t var func = isArray(collection) ? arrayFilter : baseFilter;\n\t return func(collection, baseIteratee(predicate, 3));\n\t}\n\t\n\tmodule.exports = filter;\n\n\n/***/ }),\n/* 44 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * This method returns the first argument it receives.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Util\n\t * @param {*} value Any value.\n\t * @returns {*} Returns `value`.\n\t * @example\n\t *\n\t * var object = { 'a': 1 };\n\t *\n\t * console.log(_.identity(object) === object);\n\t * // => true\n\t */\n\tfunction identity(value) {\n\t return value;\n\t}\n\t\n\tmodule.exports = identity;\n\n\n/***/ }),\n/* 45 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar arrayLikeKeys = __webpack_require__(136),\n\t baseKeys = __webpack_require__(349),\n\t isArrayLike = __webpack_require__(17);\n\t\n\t/**\n\t * Creates an array of the own enumerable property names of `object`.\n\t *\n\t * **Note:** Non-object values are coerced to objects. See the\n\t * [ES spec](http://ecma-international.org/ecma-262/7.0/#sec-object.keys)\n\t * for more details.\n\t *\n\t * @static\n\t * @since 0.1.0\n\t * @memberOf _\n\t * @category Object\n\t * @param {Object} object The object to query.\n\t * @returns {Array} Returns the array of property names.\n\t * @example\n\t *\n\t * function Foo() {\n\t * this.a = 1;\n\t * this.b = 2;\n\t * }\n\t *\n\t * Foo.prototype.c = 3;\n\t *\n\t * _.keys(new Foo);\n\t * // => ['a', 'b'] (iteration order is not guaranteed)\n\t *\n\t * _.keys('hi');\n\t * // => ['0', '1']\n\t */\n\tfunction keys(object) {\n\t return isArrayLike(object) ? arrayLikeKeys(object) : baseKeys(object);\n\t}\n\t\n\tmodule.exports = keys;\n\n\n/***/ }),\n/* 46 */,\n/* 47 */,\n/* 48 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// getting tag from 19.1.3.6 Object.prototype.toString()\n\tvar cof = __webpack_require__(32);\n\tvar TAG = __webpack_require__(5)('toStringTag');\n\t// ES3 wrong here\n\tvar ARG = cof(function () { return arguments; }()) == 'Arguments';\n\t\n\t// fallback for IE11 Script Access Denied error\n\tvar tryGet = function (it, key) {\n\t try {\n\t return it[key];\n\t } catch (e) { /* empty */ }\n\t};\n\t\n\tmodule.exports = function (it) {\n\t var O, T, B;\n\t return it === undefined ? 'Undefined' : it === null ? 'Null'\n\t // @@toStringTag case\n\t : typeof (T = tryGet(O = Object(it), TAG)) == 'string' ? T\n\t // builtinTag case\n\t : ARG ? cof(O)\n\t // ES3 arguments fallback\n\t : (B = cof(O)) == 'Object' && typeof O.callee == 'function' ? 'Arguments' : B;\n\t};\n\n\n/***/ }),\n/* 49 */\n/***/ (function(module, exports) {\n\n\texports.f = {}.propertyIsEnumerable;\n\n\n/***/ }),\n/* 50 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 7.1.15 ToLength\n\tvar toInteger = __webpack_require__(80);\n\tvar min = Math.min;\n\tmodule.exports = function (it) {\n\t return it > 0 ? min(toInteger(it), 0x1fffffffffffff) : 0; // pow(2, 53) - 1 == 9007199254740991\n\t};\n\n\n/***/ }),\n/* 51 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 7.1.13 ToObject(argument)\n\tvar defined = __webpack_require__(70);\n\tmodule.exports = function (it) {\n\t return Object(defined(it));\n\t};\n\n\n/***/ }),\n/* 52 */\n/***/ (function(module, exports) {\n\n\tvar id = 0;\n\tvar px = Math.random();\n\tmodule.exports = function (key) {\n\t return 'Symbol('.concat(key === undefined ? '' : key, ')_', (++id + px).toString(36));\n\t};\n\n\n/***/ }),\n/* 53 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * lodash 3.0.4 (Custom Build) \n\t * Build: `lodash modern modularize exports=\"npm\" -o ./`\n\t * Copyright 2012-2015 The Dojo Foundation \n\t * Based on Underscore.js 1.8.3 \n\t * Copyright 2009-2015 Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors\n\t * Available under MIT license \n\t */\n\t\n\t/** `Object#toString` result references. */\n\tvar arrayTag = '[object Array]',\n\t funcTag = '[object Function]';\n\t\n\t/** Used to detect host constructors (Safari > 5). */\n\tvar reIsHostCtor = /^\\[object .+?Constructor\\]$/;\n\t\n\t/**\n\t * Checks if `value` is object-like.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is object-like, else `false`.\n\t */\n\tfunction isObjectLike(value) {\n\t return !!value && typeof value == 'object';\n\t}\n\t\n\t/** Used for native method references. */\n\tvar objectProto = Object.prototype;\n\t\n\t/** Used to resolve the decompiled source of functions. */\n\tvar fnToString = Function.prototype.toString;\n\t\n\t/** Used to check objects for own properties. */\n\tvar hasOwnProperty = objectProto.hasOwnProperty;\n\t\n\t/**\n\t * Used to resolve the [`toStringTag`](http://ecma-international.org/ecma-262/6.0/#sec-object.prototype.tostring)\n\t * of values.\n\t */\n\tvar objToString = objectProto.toString;\n\t\n\t/** Used to detect if a method is native. */\n\tvar reIsNative = RegExp('^' +\n\t fnToString.call(hasOwnProperty).replace(/[\\\\^$.*+?()[\\]{}|]/g, '\\\\$&')\n\t .replace(/hasOwnProperty|(function).*?(?=\\\\\\()| for .+?(?=\\\\\\])/g, '$1.*?') + '$'\n\t);\n\t\n\t/* Native method references for those with the same name as other `lodash` methods. */\n\tvar nativeIsArray = getNative(Array, 'isArray');\n\t\n\t/**\n\t * Used as the [maximum length](http://ecma-international.org/ecma-262/6.0/#sec-number.max_safe_integer)\n\t * of an array-like value.\n\t */\n\tvar MAX_SAFE_INTEGER = 9007199254740991;\n\t\n\t/**\n\t * Gets the native function at `key` of `object`.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {string} key The key of the method to get.\n\t * @returns {*} Returns the function if it's native, else `undefined`.\n\t */\n\tfunction getNative(object, key) {\n\t var value = object == null ? undefined : object[key];\n\t return isNative(value) ? value : undefined;\n\t}\n\t\n\t/**\n\t * Checks if `value` is a valid array-like length.\n\t *\n\t * **Note:** This function is based on [`ToLength`](http://ecma-international.org/ecma-262/6.0/#sec-tolength).\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a valid length, else `false`.\n\t */\n\tfunction isLength(value) {\n\t return typeof value == 'number' && value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER;\n\t}\n\t\n\t/**\n\t * Checks if `value` is classified as an `Array` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is correctly classified, else `false`.\n\t * @example\n\t *\n\t * _.isArray([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isArray(function() { return arguments; }());\n\t * // => false\n\t */\n\tvar isArray = nativeIsArray || function(value) {\n\t return isObjectLike(value) && isLength(value.length) && objToString.call(value) == arrayTag;\n\t};\n\t\n\t/**\n\t * Checks if `value` is classified as a `Function` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is correctly classified, else `false`.\n\t * @example\n\t *\n\t * _.isFunction(_);\n\t * // => true\n\t *\n\t * _.isFunction(/abc/);\n\t * // => false\n\t */\n\tfunction isFunction(value) {\n\t // The use of `Object#toString` avoids issues with the `typeof` operator\n\t // in older versions of Chrome and Safari which return 'function' for regexes\n\t // and Safari 8 equivalents which return 'object' for typed array constructors.\n\t return isObject(value) && objToString.call(value) == funcTag;\n\t}\n\t\n\t/**\n\t * Checks if `value` is the [language type](https://es5.github.io/#x8) of `Object`.\n\t * (e.g. arrays, functions, objects, regexes, `new Number(0)`, and `new String('')`)\n\t *\n\t * @static\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an object, else `false`.\n\t * @example\n\t *\n\t * _.isObject({});\n\t * // => true\n\t *\n\t * _.isObject([1, 2, 3]);\n\t * // => true\n\t *\n\t * _.isObject(1);\n\t * // => false\n\t */\n\tfunction isObject(value) {\n\t // Avoid a V8 JIT bug in Chrome 19-20.\n\t // See https://code.google.com/p/v8/issues/detail?id=2291 for more details.\n\t var type = typeof value;\n\t return !!value && (type == 'object' || type == 'function');\n\t}\n\t\n\t/**\n\t * Checks if `value` is a native function.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a native function, else `false`.\n\t * @example\n\t *\n\t * _.isNative(Array.prototype.push);\n\t * // => true\n\t *\n\t * _.isNative(_);\n\t * // => false\n\t */\n\tfunction isNative(value) {\n\t if (value == null) {\n\t return false;\n\t }\n\t if (isFunction(value)) {\n\t return reIsNative.test(fnToString.call(value));\n\t }\n\t return isObjectLike(value) && reIsHostCtor.test(value);\n\t}\n\t\n\tmodule.exports = isArray;\n\n\n/***/ }),\n/* 54 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar listCacheClear = __webpack_require__(404),\n\t listCacheDelete = __webpack_require__(405),\n\t listCacheGet = __webpack_require__(406),\n\t listCacheHas = __webpack_require__(407),\n\t listCacheSet = __webpack_require__(408);\n\t\n\t/**\n\t * Creates an list cache object.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\tfunction ListCache(entries) {\n\t var index = -1,\n\t length = entries == null ? 0 : entries.length;\n\t\n\t this.clear();\n\t while (++index < length) {\n\t var entry = entries[index];\n\t this.set(entry[0], entry[1]);\n\t }\n\t}\n\t\n\t// Add methods to `ListCache`.\n\tListCache.prototype.clear = listCacheClear;\n\tListCache.prototype['delete'] = listCacheDelete;\n\tListCache.prototype.get = listCacheGet;\n\tListCache.prototype.has = listCacheHas;\n\tListCache.prototype.set = listCacheSet;\n\t\n\tmodule.exports = ListCache;\n\n\n/***/ }),\n/* 55 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * A specialized version of `_.map` for arrays without support for iteratee\n\t * shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array} Returns the new mapped array.\n\t */\n\tfunction arrayMap(array, iteratee) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length,\n\t result = Array(length);\n\t\n\t while (++index < length) {\n\t result[index] = iteratee(array[index], index, array);\n\t }\n\t return result;\n\t}\n\t\n\tmodule.exports = arrayMap;\n\n\n/***/ }),\n/* 56 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar eq = __webpack_require__(42);\n\t\n\t/**\n\t * Gets the index at which the `key` is found in `array` of key-value pairs.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} key The key to search for.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\tfunction assocIndexOf(array, key) {\n\t var length = array.length;\n\t while (length--) {\n\t if (eq(array[length][0], key)) {\n\t return length;\n\t }\n\t }\n\t return -1;\n\t}\n\t\n\tmodule.exports = assocIndexOf;\n\n\n/***/ }),\n/* 57 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseForOwn = __webpack_require__(339),\n\t createBaseEach = __webpack_require__(378);\n\t\n\t/**\n\t * The base implementation of `_.forEach` without support for iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array|Object} collection The collection to iterate over.\n\t * @param {Function} iteratee The function invoked per iteration.\n\t * @returns {Array|Object} Returns `collection`.\n\t */\n\tvar baseEach = createBaseEach(baseForOwn);\n\t\n\tmodule.exports = baseEach;\n\n\n/***/ }),\n/* 58 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseFindIndex = __webpack_require__(142),\n\t baseIsNaN = __webpack_require__(346),\n\t strictIndexOf = __webpack_require__(431);\n\t\n\t/**\n\t * The base implementation of `_.indexOf` without `fromIndex` bounds checks.\n\t *\n\t * @private\n\t * @param {Array} array The array to inspect.\n\t * @param {*} value The value to search for.\n\t * @param {number} fromIndex The index to search from.\n\t * @returns {number} Returns the index of the matched value, else `-1`.\n\t */\n\tfunction baseIndexOf(array, value, fromIndex) {\n\t return value === value\n\t ? strictIndexOf(array, value, fromIndex)\n\t : baseFindIndex(array, baseIsNaN, fromIndex);\n\t}\n\t\n\tmodule.exports = baseIndexOf;\n\n\n/***/ }),\n/* 59 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * The base implementation of `_.slice` without an iteratee call guard.\n\t *\n\t * @private\n\t * @param {Array} array The array to slice.\n\t * @param {number} [start=0] The start position.\n\t * @param {number} [end=array.length] The end position.\n\t * @returns {Array} Returns the slice of `array`.\n\t */\n\tfunction baseSlice(array, start, end) {\n\t var index = -1,\n\t length = array.length;\n\t\n\t if (start < 0) {\n\t start = -start > length ? 0 : (length + start);\n\t }\n\t end = end > length ? length : end;\n\t if (end < 0) {\n\t end += length;\n\t }\n\t length = start > end ? 0 : ((end - start) >>> 0);\n\t start >>>= 0;\n\t\n\t var result = Array(length);\n\t while (++index < length) {\n\t result[index] = array[index + start];\n\t }\n\t return result;\n\t}\n\t\n\tmodule.exports = baseSlice;\n\n\n/***/ }),\n/* 60 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isKeyable = __webpack_require__(402);\n\t\n\t/**\n\t * Gets the data for `map`.\n\t *\n\t * @private\n\t * @param {Object} map The map to query.\n\t * @param {string} key The reference key.\n\t * @returns {*} Returns the map data.\n\t */\n\tfunction getMapData(map, key) {\n\t var data = map.__data__;\n\t return isKeyable(key)\n\t ? data[typeof key == 'string' ? 'string' : 'hash']\n\t : data.map;\n\t}\n\t\n\tmodule.exports = getMapData;\n\n\n/***/ }),\n/* 61 */\n/***/ (function(module, exports) {\n\n\t/** Used as references for various `Number` constants. */\n\tvar MAX_SAFE_INTEGER = 9007199254740991;\n\t\n\t/** Used to detect unsigned integer values. */\n\tvar reIsUint = /^(?:0|[1-9]\\d*)$/;\n\t\n\t/**\n\t * Checks if `value` is a valid array-like index.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @param {number} [length=MAX_SAFE_INTEGER] The upper bounds of a valid index.\n\t * @returns {boolean} Returns `true` if `value` is a valid index, else `false`.\n\t */\n\tfunction isIndex(value, length) {\n\t var type = typeof value;\n\t length = length == null ? MAX_SAFE_INTEGER : length;\n\t\n\t return !!length &&\n\t (type == 'number' ||\n\t (type != 'symbol' && reIsUint.test(value))) &&\n\t (value > -1 && value % 1 == 0 && value < length);\n\t}\n\t\n\tmodule.exports = isIndex;\n\n\n/***/ }),\n/* 62 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar getNative = __webpack_require__(21);\n\t\n\t/* Built-in method references that are verified to be native. */\n\tvar nativeCreate = getNative(Object, 'create');\n\t\n\tmodule.exports = nativeCreate;\n\n\n/***/ }),\n/* 63 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__(443);\n\n\n/***/ }),\n/* 64 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar createFind = __webpack_require__(382),\n\t findIndex = __webpack_require__(441);\n\t\n\t/**\n\t * Iterates over elements of `collection`, returning the first element\n\t * `predicate` returns truthy for. The predicate is invoked with three\n\t * arguments: (value, index|key, collection).\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Collection\n\t * @param {Array|Object} collection The collection to inspect.\n\t * @param {Function} [predicate=_.identity] The function invoked per iteration.\n\t * @param {number} [fromIndex=0] The index to search from.\n\t * @returns {*} Returns the matched element, else `undefined`.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'barney', 'age': 36, 'active': true },\n\t * { 'user': 'fred', 'age': 40, 'active': false },\n\t * { 'user': 'pebbles', 'age': 1, 'active': true }\n\t * ];\n\t *\n\t * _.find(users, function(o) { return o.age < 40; });\n\t * // => object for 'barney'\n\t *\n\t * // The `_.matches` iteratee shorthand.\n\t * _.find(users, { 'age': 1, 'active': true });\n\t * // => object for 'pebbles'\n\t *\n\t * // The `_.matchesProperty` iteratee shorthand.\n\t * _.find(users, ['active', false]);\n\t * // => object for 'fred'\n\t *\n\t * // The `_.property` iteratee shorthand.\n\t * _.find(users, 'active');\n\t * // => object for 'barney'\n\t */\n\tvar find = createFind(findIndex);\n\t\n\tmodule.exports = find;\n\n\n/***/ }),\n/* 65 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseIsArguments = __webpack_require__(343),\n\t isObjectLike = __webpack_require__(18);\n\t\n\t/** Used for built-in method references. */\n\tvar objectProto = Object.prototype;\n\t\n\t/** Used to check objects for own properties. */\n\tvar hasOwnProperty = objectProto.hasOwnProperty;\n\t\n\t/** Built-in value references. */\n\tvar propertyIsEnumerable = objectProto.propertyIsEnumerable;\n\t\n\t/**\n\t * Checks if `value` is likely an `arguments` object.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 0.1.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is an `arguments` object,\n\t * else `false`.\n\t * @example\n\t *\n\t * _.isArguments(function() { return arguments; }());\n\t * // => true\n\t *\n\t * _.isArguments([1, 2, 3]);\n\t * // => false\n\t */\n\tvar isArguments = baseIsArguments(function() { return arguments; }()) ? baseIsArguments : function(value) {\n\t return isObjectLike(value) && hasOwnProperty.call(value, 'callee') &&\n\t !propertyIsEnumerable.call(value, 'callee');\n\t};\n\t\n\tmodule.exports = isArguments;\n\n\n/***/ }),\n/* 66 */,\n/* 67 */,\n/* 68 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t/* WEBPACK VAR INJECTION */(function(global, setImmediate) {/*!\n\t * Vue.js v2.5.17\n\t * (c) 2014-2018 Evan You\n\t * Released under the MIT License.\n\t */\n\t'use strict';\n\t\n\t/* */\n\t\n\tvar emptyObject = Object.freeze({});\n\t\n\t// these helpers produces better vm code in JS engines due to their\n\t// explicitness and function inlining\n\tfunction isUndef (v) {\n\t return v === undefined || v === null\n\t}\n\t\n\tfunction isDef (v) {\n\t return v !== undefined && v !== null\n\t}\n\t\n\tfunction isTrue (v) {\n\t return v === true\n\t}\n\t\n\tfunction isFalse (v) {\n\t return v === false\n\t}\n\t\n\t/**\n\t * Check if value is primitive\n\t */\n\tfunction isPrimitive (value) {\n\t return (\n\t typeof value === 'string' ||\n\t typeof value === 'number' ||\n\t // $flow-disable-line\n\t typeof value === 'symbol' ||\n\t typeof value === 'boolean'\n\t )\n\t}\n\t\n\t/**\n\t * Quick object check - this is primarily used to tell\n\t * Objects from primitive values when we know the value\n\t * is a JSON-compliant type.\n\t */\n\tfunction isObject (obj) {\n\t return obj !== null && typeof obj === 'object'\n\t}\n\t\n\t/**\n\t * Get the raw type string of a value e.g. [object Object]\n\t */\n\tvar _toString = Object.prototype.toString;\n\t\n\tfunction toRawType (value) {\n\t return _toString.call(value).slice(8, -1)\n\t}\n\t\n\t/**\n\t * Strict object type check. Only returns true\n\t * for plain JavaScript objects.\n\t */\n\tfunction isPlainObject (obj) {\n\t return _toString.call(obj) === '[object Object]'\n\t}\n\t\n\tfunction isRegExp (v) {\n\t return _toString.call(v) === '[object RegExp]'\n\t}\n\t\n\t/**\n\t * Check if val is a valid array index.\n\t */\n\tfunction isValidArrayIndex (val) {\n\t var n = parseFloat(String(val));\n\t return n >= 0 && Math.floor(n) === n && isFinite(val)\n\t}\n\t\n\t/**\n\t * Convert a value to a string that is actually rendered.\n\t */\n\tfunction toString (val) {\n\t return val == null\n\t ? ''\n\t : typeof val === 'object'\n\t ? JSON.stringify(val, null, 2)\n\t : String(val)\n\t}\n\t\n\t/**\n\t * Convert a input value to a number for persistence.\n\t * If the conversion fails, return original string.\n\t */\n\tfunction toNumber (val) {\n\t var n = parseFloat(val);\n\t return isNaN(n) ? val : n\n\t}\n\t\n\t/**\n\t * Make a map and return a function for checking if a key\n\t * is in that map.\n\t */\n\tfunction makeMap (\n\t str,\n\t expectsLowerCase\n\t) {\n\t var map = Object.create(null);\n\t var list = str.split(',');\n\t for (var i = 0; i < list.length; i++) {\n\t map[list[i]] = true;\n\t }\n\t return expectsLowerCase\n\t ? function (val) { return map[val.toLowerCase()]; }\n\t : function (val) { return map[val]; }\n\t}\n\t\n\t/**\n\t * Check if a tag is a built-in tag.\n\t */\n\tvar isBuiltInTag = makeMap('slot,component', true);\n\t\n\t/**\n\t * Check if a attribute is a reserved attribute.\n\t */\n\tvar isReservedAttribute = makeMap('key,ref,slot,slot-scope,is');\n\t\n\t/**\n\t * Remove an item from an array\n\t */\n\tfunction remove (arr, item) {\n\t if (arr.length) {\n\t var index = arr.indexOf(item);\n\t if (index > -1) {\n\t return arr.splice(index, 1)\n\t }\n\t }\n\t}\n\t\n\t/**\n\t * Check whether the object has the property.\n\t */\n\tvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\tfunction hasOwn (obj, key) {\n\t return hasOwnProperty.call(obj, key)\n\t}\n\t\n\t/**\n\t * Create a cached version of a pure function.\n\t */\n\tfunction cached (fn) {\n\t var cache = Object.create(null);\n\t return (function cachedFn (str) {\n\t var hit = cache[str];\n\t return hit || (cache[str] = fn(str))\n\t })\n\t}\n\t\n\t/**\n\t * Camelize a hyphen-delimited string.\n\t */\n\tvar camelizeRE = /-(\\w)/g;\n\tvar camelize = cached(function (str) {\n\t return str.replace(camelizeRE, function (_, c) { return c ? c.toUpperCase() : ''; })\n\t});\n\t\n\t/**\n\t * Capitalize a string.\n\t */\n\tvar capitalize = cached(function (str) {\n\t return str.charAt(0).toUpperCase() + str.slice(1)\n\t});\n\t\n\t/**\n\t * Hyphenate a camelCase string.\n\t */\n\tvar hyphenateRE = /\\B([A-Z])/g;\n\tvar hyphenate = cached(function (str) {\n\t return str.replace(hyphenateRE, '-$1').toLowerCase()\n\t});\n\t\n\t/**\n\t * Simple bind polyfill for environments that do not support it... e.g.\n\t * PhantomJS 1.x. Technically we don't need this anymore since native bind is\n\t * now more performant in most browsers, but removing it would be breaking for\n\t * code that was able to run in PhantomJS 1.x, so this must be kept for\n\t * backwards compatibility.\n\t */\n\t\n\t/* istanbul ignore next */\n\tfunction polyfillBind (fn, ctx) {\n\t function boundFn (a) {\n\t var l = arguments.length;\n\t return l\n\t ? l > 1\n\t ? fn.apply(ctx, arguments)\n\t : fn.call(ctx, a)\n\t : fn.call(ctx)\n\t }\n\t\n\t boundFn._length = fn.length;\n\t return boundFn\n\t}\n\t\n\tfunction nativeBind (fn, ctx) {\n\t return fn.bind(ctx)\n\t}\n\t\n\tvar bind = Function.prototype.bind\n\t ? nativeBind\n\t : polyfillBind;\n\t\n\t/**\n\t * Convert an Array-like object to a real Array.\n\t */\n\tfunction toArray (list, start) {\n\t start = start || 0;\n\t var i = list.length - start;\n\t var ret = new Array(i);\n\t while (i--) {\n\t ret[i] = list[i + start];\n\t }\n\t return ret\n\t}\n\t\n\t/**\n\t * Mix properties into target object.\n\t */\n\tfunction extend (to, _from) {\n\t for (var key in _from) {\n\t to[key] = _from[key];\n\t }\n\t return to\n\t}\n\t\n\t/**\n\t * Merge an Array of Objects into a single Object.\n\t */\n\tfunction toObject (arr) {\n\t var res = {};\n\t for (var i = 0; i < arr.length; i++) {\n\t if (arr[i]) {\n\t extend(res, arr[i]);\n\t }\n\t }\n\t return res\n\t}\n\t\n\t/**\n\t * Perform no operation.\n\t * Stubbing args to make Flow happy without leaving useless transpiled code\n\t * with ...rest (https://flow.org/blog/2017/05/07/Strict-Function-Call-Arity/)\n\t */\n\tfunction noop (a, b, c) {}\n\t\n\t/**\n\t * Always return false.\n\t */\n\tvar no = function (a, b, c) { return false; };\n\t\n\t/**\n\t * Return same value\n\t */\n\tvar identity = function (_) { return _; };\n\t\n\t/**\n\t * Generate a static keys string from compiler modules.\n\t */\n\t\n\t\n\t/**\n\t * Check if two values are loosely equal - that is,\n\t * if they are plain objects, do they have the same shape?\n\t */\n\tfunction looseEqual (a, b) {\n\t if (a === b) { return true }\n\t var isObjectA = isObject(a);\n\t var isObjectB = isObject(b);\n\t if (isObjectA && isObjectB) {\n\t try {\n\t var isArrayA = Array.isArray(a);\n\t var isArrayB = Array.isArray(b);\n\t if (isArrayA && isArrayB) {\n\t return a.length === b.length && a.every(function (e, i) {\n\t return looseEqual(e, b[i])\n\t })\n\t } else if (!isArrayA && !isArrayB) {\n\t var keysA = Object.keys(a);\n\t var keysB = Object.keys(b);\n\t return keysA.length === keysB.length && keysA.every(function (key) {\n\t return looseEqual(a[key], b[key])\n\t })\n\t } else {\n\t /* istanbul ignore next */\n\t return false\n\t }\n\t } catch (e) {\n\t /* istanbul ignore next */\n\t return false\n\t }\n\t } else if (!isObjectA && !isObjectB) {\n\t return String(a) === String(b)\n\t } else {\n\t return false\n\t }\n\t}\n\t\n\tfunction looseIndexOf (arr, val) {\n\t for (var i = 0; i < arr.length; i++) {\n\t if (looseEqual(arr[i], val)) { return i }\n\t }\n\t return -1\n\t}\n\t\n\t/**\n\t * Ensure a function is called only once.\n\t */\n\tfunction once (fn) {\n\t var called = false;\n\t return function () {\n\t if (!called) {\n\t called = true;\n\t fn.apply(this, arguments);\n\t }\n\t }\n\t}\n\t\n\tvar SSR_ATTR = 'data-server-rendered';\n\t\n\tvar ASSET_TYPES = [\n\t 'component',\n\t 'directive',\n\t 'filter'\n\t];\n\t\n\tvar LIFECYCLE_HOOKS = [\n\t 'beforeCreate',\n\t 'created',\n\t 'beforeMount',\n\t 'mounted',\n\t 'beforeUpdate',\n\t 'updated',\n\t 'beforeDestroy',\n\t 'destroyed',\n\t 'activated',\n\t 'deactivated',\n\t 'errorCaptured'\n\t];\n\t\n\t/* */\n\t\n\tvar config = ({\n\t /**\n\t * Option merge strategies (used in core/util/options)\n\t */\n\t // $flow-disable-line\n\t optionMergeStrategies: Object.create(null),\n\t\n\t /**\n\t * Whether to suppress warnings.\n\t */\n\t silent: false,\n\t\n\t /**\n\t * Show production mode tip message on boot?\n\t */\n\t productionTip: (\"production\") !== 'production',\n\t\n\t /**\n\t * Whether to enable devtools\n\t */\n\t devtools: (\"production\") !== 'production',\n\t\n\t /**\n\t * Whether to record perf\n\t */\n\t performance: false,\n\t\n\t /**\n\t * Error handler for watcher errors\n\t */\n\t errorHandler: null,\n\t\n\t /**\n\t * Warn handler for watcher warns\n\t */\n\t warnHandler: null,\n\t\n\t /**\n\t * Ignore certain custom elements\n\t */\n\t ignoredElements: [],\n\t\n\t /**\n\t * Custom user key aliases for v-on\n\t */\n\t // $flow-disable-line\n\t keyCodes: Object.create(null),\n\t\n\t /**\n\t * Check if a tag is reserved so that it cannot be registered as a\n\t * component. This is platform-dependent and may be overwritten.\n\t */\n\t isReservedTag: no,\n\t\n\t /**\n\t * Check if an attribute is reserved so that it cannot be used as a component\n\t * prop. This is platform-dependent and may be overwritten.\n\t */\n\t isReservedAttr: no,\n\t\n\t /**\n\t * Check if a tag is an unknown element.\n\t * Platform-dependent.\n\t */\n\t isUnknownElement: no,\n\t\n\t /**\n\t * Get the namespace of an element\n\t */\n\t getTagNamespace: noop,\n\t\n\t /**\n\t * Parse the real tag name for the specific platform.\n\t */\n\t parsePlatformTagName: identity,\n\t\n\t /**\n\t * Check if an attribute must be bound using property, e.g. value\n\t * Platform-dependent.\n\t */\n\t mustUseProp: no,\n\t\n\t /**\n\t * Exposed for legacy reasons\n\t */\n\t _lifecycleHooks: LIFECYCLE_HOOKS\n\t})\n\t\n\t/* */\n\t\n\t/**\n\t * Check if a string starts with $ or _\n\t */\n\tfunction isReserved (str) {\n\t var c = (str + '').charCodeAt(0);\n\t return c === 0x24 || c === 0x5F\n\t}\n\t\n\t/**\n\t * Define a property.\n\t */\n\tfunction def (obj, key, val, enumerable) {\n\t Object.defineProperty(obj, key, {\n\t value: val,\n\t enumerable: !!enumerable,\n\t writable: true,\n\t configurable: true\n\t });\n\t}\n\t\n\t/**\n\t * Parse simple path.\n\t */\n\tvar bailRE = /[^\\w.$]/;\n\tfunction parsePath (path) {\n\t if (bailRE.test(path)) {\n\t return\n\t }\n\t var segments = path.split('.');\n\t return function (obj) {\n\t for (var i = 0; i < segments.length; i++) {\n\t if (!obj) { return }\n\t obj = obj[segments[i]];\n\t }\n\t return obj\n\t }\n\t}\n\t\n\t/* */\n\t\n\t// can we use __proto__?\n\tvar hasProto = '__proto__' in {};\n\t\n\t// Browser environment sniffing\n\tvar inBrowser = typeof window !== 'undefined';\n\tvar inWeex = typeof WXEnvironment !== 'undefined' && !!WXEnvironment.platform;\n\tvar weexPlatform = inWeex && WXEnvironment.platform.toLowerCase();\n\tvar UA = inBrowser && window.navigator.userAgent.toLowerCase();\n\tvar isIE = UA && /msie|trident/.test(UA);\n\tvar isIE9 = UA && UA.indexOf('msie 9.0') > 0;\n\tvar isEdge = UA && UA.indexOf('edge/') > 0;\n\tvar isAndroid = (UA && UA.indexOf('android') > 0) || (weexPlatform === 'android');\n\tvar isIOS = (UA && /iphone|ipad|ipod|ios/.test(UA)) || (weexPlatform === 'ios');\n\tvar isChrome = UA && /chrome\\/\\d+/.test(UA) && !isEdge;\n\t\n\t// Firefox has a \"watch\" function on Object.prototype...\n\tvar nativeWatch = ({}).watch;\n\t\n\tvar supportsPassive = false;\n\tif (inBrowser) {\n\t try {\n\t var opts = {};\n\t Object.defineProperty(opts, 'passive', ({\n\t get: function get () {\n\t /* istanbul ignore next */\n\t supportsPassive = true;\n\t }\n\t })); // https://github.com/facebook/flow/issues/285\n\t window.addEventListener('test-passive', null, opts);\n\t } catch (e) {}\n\t}\n\t\n\t// this needs to be lazy-evaled because vue may be required before\n\t// vue-server-renderer can set VUE_ENV\n\tvar _isServer;\n\tvar isServerRendering = function () {\n\t if (_isServer === undefined) {\n\t /* istanbul ignore if */\n\t if (!inBrowser && !inWeex && typeof global !== 'undefined') {\n\t // detect presence of vue-server-renderer and avoid\n\t // Webpack shimming the process\n\t _isServer = global['process'].env.VUE_ENV === 'server';\n\t } else {\n\t _isServer = false;\n\t }\n\t }\n\t return _isServer\n\t};\n\t\n\t// detect devtools\n\tvar devtools = inBrowser && window.__VUE_DEVTOOLS_GLOBAL_HOOK__;\n\t\n\t/* istanbul ignore next */\n\tfunction isNative (Ctor) {\n\t return typeof Ctor === 'function' && /native code/.test(Ctor.toString())\n\t}\n\t\n\tvar hasSymbol =\n\t typeof Symbol !== 'undefined' && isNative(Symbol) &&\n\t typeof Reflect !== 'undefined' && isNative(Reflect.ownKeys);\n\t\n\tvar _Set;\n\t/* istanbul ignore if */ // $flow-disable-line\n\tif (typeof Set !== 'undefined' && isNative(Set)) {\n\t // use native Set when available.\n\t _Set = Set;\n\t} else {\n\t // a non-standard Set polyfill that only works with primitive keys.\n\t _Set = (function () {\n\t function Set () {\n\t this.set = Object.create(null);\n\t }\n\t Set.prototype.has = function has (key) {\n\t return this.set[key] === true\n\t };\n\t Set.prototype.add = function add (key) {\n\t this.set[key] = true;\n\t };\n\t Set.prototype.clear = function clear () {\n\t this.set = Object.create(null);\n\t };\n\t\n\t return Set;\n\t }());\n\t}\n\t\n\t/* */\n\t\n\tvar warn = noop;\n\tvar tip = noop;\n\tvar generateComponentTrace = (noop); // work around flow check\n\tvar formatComponentName = (noop);\n\t\n\tif (false) {\n\t var hasConsole = typeof console !== 'undefined';\n\t var classifyRE = /(?:^|[-_])(\\w)/g;\n\t var classify = function (str) { return str\n\t .replace(classifyRE, function (c) { return c.toUpperCase(); })\n\t .replace(/[-_]/g, ''); };\n\t\n\t warn = function (msg, vm) {\n\t var trace = vm ? generateComponentTrace(vm) : '';\n\t\n\t if (config.warnHandler) {\n\t config.warnHandler.call(null, msg, vm, trace);\n\t } else if (hasConsole && (!config.silent)) {\n\t console.error((\"[Vue warn]: \" + msg + trace));\n\t }\n\t };\n\t\n\t tip = function (msg, vm) {\n\t if (hasConsole && (!config.silent)) {\n\t console.warn(\"[Vue tip]: \" + msg + (\n\t vm ? generateComponentTrace(vm) : ''\n\t ));\n\t }\n\t };\n\t\n\t formatComponentName = function (vm, includeFile) {\n\t if (vm.$root === vm) {\n\t return ''\n\t }\n\t var options = typeof vm === 'function' && vm.cid != null\n\t ? vm.options\n\t : vm._isVue\n\t ? vm.$options || vm.constructor.options\n\t : vm || {};\n\t var name = options.name || options._componentTag;\n\t var file = options.__file;\n\t if (!name && file) {\n\t var match = file.match(/([^/\\\\]+)\\.vue$/);\n\t name = match && match[1];\n\t }\n\t\n\t return (\n\t (name ? (\"<\" + (classify(name)) + \">\") : \"\") +\n\t (file && includeFile !== false ? (\" at \" + file) : '')\n\t )\n\t };\n\t\n\t var repeat = function (str, n) {\n\t var res = '';\n\t while (n) {\n\t if (n % 2 === 1) { res += str; }\n\t if (n > 1) { str += str; }\n\t n >>= 1;\n\t }\n\t return res\n\t };\n\t\n\t generateComponentTrace = function (vm) {\n\t if (vm._isVue && vm.$parent) {\n\t var tree = [];\n\t var currentRecursiveSequence = 0;\n\t while (vm) {\n\t if (tree.length > 0) {\n\t var last = tree[tree.length - 1];\n\t if (last.constructor === vm.constructor) {\n\t currentRecursiveSequence++;\n\t vm = vm.$parent;\n\t continue\n\t } else if (currentRecursiveSequence > 0) {\n\t tree[tree.length - 1] = [last, currentRecursiveSequence];\n\t currentRecursiveSequence = 0;\n\t }\n\t }\n\t tree.push(vm);\n\t vm = vm.$parent;\n\t }\n\t return '\\n\\nfound in\\n\\n' + tree\n\t .map(function (vm, i) { return (\"\" + (i === 0 ? '---> ' : repeat(' ', 5 + i * 2)) + (Array.isArray(vm)\n\t ? ((formatComponentName(vm[0])) + \"... (\" + (vm[1]) + \" recursive calls)\")\n\t : formatComponentName(vm))); })\n\t .join('\\n')\n\t } else {\n\t return (\"\\n\\n(found in \" + (formatComponentName(vm)) + \")\")\n\t }\n\t };\n\t}\n\t\n\t/* */\n\t\n\t\n\tvar uid = 0;\n\t\n\t/**\n\t * A dep is an observable that can have multiple\n\t * directives subscribing to it.\n\t */\n\tvar Dep = function Dep () {\n\t this.id = uid++;\n\t this.subs = [];\n\t};\n\t\n\tDep.prototype.addSub = function addSub (sub) {\n\t this.subs.push(sub);\n\t};\n\t\n\tDep.prototype.removeSub = function removeSub (sub) {\n\t remove(this.subs, sub);\n\t};\n\t\n\tDep.prototype.depend = function depend () {\n\t if (Dep.target) {\n\t Dep.target.addDep(this);\n\t }\n\t};\n\t\n\tDep.prototype.notify = function notify () {\n\t // stabilize the subscriber list first\n\t var subs = this.subs.slice();\n\t for (var i = 0, l = subs.length; i < l; i++) {\n\t subs[i].update();\n\t }\n\t};\n\t\n\t// the current target watcher being evaluated.\n\t// this is globally unique because there could be only one\n\t// watcher being evaluated at any time.\n\tDep.target = null;\n\tvar targetStack = [];\n\t\n\tfunction pushTarget (_target) {\n\t if (Dep.target) { targetStack.push(Dep.target); }\n\t Dep.target = _target;\n\t}\n\t\n\tfunction popTarget () {\n\t Dep.target = targetStack.pop();\n\t}\n\t\n\t/* */\n\t\n\tvar VNode = function VNode (\n\t tag,\n\t data,\n\t children,\n\t text,\n\t elm,\n\t context,\n\t componentOptions,\n\t asyncFactory\n\t) {\n\t this.tag = tag;\n\t this.data = data;\n\t this.children = children;\n\t this.text = text;\n\t this.elm = elm;\n\t this.ns = undefined;\n\t this.context = context;\n\t this.fnContext = undefined;\n\t this.fnOptions = undefined;\n\t this.fnScopeId = undefined;\n\t this.key = data && data.key;\n\t this.componentOptions = componentOptions;\n\t this.componentInstance = undefined;\n\t this.parent = undefined;\n\t this.raw = false;\n\t this.isStatic = false;\n\t this.isRootInsert = true;\n\t this.isComment = false;\n\t this.isCloned = false;\n\t this.isOnce = false;\n\t this.asyncFactory = asyncFactory;\n\t this.asyncMeta = undefined;\n\t this.isAsyncPlaceholder = false;\n\t};\n\t\n\tvar prototypeAccessors = { child: { configurable: true } };\n\t\n\t// DEPRECATED: alias for componentInstance for backwards compat.\n\t/* istanbul ignore next */\n\tprototypeAccessors.child.get = function () {\n\t return this.componentInstance\n\t};\n\t\n\tObject.defineProperties( VNode.prototype, prototypeAccessors );\n\t\n\tvar createEmptyVNode = function (text) {\n\t if ( text === void 0 ) text = '';\n\t\n\t var node = new VNode();\n\t node.text = text;\n\t node.isComment = true;\n\t return node\n\t};\n\t\n\tfunction createTextVNode (val) {\n\t return new VNode(undefined, undefined, undefined, String(val))\n\t}\n\t\n\t// optimized shallow clone\n\t// used for static nodes and slot nodes because they may be reused across\n\t// multiple renders, cloning them avoids errors when DOM manipulations rely\n\t// on their elm reference.\n\tfunction cloneVNode (vnode) {\n\t var cloned = new VNode(\n\t vnode.tag,\n\t vnode.data,\n\t vnode.children,\n\t vnode.text,\n\t vnode.elm,\n\t vnode.context,\n\t vnode.componentOptions,\n\t vnode.asyncFactory\n\t );\n\t cloned.ns = vnode.ns;\n\t cloned.isStatic = vnode.isStatic;\n\t cloned.key = vnode.key;\n\t cloned.isComment = vnode.isComment;\n\t cloned.fnContext = vnode.fnContext;\n\t cloned.fnOptions = vnode.fnOptions;\n\t cloned.fnScopeId = vnode.fnScopeId;\n\t cloned.isCloned = true;\n\t return cloned\n\t}\n\t\n\t/*\n\t * not type checking this file because flow doesn't play well with\n\t * dynamically accessing methods on Array prototype\n\t */\n\t\n\tvar arrayProto = Array.prototype;\n\tvar arrayMethods = Object.create(arrayProto);\n\t\n\tvar methodsToPatch = [\n\t 'push',\n\t 'pop',\n\t 'shift',\n\t 'unshift',\n\t 'splice',\n\t 'sort',\n\t 'reverse'\n\t];\n\t\n\t/**\n\t * Intercept mutating methods and emit events\n\t */\n\tmethodsToPatch.forEach(function (method) {\n\t // cache original method\n\t var original = arrayProto[method];\n\t def(arrayMethods, method, function mutator () {\n\t var args = [], len = arguments.length;\n\t while ( len-- ) args[ len ] = arguments[ len ];\n\t\n\t var result = original.apply(this, args);\n\t var ob = this.__ob__;\n\t var inserted;\n\t switch (method) {\n\t case 'push':\n\t case 'unshift':\n\t inserted = args;\n\t break\n\t case 'splice':\n\t inserted = args.slice(2);\n\t break\n\t }\n\t if (inserted) { ob.observeArray(inserted); }\n\t // notify change\n\t ob.dep.notify();\n\t return result\n\t });\n\t});\n\t\n\t/* */\n\t\n\tvar arrayKeys = Object.getOwnPropertyNames(arrayMethods);\n\t\n\t/**\n\t * In some cases we may want to disable observation inside a component's\n\t * update computation.\n\t */\n\tvar shouldObserve = true;\n\t\n\tfunction toggleObserving (value) {\n\t shouldObserve = value;\n\t}\n\t\n\t/**\n\t * Observer class that is attached to each observed\n\t * object. Once attached, the observer converts the target\n\t * object's property keys into getter/setters that\n\t * collect dependencies and dispatch updates.\n\t */\n\tvar Observer = function Observer (value) {\n\t this.value = value;\n\t this.dep = new Dep();\n\t this.vmCount = 0;\n\t def(value, '__ob__', this);\n\t if (Array.isArray(value)) {\n\t var augment = hasProto\n\t ? protoAugment\n\t : copyAugment;\n\t augment(value, arrayMethods, arrayKeys);\n\t this.observeArray(value);\n\t } else {\n\t this.walk(value);\n\t }\n\t};\n\t\n\t/**\n\t * Walk through each property and convert them into\n\t * getter/setters. This method should only be called when\n\t * value type is Object.\n\t */\n\tObserver.prototype.walk = function walk (obj) {\n\t var keys = Object.keys(obj);\n\t for (var i = 0; i < keys.length; i++) {\n\t defineReactive(obj, keys[i]);\n\t }\n\t};\n\t\n\t/**\n\t * Observe a list of Array items.\n\t */\n\tObserver.prototype.observeArray = function observeArray (items) {\n\t for (var i = 0, l = items.length; i < l; i++) {\n\t observe(items[i]);\n\t }\n\t};\n\t\n\t// helpers\n\t\n\t/**\n\t * Augment an target Object or Array by intercepting\n\t * the prototype chain using __proto__\n\t */\n\tfunction protoAugment (target, src, keys) {\n\t /* eslint-disable no-proto */\n\t target.__proto__ = src;\n\t /* eslint-enable no-proto */\n\t}\n\t\n\t/**\n\t * Augment an target Object or Array by defining\n\t * hidden properties.\n\t */\n\t/* istanbul ignore next */\n\tfunction copyAugment (target, src, keys) {\n\t for (var i = 0, l = keys.length; i < l; i++) {\n\t var key = keys[i];\n\t def(target, key, src[key]);\n\t }\n\t}\n\t\n\t/**\n\t * Attempt to create an observer instance for a value,\n\t * returns the new observer if successfully observed,\n\t * or the existing observer if the value already has one.\n\t */\n\tfunction observe (value, asRootData) {\n\t if (!isObject(value) || value instanceof VNode) {\n\t return\n\t }\n\t var ob;\n\t if (hasOwn(value, '__ob__') && value.__ob__ instanceof Observer) {\n\t ob = value.__ob__;\n\t } else if (\n\t shouldObserve &&\n\t !isServerRendering() &&\n\t (Array.isArray(value) || isPlainObject(value)) &&\n\t Object.isExtensible(value) &&\n\t !value._isVue\n\t ) {\n\t ob = new Observer(value);\n\t }\n\t if (asRootData && ob) {\n\t ob.vmCount++;\n\t }\n\t return ob\n\t}\n\t\n\t/**\n\t * Define a reactive property on an Object.\n\t */\n\tfunction defineReactive (\n\t obj,\n\t key,\n\t val,\n\t customSetter,\n\t shallow\n\t) {\n\t var dep = new Dep();\n\t\n\t var property = Object.getOwnPropertyDescriptor(obj, key);\n\t if (property && property.configurable === false) {\n\t return\n\t }\n\t\n\t // cater for pre-defined getter/setters\n\t var getter = property && property.get;\n\t if (!getter && arguments.length === 2) {\n\t val = obj[key];\n\t }\n\t var setter = property && property.set;\n\t\n\t var childOb = !shallow && observe(val);\n\t Object.defineProperty(obj, key, {\n\t enumerable: true,\n\t configurable: true,\n\t get: function reactiveGetter () {\n\t var value = getter ? getter.call(obj) : val;\n\t if (Dep.target) {\n\t dep.depend();\n\t if (childOb) {\n\t childOb.dep.depend();\n\t if (Array.isArray(value)) {\n\t dependArray(value);\n\t }\n\t }\n\t }\n\t return value\n\t },\n\t set: function reactiveSetter (newVal) {\n\t var value = getter ? getter.call(obj) : val;\n\t /* eslint-disable no-self-compare */\n\t if (newVal === value || (newVal !== newVal && value !== value)) {\n\t return\n\t }\n\t /* eslint-enable no-self-compare */\n\t if (false) {\n\t customSetter();\n\t }\n\t if (setter) {\n\t setter.call(obj, newVal);\n\t } else {\n\t val = newVal;\n\t }\n\t childOb = !shallow && observe(newVal);\n\t dep.notify();\n\t }\n\t });\n\t}\n\t\n\t/**\n\t * Set a property on an object. Adds the new property and\n\t * triggers change notification if the property doesn't\n\t * already exist.\n\t */\n\tfunction set (target, key, val) {\n\t if (false\n\t ) {\n\t warn((\"Cannot set reactive property on undefined, null, or primitive value: \" + ((target))));\n\t }\n\t if (Array.isArray(target) && isValidArrayIndex(key)) {\n\t target.length = Math.max(target.length, key);\n\t target.splice(key, 1, val);\n\t return val\n\t }\n\t if (key in target && !(key in Object.prototype)) {\n\t target[key] = val;\n\t return val\n\t }\n\t var ob = (target).__ob__;\n\t if (target._isVue || (ob && ob.vmCount)) {\n\t (\"production\") !== 'production' && warn(\n\t 'Avoid adding reactive properties to a Vue instance or its root $data ' +\n\t 'at runtime - declare it upfront in the data option.'\n\t );\n\t return val\n\t }\n\t if (!ob) {\n\t target[key] = val;\n\t return val\n\t }\n\t defineReactive(ob.value, key, val);\n\t ob.dep.notify();\n\t return val\n\t}\n\t\n\t/**\n\t * Delete a property and trigger change if necessary.\n\t */\n\tfunction del (target, key) {\n\t if (false\n\t ) {\n\t warn((\"Cannot delete reactive property on undefined, null, or primitive value: \" + ((target))));\n\t }\n\t if (Array.isArray(target) && isValidArrayIndex(key)) {\n\t target.splice(key, 1);\n\t return\n\t }\n\t var ob = (target).__ob__;\n\t if (target._isVue || (ob && ob.vmCount)) {\n\t (\"production\") !== 'production' && warn(\n\t 'Avoid deleting properties on a Vue instance or its root $data ' +\n\t '- just set it to null.'\n\t );\n\t return\n\t }\n\t if (!hasOwn(target, key)) {\n\t return\n\t }\n\t delete target[key];\n\t if (!ob) {\n\t return\n\t }\n\t ob.dep.notify();\n\t}\n\t\n\t/**\n\t * Collect dependencies on array elements when the array is touched, since\n\t * we cannot intercept array element access like property getters.\n\t */\n\tfunction dependArray (value) {\n\t for (var e = (void 0), i = 0, l = value.length; i < l; i++) {\n\t e = value[i];\n\t e && e.__ob__ && e.__ob__.dep.depend();\n\t if (Array.isArray(e)) {\n\t dependArray(e);\n\t }\n\t }\n\t}\n\t\n\t/* */\n\t\n\t/**\n\t * Option overwriting strategies are functions that handle\n\t * how to merge a parent option value and a child option\n\t * value into the final value.\n\t */\n\tvar strats = config.optionMergeStrategies;\n\t\n\t/**\n\t * Options with restrictions\n\t */\n\tif (false) {\n\t strats.el = strats.propsData = function (parent, child, vm, key) {\n\t if (!vm) {\n\t warn(\n\t \"option \\\"\" + key + \"\\\" can only be used during instance \" +\n\t 'creation with the `new` keyword.'\n\t );\n\t }\n\t return defaultStrat(parent, child)\n\t };\n\t}\n\t\n\t/**\n\t * Helper that recursively merges two data objects together.\n\t */\n\tfunction mergeData (to, from) {\n\t if (!from) { return to }\n\t var key, toVal, fromVal;\n\t var keys = Object.keys(from);\n\t for (var i = 0; i < keys.length; i++) {\n\t key = keys[i];\n\t toVal = to[key];\n\t fromVal = from[key];\n\t if (!hasOwn(to, key)) {\n\t set(to, key, fromVal);\n\t } else if (isPlainObject(toVal) && isPlainObject(fromVal)) {\n\t mergeData(toVal, fromVal);\n\t }\n\t }\n\t return to\n\t}\n\t\n\t/**\n\t * Data\n\t */\n\tfunction mergeDataOrFn (\n\t parentVal,\n\t childVal,\n\t vm\n\t) {\n\t if (!vm) {\n\t // in a Vue.extend merge, both should be functions\n\t if (!childVal) {\n\t return parentVal\n\t }\n\t if (!parentVal) {\n\t return childVal\n\t }\n\t // when parentVal & childVal are both present,\n\t // we need to return a function that returns the\n\t // merged result of both functions... no need to\n\t // check if parentVal is a function here because\n\t // it has to be a function to pass previous merges.\n\t return function mergedDataFn () {\n\t return mergeData(\n\t typeof childVal === 'function' ? childVal.call(this, this) : childVal,\n\t typeof parentVal === 'function' ? parentVal.call(this, this) : parentVal\n\t )\n\t }\n\t } else {\n\t return function mergedInstanceDataFn () {\n\t // instance merge\n\t var instanceData = typeof childVal === 'function'\n\t ? childVal.call(vm, vm)\n\t : childVal;\n\t var defaultData = typeof parentVal === 'function'\n\t ? parentVal.call(vm, vm)\n\t : parentVal;\n\t if (instanceData) {\n\t return mergeData(instanceData, defaultData)\n\t } else {\n\t return defaultData\n\t }\n\t }\n\t }\n\t}\n\t\n\tstrats.data = function (\n\t parentVal,\n\t childVal,\n\t vm\n\t) {\n\t if (!vm) {\n\t if (childVal && typeof childVal !== 'function') {\n\t (\"production\") !== 'production' && warn(\n\t 'The \"data\" option should be a function ' +\n\t 'that returns a per-instance value in component ' +\n\t 'definitions.',\n\t vm\n\t );\n\t\n\t return parentVal\n\t }\n\t return mergeDataOrFn(parentVal, childVal)\n\t }\n\t\n\t return mergeDataOrFn(parentVal, childVal, vm)\n\t};\n\t\n\t/**\n\t * Hooks and props are merged as arrays.\n\t */\n\tfunction mergeHook (\n\t parentVal,\n\t childVal\n\t) {\n\t return childVal\n\t ? parentVal\n\t ? parentVal.concat(childVal)\n\t : Array.isArray(childVal)\n\t ? childVal\n\t : [childVal]\n\t : parentVal\n\t}\n\t\n\tLIFECYCLE_HOOKS.forEach(function (hook) {\n\t strats[hook] = mergeHook;\n\t});\n\t\n\t/**\n\t * Assets\n\t *\n\t * When a vm is present (instance creation), we need to do\n\t * a three-way merge between constructor options, instance\n\t * options and parent options.\n\t */\n\tfunction mergeAssets (\n\t parentVal,\n\t childVal,\n\t vm,\n\t key\n\t) {\n\t var res = Object.create(parentVal || null);\n\t if (childVal) {\n\t (\"production\") !== 'production' && assertObjectType(key, childVal, vm);\n\t return extend(res, childVal)\n\t } else {\n\t return res\n\t }\n\t}\n\t\n\tASSET_TYPES.forEach(function (type) {\n\t strats[type + 's'] = mergeAssets;\n\t});\n\t\n\t/**\n\t * Watchers.\n\t *\n\t * Watchers hashes should not overwrite one\n\t * another, so we merge them as arrays.\n\t */\n\tstrats.watch = function (\n\t parentVal,\n\t childVal,\n\t vm,\n\t key\n\t) {\n\t // work around Firefox's Object.prototype.watch...\n\t if (parentVal === nativeWatch) { parentVal = undefined; }\n\t if (childVal === nativeWatch) { childVal = undefined; }\n\t /* istanbul ignore if */\n\t if (!childVal) { return Object.create(parentVal || null) }\n\t if (false) {\n\t assertObjectType(key, childVal, vm);\n\t }\n\t if (!parentVal) { return childVal }\n\t var ret = {};\n\t extend(ret, parentVal);\n\t for (var key$1 in childVal) {\n\t var parent = ret[key$1];\n\t var child = childVal[key$1];\n\t if (parent && !Array.isArray(parent)) {\n\t parent = [parent];\n\t }\n\t ret[key$1] = parent\n\t ? parent.concat(child)\n\t : Array.isArray(child) ? child : [child];\n\t }\n\t return ret\n\t};\n\t\n\t/**\n\t * Other object hashes.\n\t */\n\tstrats.props =\n\tstrats.methods =\n\tstrats.inject =\n\tstrats.computed = function (\n\t parentVal,\n\t childVal,\n\t vm,\n\t key\n\t) {\n\t if (childVal && (\"production\") !== 'production') {\n\t assertObjectType(key, childVal, vm);\n\t }\n\t if (!parentVal) { return childVal }\n\t var ret = Object.create(null);\n\t extend(ret, parentVal);\n\t if (childVal) { extend(ret, childVal); }\n\t return ret\n\t};\n\tstrats.provide = mergeDataOrFn;\n\t\n\t/**\n\t * Default strategy.\n\t */\n\tvar defaultStrat = function (parentVal, childVal) {\n\t return childVal === undefined\n\t ? parentVal\n\t : childVal\n\t};\n\t\n\t/**\n\t * Validate component names\n\t */\n\tfunction checkComponents (options) {\n\t for (var key in options.components) {\n\t validateComponentName(key);\n\t }\n\t}\n\t\n\tfunction validateComponentName (name) {\n\t if (!/^[a-zA-Z][\\w-]*$/.test(name)) {\n\t warn(\n\t 'Invalid component name: \"' + name + '\". Component names ' +\n\t 'can only contain alphanumeric characters and the hyphen, ' +\n\t 'and must start with a letter.'\n\t );\n\t }\n\t if (isBuiltInTag(name) || config.isReservedTag(name)) {\n\t warn(\n\t 'Do not use built-in or reserved HTML elements as component ' +\n\t 'id: ' + name\n\t );\n\t }\n\t}\n\t\n\t/**\n\t * Ensure all props option syntax are normalized into the\n\t * Object-based format.\n\t */\n\tfunction normalizeProps (options, vm) {\n\t var props = options.props;\n\t if (!props) { return }\n\t var res = {};\n\t var i, val, name;\n\t if (Array.isArray(props)) {\n\t i = props.length;\n\t while (i--) {\n\t val = props[i];\n\t if (typeof val === 'string') {\n\t name = camelize(val);\n\t res[name] = { type: null };\n\t } else if (false) {\n\t warn('props must be strings when using array syntax.');\n\t }\n\t }\n\t } else if (isPlainObject(props)) {\n\t for (var key in props) {\n\t val = props[key];\n\t name = camelize(key);\n\t res[name] = isPlainObject(val)\n\t ? val\n\t : { type: val };\n\t }\n\t } else if (false) {\n\t warn(\n\t \"Invalid value for option \\\"props\\\": expected an Array or an Object, \" +\n\t \"but got \" + (toRawType(props)) + \".\",\n\t vm\n\t );\n\t }\n\t options.props = res;\n\t}\n\t\n\t/**\n\t * Normalize all injections into Object-based format\n\t */\n\tfunction normalizeInject (options, vm) {\n\t var inject = options.inject;\n\t if (!inject) { return }\n\t var normalized = options.inject = {};\n\t if (Array.isArray(inject)) {\n\t for (var i = 0; i < inject.length; i++) {\n\t normalized[inject[i]] = { from: inject[i] };\n\t }\n\t } else if (isPlainObject(inject)) {\n\t for (var key in inject) {\n\t var val = inject[key];\n\t normalized[key] = isPlainObject(val)\n\t ? extend({ from: key }, val)\n\t : { from: val };\n\t }\n\t } else if (false) {\n\t warn(\n\t \"Invalid value for option \\\"inject\\\": expected an Array or an Object, \" +\n\t \"but got \" + (toRawType(inject)) + \".\",\n\t vm\n\t );\n\t }\n\t}\n\t\n\t/**\n\t * Normalize raw function directives into object format.\n\t */\n\tfunction normalizeDirectives (options) {\n\t var dirs = options.directives;\n\t if (dirs) {\n\t for (var key in dirs) {\n\t var def = dirs[key];\n\t if (typeof def === 'function') {\n\t dirs[key] = { bind: def, update: def };\n\t }\n\t }\n\t }\n\t}\n\t\n\tfunction assertObjectType (name, value, vm) {\n\t if (!isPlainObject(value)) {\n\t warn(\n\t \"Invalid value for option \\\"\" + name + \"\\\": expected an Object, \" +\n\t \"but got \" + (toRawType(value)) + \".\",\n\t vm\n\t );\n\t }\n\t}\n\t\n\t/**\n\t * Merge two option objects into a new one.\n\t * Core utility used in both instantiation and inheritance.\n\t */\n\tfunction mergeOptions (\n\t parent,\n\t child,\n\t vm\n\t) {\n\t if (false) {\n\t checkComponents(child);\n\t }\n\t\n\t if (typeof child === 'function') {\n\t child = child.options;\n\t }\n\t\n\t normalizeProps(child, vm);\n\t normalizeInject(child, vm);\n\t normalizeDirectives(child);\n\t var extendsFrom = child.extends;\n\t if (extendsFrom) {\n\t parent = mergeOptions(parent, extendsFrom, vm);\n\t }\n\t if (child.mixins) {\n\t for (var i = 0, l = child.mixins.length; i < l; i++) {\n\t parent = mergeOptions(parent, child.mixins[i], vm);\n\t }\n\t }\n\t var options = {};\n\t var key;\n\t for (key in parent) {\n\t mergeField(key);\n\t }\n\t for (key in child) {\n\t if (!hasOwn(parent, key)) {\n\t mergeField(key);\n\t }\n\t }\n\t function mergeField (key) {\n\t var strat = strats[key] || defaultStrat;\n\t options[key] = strat(parent[key], child[key], vm, key);\n\t }\n\t return options\n\t}\n\t\n\t/**\n\t * Resolve an asset.\n\t * This function is used because child instances need access\n\t * to assets defined in its ancestor chain.\n\t */\n\tfunction resolveAsset (\n\t options,\n\t type,\n\t id,\n\t warnMissing\n\t) {\n\t /* istanbul ignore if */\n\t if (typeof id !== 'string') {\n\t return\n\t }\n\t var assets = options[type];\n\t // check local registration variations first\n\t if (hasOwn(assets, id)) { return assets[id] }\n\t var camelizedId = camelize(id);\n\t if (hasOwn(assets, camelizedId)) { return assets[camelizedId] }\n\t var PascalCaseId = capitalize(camelizedId);\n\t if (hasOwn(assets, PascalCaseId)) { return assets[PascalCaseId] }\n\t // fallback to prototype chain\n\t var res = assets[id] || assets[camelizedId] || assets[PascalCaseId];\n\t if (false) {\n\t warn(\n\t 'Failed to resolve ' + type.slice(0, -1) + ': ' + id,\n\t options\n\t );\n\t }\n\t return res\n\t}\n\t\n\t/* */\n\t\n\tfunction validateProp (\n\t key,\n\t propOptions,\n\t propsData,\n\t vm\n\t) {\n\t var prop = propOptions[key];\n\t var absent = !hasOwn(propsData, key);\n\t var value = propsData[key];\n\t // boolean casting\n\t var booleanIndex = getTypeIndex(Boolean, prop.type);\n\t if (booleanIndex > -1) {\n\t if (absent && !hasOwn(prop, 'default')) {\n\t value = false;\n\t } else if (value === '' || value === hyphenate(key)) {\n\t // only cast empty string / same name to boolean if\n\t // boolean has higher priority\n\t var stringIndex = getTypeIndex(String, prop.type);\n\t if (stringIndex < 0 || booleanIndex < stringIndex) {\n\t value = true;\n\t }\n\t }\n\t }\n\t // check default value\n\t if (value === undefined) {\n\t value = getPropDefaultValue(vm, prop, key);\n\t // since the default value is a fresh copy,\n\t // make sure to observe it.\n\t var prevShouldObserve = shouldObserve;\n\t toggleObserving(true);\n\t observe(value);\n\t toggleObserving(prevShouldObserve);\n\t }\n\t if (\n\t false\n\t ) {\n\t assertProp(prop, key, value, vm, absent);\n\t }\n\t return value\n\t}\n\t\n\t/**\n\t * Get the default value of a prop.\n\t */\n\tfunction getPropDefaultValue (vm, prop, key) {\n\t // no default, return undefined\n\t if (!hasOwn(prop, 'default')) {\n\t return undefined\n\t }\n\t var def = prop.default;\n\t // warn against non-factory defaults for Object & Array\n\t if (false) {\n\t warn(\n\t 'Invalid default value for prop \"' + key + '\": ' +\n\t 'Props with type Object/Array must use a factory function ' +\n\t 'to return the default value.',\n\t vm\n\t );\n\t }\n\t // the raw prop value was also undefined from previous render,\n\t // return previous default value to avoid unnecessary watcher trigger\n\t if (vm && vm.$options.propsData &&\n\t vm.$options.propsData[key] === undefined &&\n\t vm._props[key] !== undefined\n\t ) {\n\t return vm._props[key]\n\t }\n\t // call factory function for non-Function types\n\t // a value is Function if its prototype is function even across different execution context\n\t return typeof def === 'function' && getType(prop.type) !== 'Function'\n\t ? def.call(vm)\n\t : def\n\t}\n\t\n\t/**\n\t * Assert whether a prop is valid.\n\t */\n\tfunction assertProp (\n\t prop,\n\t name,\n\t value,\n\t vm,\n\t absent\n\t) {\n\t if (prop.required && absent) {\n\t warn(\n\t 'Missing required prop: \"' + name + '\"',\n\t vm\n\t );\n\t return\n\t }\n\t if (value == null && !prop.required) {\n\t return\n\t }\n\t var type = prop.type;\n\t var valid = !type || type === true;\n\t var expectedTypes = [];\n\t if (type) {\n\t if (!Array.isArray(type)) {\n\t type = [type];\n\t }\n\t for (var i = 0; i < type.length && !valid; i++) {\n\t var assertedType = assertType(value, type[i]);\n\t expectedTypes.push(assertedType.expectedType || '');\n\t valid = assertedType.valid;\n\t }\n\t }\n\t if (!valid) {\n\t warn(\n\t \"Invalid prop: type check failed for prop \\\"\" + name + \"\\\".\" +\n\t \" Expected \" + (expectedTypes.map(capitalize).join(', ')) +\n\t \", got \" + (toRawType(value)) + \".\",\n\t vm\n\t );\n\t return\n\t }\n\t var validator = prop.validator;\n\t if (validator) {\n\t if (!validator(value)) {\n\t warn(\n\t 'Invalid prop: custom validator check failed for prop \"' + name + '\".',\n\t vm\n\t );\n\t }\n\t }\n\t}\n\t\n\tvar simpleCheckRE = /^(String|Number|Boolean|Function|Symbol)$/;\n\t\n\tfunction assertType (value, type) {\n\t var valid;\n\t var expectedType = getType(type);\n\t if (simpleCheckRE.test(expectedType)) {\n\t var t = typeof value;\n\t valid = t === expectedType.toLowerCase();\n\t // for primitive wrapper objects\n\t if (!valid && t === 'object') {\n\t valid = value instanceof type;\n\t }\n\t } else if (expectedType === 'Object') {\n\t valid = isPlainObject(value);\n\t } else if (expectedType === 'Array') {\n\t valid = Array.isArray(value);\n\t } else {\n\t valid = value instanceof type;\n\t }\n\t return {\n\t valid: valid,\n\t expectedType: expectedType\n\t }\n\t}\n\t\n\t/**\n\t * Use function string name to check built-in types,\n\t * because a simple equality check will fail when running\n\t * across different vms / iframes.\n\t */\n\tfunction getType (fn) {\n\t var match = fn && fn.toString().match(/^\\s*function (\\w+)/);\n\t return match ? match[1] : ''\n\t}\n\t\n\tfunction isSameType (a, b) {\n\t return getType(a) === getType(b)\n\t}\n\t\n\tfunction getTypeIndex (type, expectedTypes) {\n\t if (!Array.isArray(expectedTypes)) {\n\t return isSameType(expectedTypes, type) ? 0 : -1\n\t }\n\t for (var i = 0, len = expectedTypes.length; i < len; i++) {\n\t if (isSameType(expectedTypes[i], type)) {\n\t return i\n\t }\n\t }\n\t return -1\n\t}\n\t\n\t/* */\n\t\n\tfunction handleError (err, vm, info) {\n\t if (vm) {\n\t var cur = vm;\n\t while ((cur = cur.$parent)) {\n\t var hooks = cur.$options.errorCaptured;\n\t if (hooks) {\n\t for (var i = 0; i < hooks.length; i++) {\n\t try {\n\t var capture = hooks[i].call(cur, err, vm, info) === false;\n\t if (capture) { return }\n\t } catch (e) {\n\t globalHandleError(e, cur, 'errorCaptured hook');\n\t }\n\t }\n\t }\n\t }\n\t }\n\t globalHandleError(err, vm, info);\n\t}\n\t\n\tfunction globalHandleError (err, vm, info) {\n\t if (config.errorHandler) {\n\t try {\n\t return config.errorHandler.call(null, err, vm, info)\n\t } catch (e) {\n\t logError(e, null, 'config.errorHandler');\n\t }\n\t }\n\t logError(err, vm, info);\n\t}\n\t\n\tfunction logError (err, vm, info) {\n\t if (false) {\n\t warn((\"Error in \" + info + \": \\\"\" + (err.toString()) + \"\\\"\"), vm);\n\t }\n\t /* istanbul ignore else */\n\t if ((inBrowser || inWeex) && typeof console !== 'undefined') {\n\t console.error(err);\n\t } else {\n\t throw err\n\t }\n\t}\n\t\n\t/* */\n\t/* globals MessageChannel */\n\t\n\tvar callbacks = [];\n\tvar pending = false;\n\t\n\tfunction flushCallbacks () {\n\t pending = false;\n\t var copies = callbacks.slice(0);\n\t callbacks.length = 0;\n\t for (var i = 0; i < copies.length; i++) {\n\t copies[i]();\n\t }\n\t}\n\t\n\t// Here we have async deferring wrappers using both microtasks and (macro) tasks.\n\t// In < 2.4 we used microtasks everywhere, but there are some scenarios where\n\t// microtasks have too high a priority and fire in between supposedly\n\t// sequential events (e.g. #4521, #6690) or even between bubbling of the same\n\t// event (#6566). However, using (macro) tasks everywhere also has subtle problems\n\t// when state is changed right before repaint (e.g. #6813, out-in transitions).\n\t// Here we use microtask by default, but expose a way to force (macro) task when\n\t// needed (e.g. in event handlers attached by v-on).\n\tvar microTimerFunc;\n\tvar macroTimerFunc;\n\tvar useMacroTask = false;\n\t\n\t// Determine (macro) task defer implementation.\n\t// Technically setImmediate should be the ideal choice, but it's only available\n\t// in IE. The only polyfill that consistently queues the callback after all DOM\n\t// events triggered in the same loop is by using MessageChannel.\n\t/* istanbul ignore if */\n\tif (typeof setImmediate !== 'undefined' && isNative(setImmediate)) {\n\t macroTimerFunc = function () {\n\t setImmediate(flushCallbacks);\n\t };\n\t} else if (typeof MessageChannel !== 'undefined' && (\n\t isNative(MessageChannel) ||\n\t // PhantomJS\n\t MessageChannel.toString() === '[object MessageChannelConstructor]'\n\t)) {\n\t var channel = new MessageChannel();\n\t var port = channel.port2;\n\t channel.port1.onmessage = flushCallbacks;\n\t macroTimerFunc = function () {\n\t port.postMessage(1);\n\t };\n\t} else {\n\t /* istanbul ignore next */\n\t macroTimerFunc = function () {\n\t setTimeout(flushCallbacks, 0);\n\t };\n\t}\n\t\n\t// Determine microtask defer implementation.\n\t/* istanbul ignore next, $flow-disable-line */\n\tif (typeof Promise !== 'undefined' && isNative(Promise)) {\n\t var p = Promise.resolve();\n\t microTimerFunc = function () {\n\t p.then(flushCallbacks);\n\t // in problematic UIWebViews, Promise.then doesn't completely break, but\n\t // it can get stuck in a weird state where callbacks are pushed into the\n\t // microtask queue but the queue isn't being flushed, until the browser\n\t // needs to do some other work, e.g. handle a timer. Therefore we can\n\t // \"force\" the microtask queue to be flushed by adding an empty timer.\n\t if (isIOS) { setTimeout(noop); }\n\t };\n\t} else {\n\t // fallback to macro\n\t microTimerFunc = macroTimerFunc;\n\t}\n\t\n\t/**\n\t * Wrap a function so that if any code inside triggers state change,\n\t * the changes are queued using a (macro) task instead of a microtask.\n\t */\n\tfunction withMacroTask (fn) {\n\t return fn._withTask || (fn._withTask = function () {\n\t useMacroTask = true;\n\t var res = fn.apply(null, arguments);\n\t useMacroTask = false;\n\t return res\n\t })\n\t}\n\t\n\tfunction nextTick (cb, ctx) {\n\t var _resolve;\n\t callbacks.push(function () {\n\t if (cb) {\n\t try {\n\t cb.call(ctx);\n\t } catch (e) {\n\t handleError(e, ctx, 'nextTick');\n\t }\n\t } else if (_resolve) {\n\t _resolve(ctx);\n\t }\n\t });\n\t if (!pending) {\n\t pending = true;\n\t if (useMacroTask) {\n\t macroTimerFunc();\n\t } else {\n\t microTimerFunc();\n\t }\n\t }\n\t // $flow-disable-line\n\t if (!cb && typeof Promise !== 'undefined') {\n\t return new Promise(function (resolve) {\n\t _resolve = resolve;\n\t })\n\t }\n\t}\n\t\n\t/* */\n\t\n\t/* not type checking this file because flow doesn't play well with Proxy */\n\t\n\tvar initProxy;\n\t\n\tif (false) {\n\t var allowedGlobals = makeMap(\n\t 'Infinity,undefined,NaN,isFinite,isNaN,' +\n\t 'parseFloat,parseInt,decodeURI,decodeURIComponent,encodeURI,encodeURIComponent,' +\n\t 'Math,Number,Date,Array,Object,Boolean,String,RegExp,Map,Set,JSON,Intl,' +\n\t 'require' // for Webpack/Browserify\n\t );\n\t\n\t var warnNonPresent = function (target, key) {\n\t warn(\n\t \"Property or method \\\"\" + key + \"\\\" is not defined on the instance but \" +\n\t 'referenced during render. Make sure that this property is reactive, ' +\n\t 'either in the data option, or for class-based components, by ' +\n\t 'initializing the property. ' +\n\t 'See: https://vuejs.org/v2/guide/reactivity.html#Declaring-Reactive-Properties.',\n\t target\n\t );\n\t };\n\t\n\t var hasProxy =\n\t typeof Proxy !== 'undefined' && isNative(Proxy);\n\t\n\t if (hasProxy) {\n\t var isBuiltInModifier = makeMap('stop,prevent,self,ctrl,shift,alt,meta,exact');\n\t config.keyCodes = new Proxy(config.keyCodes, {\n\t set: function set (target, key, value) {\n\t if (isBuiltInModifier(key)) {\n\t warn((\"Avoid overwriting built-in modifier in config.keyCodes: .\" + key));\n\t return false\n\t } else {\n\t target[key] = value;\n\t return true\n\t }\n\t }\n\t });\n\t }\n\t\n\t var hasHandler = {\n\t has: function has (target, key) {\n\t var has = key in target;\n\t var isAllowed = allowedGlobals(key) || key.charAt(0) === '_';\n\t if (!has && !isAllowed) {\n\t warnNonPresent(target, key);\n\t }\n\t return has || !isAllowed\n\t }\n\t };\n\t\n\t var getHandler = {\n\t get: function get (target, key) {\n\t if (typeof key === 'string' && !(key in target)) {\n\t warnNonPresent(target, key);\n\t }\n\t return target[key]\n\t }\n\t };\n\t\n\t initProxy = function initProxy (vm) {\n\t if (hasProxy) {\n\t // determine which proxy handler to use\n\t var options = vm.$options;\n\t var handlers = options.render && options.render._withStripped\n\t ? getHandler\n\t : hasHandler;\n\t vm._renderProxy = new Proxy(vm, handlers);\n\t } else {\n\t vm._renderProxy = vm;\n\t }\n\t };\n\t}\n\t\n\t/* */\n\t\n\tvar seenObjects = new _Set();\n\t\n\t/**\n\t * Recursively traverse an object to evoke all converted\n\t * getters, so that every nested property inside the object\n\t * is collected as a \"deep\" dependency.\n\t */\n\tfunction traverse (val) {\n\t _traverse(val, seenObjects);\n\t seenObjects.clear();\n\t}\n\t\n\tfunction _traverse (val, seen) {\n\t var i, keys;\n\t var isA = Array.isArray(val);\n\t if ((!isA && !isObject(val)) || Object.isFrozen(val) || val instanceof VNode) {\n\t return\n\t }\n\t if (val.__ob__) {\n\t var depId = val.__ob__.dep.id;\n\t if (seen.has(depId)) {\n\t return\n\t }\n\t seen.add(depId);\n\t }\n\t if (isA) {\n\t i = val.length;\n\t while (i--) { _traverse(val[i], seen); }\n\t } else {\n\t keys = Object.keys(val);\n\t i = keys.length;\n\t while (i--) { _traverse(val[keys[i]], seen); }\n\t }\n\t}\n\t\n\tvar mark;\n\tvar measure;\n\t\n\tif (false) {\n\t var perf = inBrowser && window.performance;\n\t /* istanbul ignore if */\n\t if (\n\t perf &&\n\t perf.mark &&\n\t perf.measure &&\n\t perf.clearMarks &&\n\t perf.clearMeasures\n\t ) {\n\t mark = function (tag) { return perf.mark(tag); };\n\t measure = function (name, startTag, endTag) {\n\t perf.measure(name, startTag, endTag);\n\t perf.clearMarks(startTag);\n\t perf.clearMarks(endTag);\n\t perf.clearMeasures(name);\n\t };\n\t }\n\t}\n\t\n\t/* */\n\t\n\tvar normalizeEvent = cached(function (name) {\n\t var passive = name.charAt(0) === '&';\n\t name = passive ? name.slice(1) : name;\n\t var once$$1 = name.charAt(0) === '~'; // Prefixed last, checked first\n\t name = once$$1 ? name.slice(1) : name;\n\t var capture = name.charAt(0) === '!';\n\t name = capture ? name.slice(1) : name;\n\t return {\n\t name: name,\n\t once: once$$1,\n\t capture: capture,\n\t passive: passive\n\t }\n\t});\n\t\n\tfunction createFnInvoker (fns) {\n\t function invoker () {\n\t var arguments$1 = arguments;\n\t\n\t var fns = invoker.fns;\n\t if (Array.isArray(fns)) {\n\t var cloned = fns.slice();\n\t for (var i = 0; i < cloned.length; i++) {\n\t cloned[i].apply(null, arguments$1);\n\t }\n\t } else {\n\t // return handler return value for single handlers\n\t return fns.apply(null, arguments)\n\t }\n\t }\n\t invoker.fns = fns;\n\t return invoker\n\t}\n\t\n\tfunction updateListeners (\n\t on,\n\t oldOn,\n\t add,\n\t remove$$1,\n\t vm\n\t) {\n\t var name, def, cur, old, event;\n\t for (name in on) {\n\t def = cur = on[name];\n\t old = oldOn[name];\n\t event = normalizeEvent(name);\n\t /* istanbul ignore if */\n\t if (isUndef(cur)) {\n\t (\"production\") !== 'production' && warn(\n\t \"Invalid handler for event \\\"\" + (event.name) + \"\\\": got \" + String(cur),\n\t vm\n\t );\n\t } else if (isUndef(old)) {\n\t if (isUndef(cur.fns)) {\n\t cur = on[name] = createFnInvoker(cur);\n\t }\n\t add(event.name, cur, event.once, event.capture, event.passive, event.params);\n\t } else if (cur !== old) {\n\t old.fns = cur;\n\t on[name] = old;\n\t }\n\t }\n\t for (name in oldOn) {\n\t if (isUndef(on[name])) {\n\t event = normalizeEvent(name);\n\t remove$$1(event.name, oldOn[name], event.capture);\n\t }\n\t }\n\t}\n\t\n\t/* */\n\t\n\tfunction mergeVNodeHook (def, hookKey, hook) {\n\t if (def instanceof VNode) {\n\t def = def.data.hook || (def.data.hook = {});\n\t }\n\t var invoker;\n\t var oldHook = def[hookKey];\n\t\n\t function wrappedHook () {\n\t hook.apply(this, arguments);\n\t // important: remove merged hook to ensure it's called only once\n\t // and prevent memory leak\n\t remove(invoker.fns, wrappedHook);\n\t }\n\t\n\t if (isUndef(oldHook)) {\n\t // no existing hook\n\t invoker = createFnInvoker([wrappedHook]);\n\t } else {\n\t /* istanbul ignore if */\n\t if (isDef(oldHook.fns) && isTrue(oldHook.merged)) {\n\t // already a merged invoker\n\t invoker = oldHook;\n\t invoker.fns.push(wrappedHook);\n\t } else {\n\t // existing plain hook\n\t invoker = createFnInvoker([oldHook, wrappedHook]);\n\t }\n\t }\n\t\n\t invoker.merged = true;\n\t def[hookKey] = invoker;\n\t}\n\t\n\t/* */\n\t\n\tfunction extractPropsFromVNodeData (\n\t data,\n\t Ctor,\n\t tag\n\t) {\n\t // we are only extracting raw values here.\n\t // validation and default values are handled in the child\n\t // component itself.\n\t var propOptions = Ctor.options.props;\n\t if (isUndef(propOptions)) {\n\t return\n\t }\n\t var res = {};\n\t var attrs = data.attrs;\n\t var props = data.props;\n\t if (isDef(attrs) || isDef(props)) {\n\t for (var key in propOptions) {\n\t var altKey = hyphenate(key);\n\t if (false) {\n\t var keyInLowerCase = key.toLowerCase();\n\t if (\n\t key !== keyInLowerCase &&\n\t attrs && hasOwn(attrs, keyInLowerCase)\n\t ) {\n\t tip(\n\t \"Prop \\\"\" + keyInLowerCase + \"\\\" is passed to component \" +\n\t (formatComponentName(tag || Ctor)) + \", but the declared prop name is\" +\n\t \" \\\"\" + key + \"\\\". \" +\n\t \"Note that HTML attributes are case-insensitive and camelCased \" +\n\t \"props need to use their kebab-case equivalents when using in-DOM \" +\n\t \"templates. You should probably use \\\"\" + altKey + \"\\\" instead of \\\"\" + key + \"\\\".\"\n\t );\n\t }\n\t }\n\t checkProp(res, props, key, altKey, true) ||\n\t checkProp(res, attrs, key, altKey, false);\n\t }\n\t }\n\t return res\n\t}\n\t\n\tfunction checkProp (\n\t res,\n\t hash,\n\t key,\n\t altKey,\n\t preserve\n\t) {\n\t if (isDef(hash)) {\n\t if (hasOwn(hash, key)) {\n\t res[key] = hash[key];\n\t if (!preserve) {\n\t delete hash[key];\n\t }\n\t return true\n\t } else if (hasOwn(hash, altKey)) {\n\t res[key] = hash[altKey];\n\t if (!preserve) {\n\t delete hash[altKey];\n\t }\n\t return true\n\t }\n\t }\n\t return false\n\t}\n\t\n\t/* */\n\t\n\t// The template compiler attempts to minimize the need for normalization by\n\t// statically analyzing the template at compile time.\n\t//\n\t// For plain HTML markup, normalization can be completely skipped because the\n\t// generated render function is guaranteed to return Array. There are\n\t// two cases where extra normalization is needed:\n\t\n\t// 1. When the children contains components - because a functional component\n\t// may return an Array instead of a single root. In this case, just a simple\n\t// normalization is needed - if any child is an Array, we flatten the whole\n\t// thing with Array.prototype.concat. It is guaranteed to be only 1-level deep\n\t// because functional components already normalize their own children.\n\tfunction simpleNormalizeChildren (children) {\n\t for (var i = 0; i < children.length; i++) {\n\t if (Array.isArray(children[i])) {\n\t return Array.prototype.concat.apply([], children)\n\t }\n\t }\n\t return children\n\t}\n\t\n\t// 2. When the children contains constructs that always generated nested Arrays,\n\t// e.g.