diff --git a/CONFIGURATION.md b/CONFIGURATION.md new file mode 100644 index 000000000..4174dd114 --- /dev/null +++ b/CONFIGURATION.md @@ -0,0 +1,72 @@ +# Configuring Pleroma + +In the `config/` directory, you will find the following relevant files: + +* `config.exs`: default base configuration +* `dev.exs`: default additional configuration for `MIX_ENV=dev` +* `prod.exs`: default additional configuration for `MIX_ENV=prod` + + +Do not modify files in the list above. +Instead, overload the settings by editing the following files: + +* `dev.secret.exs`: custom additional configuration for `MIX_ENV=dev` +* `prod.secret.exs`: custom additional configuration for `MIX_ENV=prod` + +## Message Rewrite Filters (MRFs) + +Modify incoming and outgoing posts. + + config :pleroma, :instance, + rewrite_policy: Pleroma.Web.ActivityPub.MRF.NoOpPolicy + +`rewrite_policy` specifies which MRF policies to apply. +It can either be a single policy or a list of policies. +Currently, MRFs availible by default are: + +* `Pleroma.Web.ActivityPub.MRF.NoOpPolicy` +* `Pleroma.Web.ActivityPub.MRF.DropPolicy` +* `Pleroma.Web.ActivityPub.MRF.SimplePolicy` +* `Pleroma.Web.ActivityPub.MRF.RejectNonPublic` + +Some policies, such as SimplePolicy and RejectNonPublic, +can be additionally configured in their respective sections. + +### NoOpPolicy + +Does not modify posts (this is the default `rewrite_policy`) + +### DropPolicy + +Drops all posts. +It generally does not make sense to use this in production. + +### SimplePolicy + +Restricts the visibility of posts from certain instances. + + config :pleroma, :mrf_simple, + media_removal: [], + media_nsfw: [], + federated_timeline_removal: [], + reject: [] + +* `media_removal`: posts from these instances will have attachments + removed +* `media_nsfw`: posts from these instances will have attachments marked + as nsfw +* `federated_timeline_removal`: posts from these instances will be + marked as unlisted +* `reject`: posts from these instances will be dropped + +### RejectNonPublic + +Drops posts with non-public visibility settings. + + config :pleroma :mrf_rejectnonpublic + allow_followersonly: false, + allow_direct: false, + +* `allow_followersonly`: whether to allow follower-only posts through + the filter +* `allow_direct`: whether to allow direct messages through the filter diff --git a/config/config.exs b/config/config.exs index b8dd867c4..e1a77d3e1 100644 --- a/config/config.exs +++ b/config/config.exs @@ -64,6 +64,10 @@ config :pleroma, :activitypub, config :pleroma, :user, deny_follow_blocked: true +config :pleroma, :mrf_rejectnonpublic, + allow_followersonly: false, + allow_direct: false + config :pleroma, :mrf_simple, media_removal: [], media_nsfw: [], diff --git a/installation/pleroma.nginx b/installation/pleroma.nginx index 42323dd95..e9eeb1848 100644 --- a/installation/pleroma.nginx +++ b/installation/pleroma.nginx @@ -24,18 +24,27 @@ server { # } } +# Enable SSL session caching for improved performance +ssl_session_cache shared:ssl_session_cache:10m; + server { listen 443 ssl http2; - ssl on; ssl_session_timeout 5m; + ssl_trusted_certificate /etc/letsencrypt/live/example.tld/fullchain.pem; ssl_certificate /etc/letsencrypt/live/example.tld/fullchain.pem; ssl_certificate_key /etc/letsencrypt/live/example.tld/privkey.pem; - ssl_protocols TLSv1 TLSv1.1 TLSv1.2; - ssl_ciphers "HIGH:!aNULL:!MD5 or HIGH:!aNULL:!MD5:!3DES"; + # Add TLSv1.0 to support older devices + ssl_protocols TLSv1.2; + # Uncomment line below if you want to support older devices (Before Android 4.4.2, IE 8, etc.) + # ssl_ciphers "HIGH:!aNULL:!MD5 or HIGH:!aNULL:!MD5:!3DES"; + ssl_ciphers "ECDHE-ECDSA-AES256-GCM-SHA384:ECDHE-RSA-AES256-GCM-SHA384:ECDHE-ECDSA-CHACHA20-POLY1305:ECDHE-RSA-CHACHA20-POLY1305:ECDHE-ECDSA-AES128-GCM-SHA256:ECDHE-RSA-AES128-GCM-SHA256:ECDHE-ECDSA-AES256-SHA384:ECDHE-RSA-AES256-SHA384:!aNULL:!eNULL:!EXPORT:!DES:!MD5:!PSK:!RC4"; ssl_prefer_server_ciphers on; - + ssl_ecdh_curve X25519:prime256v1:secp384r1:secp521r1; + ssl_stapling on; + ssl_stapling_verify on; + server_name example.tld; gzip_vary on; diff --git a/lib/mix/tasks/make_moderator.ex b/lib/mix/tasks/make_moderator.ex index 20f04c54c..a454a958e 100644 --- a/lib/mix/tasks/make_moderator.ex +++ b/lib/mix/tasks/make_moderator.ex @@ -5,7 +5,7 @@ defmodule Mix.Tasks.SetModerator do @shortdoc "Set moderator status" def run([nickname | rest]) do - ensure_started(Repo, []) + Application.ensure_all_started(:pleroma) moderator = case rest do @@ -19,7 +19,7 @@ defmodule Mix.Tasks.SetModerator do |> Map.put("is_moderator", !!moderator) cng = User.info_changeset(user, %{info: info}) - user = Repo.update!(cng) + {:ok, user} = User.update_and_set_cache(cng) IO.puts("Moderator status of #{nickname}: #{user.info["is_moderator"]}") else diff --git a/lib/mix/tasks/sample_config.eex b/lib/mix/tasks/sample_config.eex index e37c864c0..6db36fa09 100644 --- a/lib/mix/tasks/sample_config.eex +++ b/lib/mix/tasks/sample_config.eex @@ -8,7 +8,8 @@ config :pleroma, :instance, name: "<%= name %>", email: "<%= email %>", limit: 5000, - registrations_open: true + registrations_open: true, + dedupe_media: false config :pleroma, :media_proxy, enabled: false, diff --git a/lib/mix/tasks/set_locked.ex b/lib/mix/tasks/set_locked.ex new file mode 100644 index 000000000..2b3b18b09 --- /dev/null +++ b/lib/mix/tasks/set_locked.ex @@ -0,0 +1,30 @@ +defmodule Mix.Tasks.SetLocked do + use Mix.Task + import Mix.Ecto + alias Pleroma.{Repo, User} + + @shortdoc "Set locked status" + def run([nickname | rest]) do + ensure_started(Repo, []) + + locked = + case rest do + [locked] -> locked == "true" + _ -> true + end + + with %User{local: true} = user <- User.get_by_nickname(nickname) do + info = + user.info + |> Map.put("locked", !!locked) + + cng = User.info_changeset(user, %{info: info}) + user = Repo.update!(cng) + + IO.puts("locked status of #{nickname}: #{user.info["locked"]}") + else + _ -> + IO.puts("No local user #{nickname}") + end + end +end diff --git a/lib/pleroma/list.ex b/lib/pleroma/list.ex index 9d0b9285b..53d98665b 100644 --- a/lib/pleroma/list.ex +++ b/lib/pleroma/list.ex @@ -1,7 +1,7 @@ defmodule Pleroma.List do use Ecto.Schema import Ecto.{Changeset, Query} - alias Pleroma.{User, Repo} + alias Pleroma.{User, Repo, Activity} schema "lists" do belongs_to(:user, Pleroma.User) @@ -56,6 +56,19 @@ defmodule Pleroma.List do {:ok, Repo.all(q)} end + # Get lists the activity should be streamed to. + def get_lists_from_activity(%Activity{actor: ap_id}) do + actor = User.get_cached_by_ap_id(ap_id) + + query = + from( + l in Pleroma.List, + where: fragment("? && ?", l.following, ^[actor.follower_address]) + ) + + Repo.all(query) + end + def rename(%Pleroma.List{} = list, title) do list |> title_changeset(%{title: title}) diff --git a/lib/pleroma/upload.ex b/lib/pleroma/upload.ex index e5df94009..43df0d418 100644 --- a/lib/pleroma/upload.ex +++ b/lib/pleroma/upload.ex @@ -2,20 +2,21 @@ defmodule Pleroma.Upload do alias Ecto.UUID alias Pleroma.Web - def store(%Plug.Upload{} = file) do - uuid = UUID.generate() - upload_folder = Path.join(upload_path(), uuid) - File.mkdir_p!(upload_folder) - result_file = Path.join(upload_folder, file.filename) - File.cp!(file.path, result_file) + def store(%Plug.Upload{} = file, should_dedupe) do + content_type = get_content_type(file.path) + uuid = get_uuid(file, should_dedupe) + name = get_name(file, uuid, content_type, should_dedupe) + upload_folder = get_upload_path(uuid, should_dedupe) + url_path = get_url(name, uuid, should_dedupe) - # fix content type on some image uploads - content_type = - if file.content_type in [nil, "application/octet-stream"] do - get_content_type(file.path) - else - file.content_type - end + File.mkdir_p!(upload_folder) + result_file = Path.join(upload_folder, name) + + if File.exists?(result_file) do + File.rm!(file.path) + else + File.cp!(file.path, result_file) + end %{ "type" => "Image", @@ -23,26 +24,48 @@ defmodule Pleroma.Upload do %{ "type" => "Link", "mediaType" => content_type, - "href" => url_for(Path.join(uuid, :cow_uri.urlencode(file.filename))) + "href" => url_path } ], - "name" => file.filename, - "uuid" => uuid + "name" => name } end - def store(%{"img" => "data:image/" <> image_data}) do + def store(%{"img" => "data:image/" <> image_data}, should_dedupe) do parsed = Regex.named_captures(~r/(?jpeg|png|gif);base64,(?.*)/, image_data) - data = Base.decode64!(parsed["data"]) + data = Base.decode64!(parsed["data"], ignore: :whitespace) uuid = UUID.generate() - upload_folder = Path.join(upload_path(), uuid) + uuidpath = Path.join(upload_path(), uuid) + uuid = UUID.generate() + + File.mkdir_p!(upload_path()) + + File.write!(uuidpath, data) + + content_type = get_content_type(uuidpath) + + name = + create_name( + String.downcase(Base.encode16(:crypto.hash(:sha256, data))), + parsed["filetype"], + content_type + ) + + upload_folder = get_upload_path(uuid, should_dedupe) + url_path = get_url(name, uuid, should_dedupe) + File.mkdir_p!(upload_folder) - filename = Base.encode16(:crypto.hash(:sha256, data)) <> ".#{parsed["filetype"]}" - result_file = Path.join(upload_folder, filename) + result_file = Path.join(upload_folder, name) - File.write!(result_file, data) - - content_type = "image/#{parsed["filetype"]}" + if should_dedupe do + if !File.exists?(result_file) do + File.rename(uuidpath, result_file) + else + File.rm!(uuidpath) + end + else + File.rename(uuidpath, result_file) + end %{ "type" => "Image", @@ -50,11 +73,10 @@ defmodule Pleroma.Upload do %{ "type" => "Link", "mediaType" => content_type, - "href" => url_for(Path.join(uuid, :cow_uri.urlencode(filename))) + "href" => url_path } ], - "name" => filename, - "uuid" => uuid + "name" => name } end @@ -63,6 +85,65 @@ defmodule Pleroma.Upload do Keyword.fetch!(settings, :uploads) end + defp create_name(uuid, ext, type) do + case type do + "application/octet-stream" -> + String.downcase(Enum.join([uuid, ext], ".")) + + "audio/mpeg" -> + String.downcase(Enum.join([uuid, "mp3"], ".")) + + _ -> + String.downcase(Enum.join([uuid, List.last(String.split(type, "/"))], ".")) + end + end + + defp get_uuid(file, should_dedupe) do + if should_dedupe do + Base.encode16(:crypto.hash(:sha256, File.read!(file.path))) + else + UUID.generate() + end + end + + defp get_name(file, uuid, type, should_dedupe) 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 + end + else + file.filename + end + end + end + + defp get_upload_path(uuid, should_dedupe) do + if should_dedupe do + upload_path() + else + Path.join(upload_path(), uuid) + end + end + + defp get_url(name, uuid, should_dedupe) do + if should_dedupe do + url_for(:cow_uri.urlencode(name)) + else + url_for(Path.join(uuid, :cow_uri.urlencode(name))) + end + end + defp url_for(file) do "#{Web.base_url()}/media/#{file}" end @@ -89,6 +170,9 @@ defmodule Pleroma.Upload do <<0x49, 0x44, 0x33, _, _, _, _, _>> -> "audio/mpeg" + <<255, 251, _, 68, 0, 0, 0, 0>> -> + "audio/mpeg" + <<0x4F, 0x67, 0x67, 0x53, 0x00, 0x02, 0x00, 0x00>> -> "audio/ogg" diff --git a/lib/pleroma/user.ex b/lib/pleroma/user.ex index dd645b2e5..1fcec479f 100644 --- a/lib/pleroma/user.ex +++ b/lib/pleroma/user.ex @@ -201,6 +201,14 @@ defmodule Pleroma.User do end end + def maybe_follow(%User{} = follower, %User{info: info} = followed) do + if not following?(follower, followed) do + follow(follower, followed) + else + {:ok, follower} + end + end + @user_config Application.get_env(:pleroma, :user) @deny_follow_blocked Keyword.get(@user_config, :deny_follow_blocked) @@ -259,6 +267,10 @@ defmodule Pleroma.User do Enum.member?(follower.following, followed.follower_address) end + def locked?(%User{} = user) do + user.info["locked"] || false + end + def get_by_ap_id(ap_id) do Repo.get_by(User, ap_id: ap_id) end @@ -356,6 +368,40 @@ defmodule Pleroma.User do {:ok, Repo.all(q)} end + def get_follow_requests_query(%User{} = user) do + from( + a in Activity, + where: + fragment( + "? ->> 'type' = 'Follow'", + a.data + ), + where: + fragment( + "? ->> 'state' = 'pending'", + a.data + ), + where: + fragment( + "? @> ?", + a.data, + ^%{"object" => user.ap_id} + ) + ) + end + + def get_follow_requests(%User{} = user) do + q = get_follow_requests_query(user) + reqs = Repo.all(q) + + users = + Enum.map(reqs, fn req -> req.actor end) + |> Enum.uniq() + |> Enum.map(fn ap_id -> get_by_ap_id(ap_id) end) + + {:ok, users} + end + def increase_note_count(%User{} = user) do note_count = (user.info["note_count"] || 0) + 1 new_info = Map.put(user.info, "note_count", note_count) @@ -486,7 +532,31 @@ defmodule Pleroma.User do def blocks?(user, %{ap_id: ap_id}) do blocks = user.info["blocks"] || [] - Enum.member?(blocks, ap_id) + domain_blocks = user.info["domain_blocks"] || [] + %{host: host} = URI.parse(ap_id) + + Enum.member?(blocks, ap_id) || + Enum.any?(domain_blocks, fn domain -> + host == domain + end) + end + + def block_domain(user, domain) do + domain_blocks = user.info["domain_blocks"] || [] + new_blocks = Enum.uniq([domain | domain_blocks]) + new_info = Map.put(user.info, "domain_blocks", new_blocks) + + cs = User.info_changeset(user, %{info: new_info}) + update_and_set_cache(cs) + end + + def unblock_domain(user, domain) do + blocks = user.info["domain_blocks"] || [] + new_blocks = List.delete(blocks, domain) + new_info = Map.put(user.info, "domain_blocks", new_blocks) + + cs = User.info_changeset(user, %{info: new_info}) + update_and_set_cache(cs) end def local_user_query() do diff --git a/lib/pleroma/web/activity_pub/activity_pub.ex b/lib/pleroma/web/activity_pub/activity_pub.ex index a12bd5b58..b174af7ce 100644 --- a/lib/pleroma/web/activity_pub/activity_pub.ex +++ b/lib/pleroma/web/activity_pub/activity_pub.ex @@ -57,6 +57,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do if activity.data["type"] in ["Create", "Announce"] do Pleroma.Web.Streamer.stream("user", activity) + Pleroma.Web.Streamer.stream("list", activity) if Enum.member?(activity.data["to"], public) do Pleroma.Web.Streamer.stream("public", activity) @@ -198,7 +199,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do :ok <- maybe_federate(unannounce_activity), {:ok, _activity} <- Repo.delete(announce_activity), {:ok, object} <- remove_announce_from_object(announce_activity, object) do - {:ok, unannounce_activity, announce_activity, object} + {:ok, unannounce_activity, object} else _e -> {:ok, object} end @@ -214,6 +215,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do def unfollow(follower, followed, activity_id \\ nil, local \\ true) do with %Activity{} = follow_activity <- fetch_latest_follow(follower, followed), + {:ok, follow_activity} <- update_follow_state(follow_activity, "cancelled"), unfollow_data <- make_unfollow_data(follower, followed, follow_activity, activity_id), {:ok, activity} <- insert(unfollow_data, local), :ok <- maybe_federate(activity) do @@ -449,11 +451,13 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do defp restrict_blocked(query, %{"blocking_user" => %User{info: info}}) do blocks = info["blocks"] || [] + domain_blocks = info["domain_blocks"] || [] from( activity in query, where: fragment("not (? = ANY(?))", activity.actor, ^blocks), - where: fragment("not (?->'to' \\?| ?)", activity.data, ^blocks) + where: fragment("not (?->'to' \\?| ?)", activity.data, ^blocks), + where: fragment("not (split_part(?, '/', 3) = ANY(?))", activity.actor, ^domain_blocks) ) end @@ -502,7 +506,7 @@ defmodule Pleroma.Web.ActivityPub.ActivityPub do end def upload(file) do - data = Upload.store(file) + data = Upload.store(file, Application.get_env(:pleroma, :instance)[:dedupe_media]) Repo.insert(%Object{data: data}) end diff --git a/lib/pleroma/web/activity_pub/mrf/reject_non_public.ex b/lib/pleroma/web/activity_pub/mrf/reject_non_public.ex index 879cbe6de..b6936fe90 100644 --- a/lib/pleroma/web/activity_pub/mrf/reject_non_public.ex +++ b/lib/pleroma/web/activity_pub/mrf/reject_non_public.ex @@ -2,6 +2,10 @@ defmodule Pleroma.Web.ActivityPub.MRF.RejectNonPublic do alias Pleroma.User @behaviour Pleroma.Web.ActivityPub.MRF + @mrf_rejectnonpublic Application.get_env(:pleroma, :mrf_rejectnonpublic) + @allow_followersonly Keyword.get(@mrf_rejectnonpublic, :allow_followersonly) + @allow_direct Keyword.get(@mrf_rejectnonpublic, :allow_direct) + @impl true def filter(object) do if object["type"] == "Create" do @@ -18,9 +22,25 @@ defmodule Pleroma.Web.ActivityPub.MRF.RejectNonPublic do end case visibility do - "public" -> {:ok, object} - "unlisted" -> {:ok, object} - _ -> {:reject, nil} + "public" -> + {:ok, object} + + "unlisted" -> + {:ok, object} + + "followers" -> + with true <- @allow_followersonly do + {:ok, object} + else + _e -> {:reject, nil} + end + + "direct" -> + with true <- @allow_direct do + {:ok, object} + else + _e -> {:reject, nil} + end end else {:ok, object} diff --git a/lib/pleroma/web/activity_pub/transmogrifier.ex b/lib/pleroma/web/activity_pub/transmogrifier.ex index 75ba36729..300e0fcdd 100644 --- a/lib/pleroma/web/activity_pub/transmogrifier.ex +++ b/lib/pleroma/web/activity_pub/transmogrifier.ex @@ -30,14 +30,19 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do when not is_nil(in_reply_to_id) do case ActivityPub.fetch_object_from_id(in_reply_to_id) do {:ok, replied_object} -> - activity = Activity.get_create_activity_by_object_ap_id(replied_object.data["id"]) - - object - |> Map.put("inReplyTo", replied_object.data["id"]) - |> Map.put("inReplyToAtomUri", object["inReplyToAtomUri"] || in_reply_to_id) - |> Map.put("inReplyToStatusId", activity.id) - |> Map.put("conversation", replied_object.data["context"] || object["conversation"]) - |> Map.put("context", replied_object.data["context"] || object["conversation"]) + with %Activity{} = activity <- + Activity.get_create_activity_by_object_ap_id(replied_object.data["id"]) do + object + |> Map.put("inReplyTo", replied_object.data["id"]) + |> Map.put("inReplyToAtomUri", object["inReplyToAtomUri"] || in_reply_to_id) + |> Map.put("inReplyToStatusId", activity.id) + |> Map.put("conversation", replied_object.data["context"] || object["conversation"]) + |> Map.put("context", replied_object.data["context"] || object["conversation"]) + else + e -> + Logger.error("Couldn't fetch #{object["inReplyTo"]} #{inspect(e)}") + object + end e -> Logger.error("Couldn't fetch #{object["inReplyTo"]} #{inspect(e)}") @@ -137,9 +142,17 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do with %User{local: true} = followed <- User.get_cached_by_ap_id(followed), %User{} = follower <- User.get_or_fetch_by_ap_id(follower), {:ok, activity} <- ActivityPub.follow(follower, followed, id, false) do - ActivityPub.accept(%{to: [follower.ap_id], actor: followed.ap_id, object: data, local: true}) + if not User.locked?(followed) do + ActivityPub.accept(%{ + to: [follower.ap_id], + actor: followed.ap_id, + object: data, + local: true + }) + + User.follow(follower, followed) + end - User.follow(follower, followed) {:ok, activity} else _e -> :error @@ -252,7 +265,7 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do {:ok, new_user_data} = ActivityPub.user_data_from_user_object(object) banner = new_user_data[:info]["banner"] - locked = new_user_data[:info]["locked"] + locked = new_user_data[:info]["locked"] || false update_data = new_user_data @@ -304,7 +317,7 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do with %User{} = actor <- User.get_or_fetch_by_ap_id(actor), {:ok, object} <- get_obj_helper(object_id) || ActivityPub.fetch_object_from_id(object_id), - {:ok, activity, _, _} <- ActivityPub.unannounce(actor, object, id, false) do + {:ok, activity, _} <- ActivityPub.unannounce(actor, object, id, false) do {:ok, activity} else _e -> :error @@ -432,6 +445,58 @@ defmodule Pleroma.Web.ActivityPub.Transmogrifier do {:ok, data} end + # Mastodon Accept/Reject requires a non-normalized object containing the actor URIs, + # because of course it does. + def prepare_outgoing(%{"type" => "Accept"} = data) do + follow_activity_id = + if is_binary(data["object"]) do + data["object"] + else + data["object"]["id"] + end + + with follow_activity <- Activity.get_by_ap_id(follow_activity_id) do + object = %{ + "actor" => follow_activity.actor, + "object" => follow_activity.data["object"], + "id" => follow_activity.data["id"], + "type" => "Follow" + } + + data = + data + |> Map.put("object", object) + |> Map.put("@context", "https://www.w3.org/ns/activitystreams") + + {:ok, data} + end + end + + def prepare_outgoing(%{"type" => "Reject"} = data) do + follow_activity_id = + if is_binary(data["object"]) do + data["object"] + else + data["object"]["id"] + end + + with follow_activity <- Activity.get_by_ap_id(follow_activity_id) do + object = %{ + "actor" => follow_activity.actor, + "object" => follow_activity.data["object"], + "id" => follow_activity.data["id"], + "type" => "Follow" + } + + data = + data + |> Map.put("object", object) + |> Map.put("@context", "https://www.w3.org/ns/activitystreams") + + {:ok, data} + end + end + def prepare_outgoing(%{"type" => _type} = data) do data = data diff --git a/lib/pleroma/web/activity_pub/utils.ex b/lib/pleroma/web/activity_pub/utils.ex index 56b80a8db..64329b710 100644 --- a/lib/pleroma/web/activity_pub/utils.ex +++ b/lib/pleroma/web/activity_pub/utils.ex @@ -4,6 +4,7 @@ defmodule Pleroma.Web.ActivityPub.Utils do alias Pleroma.Web.Endpoint alias Ecto.{Changeset, UUID} import Ecto.Query + require Logger # Some implementations send the actor URI as the actor field, others send the entire actor object, # so figure out what the actor's URI is based on what we have. @@ -216,10 +217,27 @@ defmodule Pleroma.Web.ActivityPub.Utils do #### Follow-related helpers + @doc """ + Updates a follow activity's state (for locked accounts). + """ + def update_follow_state(%Activity{} = activity, state) do + with new_data <- + activity.data + |> Map.put("state", state), + changeset <- Changeset.change(activity, data: new_data), + {:ok, activity} <- Repo.update(changeset) do + {:ok, activity} + end + end + @doc """ Makes a follow activity data for the given follower and followed """ - def make_follow_data(%User{ap_id: follower_id}, %User{ap_id: followed_id}, activity_id) do + def make_follow_data( + %User{ap_id: follower_id}, + %User{ap_id: followed_id} = followed, + activity_id + ) do data = %{ "type" => "Follow", "actor" => follower_id, @@ -228,7 +246,10 @@ defmodule Pleroma.Web.ActivityPub.Utils do "object" => followed_id } - if activity_id, do: Map.put(data, "id", activity_id), else: data + data = if activity_id, do: Map.put(data, "id", activity_id), else: data + data = if User.locked?(followed), do: Map.put(data, "state", "pending"), else: data + + data end def fetch_latest_follow(%User{ap_id: follower_id}, %User{ap_id: followed_id}) do diff --git a/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex b/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex index 974da5203..8a8d1e050 100644 --- a/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex +++ b/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex @@ -4,6 +4,7 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do alias Pleroma.Web 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.OAuth.{Authorization, Token, App} alias Comeonin.Pbkdf2 @@ -71,6 +72,20 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do user end + user = + if locked = params["locked"] do + with locked <- locked == "true", + new_info <- Map.put(user.info, "locked", locked), + change <- User.info_changeset(user, %{info: new_info}), + {:ok, user} <- User.update_and_set_cache(change) do + user + else + _e -> user + end + else + user + end + with changeset <- User.update_changeset(user, params), {:ok, user} <- User.update_and_set_cache(changeset) do if original_user != user do @@ -345,7 +360,7 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do end def unreblog_status(%{assigns: %{user: user}} = conn, %{"id" => ap_id_or_id}) do - with {:ok, _, _, %{data: %{"id" => id}}} <- CommonAPI.unrepeat(ap_id_or_id, user), + with {:ok, _unannounce, %{data: %{"id" => id}}} <- CommonAPI.unrepeat(ap_id_or_id, user), %Activity{} = activity <- Activity.get_create_activity_by_object_ap_id(id) do render(conn, StatusView, "status.json", %{activity: activity, for: user, as: :activity}) end @@ -476,6 +491,53 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do end end + def follow_requests(%{assigns: %{user: followed}} = conn, _params) do + with {:ok, follow_requests} <- User.get_follow_requests(followed) do + render(conn, AccountView, "accounts.json", %{users: follow_requests, as: :user}) + end + end + + def authorize_follow_request(%{assigns: %{user: followed}} = conn, %{"id" => id}) do + with %User{} = follower <- Repo.get(User, id), + {:ok, follower} <- User.maybe_follow(follower, followed), + %Activity{} = follow_activity <- Utils.fetch_latest_follow(follower, followed), + {:ok, follow_activity} <- Utils.update_follow_state(follow_activity, "accept"), + {:ok, _activity} <- + ActivityPub.accept(%{ + to: [follower.ap_id], + actor: followed.ap_id, + object: follow_activity.data["id"], + type: "Accept" + }) do + render(conn, AccountView, "relationship.json", %{user: followed, target: follower}) + else + {:error, message} -> + conn + |> put_resp_content_type("application/json") + |> send_resp(403, Jason.encode!(%{"error" => message})) + end + end + + def reject_follow_request(%{assigns: %{user: followed}} = conn, %{"id" => id}) do + with %User{} = follower <- Repo.get(User, id), + %Activity{} = follow_activity <- Utils.fetch_latest_follow(follower, followed), + {:ok, follow_activity} <- Utils.update_follow_state(follow_activity, "reject"), + {:ok, _activity} <- + ActivityPub.reject(%{ + to: [follower.ap_id], + actor: followed.ap_id, + object: follow_activity.data["id"], + type: "Reject" + }) do + render(conn, AccountView, "relationship.json", %{user: followed, target: follower}) + else + {:error, message} -> + conn + |> put_resp_content_type("application/json") + |> send_resp(403, Jason.encode!(%{"error" => message})) + end + end + def follow(%{assigns: %{user: follower}} = conn, %{"id" => id}) do with %User{} = followed <- Repo.get(User, id), {:ok, follower} <- User.maybe_direct_follow(follower, followed), @@ -545,6 +607,20 @@ defmodule Pleroma.Web.MastodonAPI.MastodonAPIController do end end + def domain_blocks(%{assigns: %{user: %{info: info}}} = conn, _) do + json(conn, info["domain_blocks"] || []) + end + + def block_domain(%{assigns: %{user: blocker}} = conn, %{"domain" => domain}) do + User.block_domain(blocker, domain) + json(conn, %{}) + end + + def unblock_domain(%{assigns: %{user: blocker}} = conn, %{"domain" => domain}) do + User.unblock_domain(blocker, domain) + json(conn, %{}) + end + def search(%{assigns: %{user: user}} = conn, %{"q" => query} = params) do accounts = User.search(query, params["resolve"] == "true") diff --git a/lib/pleroma/web/mastodon_api/mastodon_socket.ex b/lib/pleroma/web/mastodon_api/mastodon_socket.ex index 080f62b31..46648c366 100644 --- a/lib/pleroma/web/mastodon_api/mastodon_socket.ex +++ b/lib/pleroma/web/mastodon_api/mastodon_socket.ex @@ -15,10 +15,13 @@ defmodule Pleroma.Web.MastodonAPI.MastodonSocket do with token when not is_nil(token) <- params["access_token"], %Token{user_id: user_id} <- Repo.get_by(Token, token: token), %User{} = user <- Repo.get(User, user_id), - stream when stream in ["public", "public:local", "user", "direct"] <- params["stream"] do + stream when stream in ["public", "public:local", "user", "direct", "list"] <- + params["stream"] do + topic = if stream == "list", do: "list:#{params["list"]}", else: stream + socket = socket - |> assign(:topic, params["stream"]) + |> assign(:topic, topic) |> assign(:user, user) Pleroma.Web.Streamer.add_socket(params["stream"], socket) diff --git a/lib/pleroma/web/mastodon_api/views/status_view.ex b/lib/pleroma/web/mastodon_api/views/status_view.ex index d1d48cd0a..59898457b 100644 --- a/lib/pleroma/web/mastodon_api/views/status_view.ex +++ b/lib/pleroma/web/mastodon_api/views/status_view.ex @@ -125,8 +125,8 @@ defmodule Pleroma.Web.MastodonAPI.StatusView do uri: object["id"], url: object["external_url"] || object["id"], account: AccountView.render("account.json", %{user: user}), - in_reply_to_id: reply_to && reply_to.id, - in_reply_to_account_id: reply_to_user && reply_to_user.id, + in_reply_to_id: reply_to && to_string(reply_to.id), + in_reply_to_account_id: reply_to_user && to_string(reply_to_user.id), reblog: nil, content: HtmlSanitizeEx.basic_html(object["content"]), created_at: created_at, diff --git a/lib/pleroma/web/oauth/oauth_controller.ex b/lib/pleroma/web/oauth/oauth_controller.ex index 3dd87d0ab..a5fb32a4e 100644 --- a/lib/pleroma/web/oauth/oauth_controller.ex +++ b/lib/pleroma/web/oauth/oauth_controller.ex @@ -81,10 +81,10 @@ defmodule Pleroma.Web.OAuth.OAuthController do # - investigate a way to verify the user wants to grant read/write/follow once scope handling is done def token_exchange( conn, - %{"grant_type" => "password", "name" => name, "password" => password} = params + %{"grant_type" => "password", "username" => name, "password" => password} = params ) do with %App{} = app <- get_app_from_request(conn, params), - %User{} = user <- User.get_cached_by_nickname(name), + %User{} = user <- User.get_by_nickname_or_email(name), true <- Pbkdf2.checkpw(password, user.password_hash), {:ok, auth} <- Authorization.create_authorization(app, user), {:ok, token} <- Token.exchange_token(app, auth) do @@ -104,6 +104,18 @@ defmodule Pleroma.Web.OAuth.OAuthController do end end + def token_exchange( + conn, + %{"grant_type" => "password", "name" => name, "password" => password} = params + ) do + params = + params + |> Map.delete("name") + |> Map.put("username", name) + + token_exchange(conn, params) + end + defp fix_padding(token) do token |> Base.url_decode64!(padding: false) diff --git a/lib/pleroma/web/router.ex b/lib/pleroma/web/router.ex index 924254895..13bd393ab 100644 --- a/lib/pleroma/web/router.ex +++ b/lib/pleroma/web/router.ex @@ -41,7 +41,7 @@ defmodule Pleroma.Web.Router do end pipeline :well_known do - plug(:accepts, ["xml", "xrd+xml", "json", "jrd+json"]) + plug(:accepts, ["json", "jrd+json", "xml", "xrd+xml"]) end pipeline :config do @@ -97,12 +97,14 @@ defmodule Pleroma.Web.Router do post("/accounts/:id/mute", MastodonAPIController, :relationship_noop) post("/accounts/:id/unmute", MastodonAPIController, :relationship_noop) + get("/follow_requests", MastodonAPIController, :follow_requests) + post("/follow_requests/:id/authorize", MastodonAPIController, :authorize_follow_request) + post("/follow_requests/:id/reject", MastodonAPIController, :reject_follow_request) + post("/follows", MastodonAPIController, :follow) get("/blocks", MastodonAPIController, :blocks) - get("/domain_blocks", MastodonAPIController, :empty_array) - get("/follow_requests", MastodonAPIController, :empty_array) get("/mutes", MastodonAPIController, :empty_array) get("/timelines/home", MastodonAPIController, :home_timeline) @@ -134,6 +136,10 @@ defmodule Pleroma.Web.Router do get("/lists/:id/accounts", MastodonAPIController, :list_accounts) post("/lists/:id/accounts", MastodonAPIController, :add_to_list) delete("/lists/:id/accounts", MastodonAPIController, :remove_from_list) + + get("/domain_blocks", MastodonAPIController, :domain_blocks) + post("/domain_blocks", MastodonAPIController, :block_domain) + delete("/domain_blocks", MastodonAPIController, :unblock_domain) end scope "/api/web", Pleroma.Web.MastodonAPI do @@ -238,8 +244,13 @@ defmodule Pleroma.Web.Router do post("/statuses/update", TwitterAPI.Controller, :status_update) post("/statuses/retweet/:id", TwitterAPI.Controller, :retweet) + post("/statuses/unretweet/:id", TwitterAPI.Controller, :unretweet) post("/statuses/destroy/:id", TwitterAPI.Controller, :delete_post) + get("/pleroma/friend_requests", TwitterAPI.Controller, :friend_requests) + post("/pleroma/friendships/approve", TwitterAPI.Controller, :approve_friend_request) + post("/pleroma/friendships/deny", TwitterAPI.Controller, :deny_friend_request) + post("/friendships/create", TwitterAPI.Controller, :follow) post("/friendships/destroy", TwitterAPI.Controller, :unfollow) post("/blocks/create", TwitterAPI.Controller, :block) diff --git a/lib/pleroma/web/streamer.ex b/lib/pleroma/web/streamer.ex index 6ed9035fb..ce38f3cc3 100644 --- a/lib/pleroma/web/streamer.ex +++ b/lib/pleroma/web/streamer.ex @@ -1,7 +1,7 @@ defmodule Pleroma.Web.Streamer do use GenServer require Logger - alias Pleroma.{User, Notification} + alias Pleroma.{User, Notification, Activity, Object} def init(args) do {:ok, args} @@ -59,6 +59,19 @@ defmodule Pleroma.Web.Streamer do {:noreply, topics} end + def handle_cast(%{action: :stream, topic: "list", item: item}, topics) do + recipient_topics = + Pleroma.List.get_lists_from_activity(item) + |> Enum.map(fn %{id: id} -> "list:#{id}" end) + + Enum.each(recipient_topics || [], fn list_topic -> + Logger.debug("Trying to push message to #{list_topic}\n\n") + push_to_socket(topics, list_topic, item) + end) + + {:noreply, topics} + end + def handle_cast(%{action: :stream, topic: "user", item: %Notification{} = item}, topics) do topic = "user:#{item.user_id}" @@ -125,6 +138,34 @@ defmodule Pleroma.Web.Streamer do {:noreply, state} end + defp represent_update(%Activity{} = activity, %User{} = user) do + %{ + event: "update", + payload: + Pleroma.Web.MastodonAPI.StatusView.render( + "status.json", + activity: activity, + for: user + ) + |> Jason.encode!() + } + |> Jason.encode!() + end + + def push_to_socket(topics, topic, %Activity{data: %{"type" => "Announce"}} = item) do + Enum.each(topics[topic] || [], fn socket -> + # Get the current user so we have up-to-date blocks etc. + user = User.get_cached_by_ap_id(socket.assigns[:user].ap_id) + blocks = user.info["blocks"] || [] + + parent = Object.get_by_ap_id(item.data["object"]) + + unless is_nil(parent) or item.actor in blocks or parent.data["actor"] in blocks do + send(socket.transport_pid, {:text, represent_update(item, user)}) + end + end) + end + def push_to_socket(topics, topic, item) do Enum.each(topics[topic] || [], fn socket -> # Get the current user so we have up-to-date blocks etc. @@ -132,20 +173,7 @@ defmodule Pleroma.Web.Streamer do blocks = user.info["blocks"] || [] unless item.actor in blocks do - json = - %{ - event: "update", - payload: - Pleroma.Web.MastodonAPI.StatusView.render( - "status.json", - activity: item, - for: user - ) - |> Jason.encode!() - } - |> Jason.encode!() - - send(socket.transport_pid, {:text, json}) + send(socket.transport_pid, {:text, represent_update(item, user)}) end end) end diff --git a/lib/pleroma/web/twitter_api/twitter_api.ex b/lib/pleroma/web/twitter_api/twitter_api.ex index ccc6fe8e7..c23b3c2c4 100644 --- a/lib/pleroma/web/twitter_api/twitter_api.ex +++ b/lib/pleroma/web/twitter_api/twitter_api.ex @@ -12,14 +12,9 @@ defmodule Pleroma.Web.TwitterAPI.TwitterAPI do end def delete(%User{} = user, id) do - # TwitterAPI does not have an "unretweet" endpoint; instead this is done - # via the "destroy" endpoint. Therefore, we need to handle - # when the status to "delete" is actually an Announce (repeat) object. - with %Activity{data: %{"type" => type}} <- Repo.get(Activity, id) do - case type do - "Announce" -> unrepeat(user, id) - _ -> CommonAPI.delete(id, user) - end + with %Activity{data: %{"type" => type}} <- Repo.get(Activity, id), + {:ok, activity} <- CommonAPI.delete(id, user) do + {:ok, activity} end end @@ -70,8 +65,9 @@ defmodule Pleroma.Web.TwitterAPI.TwitterAPI do end end - defp unrepeat(%User{} = user, ap_id_or_id) do - with {:ok, _unannounce, activity, _object} <- CommonAPI.unrepeat(ap_id_or_id, user) do + def unrepeat(%User{} = user, ap_id_or_id) do + with {:ok, _unannounce, %{data: %{"id" => id}}} <- CommonAPI.unrepeat(ap_id_or_id, user), + %Activity{} = activity <- Activity.get_create_activity_by_object_ap_id(id) do {:ok, activity} 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 d53dd0c44..ff5921807 100644 --- a/lib/pleroma/web/twitter_api/twitter_api_controller.ex +++ b/lib/pleroma/web/twitter_api/twitter_api_controller.ex @@ -4,6 +4,7 @@ defmodule Pleroma.Web.TwitterAPI.Controller do alias Pleroma.Web.CommonAPI alias Pleroma.{Repo, Activity, User, Notification} alias Pleroma.Web.ActivityPub.ActivityPub + alias Pleroma.Web.ActivityPub.Utils alias Ecto.Changeset require Logger @@ -240,6 +241,13 @@ defmodule Pleroma.Web.TwitterAPI.Controller do end end + def unretweet(%{assigns: %{user: user}} = conn, %{"id" => id}) do + with {_, {:ok, id}} <- {:param_cast, Ecto.Type.cast(:integer, id)}, + {:ok, activity} <- TwitterAPI.unrepeat(user, id) do + render(conn, ActivityView, "activity.json", %{activity: activity, for: user}) + end + end + def register(conn, params) do with {:ok, user} <- TwitterAPI.register_user(params) do render(conn, UserView, "show.json", %{user: user}) @@ -331,6 +339,54 @@ defmodule Pleroma.Web.TwitterAPI.Controller do end end + def friend_requests(conn, params) do + with {:ok, user} <- TwitterAPI.get_user(conn.assigns[:user], params), + {:ok, friend_requests} <- User.get_follow_requests(user) do + render(conn, UserView, "index.json", %{users: friend_requests, for: conn.assigns[:user]}) + else + _e -> bad_request_reply(conn, "Can't get friend requests") + end + end + + def approve_friend_request(conn, %{"user_id" => uid} = params) do + with followed <- conn.assigns[:user], + uid when is_number(uid) <- String.to_integer(uid), + %User{} = follower <- Repo.get(User, uid), + {:ok, follower} <- User.maybe_follow(follower, followed), + %Activity{} = follow_activity <- Utils.fetch_latest_follow(follower, followed), + {:ok, follow_activity} <- Utils.update_follow_state(follow_activity, "accept"), + {:ok, _activity} <- + ActivityPub.accept(%{ + to: [follower.ap_id], + actor: followed.ap_id, + object: follow_activity.data["id"], + type: "Accept" + }) do + render(conn, UserView, "show.json", %{user: follower, for: followed}) + else + e -> bad_request_reply(conn, "Can't approve user: #{inspect(e)}") + end + end + + def deny_friend_request(conn, %{"user_id" => uid} = params) do + with followed <- conn.assigns[:user], + uid when is_number(uid) <- String.to_integer(uid), + %User{} = follower <- Repo.get(User, uid), + %Activity{} = follow_activity <- Utils.fetch_latest_follow(follower, followed), + {:ok, follow_activity} <- Utils.update_follow_state(follow_activity, "reject"), + {:ok, _activity} <- + ActivityPub.reject(%{ + to: [follower.ap_id], + actor: followed.ap_id, + object: follow_activity.data["id"], + type: "Reject" + }) do + render(conn, UserView, "show.json", %{user: follower, for: followed}) + else + e -> bad_request_reply(conn, "Can't deny user: #{inspect(e)}") + end + end + def friends_ids(%{assigns: %{user: user}} = conn, _params) do with {:ok, friends} <- User.get_friends(user) do ids = @@ -357,6 +413,20 @@ defmodule Pleroma.Web.TwitterAPI.Controller do params end + user = + if locked = params["locked"] do + with locked <- locked == "true", + new_info <- Map.put(user.info, "locked", locked), + change <- User.info_changeset(user, %{info: new_info}), + {:ok, user} <- User.update_and_set_cache(change) do + user + else + _e -> user + end + else + user + end + with changeset <- User.update_changeset(user, params), {:ok, user} <- User.update_and_set_cache(changeset) do CommonAPI.update(user) diff --git a/lib/pleroma/web/twitter_api/views/user_view.ex b/lib/pleroma/web/twitter_api/views/user_view.ex index 31527caae..711008973 100644 --- a/lib/pleroma/web/twitter_api/views/user_view.ex +++ b/lib/pleroma/web/twitter_api/views/user_view.ex @@ -51,7 +51,8 @@ defmodule Pleroma.Web.TwitterAPI.UserView do "statusnet_profile_url" => user.ap_id, "cover_photo" => User.banner_url(user) |> MediaProxy.url(), "background_image" => image_url(user.info["background"]) |> MediaProxy.url(), - "is_local" => user.local + "is_local" => user.local, + "locked" => !!user.info["locked"] } if assigns[:token] do diff --git a/lib/pleroma/web/web_finger/web_finger.ex b/lib/pleroma/web/web_finger/web_finger.ex index e7ee810f9..9f554d286 100644 --- a/lib/pleroma/web/web_finger/web_finger.ex +++ b/lib/pleroma/web/web_finger/web_finger.ex @@ -25,35 +25,17 @@ defmodule Pleroma.Web.WebFinger do |> XmlBuilder.to_doc() end - def webfinger(resource, "JSON") do + def webfinger(resource, fmt) when fmt in ["XML", "JSON"] do host = Pleroma.Web.Endpoint.host() regex = ~r/(acct:)?(?\w+)@#{host}/ - with %{"username" => username} <- Regex.named_captures(regex, resource) do - user = User.get_by_nickname(username) - {:ok, represent_user(user, "JSON")} + with %{"username" => username} <- Regex.named_captures(regex, resource), + %User{} = user <- User.get_by_nickname(username) do + {:ok, represent_user(user, fmt)} else _e -> - with user when not is_nil(user) <- User.get_cached_by_ap_id(resource) do - {:ok, represent_user(user, "JSON")} - else - _e -> - {:error, "Couldn't find user"} - end - end - end - - def webfinger(resource, "XML") do - host = Pleroma.Web.Endpoint.host() - regex = ~r/(acct:)?(?\w+)@#{host}/ - - with %{"username" => username} <- Regex.named_captures(regex, resource) do - user = User.get_by_nickname(username) - {:ok, represent_user(user, "XML")} - else - _e -> - with user when not is_nil(user) <- User.get_cached_by_ap_id(resource) do - {:ok, represent_user(user, "XML")} + with %User{} = user <- User.get_cached_by_ap_id(resource) do + {:ok, represent_user(user, fmt)} else _e -> {:error, "Couldn't find user"} diff --git a/priv/repo/migrations/20180530123448_add_list_follow_index.exs b/priv/repo/migrations/20180530123448_add_list_follow_index.exs new file mode 100644 index 000000000..d6603e916 --- /dev/null +++ b/priv/repo/migrations/20180530123448_add_list_follow_index.exs @@ -0,0 +1,7 @@ +defmodule Pleroma.Repo.Migrations.AddListFollowIndex do + use Ecto.Migration + + def change do + create index(:lists, [:following]) + end +end diff --git a/priv/repo/migrations/20180606173637_create_apid_host_extraction_index.exs b/priv/repo/migrations/20180606173637_create_apid_host_extraction_index.exs new file mode 100644 index 000000000..9831a1b82 --- /dev/null +++ b/priv/repo/migrations/20180606173637_create_apid_host_extraction_index.exs @@ -0,0 +1,8 @@ +defmodule Pleroma.Repo.Migrations.CreateApidHostExtractionIndex do + use Ecto.Migration + @disable_ddl_transaction true + + def change do + create index(:activities, ["(split_part(actor, '/', 3))"], concurrently: true, name: :activities_hosts) + end +end diff --git a/priv/static/images/avi.png b/priv/static/images/avi.png index 336fd15ef..3fc699c12 100644 Binary files a/priv/static/images/avi.png and b/priv/static/images/avi.png differ diff --git a/priv/static/index.html b/priv/static/index.html index ae3cde3a4..380dd1687 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/static/config.json b/priv/static/static/config.json index 9cdb22d59..4dacfebed 100644 --- a/priv/static/static/config.json +++ b/priv/static/static/config.json @@ -10,5 +10,6 @@ "whoToFollowProviderDummy2": "https://followlink.osa-p.net/api/get_recommend.json?acct=@{{user}}@{{host}}", "whoToFollowLink": "https://vinayaka.distsn.org/?{{host}}+{{user}}", "whoToFollowLinkDummy2": "https://followlink.osa-p.net/recommend.html", - "showInstanceSpecificPanel": false + "showInstanceSpecificPanel": false, + "scopeOptionsEnabled": false } diff --git a/priv/static/static/css/app.5d0189b6f119febde070b703869bbd06.css b/priv/static/static/css/app.5d0189b6f119febde070b703869bbd06.css new file mode 100644 index 000000000..9df919fca --- /dev/null +++ b/priv/static/static/css/app.5d0189b6f119febde070b703869bbd06.css @@ -0,0 +1,2 @@ +#app{background-size:cover;background-attachment:fixed;background-repeat:no-repeat;background-position:0 50px;min-height:100vh;max-width:100%;overflow:hidden}i{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}h4{margin:0}#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;background-color:rgba(0,0,0,.15);-ms-flex-line-pack:start;align-content:flex-start}.text-center{text-align:center}body{font-family:sans-serif;font-size:14px;margin:0;color:#b9b9ba;color:var(--fg,#b9b9ba);max-width:100vw;overflow-x:hidden}a{text-decoration:none;color:#d8a070;color:var(--link,#d8a070)}button{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--fg,#b9b9ba);background-color:#182230;background-color:var(--btn,#182230);border:none;border-radius:4px;border-radius:var(--btnRadius,4px);cursor:pointer;border-top:1px solid hsla(0,0%,100%,.2);border-bottom:1px solid rgba(0,0,0,.2);box-shadow:0 0 2px #000;font-size:14px;font-family:sans-serif}button:hover{box-shadow:0 0 4px hsla(0,0%,100%,.3)}button:disabled{cursor:not-allowed;opacity:.5}button.pressed{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));background-color:#121a24;background-color:var(--bg,#121a24)}label.select{padding:0}.select,input,textarea{border:none;border-radius:4px;border-radius:var(--inputRadius,4px);border-bottom:1px solid hsla(0,0%,100%,.2);border-top:1px solid rgba(0,0,0,.2);box-shadow:inset 0 0 2px #000;background-color:#182230;background-color:var(--input,#182230);color:#b9b9ba;color:var(--lightFg,#b9b9ba);font-family:sans-serif;font-size:14px;padding:8px 7px;box-sizing:border-box;display:inline-block;position:relative;height:29px;line-height:16px}.select .icon-down-open,input .icon-down-open,textarea .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--fg,#b9b9ba);line-height:29px;z-index:0;pointer-events:none}.select select,input select,textarea select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;margin:0;color:#b9b9ba;color:var(--fg,#b9b9ba);padding:4px 2em 3px 3px;width:100%;z-index:1;height:29px;line-height:16px}.select[type=checkbox],.select[type=radio],input[type=checkbox],input[type=radio],textarea[type=checkbox],textarea[type=radio]{display:none}.select[type=checkbox]:checked+label:before,.select[type=radio]:checked+label:before,input[type=checkbox]:checked+label:before,input[type=radio]:checked+label:before,textarea[type=checkbox]:checked+label:before,textarea[type=radio]:checked+label:before{color:#b9b9ba;color:var(--fg,#b9b9ba)}.select[type=checkbox]+label:before,.select[type=radio]+label:before,input[type=checkbox]+label:before,input[type=radio]+label:before,textarea[type=checkbox]+label:before,textarea[type=radio]+label:before{display:inline-block;content:"\2714";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkBoxRadius,2px);border-bottom:1px solid hsla(0,0%,100%,.2);border-top:1px solid rgba(0,0,0,.2);box-shadow:inset 0 0 2px #000;margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}i[class*=icon-]{color:#666;color:var(--icon,#666)}.container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px}.gaps{margin:-1em 0 0 -1em}.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden}.item .nav-icon{font-size:1.1em;margin-left:.4em}.gaps>.item{padding:1em 0 0 1em}.auto-size{-ms-flex:1;flex:1}nav{width:100%;position:fixed}nav,nav .inner-nav{-ms-flex-align:center;align-items:center;height:50px}nav .inner-nav{padding-left:20px;padding-right:20px;display:-ms-flexbox;display:flex;-ms-flex-preferred-size:970px;flex-basis:970px;margin:auto;background-repeat:no-repeat;background-position:50%;background-size:auto 80%}nav .inner-nav a i{color:#d8a070;color:var(--link,#d8a070)}main-router{-ms-flex:1;flex:1}.status.compact{color:rgba(0,0,0,.42);font-weight:300}.status.compact p{margin:0;font-size:.8em}.panel{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.5em;background-color:#121a24;background-color:var(--bg,#121a24);border-radius:10px;border-radius:var(--panelRadius,10px);box-shadow:1px 1px 4px rgba(0,0,0,.6)}.panel-body:empty:before{content:"\AF\\_(\30C4)_/\AF";display:block;margin:1em;text-align:center}.panel-heading{border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0;background-size:cover;padding:.6em 1em;text-align:left;font-size:1.3em;line-height:24px;background-color:#182230;background-color:var(--btn,#182230)}.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.panel-body>p{line-height:18px;padding:1em;margin:0}.container>*{min-width:0}.fa{color:grey}nav{z-index:1000;background-color:#182230;background-color:var(--btn,#182230);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));box-shadow:0 0 4px rgba(0,0,0,.6)}.fade-enter-active,.fade-leave-active{transition:opacity .2s}.fade-enter,.fade-leave-active{opacity:0}.main{-ms-flex-preferred-size:60%;flex-basis:60%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1}.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%}.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px}.mobile-shown{display:none}.panel-switcher{display:none;width:100%;height:46px}.panel-switcher button{display:block;-ms-flex:1;flex:1;max-height:32px;margin:.5em;padding:.5em}@media (min-width:960px){body{overflow-y:scroll}.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px}.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll}.sidebar-bounds .sidebar{width:345px}.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0}}.alert{margin:.35em;padding:.25em;border-radius:5px;border-radius:var(--tooltipRadius,5px);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));min-height:28px;line-height:28px}.alert.error{background-color:rgba(211,16,20,.5);background-color:var(--cAlertRed,rgba(211,16,20,.5))}.faint{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}@media (max-width:959px){.mobile-hidden{display:none}.panel-switcher{display:-ms-flexbox;display:flex}.container{padding:0}.panel{margin:.5em 0}}.item.right{text-align:right;padding-right:20px}.user-panel .profile-panel-background .panel-heading{background:transparent}.login-form .btn{min-height:28px;width:10em}.login-form .error{text-align:center}.login-form .register{-ms-flex:1 1;flex:1 1}.login-form .login-bottom{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between}.tribute-container ul{padding:0}.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.post-status-form .visibility-tray{font-size:1.2em;padding:3px;cursor:pointer}.post-status-form .visibility-tray .selected{color:#b9b9ba;color:var(--lightFg,#b9b9ba)}.login .form-bottom,.post-status-form .form-bottom{display:-ms-flexbox;display:flex;padding:.5em;height:32px}.login .form-bottom button,.post-status-form .form-bottom button{width:10em}.login .form-bottom p,.post-status-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.login .error,.post-status-form .error{text-align:center}.login .attachments,.post-status-form .attachments{padding:0 .5em}.login .attachments .attachment,.post-status-form .attachments .attachment{position:relative;border:1px solid #222;border:1px solid var(--border,#222);margin:.5em .8em .2em 0}.login .attachments i,.post-status-form .attachments i{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);border-radius:10px;border-radius:var(--attachmentRadius,10px);font-weight:700}.login form,.post-status-form form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.6em}.login .form-group,.post-status-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em .5em .6em;line-height:24px}.login form textarea.form-control,.login form textarea.form-cw,.post-status-form form textarea.form-control,.post-status-form form textarea.form-cw{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:1px}.login form textarea.form-control,.post-status-form form textarea.form-control{box-sizing:content-box}.login form textarea.form-control:focus,.post-status-form form textarea.form-control:focus{min-height:48px}.login .btn,.post-status-form .btn{cursor:pointer}.login .btn[disabled],.post-status-form .btn[disabled]{cursor:not-allowed}.login .icon-cancel,.post-status-form .icon-cancel{cursor:pointer;z-index:4}.login .autocomplete-panel,.post-status-form .autocomplete-panel{margin:0 .5em;border-radius:5px;border-radius:var(--tooltipRadius,5px);position:absolute;z-index:1;box-shadow:1px 2px 4px rgba(0,0,0,.5);min-width:75%;background:#121a24;background:var(--bg,#121a24);color:#b9b9ba;color:var(--lightFg,#b9b9ba)}.login .autocomplete,.post-status-form .autocomplete{cursor:pointer;padding:.2em .4em;border-bottom:1px solid rgba(0,0,0,.4);display:-ms-flexbox;display:flex}.login .autocomplete img,.post-status-form .autocomplete img{width:24px;height:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);object-fit:contain}.login .autocomplete span,.post-status-form .autocomplete span{line-height:24px;margin:0 .1em 0 .2em}.login .autocomplete small,.post-status-form .autocomplete small{margin-left:.5em;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.login .autocomplete.highlighted,.post-status-form .autocomplete.highlighted{background-color:#182230;background-color:var(--btn,#182230)}.media-upload{font-size:26px;-ms-flex:1;flex:1}.icon-upload{cursor:pointer}.profile-panel-background{background-size:cover;border-radius:10px;border-radius:var(--panelRadius,10px)}.profile-panel-background .panel-heading{padding:.6em 0;text-align:center}.profile-panel-body{word-wrap:break-word;background:linear-gradient(180deg,transparent,#121a24 80%);background:linear-gradient(180deg,transparent,var(--bg,#121a24) 80%)}.user-info{color:#b9b9ba;color:var(--lightFg,#b9b9ba);padding:0 16px}.user-info .container{padding:16px 10px 6px;display:-ms-flexbox;display:flex;max-height:56px;overflow:hidden}.user-info .container .avatar{border-radius:4px;border-radius:var(--avatarRadius,4px);-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0 1px 8px rgba(0,0,0,.75);object-fit:cover}.user-info .container .avatar.animated:before,.user-info:hover .animated.avatar canvas{display:none}.user-info:hover .animated.avatar img{visibility:visible}.user-info .usersettings{color:#b9b9ba;color:var(--lightFg,#b9b9ba);opacity:.8}.user-info .name-and-screen-name{display:block;margin-left:.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0}.user-info .user-name{text-overflow:ellipsis;overflow:hidden}.user-info .user-screen-name{color:#b9b9ba;color:var(--lightFg,#b9b9ba);display:inline-block;font-weight:light;font-size:15px;padding-right:.1em}.user-info .user-interactions{display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;-ms-flex-pack:justify;justify-content:space-between}.user-info .user-interactions div{-ms-flex:1;flex:1}.user-info .user-interactions .following{font-size:14px;-ms-flex:0 0 100%;flex:0 0 100%;margin:0 0 .4em;padding-left:16px;text-align:left}.user-info .user-interactions .follow,.user-info .user-interactions .mute,.user-info .user-interactions .remote-follow{max-width:220px;min-height:28px}.user-info .user-interactions button{width:92%;height:100%}.user-info .user-interactions .remote-button{height:28px!important;width:92%}.user-info .user-interactions .pressed{border-bottom-color:hsla(0,0%,100%,.2);border-top-color:rgba(0,0,0,.2)}.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightFg,#b9b9ba)}.user-counts.clickable .user-count{cursor:pointer}.user-counts.clickable .user-count:hover:not(.selected){transition:border-bottom .1s;border-bottom:3px solid #d8a070;border-bottom:3px solid var(--link,#d8a070)}.user-count{-ms-flex:1;flex:1;padding:.5em 0;margin:0 .5em}.user-count.selected{transition:none;border-bottom:5px solid #d8a070;border-bottom:5px solid var(--link,#d8a070);border-radius:4px;border-radius:var(--btnRadius,4px)}.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 .25em}.user-count a{text-decoration:none}.dailyAvg{margin-left:1em;font-size:.7em;color:#ccc}.still-image{position:relative;line-height:0;overflow:hidden;width:100%;height:100%}.still-image:hover canvas{display:none}.still-image img{width:100%;height:100%}.still-image.animated:hover:before,.still-image.animated img{visibility:hidden}.still-image.animated:hover img{visibility:visible}.still-image.animated:before{content:"gif";position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:hsla(0,0%,50%,.5);color:#fff;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius,5px);z-index:2}.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;width:100%;height:100%}.nav-panel .panel{overflow:hidden}.nav-panel ul{list-style:none;margin:0;padding:0}.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child{border:none}.nav-panel a{display:block;padding:.8em .85em}.nav-panel a.router-link-active,.nav-panel a:hover{background-color:#151e2a;background-color:var(--lightBg,#151e2a)}.nav-panel a.router-link-active{font-weight:bolder}.nav-panel a.router-link-active:hover{text-decoration:underline}.notifications{padding-bottom:15em}.notifications .panel{background:#121a24;background:var(--bg,#121a24)}.notifications .panel-body{border-color:#222;border-color:var(--border,#222)}.notifications .panel-heading{position:relative;background:#182230;background:var(--btn,#182230);color:#b9b9ba;color:var(--fg,#b9b9ba)}.notifications .panel-heading .read-button{position:absolute;right:.7em;height:1.8em;line-height:100%}.notifications .unseen-count{display:inline-block;background-color:red;background-color:var(--cRed,red);text-shadow:0 0 3px rgba(0,0,0,.5);min-width:1.3em;border-radius:1.3em;margin:0 .2em 0 -.4em;color:#fff;font-size:.9em;text-align:center;line-height:1.3em}.notifications .unseen{border-left:4px solid red;border-left:4px solid var(--cRed,red);padding-left:0}.notification{box-sizing:border-box;display:-ms-flexbox;display:flex;border-bottom:1px solid;border-bottom-color:inherit;padding-left:4px}.notification .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px);overflow:hidden;line-height:0}.notification .avatar-compact.animated:before,.notification:hover .animated.avatar canvas{display:none}.notification:hover .animated.avatar img{visibility:visible}.notification .notification-usercard{margin:0}.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:.6em;min-width:0}.notification .non-mention .avatar-container{width:32px;height:32px}.notification .non-mention .status-el{padding:0}.notification .non-mention .status-el .status{padding:.25em 0;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.notification .non-mention .status-el .media-body{margin:0}.notification .follow-text{padding:.5em 0}.notification .status-el{-ms-flex:1;flex:1}.notification time{white-space:nowrap}.notification .notification-right{-ms-flex:1;flex:1;padding-left:.8em;min-width:0}.notification .notification-details{min-width:0;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis}.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap}.notification .notification-details .timeago{float:right;font-size:12px}.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen,#0fa00f)}.notification .notification-details .icon-reply.lit,.notification .notification-details .icon-user-plus.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .icon-star.lit{color:orange;color:var(--cOrange,orange)}.notification .notification-details .status-content{margin:0;max-height:300px}.notification .notification-details h1{word-break:break-all;margin:0 0 .3em;padding:0;font-size:1em;line-height:20px}.notification .notification-details h1 small{font-weight:lighter}.notification .notification-details p{margin:0;margin-top:0;margin-bottom:.3em}.notification:last-child{border-bottom:none}.notification:last-child,.notification:last-child .status-el{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.status-body{-ms-flex:1;flex:1;min-width:0}.status-preview.status-el{border-color:#222;border:1px solid var(--border,#222)}.status-preview-container{position:relative;max-width:100%}.status-preview{position:absolute;max-width:95%;display:-ms-flexbox;display:flex;background-color:#121a24;background-color:var(--bg,#121a24);border-color:#222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:2px 2px 3px rgba(0,0,0,.5);margin-top:.25em;margin-left:.5em;z-index:50}.status-preview .status{-ms-flex:1;flex:1;border:0;min-width:15em}.status-preview-loading{display:block;min-width:15em;padding:1em;text-align:center;border-width:1px;border-style:solid}.status-preview-loading i{font-size:2em}.status-el{-webkit-hyphens:auto;-ms-hyphens:auto;hyphens:auto;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word;border-left-width:0;line-height:18px;min-width:0;border-color:#222;border-color:var(--border,#222);border-left:4px red;border-left:4px var(--cRed,red)}.status-el_focused{background-color:#151e2a;background-color:var(--lightBg,#151e2a)}.timeline .status-el{border-bottom-width:1px;border-bottom-style:solid}.status-el .media-body{-ms-flex:1;flex:1;padding:0;margin:0 0 .25em .8em}.status-el .usercard{margin-bottom:.7em}.status-el .media-heading{-ms-flex-wrap:nowrap;flex-wrap:nowrap}.status-el .media-heading-left{padding:0;vertical-align:bottom;-ms-flex-preferred-size:100%;flex-basis:100%}.status-el .media-heading-left small{font-weight:lighter}.status-el .media-heading-left h4{white-space:nowrap;font-size:14px;margin-right:.25em;overflow:hidden;text-overflow:ellipsis}.status-el .media-heading-left .name-and-links{padding:0;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:center;align-content:center}.status-el .media-heading-left .links{display:-ms-flexbox;display:flex;padding-top:1px;margin-left:.2em;font-size:12px;color:#d8a070;color:var(--link,#d8a070);max-width:100%}.status-el .media-heading-left .links a{max-width:100%;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.status-el .media-heading-left .reply-info{display:-ms-flexbox;display:flex}.status-el .media-heading-left .replies{line-height:16px}.status-el .media-heading-left .reply-link{margin-right:.2em}.status-el .media-heading-right{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;max-height:1.5em;margin-left:.25em}.status-el .media-heading-right .timeago{margin-right:.2em;font-size:12px;padding-top:1px}.status-el .media-heading-right i{margin-left:.2em}.status-el a{display:inline-block;word-break:break-all}.status-el .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden}.status-el .tall-status-hider{position:absolute;height:70px;margin-top:150px;width:100%;text-align:center;line-height:110px;background:linear-gradient(180deg,transparent,#121a24 80%);background:linear-gradient(180deg,transparent,var(--bg,#121a24) 80%)}.status-el .tall-status-hider_focused{background:linear-gradient(180deg,transparent,#151e2a 80%);background:linear-gradient(180deg,transparent,var(--lightBg,#151e2a) 80%)}.status-el .tall-status-unhider{width:100%;text-align:center}.status-el .status-content{margin-right:.5em}.status-el .status-content img,.status-el .status-content video{max-width:100%;max-height:400px;vertical-align:middle;object-fit:contain}.status-el .status-content blockquote{margin:.2em 0 .2em 2em;font-style:italic}.status-el .status-content p{margin:0;margin-top:.2em;margin-bottom:.5em}.status-el .retweet-info{padding:.4em .6em 0;margin:0 0 -.5em}.status-el .retweet-info .avatar{border-radius:10px;border-radius:var(--avatarAltRadius,10px);margin-left:28px;width:20px;height:20px}.status-el .retweet-info .media-body{font-size:1em;line-height:22px;display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.status-el .retweet-info .media-body i{padding:0 .2em}.status-el .retweet-info .media-body a{max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.status-fadein{animation-duration:.4s;animation-name:fadein}@keyframes fadein{0%{opacity:0}to{opacity:1}}.greentext{color:green}.status-conversation{border-left-style:solid}.status-actions{width:100%;display:-ms-flexbox;display:flex}.status-actions div,.status-actions favorite-button{padding-top:.25em;max-width:6em;-ms-flex:1;flex:1}.icon-reply.icon-reply-active,.icon-reply:hover{color:#0095ff;color:var(--cBlue,#0095ff)}.status .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.avatar{width:48px;height:48px;border-radius:4px;border-radius:var(--avatarRadius,4px);overflow:hidden;position:relative}.avatar img{width:100%;height:100%}.avatar.animated:before,.status:hover .animated.avatar canvas{display:none}.status:hover .animated.avatar img{visibility:visible}.status{display:-ms-flexbox;display:flex;padding:.6em}.status-conversation:last-child{border-bottom:none}.muted{padding:.25em .5em}.muted button{margin-left:auto}.muted .muteWords{margin-left:10px}a.unmute{display:block;margin-left:auto}.reply-left{-ms-flex:0;flex:0;min-width:48px}.reply-body{-ms-flex:1;flex:1}.timeline>.status-el:last-child{border-bottom-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}@media (max-width:960px){.status-el .retweet-info .avatar{margin-left:20px}.status{max-width:100%}.status .avatar{width:40px;height:40px}.status .avatar-compact{width:32px;height:32px}}.attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-.7em}.attachments .attachment.media-upload-container{-ms-flex:0 0 auto;flex:0 0 auto;max-height:300px;max-width:100%}.attachments .placeholder{margin-right:.5em}.attachments .small-attachment{max-height:100px}.attachments .small-attachment.image,.attachments .small-attachment.video{max-width:35%}.attachments .attachment{-ms-flex:1 0 30%;flex:1 0 30%;margin:.5em .7em .6em 0;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%}.attachments.video{line-height:0}.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex}.attachments.loading{cursor:progress}.attachments .hider{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);font-weight:700;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius,5px)}.attachments .small{max-height:100px}.attachments video{max-height:500px;height:100%;width:100%;z-index:0}.attachments audio{width:100%}.attachments img.media-upload{line-height:0;max-height:300px;max-width:100%}.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex}.attachments .oembed img{width:100%}.attachments .oembed .image{-ms-flex:1;flex:1}.attachments .oembed .image img{border:0;border-radius:5px;height:100%;object-fit:cover}.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all}.attachments .oembed .text h1{font-size:14px;margin:0}.attachments .image-attachment{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1}.attachments .image-attachment .still-image{width:100%;height:100%}.attachments .image-attachment .small img{max-height:100px}.attachments .image-attachment img{object-fit:contain;width:100%;height:100%;max-height:500px;image-orientation:from-image}.fav-active{cursor:pointer;animation-duration:.6s}.fav-active:hover,.favorite-button.icon-star{color:orange;color:var(--cOrange,orange)}.rt-active{cursor:pointer;animation-duration:.6s}.icon-retweet.retweeted,.rt-active:hover{color:#0fa00f;color:var(--cGreen,#0fa00f)}.delete-status,.icon-cancel{cursor:pointer}.delete-status:hover,.icon-cancel:hover{color:var(--cRed,red);color:red}.user-finder-container{height:29px;max-width:100%}.user-finder-input{max-width:80%;vertical-align:middle}.who-to-follow *{vertical-align:middle}.who-to-follow img{width:32px;height:32px}.who-to-follow p{line-height:40px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.floating-chat{position:fixed;right:0;bottom:0;z-index:1000}.chat-heading{cursor:pointer}.chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--fg,#b9b9ba)}.chat-window{width:345px;max-height:40vh;overflow-y:auto;overflow-x:hidden}.chat-message{display:-ms-flexbox;display:flex;padding:.2em .5em}.chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);margin-right:.5em;margin-top:.25em}.chat-input{display:-ms-flexbox;display:flex}.chat-input textarea{-ms-flex:1;flex:1;margin:.6em;min-height:3.5em;resize:none}.timeline .timeline-heading{position:relative;display:-ms-flexbox;display:flex}.timeline .title{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;max-width:70%}.timeline .loadmore-button{position:absolute;right:.6em;font-size:14px;min-width:6em;height:1.8em;line-height:100%}.timeline .loadmore-text{padding:0 .5em;opacity:.8;background-color:transparent;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.timeline .loadmore-error,.timeline .loadmore-text{position:absolute;right:.6em;font-size:14px;min-width:6em;font-family:sans-serif;text-align:center}.timeline .loadmore-error{padding:0 .25em;margin:0;color:#b9b9ba;color:var(--fg,#b9b9ba)}.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;z-index:1;background-color:#182230;background-color:var(--btn,#182230)}.spacer{height:1em}.name-and-screen-name{margin-left:.7em;margin-top:0;text-align:left;width:100%}.follows-you{margin-left:2em;float:right}.card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;padding:.6em 1em;border-bottom:1px solid;margin:0;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.card .avatar{margin-top:.2em;width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.usercard{width:-webkit-fill-available;width:-moz-available;width:fill-available;margin:.2em 0 .7em;border-radius:10px;border-radius:var(--panelRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.usercard .panel-heading{background:transparent}.usercard p{margin-bottom:0}.approval button{width:100%;margin-bottom:.5em}.user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px;padding-bottom:10px}.user-profile .panel-heading{background:transparent}.setting-item{border-bottom:2px solid var(--btn,#182230);margin:1em 1em 1.4em;padding-bottom:1.4em}.setting-item textarea{width:100%;height:100px}.setting-item .new-avatar,.setting-item .old-avatar{width:128px;border-radius:4px;border-radius:var(--avatarRadius,4px)}.setting-item .new-avatar{object-fit:cover;height:128px}.setting-item .btn{margin-top:1em;min-height:28px;width:10em}.setting-list{list-style-type:none}.setting-list li{margin-bottom:.5em}.style-switcher{margin-right:1em}.color-container,.radius-container{display:-ms-flexbox;display:flex}.color-container p,.radius-container p{margin-top:2em;margin-bottom:.5em}.radius-container{-ms-flex-direction:column;flex-direction:column}.color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between}.color-item,.radius-item{min-width:20em;display:-ms-flexbox;display:flex;-ms-flex:1 1 0px;flex:1 1 0;-ms-flex-align:baseline;align-items:baseline;margin:5px 6px 5px 0}.color-item label,.radius-item label{color:var(--faint,hsla(240,1%,73%,.5))}.radius-item{-ms-flex-preferred-size:auto;flex-basis:auto}.theme-color-cl,.theme-radius-rn{border:0;box-shadow:none;background:transparent;color:var(--faint,hsla(240,1%,73%,.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.theme-color-cl,.theme-color-in,.theme-radius-in{margin-left:4px}.theme-color-in{min-width:4em}.theme-radius-in{min-width:1em}.theme-color-in,.theme-radius-in{max-width:7em;-ms-flex:1;flex:1}.theme-color-lb,.theme-radius-lb{-ms-flex:2;flex:2;min-width:7em}.theme-radius-lb{max-width:50em}.theme-color-lb{max-width:10em}.theme-color-cl{padding:1px;max-width:8em;height:100%;-ms-flex:0;flex:0;min-width:2em;cursor:pointer}.theme-preview-content{padding:20px}.dummy .avatar{background:linear-gradient(135deg,#b8e1fc,#a9d2f3 10%,#90bae4 25%,#90bcea 37%,#90bff0 50%,#6ba8e5 51%,#a2daf5 83%,#bdf3fd);color:#000;text-align:center;height:48px;line-height:48px;width:48px;float:left;margin-right:1em}.registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.6em}.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:.8em}.registration-form .text-fields{margin-top:.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em 0;line-height:24px}.registration-form form textarea{line-height:16px;resize:vertical}.registration-form .captcha{max-width:350px;margin-bottom:.4em}.registration-form .btn{margin-top:.6em;height:28px}.registration-form .error{text-align:center}@media (max-width:959px){.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse}}.profile-edit .bio{margin:0}.profile-edit input[type=file]{padding:5px;height:auto}.profile-edit .banner{max-width:400px}.profile-edit .uploading{font-size:1.5em;margin:.25em} +/*# sourceMappingURL=app.5d0189b6f119febde070b703869bbd06.css.map*/ \ No newline at end of file diff --git a/priv/static/static/css/app.5d0189b6f119febde070b703869bbd06.css.map b/priv/static/static/css/app.5d0189b6f119febde070b703869bbd06.css.map new file mode 100644 index 000000000..35cbec774 --- /dev/null +++ b/priv/static/static/css/app.5d0189b6f119febde070b703869bbd06.css.map @@ -0,0 +1 @@ +{"version":3,"sources":["webpack:///webpack:///src/App.scss","webpack:///webpack:///src/components/user_panel/user_panel.vue","webpack:///webpack:///src/components/login_form/login_form.vue","webpack:///webpack:///src/components/post_status_form/post_status_form.vue","webpack:///webpack:///src/components/media_upload/media_upload.vue","webpack:///webpack:///src/components/user_card_content/user_card_content.vue","webpack:///webpack:///src/components/still-image/still-image.vue","webpack:///webpack:///src/components/nav_panel/nav_panel.vue","webpack:///webpack:///src/components/notifications/notifications.scss","webpack:///webpack:///src/components/status/status.vue","webpack:///webpack:///src/components/attachment/attachment.vue","webpack:///webpack:///src/components/favorite_button/favorite_button.vue","webpack:///webpack:///src/components/retweet_button/retweet_button.vue","webpack:///webpack:///src/components/delete_button/delete_button.vue","webpack:///webpack:///src/components/user_finder/user_finder.vue","webpack:///webpack:///src/components/who_to_follow_panel/who_to_follow_panel.vue","webpack:///webpack:///src/components/chat_panel/chat_panel.vue","webpack:///webpack:///src/components/timeline/timeline.vue","webpack:///webpack:///src/components/status_or_conversation/status_or_conversation.vue","webpack:///webpack:///src/components/user_card/user_card.vue","webpack:///webpack:///src/components/user_profile/user_profile.vue","webpack:///webpack:///src/components/settings/settings.vue","webpack:///webpack:///src/components/style_switcher/style_switcher.vue","webpack:///webpack:///src/components/registration/registration.vue","webpack:///webpack:///src/components/user_settings/user_settings.vue"],"names":[],"mappings":"AACA,KAAK,sBAAsB,4BAA4B,4BAA4B,2BAA2B,iBAAiB,eAAe,eAAe,CAE7J,EAAE,yBAAyB,sBAAsB,qBAAqB,gBAAgB,CAEtF,GAAG,QAAQ,CAEX,SAAS,sBAAsB,iBAAiB,YAAY,iBAAiB,gBAAgB,iCAAkC,yBAAyB,wBAAwB,CAEhL,aAAa,iBAAiB,CAE9B,KAAK,uBAAuB,eAAe,SAAS,cAAc,wBAAyB,gBAAgB,iBAAiB,CAE5H,EAAE,qBAAqB,cAAc,yBAA0B,CAE/D,OAAO,yBAAyB,sBAAsB,qBAAqB,iBAAiB,cAAc,wBAAyB,yBAAyB,oCAAqC,YAAY,kBAAkB,mCAAoC,eAAe,wCAA2C,uCAAwC,wBAA6B,eAAe,sBAAsB,CAEva,aAAa,qCAA4C,CAEzD,gBAAgB,mBAAmB,UAAW,CAE9C,eAAe,0BAA4B,uCAA0C,yBAAyB,kCAAmC,CAEjJ,aAAa,SAAS,CAEtB,uBAAuB,YAAY,kBAAkB,qCAAsC,2CAA8C,oCAAqC,8BAAmC,yBAAyB,sCAAuC,cAAc,6BAA8B,uBAAuB,eAAe,gBAAgB,sBAAsB,qBAAqB,kBAAkB,YAAY,gBAAgB,CAE5c,uEAAuE,kBAAkB,MAAM,SAAS,UAAU,YAAY,cAAc,wBAAyB,iBAAiB,UAAU,mBAAmB,CAEnN,4CAA4C,wBAAwB,qBAAqB,gBAAgB,uBAAuB,YAAY,SAAS,cAAc,wBAAyB,wBAAwB,WAAW,UAAU,YAAY,gBAAgB,CAErQ,+HAA+H,YAAY,CAE3I,6PAAmQ,cAAc,uBAAwB,CAEzS,6MAAmN,qBAAqB,gBAAY,qBAAuB,YAAY,aAAa,kBAAkB,wCAAyC,2CAA8C,oCAAqC,8BAAmC,kBAAkB,yBAAyB,sCAAuC,mBAAmB,kBAAkB,kBAAkB,gBAAsC,kBAAkB,gBAAgB,qBAAqB,CAE3rB,gBAAgB,WAAW,sBAAuB,CAElD,WAAW,oBAAoB,aAAa,mBAAmB,eAAe,SAAS,cAAqB,CAE5G,MAAM,oBAAoB,CAE1B,MAAM,WAAW,OAAO,iBAAiB,YAAY,eAAe,CAEpE,gBAAgB,gBAAgB,gBAAiB,CAEjD,YAAY,mBAAmB,CAE/B,WAAW,WAAW,MAAM,CAE5B,IAAI,WAAoD,cAAe,CAEvE,mBAFe,sBAAsB,mBAAkC,WAAW,CAGjF,eADc,kBAAkB,mBAAmB,oBAAoB,aAAsD,8BAA8B,iBAAiB,YAAwB,4BAA4B,wBAA2B,wBAAwB,CAEpR,mBAAmB,cAAc,yBAA0B,CAE3D,YAAY,WAAW,MAAM,CAE7B,gBAAgB,sBAAuB,eAAe,CAEtD,kBAAkB,SAAS,cAAe,CAE1C,OAAO,oBAAoB,aAAa,0BAA0B,sBAAsB,YAAa,yBAAyB,mCAAoC,mBAAmB,sCAAuC,qCAAsC,CAElQ,yBAA0B,6BAAqB,cAAc,WAAW,iBAAiB,CAEzF,eAAe,4BAA4B,kEAAoE,sBAAsB,iBAAoB,gBAAgB,gBAAgB,iBAAiB,yBAAyB,mCAAoC,CAEvQ,oBAAoB,mBAAmB,qCAAsC,CAE7E,cAAc,4BAA4B,iEAAmE,CAE7G,cAAc,iBAAiB,YAAY,QAAQ,CAEnD,aAAa,WAAa,CAE1B,IAAI,UAAU,CAEd,IAAI,aAAa,yBAAyB,oCAAqC,0BAA4B,uCAA0C,iCAAsC,CAE3L,sCAAsC,sBAAsB,CAE5D,+BAA+B,SAAS,CAExC,MAAM,4BAA4B,eAAe,oBAAoB,YAAY,oBAAoB,aAAa,CAElH,gBAAgB,WAAW,OAAO,4BAA4B,cAAc,CAE5E,gBAAgB,WAAW,OAAO,8BAA8B,iBAAiB,WAAW,CAE5F,cAAc,YAAY,CAE1B,gBAAgB,aAAa,WAAW,WAAW,CAEnD,uBAAuB,cAAc,WAAW,OAAO,gBAAgB,YAAa,YAAa,CAEjG,yBACA,KAAK,iBAAiB,CAEtB,gBAAgB,gBAAgB,iBAAiB,YAAY,eAAe,gBAAgB,CAE5F,kCAAkC,YAAY,YAAY,iBAAiB,mBAAmB,kBAAkB,iBAAiB,CAEjI,yBAAyB,WAAW,CAEpC,gBAAgB,gBAAgB,oBAAoB,cAAc,oBAAoB,WAAW,CAChG,CAED,OAAO,aAAc,cAAe,kBAAkB,uCAAwC,0BAA4B,uCAA0C,gBAAgB,gBAAgB,CAEpM,aAAa,oCAAqC,oDAAsD,CAExG,OAAO,0BAA4B,sCAAyC,CAE5E,yBACA,eAAe,YAAY,CAE3B,gBAAgB,oBAAoB,YAAY,CAEhD,WAAW,SAAe,CAE1B,OAAO,aAAsB,CAC5B,CAED,YAAY,iBAAiB,kBAAkB,CC5H/C,qDAAqD,sBAAsB,CCA3E,iBAAiB,gBAAgB,UAAU,CAE3C,mBAAmB,iBAAiB,CAEpC,sBAAsB,aAAa,QAAQ,CAE3C,0BAA0B,eAAiB,oBAAoB,aAAa,uBAAuB,mBAAmB,sBAAsB,mBAAmB,sBAAsB,6BAA6B,CCNlN,sBAAsB,SAAW,CAEjC,yBAAyB,oBAAoB,aAAa,sBAAsB,kBAAkB,CAElG,uBAAuB,YAAY,WAAW,YAAY,mBAAmB,yCAA0C,CAEvH,mCAAmC,gBAAgB,YAAY,cAAc,CAE7E,6CAA6C,cAAc,4BAA6B,CAExF,mDAAmD,oBAAoB,aAAa,aAAc,WAAW,CAE7G,iEAAiE,UAAU,CAE3E,uDAAuD,aAAc,cAAe,oBAAoB,YAAY,CAEpH,uCAAuC,iBAAiB,CAExD,mDAAmD,cAAe,CAElE,2EAA2E,kBAAkB,sBAAsB,oCAAqC,uBAA0B,CAElL,uDAAuD,kBAAkB,YAAY,YAAY,6BAAiC,mBAAmB,2CAA4C,eAAgB,CAMjN,mCAAmC,oBAAoB,aAAa,0BAA0B,sBAAsB,YAAa,CAEjI,iDAAiD,oBAAoB,aAAa,0BAA0B,sBAAsB,uBAA0B,gBAAgB,CAI5K,oJAFqE,iBAAiB,YAAY,gBAAgB,8BAAkC,cAAc,CAGjK,+EAD4K,sBAAsB,CAEnM,2FAA2F,eAAe,CAE1G,mCAAmC,cAAc,CAEjD,uDAAuD,kBAAkB,CAEzE,mDAAmD,eAAe,SAAS,CAE3E,iEAAiE,cAAuB,kBAAkB,uCAAwC,kBAAkB,UAAU,sCAAuC,cAAc,mBAAmB,6BAA8B,cAAc,4BAA6B,CAE/T,qDAAqD,eAAe,kBAAgC,uCAAwC,oBAAoB,YAAY,CAE5K,6DAA6D,WAAW,YAAY,kBAAkB,sCAAuC,kBAAkB,CAE/J,+DAA+D,iBAAiB,oBAAsB,CAEtG,iEAAiE,iBAAiB,0BAA4B,sCAAyC,CAEvJ,6EAA6E,yBAAyB,mCAAoC,CCtD1I,cACI,eACA,WACI,MAAQ,CAEhB,aACI,cAAgB,CCNpB,0BAA0B,sBAAsB,mBAAmB,qCAAsC,CAEzG,yCAAyC,eAAkB,iBAAiB,CAE5E,oBAAoB,qBAAqB,2DAAgE,oEAA0E,CAEnL,WAAW,cAAc,6BAA8B,cAAc,CAErE,sBAAsB,sBAA2B,oBAAoB,aAAa,gBAAgB,eAAe,CAEjH,8BAA8B,kBAAkB,sCAAuC,kBAAkB,cAAc,WAAW,YAAY,qCAAwC,gBAAgB,CAItM,uFAAyC,YAAY,CAErD,sCAAsC,kBAAkB,CAExD,yBAAyB,cAAc,6BAA8B,UAAU,CAE/E,iCAAiC,cAAc,iBAAkB,gBAAgB,uBAAuB,mBAAmB,iBAAiB,UAAU,CAEtJ,sBAAsB,uBAAuB,eAAe,CAE5D,6BAA6B,cAAc,6BAA8B,qBAAqB,kBAAkB,eAAe,kBAAmB,CAElJ,8BAA8B,oBAAoB,aAAa,uBAAuB,mBAAmB,sBAAsB,6BAA6B,CAE5J,kCAAkC,WAAW,MAAM,CAEnD,yCAAyC,eAAe,kBAAkB,cAAc,gBAAkB,kBAAkB,eAAe,CAM3I,uHAAsC,gBAAgB,eAAe,CAErE,qCAAqC,UAAU,WAAW,CAE1D,6CAA6C,sBAAuB,SAAS,CAE7E,uCAAuC,uCAA0C,+BAAgC,CAEjH,aAAa,oBAAoB,aAAa,iBAAiB,qBAA6B,kBAAkB,sBAAsB,8BAA8B,cAAc,4BAA6B,CAE7M,mCAAmC,cAAc,CAEjD,wDAAwD,6BAA+B,gCAAgC,2CAA4C,CAEnK,YAAY,WAAW,OAAO,eAAsB,aAAa,CAEjE,qBAAqB,gBAAgB,gCAAgC,4CAA6C,kBAAkB,kCAAmC,CAEvK,eAAe,cAAc,mBAAmB,gBAAiB,CAEjE,cAAc,oBAAoB,CAElC,UAAU,gBAAgB,eAAgB,UAAU,CC1DpD,aAAa,kBAAkB,cAAc,gBAAgB,WAAW,WAAW,CAEnF,0BAA0B,YAAY,CAEtC,iBAAiB,WAAW,WAAW,CAEvC,6DAA8D,iBAAiB,CAE/E,gCAAgC,kBAAkB,CAElD,6BAA8B,cAAc,kBAAkB,iBAAiB,eAAe,QAAQ,SAAS,6BAAiC,WAAW,cAAc,gBAAgB,kBAAkB,uCAAwC,SAAS,CAE5P,oBAAoB,kBAAkB,MAAM,SAAS,OAAO,QAAQ,WAAW,WAAW,CCZ1F,kBAAkB,eAAe,CAEjC,cAAc,gBAAgB,SAAS,SAAS,CAEhD,cAAc,wBAAwB,kBAAkB,gCAAiC,SAAS,CAElG,4BAA4B,6BAA6B,gDAAiD,4BAA4B,8CAA+C,CAErL,2BAA2B,gCAAgC,mDAAoD,+BAA+B,iDAAkD,CAEhM,yBAAyB,WAAW,CAEpC,aAAa,cAAc,kBAAoB,CAI/C,mDAFmB,yBAAyB,uCAAwC,CAGnF,gCAD+B,kBAAmB,CAEnD,sCAAsC,yBAAyB,CClB/D,eAAe,mBAAmB,CAElC,sBAAsB,mBAAmB,4BAA6B,CAEtE,2BAA2B,kBAAkB,+BAAgC,CAE7E,8BAA8B,kBAAkB,mBAAmB,8BAA+B,cAAc,uBAAwB,CAExI,2CAA2C,kBAAkB,WAAY,aAAa,gBAAgB,CAEtG,6BAA6B,qBAAqB,qBAAqB,iCAAkC,mCAAwC,gBAAgB,oBAAoB,sBAAwB,WAAY,eAAgB,kBAAkB,iBAAiB,CAE5Q,uBAAuB,0BAA0B,sCAAuC,cAAc,CAEtG,cAAc,sBAAsB,oBAAoB,aAAa,wBAAwB,4BAA4B,gBAAgB,CAEzI,8BAA8B,WAAW,YAAY,mBAAmB,0CAA2C,gBAAgB,aAAa,CAIhJ,0FAA4C,YAAY,CAExD,yCAAyC,kBAAkB,CAE3D,qCAAqC,QAAQ,CAE7C,2BAA2B,oBAAoB,aAAa,WAAW,OAAO,qBAAqB,iBAAiB,aAAc,WAAW,CAE7I,6CAA6C,WAAW,WAAW,CAEnE,sCAAsC,SAAS,CAE/C,8CAA8C,gBAAiB,0BAA4B,sCAAyC,CAEpI,kDAAkD,QAAQ,CAE1D,2BAA2B,cAAe,CAE1C,yBAAyB,WAAW,MAAM,CAE1C,mBAAmB,kBAAkB,CAErC,kCAAkC,WAAW,OAAO,kBAAmB,WAAW,CAElF,oCAAoC,YAAc,qBAAqB,iBAAiB,kBAAkB,gBAAgB,WAAW,iBAAiB,WAAW,oBAAoB,aAAa,qBAAqB,gBAAgB,CAEvO,qDAAqD,WAAW,OAAO,gBAAgB,sBAAsB,CAE7G,8CAA8C,mBAAmB,eAAe,uBAAuB,kBAAkB,CAEzH,6CAA6C,YAAY,cAAc,CAEvE,sDAAsD,cAAc,2BAA4B,CAIhG,4GAAoD,cAAc,0BAA2B,CAE7F,mDAAgE,aAAa,2BAA4B,CAEzG,oDAAoD,SAAS,gBAAgB,CAE7E,uCAAuC,qBAAqB,gBAAiB,UAAU,cAAc,gBAAgB,CAErH,6CAA6C,mBAAmB,CAEhE,sCAAsC,SAAS,aAAa,kBAAmB,CAE/E,yBAAyB,kBAAmB,CAE5C,6DAF4C,4BAA4B,iEAAmE,CCpE3I,aAAa,WAAW,OAAO,WAAW,CAE1C,0BAA8D,kBAAkB,mCAAgC,CAEhH,0BAA0B,kBAAkB,cAAc,CAE1D,gBAAgB,kBAAkB,cAAc,oBAAoB,aAAa,yBAAyB,mCAAoC,kBAAkB,oCAAqE,kBAAkB,uCAAwC,sCAAuC,iBAAkB,iBAAkB,UAAU,CAEpX,wBAAwB,WAAW,OAAO,SAAS,cAAc,CAEjE,wBAAwB,cAAc,eAAe,YAAY,kBAAkB,iBAAiB,kBAAkB,CAEtH,0BAA0B,aAAa,CAEvC,WAAW,qBAAqB,iBAAiB,aAAa,yBAAyB,qBAAqB,sBAAsB,oBAAsB,iBAAiB,YAAY,kBAAkB,gCAAiC,oBAAoB,+BAAgC,CAE5R,mBAAmB,yBAAyB,uCAAwC,CAEpF,qBAAqB,wBAAwB,yBAAyB,CAEtE,uBAAuB,WAAW,OAAO,UAAU,qBAAuB,CAE1E,qBAAqB,kBAAkB,CAEvC,0BAA0B,qBAAqB,gBAAgB,CAE/D,+BAA+B,UAAU,sBAAsB,6BAA6B,eAAe,CAE3G,qCAAqC,mBAAmB,CAExD,kCAAkC,mBAAmB,eAAe,mBAAoB,gBAAgB,sBAAsB,CAE9H,+CAA+C,UAAU,aAAa,SAAS,oBAAoB,aAAa,mBAAmB,eAAe,0BAA0B,oBAAoB,CAEhM,sCAAsC,oBAAoB,aAAa,gBAAgB,iBAAkB,eAAe,cAAc,0BAA2B,cAAc,CAE/K,wCAAwC,eAAe,uBAAuB,gBAAgB,kBAAkB,CAEhH,2CAA2C,oBAAoB,YAAY,CAE3E,wCAAwC,gBAAgB,CAExD,2CAA2C,iBAAkB,CAE7D,gCAAgC,oBAAoB,cAAc,oBAAoB,aAAa,qBAAqB,iBAAiB,iBAAiB,iBAAkB,CAE5K,yCAAyC,kBAAmB,eAAe,eAAe,CAE1F,kCAAkC,gBAAiB,CAEnD,aAAa,qBAAqB,oBAAoB,CAEtD,wBAAwB,kBAAkB,aAAa,kBAAkB,iBAAiB,CAE1F,8BAA8B,kBAAkB,YAAY,iBAAiB,WAAW,kBAAkB,kBAAkB,2DAAgE,oEAA0E,CAEtQ,sCAAsC,2DAAgE,yEAA+E,CAErL,gCAAgC,WAAW,iBAAiB,CAE5D,2BAA2B,iBAAkB,CAE7C,gEAAgE,eAAe,iBAAiB,sBAAsB,kBAAkB,CAExI,sCAAsC,uBAAyB,iBAAiB,CAEhF,6BAA6B,SAAS,gBAAiB,kBAAmB,CAE1E,yBAAyB,oBAA4B,gBAAmB,CAExE,iCAAiC,mBAAmB,0CAA2C,iBAAiB,WAAW,WAAW,CAEtI,qCAAqC,cAAc,iBAAiB,oBAAoB,aAAa,0BAA0B,qBAAqB,mBAAmB,cAAc,CAErL,uCAAuC,cAAe,CAEtD,uCAAuC,eAAe,gBAAgB,uBAAuB,kBAAkB,CAE/G,eAAe,uBAAwB,qBAAqB,CAE5D,kBACA,GAAK,SAAS,CAEd,GAAG,SAAS,CACX,CAED,WAAW,WAAW,CAEtB,qBAAqB,uBAAuB,CAE5C,gBAAgB,WAAW,oBAAoB,YAAY,CAE3D,oDAAoD,kBAAmB,cAAc,WAAW,MAAM,CAItG,gDAA8B,cAAc,0BAA2B,CAEvE,wBAAwB,WAAW,YAAY,mBAAmB,yCAA0C,CAE5G,QAAQ,WAAW,YAAY,kBAAkB,sCAAuC,gBAAgB,iBAAiB,CAEzH,YAAY,WAAW,WAAW,CAIlC,8DAAsC,YAAY,CAElD,mCAAmC,kBAAkB,CAErD,QAAQ,oBAAoB,aAAa,YAAa,CAEtD,gCAAgC,kBAAkB,CAElD,OAAO,kBAAoB,CAE3B,cAAc,gBAAgB,CAE9B,kBAAkB,gBAAgB,CAElC,SAAS,cAAc,gBAAgB,CAEvC,YAAY,WAAW,OAAO,cAAc,CAE5C,YAAY,WAAW,MAAM,CAE7B,gCAAgC,mCAAmC,iEAAmE,CAEtI,yBACA,iCAAiC,gBAAgB,CAEjD,QAAQ,cAAc,CAEtB,gBAAgB,WAAW,WAAW,CAEtC,wBAAwB,WAAW,WAAW,CAC7C,CCxID,aAAa,oBAAoB,aAAa,mBAAmB,eAAe,kBAAmB,CAEnG,gDAAgD,kBAAkB,cAAc,iBAAiB,cAAc,CAE/G,0BAA0B,iBAAkB,CAE5C,+BAA+B,gBAAgB,CAE/C,0EAA0E,aAAa,CAEvF,yBAAyB,iBAAiB,aAAa,wBAA+B,0BAA0B,sBAAsB,cAAkD,mBAAmB,2CAA4C,kBAAkB,oCAAiC,eAAe,CAEzT,wBAAwB,6BAA6B,eAAe,CAEpE,mBAAmB,aAAa,CAEhC,kBAAkB,4BAA4B,eAAe,WAAW,oBAAoB,YAAY,CAExG,qBAAqB,eAAe,CAEpC,oBAAoB,kBAAkB,YAAY,YAAY,6BAAiC,gBAAiB,UAAU,cAAc,kBAAkB,sCAAuC,CAEjM,oBAAoB,gBAAgB,CAEpC,mBAAmB,iBAAiB,YAAY,WAAW,SAAS,CAEpE,mBAAmB,UAAU,CAE7B,8BAA8B,cAAc,iBAAiB,cAAc,CAE3E,qBAAqB,kBAAkB,kBAAkB,cAAc,WAAW,kBAAkB,oBAAoB,YAAY,CAEpI,yBAAyB,UAAU,CAEnC,4BAA4B,WAAW,MAAM,CAE7C,gCAAgC,SAAW,kBAAkB,YAAY,gBAAgB,CAEzF,2BAA2B,WAAW,OAAO,WAAW,oBAAoB,CAE5E,8BAA8B,eAAe,QAAU,CAEvD,+BAA+B,oBAAoB,aAAa,WAAW,MAAM,CAEjF,4CAA4C,WAAW,WAAW,CAElE,0CAA0C,gBAAgB,CAE1D,mCAAmC,mBAAmB,WAAW,YAAY,iBAAiB,4BAA4B,CChD1H,YAAY,eAAe,sBAAuB,CAIlD,6CAA2B,aAAa,2BAA4B,CCJpE,WAAW,eAAe,sBAAuB,CAIjD,yCAAwB,cAAc,2BAA4B,CCJlE,4BAA4B,cAAc,CAE1C,wCAAwC,sBAAuB,SAAS,CCFxE,uBAAuB,YAAY,cAAc,CAEjD,mBAAmB,cAAc,qBAAqB,CCFtD,iBAAiB,qBAAqB,CAEtC,mBAAmB,WAAW,WAAW,CAEzC,iBAAiB,iBAAiB,mBAAmB,gBAAgB,sBAAsB,CCJ3F,eAAe,eAAe,QAAU,SAAW,YAAY,CAE/D,cAAc,cAAc,CAE5B,kCAAkC,cAAc,uBAAwB,CAExE,aAAa,YAAY,gBAAgB,gBAAgB,iBAAiB,CAE1E,cAAc,oBAAoB,aAAa,iBAAmB,CAElE,iBAAiB,YAAY,WAAW,kBAAkB,sCAAuC,kBAAmB,gBAAiB,CAErI,YAAY,oBAAoB,YAAY,CAE5C,qBAAqB,WAAW,OAAO,YAAa,iBAAiB,WAAW,CCdhF,4BAA4B,kBAAkB,oBAAoB,YAAY,CAE9E,iBAAiB,mBAAmB,gBAAgB,uBAAuB,aAAa,CAExF,2BAA2B,kBAAkB,WAAY,eAAe,cAAc,aAAa,gBAAgB,CAEnH,yBAA6H,eAAwB,WAAY,6BAA6B,0BAA4B,sCAAyC,CAEnQ,mDAFyB,kBAAkB,WAAY,eAAe,cAAc,uBAAuB,iBAAkB,CAG5H,0BAD6H,gBAA0B,SAAS,cAAc,uBAAwB,CAEvM,yBAAyB,kBAAkB,gBAAgB,gBAAgB,qBAAuB,mBAAmB,gCAAiC,aAAa,UAAU,yBAAyB,mCAAoC,CCV1O,QAAQ,UAAU,CCAlB,sBAAsB,iBAAkB,aAAiB,gBAAgB,UAAU,CAEnF,aAAa,gBAAgB,WAAW,CAExC,MAAM,oBAAoB,aAAa,aAAa,SAAkE,iBAAiB,wBAAwB,SAAS,yBAAyB,sCAAuC,CAExO,cAAc,gBAAiB,WAAW,YAAY,mBAAmB,yCAA0C,CAEnH,UAAU,6BAA6B,qBAAqB,qBAAqB,mBAAuB,mBAAmB,sCAA0D,kBAAkB,oCAAkD,eAAe,CAExQ,yBAAyB,sBAAsB,CAE/C,YAAY,eAAe,CAE3B,iBAAiB,WAAW,kBAAmB,CCd/C,cAAc,WAAW,OAAO,8BAA8B,iBAAiB,mBAAmB,CAElG,6BAA6B,sBAAsB,CCFnD,cAAc,2CAA4C,qBAAqB,oBAAoB,CAEnG,uBAAuB,WAAW,YAAY,CAI9C,oDAF0B,YAAY,kBAAkB,qCAAsC,CAG7F,0BADyB,iBAA6B,YAAa,CAEpE,mBAAmB,eAAe,gBAAgB,UAAU,CAE5D,cAAc,oBAAoB,CAElC,iBAAiB,kBAAmB,CCZpC,gBAAgB,gBAAgB,CAEhC,mCAAmC,oBAAoB,YAAY,CAEnE,uCAAuC,eAAe,kBAAkB,CAExE,kBAAkB,0BAA0B,qBAAqB,CAEjE,iBAAiB,mBAAmB,eAAe,sBAAsB,6BAA6B,CAEtG,yBAAyB,eAAe,oBAAoB,aAAa,iBAAiB,WAAW,wBAAwB,qBAAqB,oBAAoB,CAEtK,qCAAqC,sCAAyC,CAE9E,aAAa,6BAA6B,eAAe,CAEzD,iCAAiC,SAAS,gBAAgB,uBAAuB,uCAA0C,4BAA4B,2BAA2B,kBAAkB,CAEpM,iDAAiD,eAAe,CAEhE,gBAAgB,aAAa,CAE7B,iBAAiB,aAAa,CAE9B,iCAAiC,cAAc,WAAW,MAAM,CAEhE,iCAAiC,WAAW,OAAO,aAAa,CAEhE,iBAAiB,cAAc,CAE/B,gBAAgB,cAAc,CAE9B,gBAAgB,YAAY,cAAc,YAAY,WAAW,OAAO,cAAc,cAAc,CAEpG,uBAAuB,YAAY,CAEnC,eAAe,2HAA2I,WAAY,kBAAkB,YAAY,iBAAiB,WAAW,WAAW,gBAAgB,CCpC3P,mBAAmB,oBAAoB,aAAa,0BAA0B,sBAAsB,WAAY,CAEhH,8BAA8B,oBAAoB,aAAa,uBAAuB,kBAAkB,CAExG,qCAAqC,iBAAiB,aAAa,WAAY,CAE/E,gCAAgC,gBAAiB,aAAa,SAAS,oBAAoB,aAAa,0BAA0B,qBAAqB,CAEvJ,+BAA+B,oBAAoB,aAAa,0BAA0B,sBAAsB,eAA0B,gBAAgB,CAE1J,iCAAiC,iBAAiB,eAAe,CAEjE,4BAA4B,gBAAgB,kBAAmB,CAE/D,wBAAwB,gBAAiB,WAAW,CAEpD,0BAA0B,iBAAiB,CAE3C,yBACA,8BAA8B,kCAAkC,6BAA6B,CAC5F,CCpBD,mBAAmB,QAAQ,CAE3B,+BAA+B,YAAY,WAAW,CAEtD,sBAAsB,eAAe,CAErC,yBAAyB,gBAAgB,YAAa","file":"static/css/app.5d0189b6f119febde070b703869bbd06.css","sourcesContent":["\n#app{background-size:cover;background-attachment:fixed;background-repeat:no-repeat;background-position:0 50px;min-height:100vh;max-width:100%;overflow:hidden\n}\ni{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none\n}\nh4{margin:0\n}\n#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;background-color:rgba(0,0,0,0.15);-ms-flex-line-pack:start;align-content:flex-start\n}\n.text-center{text-align:center\n}\nbody{font-family:sans-serif;font-size:14px;margin:0;color:#b9b9ba;color:var(--fg, #b9b9ba);max-width:100vw;overflow-x:hidden\n}\na{text-decoration:none;color:#d8a070;color:var(--link, #d8a070)\n}\nbutton{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--fg, #b9b9ba);background-color:#182230;background-color:var(--btn, #182230);border:none;border-radius:4px;border-radius:var(--btnRadius, 4px);cursor:pointer;border-top:1px solid rgba(255,255,255,0.2);border-bottom:1px solid rgba(0,0,0,0.2);box-shadow:0px 0px 2px black;font-size:14px;font-family:sans-serif\n}\nbutton:hover{box-shadow:0px 0px 4px rgba(255,255,255,0.3)\n}\nbutton:disabled{cursor:not-allowed;opacity:0.5\n}\nbutton.pressed{color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5));background-color:#121a24;background-color:var(--bg, #121a24)\n}\nlabel.select{padding:0\n}\ninput,textarea,.select{border:none;border-radius:4px;border-radius:var(--inputRadius, 4px);border-bottom:1px solid rgba(255,255,255,0.2);border-top:1px solid rgba(0,0,0,0.2);box-shadow:0px 0px 2px black inset;background-color:#182230;background-color:var(--input, #182230);color:#b9b9ba;color:var(--lightFg, #b9b9ba);font-family:sans-serif;font-size:14px;padding:8px 7px;box-sizing:border-box;display:inline-block;position:relative;height:29px;line-height:16px\n}\ninput .icon-down-open,textarea .icon-down-open,.select .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--fg, #b9b9ba);line-height:29px;z-index:0;pointer-events:none\n}\ninput select,textarea select,.select select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;margin:0;color:#b9b9ba;color:var(--fg, #b9b9ba);padding:4px 2em 3px 3px;width:100%;z-index:1;height:29px;line-height:16px\n}\ninput[type=radio],input[type=checkbox],textarea[type=radio],textarea[type=checkbox],.select[type=radio],.select[type=checkbox]{display:none\n}\ninput[type=radio]:checked+label::before,input[type=checkbox]:checked+label::before,textarea[type=radio]:checked+label::before,textarea[type=checkbox]:checked+label::before,.select[type=radio]:checked+label::before,.select[type=checkbox]:checked+label::before{color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\ninput[type=radio]+label::before,input[type=checkbox]+label::before,textarea[type=radio]+label::before,textarea[type=checkbox]+label::before,.select[type=radio]+label::before,.select[type=checkbox]+label::before{display:inline-block;content:'✔';transition:color 200ms;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkBoxRadius, 2px);border-bottom:1px solid rgba(255,255,255,0.2);border-top:1px solid rgba(0,0,0,0.2);box-shadow:0px 0px 2px black inset;margin-right:.5em;background-color:#182230;background-color:var(--input, #182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;box-sizing:border-box;color:transparent;overflow:hidden;box-sizing:border-box\n}\ni[class*=icon-]{color:#666;color:var(--icon, #666)\n}\n.container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px 0 10px\n}\n.gaps{margin:-1em 0 0 -1em\n}\n.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden\n}\n.item .nav-icon{font-size:1.1em;margin-left:0.4em\n}\n.gaps>.item{padding:1em 0 0 1em\n}\n.auto-size{-ms-flex:1;flex:1\n}\nnav{width:100%;-ms-flex-align:center;align-items:center;position:fixed;height:50px\n}\nnav .inner-nav{padding-left:20px;padding-right:20px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-preferred-size:970px;flex-basis:970px;margin:auto;height:50px;background-repeat:no-repeat;background-position:center;background-size:auto 80%\n}\nnav .inner-nav a i{color:#d8a070;color:var(--link, #d8a070)\n}\nmain-router{-ms-flex:1;flex:1\n}\n.status.compact{color:rgba(0,0,0,0.42);font-weight:300\n}\n.status.compact p{margin:0;font-size:0.8em\n}\n.panel{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0.5em;background-color:#121a24;background-color:var(--bg, #121a24);border-radius:10px;border-radius:var(--panelRadius, 10px);box-shadow:1px 1px 4px rgba(0,0,0,0.6)\n}\n.panel-body:empty::before{content:\"¯\\\\_(ツ)_/¯\";display:block;margin:1em;text-align:center\n}\n.panel-heading{border-radius:10px 10px 0 0;border-radius:var(--panelRadius, 10px) var(--panelRadius, 10px) 0 0;background-size:cover;padding:0.6em 1.0em;text-align:left;font-size:1.3em;line-height:24px;background-color:#182230;background-color:var(--btn, #182230)\n}\n.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius, 10px)\n}\n.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n.panel-body>p{line-height:18px;padding:1em;margin:0\n}\n.container>*{min-width:0px\n}\n.fa{color:grey\n}\nnav{z-index:1000;background-color:#182230;background-color:var(--btn, #182230);color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5));box-shadow:0px 0px 4px rgba(0,0,0,0.6)\n}\n.fade-enter-active,.fade-leave-active{transition:opacity .2s\n}\n.fade-enter,.fade-leave-active{opacity:0\n}\n.main{-ms-flex-preferred-size:60%;flex-basis:60%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1\n}\n.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%\n}\n.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px\n}\n.mobile-shown{display:none\n}\n.panel-switcher{display:none;width:100%;height:46px\n}\n.panel-switcher button{display:block;-ms-flex:1;flex:1;max-height:32px;margin:0.5em;padding:0.5em\n}\n@media all and (min-width: 960px){\nbody{overflow-y:scroll\n}\n.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px\n}\n.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll\n}\n.sidebar-bounds .sidebar{width:345px\n}\n.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0\n}\n}\n.alert{margin:0.35em;padding:0.25em;border-radius:5px;border-radius:var(--tooltipRadius, 5px);color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5));min-height:28px;line-height:28px\n}\n.alert.error{background-color:rgba(211,16,20,0.5);background-color:var(--cAlertRed, rgba(211,16,20,0.5))\n}\n.faint{color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n@media all and (max-width: 959px){\n.mobile-hidden{display:none\n}\n.panel-switcher{display:-ms-flexbox;display:flex\n}\n.container{padding:0 0 0 0\n}\n.panel{margin:0.5em 0 0.5em 0\n}\n}\n.item.right{text-align:right;padding-right:20px\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/App.scss","\n.user-panel .profile-panel-background .panel-heading{background:transparent\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_panel/user_panel.vue","\n.login-form .btn{min-height:28px;width:10em\n}\n.login-form .error{text-align:center\n}\n.login-form .register{-ms-flex:1 1;flex:1 1\n}\n.login-form .login-bottom{margin-top:1.0em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/login_form/login_form.vue","\n.tribute-container ul{padding:0px\n}\n.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center\n}\n.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px)\n}\n.post-status-form .visibility-tray{font-size:1.2em;padding:3px;cursor:pointer\n}\n.post-status-form .visibility-tray .selected{color:#b9b9ba;color:var(--lightFg, #b9b9ba)\n}\n.post-status-form .form-bottom,.login .form-bottom{display:-ms-flexbox;display:flex;padding:0.5em;height:32px\n}\n.post-status-form .form-bottom button,.login .form-bottom button{width:10em\n}\n.post-status-form .form-bottom p,.login .form-bottom p{margin:0.35em;padding:0.35em;display:-ms-flexbox;display:flex\n}\n.post-status-form .error,.login .error{text-align:center\n}\n.post-status-form .attachments,.login .attachments{padding:0 0.5em\n}\n.post-status-form .attachments .attachment,.login .attachments .attachment{position:relative;border:1px solid #222;border:1px solid var(--border, #222);margin:0.5em 0.8em 0.2em 0\n}\n.post-status-form .attachments i,.login .attachments i{position:absolute;margin:10px;padding:5px;background:rgba(230,230,230,0.6);border-radius:10px;border-radius:var(--attachmentRadius, 10px);font-weight:bold\n}\n.post-status-form .btn,.login .btn{cursor:pointer\n}\n.post-status-form .btn[disabled],.login .btn[disabled]{cursor:not-allowed\n}\n.post-status-form form,.login form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0.6em\n}\n.post-status-form .form-group,.login .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0.3em 0.5em 0.6em;line-height:24px\n}\n.post-status-form form textarea.form-cw,.login form textarea.form-cw{line-height:16px;resize:none;overflow:hidden;transition:min-height 200ms 100ms;min-height:1px\n}\n.post-status-form form textarea.form-control,.login form textarea.form-control{line-height:16px;resize:none;overflow:hidden;transition:min-height 200ms 100ms;min-height:1px;box-sizing:content-box\n}\n.post-status-form form textarea.form-control:focus,.login form textarea.form-control:focus{min-height:48px\n}\n.post-status-form .btn,.login .btn{cursor:pointer\n}\n.post-status-form .btn[disabled],.login .btn[disabled]{cursor:not-allowed\n}\n.post-status-form .icon-cancel,.login .icon-cancel{cursor:pointer;z-index:4\n}\n.post-status-form .autocomplete-panel,.login .autocomplete-panel{margin:0 0.5em 0 0.5em;border-radius:5px;border-radius:var(--tooltipRadius, 5px);position:absolute;z-index:1;box-shadow:1px 2px 4px rgba(0,0,0,0.5);min-width:75%;background:#121a24;background:var(--bg, #121a24);color:#b9b9ba;color:var(--lightFg, #b9b9ba)\n}\n.post-status-form .autocomplete,.login .autocomplete{cursor:pointer;padding:0.2em 0.4em 0.2em 0.4em;border-bottom:1px solid rgba(0,0,0,0.4);display:-ms-flexbox;display:flex\n}\n.post-status-form .autocomplete img,.login .autocomplete img{width:24px;height:24px;border-radius:4px;border-radius:var(--avatarRadius, 4px);object-fit:contain\n}\n.post-status-form .autocomplete span,.login .autocomplete span{line-height:24px;margin:0 0.1em 0 0.2em\n}\n.post-status-form .autocomplete small,.login .autocomplete small{margin-left:.5em;color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n.post-status-form .autocomplete.highlighted,.login .autocomplete.highlighted{background-color:#182230;background-color:var(--btn, #182230)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/post_status_form/post_status_form.vue","\n.media-upload {\n font-size: 26px;\n -ms-flex: 1;\n flex: 1;\n}\n.icon-upload {\n cursor: pointer;\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/media_upload/media_upload.vue","\n.profile-panel-background{background-size:cover;border-radius:10px;border-radius:var(--panelRadius, 10px)\n}\n.profile-panel-background .panel-heading{padding:0.6em 0em;text-align:center\n}\n.profile-panel-body{word-wrap:break-word;background:linear-gradient(to bottom, transparent, #121a24 80%);background:linear-gradient(to bottom, transparent, var(--bg, #121a24) 80%)\n}\n.user-info{color:#b9b9ba;color:var(--lightFg, #b9b9ba);padding:0 16px\n}\n.user-info .container{padding:16px 10px 6px 10px;display:-ms-flexbox;display:flex;max-height:56px;overflow:hidden\n}\n.user-info .container .avatar{border-radius:4px;border-radius:var(--avatarRadius, 4px);-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0px 1px 8px rgba(0,0,0,0.75);object-fit:cover\n}\n.user-info .container .avatar.animated::before{display:none\n}\n.user-info:hover .animated.avatar canvas{display:none\n}\n.user-info:hover .animated.avatar img{visibility:visible\n}\n.user-info .usersettings{color:#b9b9ba;color:var(--lightFg, #b9b9ba);opacity:.8\n}\n.user-info .name-and-screen-name{display:block;margin-left:0.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0\n}\n.user-info .user-name{text-overflow:ellipsis;overflow:hidden\n}\n.user-info .user-screen-name{color:#b9b9ba;color:var(--lightFg, #b9b9ba);display:inline-block;font-weight:light;font-size:15px;padding-right:0.1em\n}\n.user-info .user-interactions{display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;-ms-flex-pack:justify;justify-content:space-between\n}\n.user-info .user-interactions div{-ms-flex:1;flex:1\n}\n.user-info .user-interactions .following{font-size:14px;-ms-flex:0 0 100%;flex:0 0 100%;margin:0 0 .4em 0;padding-left:16px;text-align:left\n}\n.user-info .user-interactions .mute{max-width:220px;min-height:28px\n}\n.user-info .user-interactions .remote-follow{max-width:220px;min-height:28px\n}\n.user-info .user-interactions .follow{max-width:220px;min-height:28px\n}\n.user-info .user-interactions button{width:92%;height:100%\n}\n.user-info .user-interactions .remote-button{height:28px !important;width:92%\n}\n.user-info .user-interactions .pressed{border-bottom-color:rgba(255,255,255,0.2);border-top-color:rgba(0,0,0,0.2)\n}\n.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0em 1.5em;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightFg, #b9b9ba)\n}\n.user-counts.clickable .user-count{cursor:pointer\n}\n.user-counts.clickable .user-count:hover:not(.selected){transition:border-bottom 100ms;border-bottom:3px solid #d8a070;border-bottom:3px solid var(--link, #d8a070)\n}\n.user-count{-ms-flex:1;flex:1;padding:.5em 0 .5em 0;margin:0 .5em\n}\n.user-count.selected{transition:none;border-bottom:5px solid #d8a070;border-bottom:5px solid var(--link, #d8a070);border-radius:4px;border-radius:var(--btnRadius, 4px)\n}\n.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 0.25em\n}\n.user-count a{text-decoration:none\n}\n.dailyAvg{margin-left:1em;font-size:0.7em;color:#CCC\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_card_content/user_card_content.vue","\n.still-image{position:relative;line-height:0;overflow:hidden;width:100%;height:100%\n}\n.still-image:hover canvas{display:none\n}\n.still-image img{width:100%;height:100%\n}\n.still-image.animated:hover::before,.still-image.animated img{visibility:hidden\n}\n.still-image.animated:hover img{visibility:visible\n}\n.still-image.animated::before{content:'gif';position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:rgba(127,127,127,0.5);color:#FFF;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius, 5px);z-index:2\n}\n.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;width:100%;height:100%\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/still-image/still-image.vue","\n.nav-panel .panel{overflow:hidden\n}\n.nav-panel ul{list-style:none;margin:0;padding:0\n}\n.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border, #222);padding:0\n}\n.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius, 10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius, 10px)\n}\n.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius, 10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius, 10px)\n}\n.nav-panel li:last-child{border:none\n}\n.nav-panel a{display:block;padding:0.8em 0.85em\n}\n.nav-panel a:hover{background-color:#151e2a;background-color:var(--lightBg, #151e2a)\n}\n.nav-panel a.router-link-active{font-weight:bolder;background-color:#151e2a;background-color:var(--lightBg, #151e2a)\n}\n.nav-panel a.router-link-active:hover{text-decoration:underline\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/nav_panel/nav_panel.vue","\n.notifications{padding-bottom:15em\n}\n.notifications .panel{background:#121a24;background:var(--bg, #121a24)\n}\n.notifications .panel-body{border-color:#222;border-color:var(--border, #222)\n}\n.notifications .panel-heading{position:relative;background:#182230;background:var(--btn, #182230);color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\n.notifications .panel-heading .read-button{position:absolute;right:0.7em;height:1.8em;line-height:100%\n}\n.notifications .unseen-count{display:inline-block;background-color:red;background-color:var(--cRed, red);text-shadow:0px 0px 3px rgba(0,0,0,0.5);min-width:1.3em;border-radius:1.3em;margin:0 0.2em 0 -0.4em;color:white;font-size:0.9em;text-align:center;line-height:1.3em\n}\n.notifications .unseen{border-left:4px solid red;border-left:4px solid var(--cRed, red);padding-left:0\n}\n.notification{box-sizing:border-box;display:-ms-flexbox;display:flex;border-bottom:1px solid;border-bottom-color:inherit;padding-left:4px\n}\n.notification .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px);overflow:hidden;line-height:0\n}\n.notification .avatar-compact.animated::before{display:none\n}\n.notification:hover .animated.avatar canvas{display:none\n}\n.notification:hover .animated.avatar img{visibility:visible\n}\n.notification .notification-usercard{margin:0\n}\n.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:0.6em;min-width:0\n}\n.notification .non-mention .avatar-container{width:32px;height:32px\n}\n.notification .non-mention .status-el{padding:0\n}\n.notification .non-mention .status-el .status{padding:0.25em 0;color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n.notification .non-mention .status-el .media-body{margin:0\n}\n.notification .follow-text{padding:0.5em 0\n}\n.notification .status-el{-ms-flex:1;flex:1\n}\n.notification time{white-space:nowrap\n}\n.notification .notification-right{-ms-flex:1;flex:1;padding-left:0.8em;min-width:0\n}\n.notification .notification-details{min-width:0px;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap\n}\n.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis\n}\n.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap\n}\n.notification .notification-details .timeago{float:right;font-size:12px\n}\n.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen, #0fa00f)\n}\n.notification .notification-details .icon-user-plus.lit{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.notification .notification-details .icon-reply.lit{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.notification .notification-details .icon-star.lit{color:orange;color:orange;color:var(--cOrange, orange)\n}\n.notification .notification-details .status-content{margin:0;max-height:300px\n}\n.notification .notification-details h1{word-break:break-all;margin:0 0 0.3em;padding:0;font-size:1em;line-height:20px\n}\n.notification .notification-details h1 small{font-weight:lighter\n}\n.notification .notification-details p{margin:0;margin-top:0;margin-bottom:0.3em\n}\n.notification:last-child{border-bottom:none;border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n.notification:last-child .status-el{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/notifications/notifications.scss","\n.status-body{-ms-flex:1;flex:1;min-width:0\n}\n.status-preview.status-el{border-style:solid;border-width:1px;border-color:#222;border-color:var(--border, #222)\n}\n.status-preview-container{position:relative;max-width:100%\n}\n.status-preview{position:absolute;max-width:95%;display:-ms-flexbox;display:flex;background-color:#121a24;background-color:var(--bg, #121a24);border-color:#222;border-color:var(--border, #222);border-style:solid;border-width:1px;border-radius:5px;border-radius:var(--tooltipRadius, 5px);box-shadow:2px 2px 3px rgba(0,0,0,0.5);margin-top:0.25em;margin-left:0.5em;z-index:50\n}\n.status-preview .status{-ms-flex:1;flex:1;border:0;min-width:15em\n}\n.status-preview-loading{display:block;min-width:15em;padding:1em;text-align:center;border-width:1px;border-style:solid\n}\n.status-preview-loading i{font-size:2em\n}\n.status-el{-webkit-hyphens:auto;-ms-hyphens:auto;hyphens:auto;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word;border-left-width:0px;line-height:18px;min-width:0;border-color:#222;border-color:var(--border, #222);border-left:4px red;border-left:4px var(--cRed, red)\n}\n.status-el_focused{background-color:#151e2a;background-color:var(--lightBg, #151e2a)\n}\n.timeline .status-el{border-bottom-width:1px;border-bottom-style:solid\n}\n.status-el .media-body{-ms-flex:1;flex:1;padding:0;margin:0 0 0.25em 0.8em\n}\n.status-el .usercard{margin-bottom:.7em\n}\n.status-el .media-heading{-ms-flex-wrap:nowrap;flex-wrap:nowrap\n}\n.status-el .media-heading-left{padding:0;vertical-align:bottom;-ms-flex-preferred-size:100%;flex-basis:100%\n}\n.status-el .media-heading-left small{font-weight:lighter\n}\n.status-el .media-heading-left h4{white-space:nowrap;font-size:14px;margin-right:0.25em;overflow:hidden;text-overflow:ellipsis\n}\n.status-el .media-heading-left .name-and-links{padding:0;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:center;align-content:center\n}\n.status-el .media-heading-left .links{display:-ms-flexbox;display:flex;padding-top:1px;margin-left:0.2em;font-size:12px;color:#d8a070;color:var(--link, #d8a070);max-width:100%\n}\n.status-el .media-heading-left .links a{max-width:100%;text-overflow:ellipsis;overflow:hidden;white-space:nowrap\n}\n.status-el .media-heading-left .reply-info{display:-ms-flexbox;display:flex\n}\n.status-el .media-heading-left .replies{line-height:16px\n}\n.status-el .media-heading-left .reply-link{margin-right:0.2em\n}\n.status-el .media-heading-right{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;max-height:1.5em;margin-left:0.25em\n}\n.status-el .media-heading-right .timeago{margin-right:0.2em;font-size:12px;padding-top:1px\n}\n.status-el .media-heading-right i{margin-left:0.2em\n}\n.status-el a{display:inline-block;word-break:break-all\n}\n.status-el .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden\n}\n.status-el .tall-status-hider{position:absolute;height:70px;margin-top:150px;width:100%;text-align:center;line-height:110px;background:linear-gradient(to bottom, transparent, #121a24 80%);background:linear-gradient(to bottom, transparent, var(--bg, #121a24) 80%)\n}\n.status-el .tall-status-hider_focused{background:linear-gradient(to bottom, transparent, #151e2a 80%);background:linear-gradient(to bottom, transparent, var(--lightBg, #151e2a) 80%)\n}\n.status-el .tall-status-unhider{width:100%;text-align:center\n}\n.status-el .status-content{margin-right:0.5em\n}\n.status-el .status-content img,.status-el .status-content video{max-width:100%;max-height:400px;vertical-align:middle;object-fit:contain\n}\n.status-el .status-content blockquote{margin:0.2em 0 0.2em 2em;font-style:italic\n}\n.status-el .status-content p{margin:0;margin-top:0.2em;margin-bottom:0.5em\n}\n.status-el .retweet-info{padding:0.4em 0.6em 0 0.6em;margin:0 0 -0.5em 0\n}\n.status-el .retweet-info .avatar{border-radius:10px;border-radius:var(--avatarAltRadius, 10px);margin-left:28px;width:20px;height:20px\n}\n.status-el .retweet-info .media-body{font-size:1em;line-height:22px;display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap\n}\n.status-el .retweet-info .media-body i{padding:0 0.2em\n}\n.status-el .retweet-info .media-body a{max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap\n}\n.status-fadein{animation-duration:0.4s;animation-name:fadein\n}\n@keyframes fadein{\nfrom{opacity:0\n}\nto{opacity:1\n}\n}\n.greentext{color:green\n}\n.status-conversation{border-left-style:solid\n}\n.status-actions{width:100%;display:-ms-flexbox;display:flex\n}\n.status-actions div,.status-actions favorite-button{padding-top:0.25em;max-width:6em;-ms-flex:1;flex:1\n}\n.icon-reply:hover{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.icon-reply.icon-reply-active{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.status .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px)\n}\n.avatar{width:48px;height:48px;border-radius:4px;border-radius:var(--avatarRadius, 4px);overflow:hidden;position:relative\n}\n.avatar img{width:100%;height:100%\n}\n.avatar.animated::before{display:none\n}\n.status:hover .animated.avatar canvas{display:none\n}\n.status:hover .animated.avatar img{visibility:visible\n}\n.status{display:-ms-flexbox;display:flex;padding:0.6em\n}\n.status-conversation:last-child{border-bottom:none\n}\n.muted{padding:0.25em 0.5em\n}\n.muted button{margin-left:auto\n}\n.muted .muteWords{margin-left:10px\n}\na.unmute{display:block;margin-left:auto\n}\n.reply-left{-ms-flex:0;flex:0;min-width:48px\n}\n.reply-body{-ms-flex:1;flex:1\n}\n.timeline>.status-el:last-child{border-bottom-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n@media all and (max-width: 960px){\n.status-el .retweet-info .avatar{margin-left:20px\n}\n.status{max-width:100%\n}\n.status .avatar{width:40px;height:40px\n}\n.status .avatar-compact{width:32px;height:32px\n}\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/status/status.vue","\n.attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-0.7em\n}\n.attachments .attachment.media-upload-container{-ms-flex:0 0 auto;flex:0 0 auto;max-height:300px;max-width:100%\n}\n.attachments .placeholder{margin-right:0.5em\n}\n.attachments .small-attachment{max-height:100px\n}\n.attachments .small-attachment.image,.attachments .small-attachment.video{max-width:35%\n}\n.attachments .attachment{-ms-flex:1 0 30%;flex:1 0 30%;margin:0.5em 0.7em 0.6em 0.0em;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-style:solid;border-width:1px;border-radius:10px;border-radius:var(--attachmentRadius, 10px);border-color:#222;border-color:var(--border, #222);overflow:hidden\n}\n.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%\n}\n.attachments.video{line-height:0\n}\n.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex\n}\n.attachments.loading{cursor:progress\n}\n.attachments .hider{position:absolute;margin:10px;padding:5px;background:rgba(230,230,230,0.6);font-weight:bold;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius, 5px)\n}\n.attachments .small{max-height:100px\n}\n.attachments video{max-height:500px;height:100%;width:100%;z-index:0\n}\n.attachments audio{width:100%\n}\n.attachments img.media-upload{line-height:0;max-height:300px;max-width:100%\n}\n.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex\n}\n.attachments .oembed img{width:100%\n}\n.attachments .oembed .image{-ms-flex:1;flex:1\n}\n.attachments .oembed .image img{border:0px;border-radius:5px;height:100%;object-fit:cover\n}\n.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all\n}\n.attachments .oembed .text h1{font-size:14px;margin:0px\n}\n.attachments .image-attachment{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1\n}\n.attachments .image-attachment .still-image{width:100%;height:100%\n}\n.attachments .image-attachment .small img{max-height:100px\n}\n.attachments .image-attachment img{object-fit:contain;width:100%;height:100%;max-height:500px;image-orientation:from-image\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/attachment/attachment.vue","\n.fav-active{cursor:pointer;animation-duration:0.6s\n}\n.fav-active:hover{color:orange;color:var(--cOrange, orange)\n}\n.favorite-button.icon-star{color:orange;color:var(--cOrange, orange)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/favorite_button/favorite_button.vue","\n.rt-active{cursor:pointer;animation-duration:0.6s\n}\n.rt-active:hover{color:#0fa00f;color:var(--cGreen, #0fa00f)\n}\n.icon-retweet.retweeted{color:#0fa00f;color:var(--cGreen, #0fa00f)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/retweet_button/retweet_button.vue","\n.icon-cancel,.delete-status{cursor:pointer\n}\n.icon-cancel:hover,.delete-status:hover{color:var(--cRed, red);color:red\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/delete_button/delete_button.vue","\n.user-finder-container{height:29px;max-width:100%\n}\n.user-finder-input{max-width:80%;vertical-align:middle\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_finder/user_finder.vue","\n.who-to-follow *{vertical-align:middle\n}\n.who-to-follow img{width:32px;height:32px\n}\n.who-to-follow p{line-height:40px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/who_to_follow_panel/who_to_follow_panel.vue","\n.floating-chat{position:fixed;right:0px;bottom:0px;z-index:1000\n}\n.chat-heading{cursor:pointer\n}\n.chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\n.chat-window{width:345px;max-height:40vh;overflow-y:auto;overflow-x:hidden\n}\n.chat-message{display:-ms-flexbox;display:flex;padding:0.2em 0.5em\n}\n.chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius, 4px);margin-right:0.5em;margin-top:0.25em\n}\n.chat-input{display:-ms-flexbox;display:flex\n}\n.chat-input textarea{-ms-flex:1;flex:1;margin:0.6em;min-height:3.5em;resize:none\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/chat_panel/chat_panel.vue","\n.timeline .timeline-heading{position:relative;display:-ms-flexbox;display:flex\n}\n.timeline .title{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;max-width:70%\n}\n.timeline .loadmore-button{position:absolute;right:0.6em;font-size:14px;min-width:6em;height:1.8em;line-height:100%\n}\n.timeline .loadmore-text{position:absolute;right:0.6em;font-size:14px;min-width:6em;font-family:sans-serif;text-align:center;padding:0 0.5em 0 0.5em;opacity:0.8;background-color:transparent;color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n.timeline .loadmore-error{position:absolute;right:0.6em;font-size:14px;min-width:6em;font-family:sans-serif;text-align:center;padding:0 0.25em 0 0.25em;margin:0;color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\n.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0 0;border-style:solid;border-color:var(--border, #222);padding:10px;z-index:1;background-color:#182230;background-color:var(--btn, #182230)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/timeline/timeline.vue","\n.spacer{height:1em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/status_or_conversation/status_or_conversation.vue","\n.name-and-screen-name{margin-left:0.7em;margin-top:0.0em;text-align:left;width:100%\n}\n.follows-you{margin-left:2em;float:right\n}\n.card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;padding-top:0.6em;padding-right:1em;padding-bottom:0.6em;padding-left:1em;border-bottom:1px solid;margin:0;border-bottom-color:#222;border-bottom-color:var(--border, #222)\n}\n.card .avatar{margin-top:0.2em;width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px)\n}\n.usercard{width:-webkit-fill-available;width:-moz-available;width:fill-available;margin:0.2em 0 0.7em 0;border-radius:10px;border-radius:var(--panelRadius, 10px);border-style:solid;border-color:#222;border-color:var(--border, #222);border-width:1px;overflow:hidden\n}\n.usercard .panel-heading{background:transparent\n}\n.usercard p{margin-bottom:0\n}\n.approval button{width:100%;margin-bottom:0.5em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_card/user_card.vue","\n.user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px;padding-bottom:10px\n}\n.user-profile .panel-heading{background:transparent\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_profile/user_profile.vue","\n.setting-item{border-bottom:2px solid var(--btn, #182230);margin:1em 1em 1.4em;padding-bottom:1.4em\n}\n.setting-item textarea{width:100%;height:100px\n}\n.setting-item .old-avatar{width:128px;border-radius:4px;border-radius:var(--avatarRadius, 4px)\n}\n.setting-item .new-avatar{object-fit:cover;width:128px;height:128px;border-radius:4px;border-radius:var(--avatarRadius, 4px)\n}\n.setting-item .btn{margin-top:1em;min-height:28px;width:10em\n}\n.setting-list{list-style-type:none\n}\n.setting-list li{margin-bottom:0.5em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/settings/settings.vue","\n.style-switcher{margin-right:1em\n}\n.radius-container,.color-container{display:-ms-flexbox;display:flex\n}\n.radius-container p,.color-container p{margin-top:2em;margin-bottom:.5em\n}\n.radius-container{-ms-flex-direction:column;flex-direction:column\n}\n.color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between\n}\n.radius-item,.color-item{min-width:20em;display:-ms-flexbox;display:flex;-ms-flex:1 1 0px;flex:1 1 0;-ms-flex-align:baseline;align-items:baseline;margin:5px 6px 5px 0\n}\n.radius-item label,.color-item label{color:var(--faint, rgba(185,185,186,0.5))\n}\n.radius-item{-ms-flex-preferred-size:auto;flex-basis:auto\n}\n.theme-radius-rn,.theme-color-cl{border:0;box-shadow:none;background:transparent;color:var(--faint, rgba(185,185,186,0.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch\n}\n.theme-color-cl,.theme-radius-in,.theme-color-in{margin-left:4px\n}\n.theme-color-in{min-width:4em\n}\n.theme-radius-in{min-width:1em\n}\n.theme-radius-in,.theme-color-in{max-width:7em;-ms-flex:1;flex:1\n}\n.theme-radius-lb,.theme-color-lb{-ms-flex:2;flex:2;min-width:7em\n}\n.theme-radius-lb{max-width:50em\n}\n.theme-color-lb{max-width:10em\n}\n.theme-color-cl{padding:1px;max-width:8em;height:100%;-ms-flex:0;flex:0;min-width:2em;cursor:pointer\n}\n.theme-preview-content{padding:20px\n}\n.dummy .avatar{background:linear-gradient(135deg, #b8e1fc 0%, #a9d2f3 10%, #90bae4 25%, #90bcea 37%, #90bff0 50%, #6ba8e5 51%, #a2daf5 83%, #bdf3fd 100%);color:black;text-align:center;height:48px;line-height:48px;width:48px;float:left;margin-right:1em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/style_switcher/style_switcher.vue","\n.registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0.6em\n}\n.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row\n}\n.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:0.8em\n}\n.registration-form .text-fields{margin-top:0.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column\n}\n.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0.3em 0.0em 0.3em;line-height:24px\n}\n.registration-form form textarea{line-height:16px;resize:vertical\n}\n.registration-form .captcha{max-width:350px;margin-bottom:0.4em\n}\n.registration-form .btn{margin-top:0.6em;height:28px\n}\n.registration-form .error{text-align:center\n}\n@media all and (max-width: 959px){\n.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse\n}\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/registration/registration.vue","\n.profile-edit .bio{margin:0\n}\n.profile-edit input[type=file]{padding:5px;height:auto\n}\n.profile-edit .banner{max-width:400px\n}\n.profile-edit .uploading{font-size:1.5em;margin:0.25em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_settings/user_settings.vue"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css b/priv/static/static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css deleted file mode 100644 index 3e778b2f0..000000000 --- a/priv/static/static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css +++ /dev/null @@ -1,2 +0,0 @@ -#app{background-size:cover;background-attachment:fixed;background-repeat:no-repeat;background-position:0 50px;min-height:100vh;max-width:100%;overflow:hidden}i{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}h4{margin:0}#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;background-color:rgba(0,0,0,.15);-ms-flex-line-pack:start;align-content:flex-start}.text-center{text-align:center}body{font-family:sans-serif;font-size:14px;margin:0;color:#b9b9ba;color:var(--fg,#b9b9ba);max-width:100vw;overflow-x:hidden}a{text-decoration:none;color:#d8a070;color:var(--link,#d8a070)}button{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--fg,#b9b9ba);background-color:#182230;background-color:var(--btn,#182230);border:none;border-radius:4px;border-radius:var(--btnRadius,4px);cursor:pointer;border-top:1px solid hsla(0,0%,100%,.2);border-bottom:1px solid rgba(0,0,0,.2);box-shadow:0 0 2px #000;font-size:14px;font-family:sans-serif}button:hover{box-shadow:0 0 4px hsla(0,0%,100%,.3)}button:disabled{cursor:not-allowed;opacity:.5}button.pressed{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));background-color:#121a24;background-color:var(--bg,#121a24)}label.select{padding:0}.select,input,textarea{border:none;border-radius:4px;border-radius:var(--inputRadius,4px);border-bottom:1px solid hsla(0,0%,100%,.2);border-top:1px solid rgba(0,0,0,.2);box-shadow:inset 0 0 2px #000;background-color:#182230;background-color:var(--input,#182230);color:#b9b9ba;color:var(--lightFg,#b9b9ba);font-family:sans-serif;font-size:14px;padding:8px 7px;box-sizing:border-box;display:inline-block;position:relative;height:29px;line-height:16px}.select .icon-down-open,input .icon-down-open,textarea .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--fg,#b9b9ba);line-height:29px;z-index:0;pointer-events:none}.select select,input select,textarea select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;margin:0;color:#b9b9ba;color:var(--fg,#b9b9ba);padding:4px 2em 3px 3px;width:100%;z-index:1;height:29px;line-height:16px}.select[type=checkbox],.select[type=radio],input[type=checkbox],input[type=radio],textarea[type=checkbox],textarea[type=radio]{display:none}.select[type=checkbox]:checked+label:before,.select[type=radio]:checked+label:before,input[type=checkbox]:checked+label:before,input[type=radio]:checked+label:before,textarea[type=checkbox]:checked+label:before,textarea[type=radio]:checked+label:before{color:#b9b9ba;color:var(--fg,#b9b9ba)}.select[type=checkbox]+label:before,.select[type=radio]+label:before,input[type=checkbox]+label:before,input[type=radio]+label:before,textarea[type=checkbox]+label:before,textarea[type=radio]+label:before{display:inline-block;content:"\2714";transition:color .2s;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkBoxRadius,2px);border-bottom:1px solid hsla(0,0%,100%,.2);border-top:1px solid rgba(0,0,0,.2);box-shadow:inset 0 0 2px #000;margin-right:.5em;background-color:#182230;background-color:var(--input,#182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;color:transparent;overflow:hidden;box-sizing:border-box}i[class*=icon-]{color:#666;color:var(--icon,#666)}.container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px}.gaps{margin:-1em 0 0 -1em}.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden}.item .nav-icon{font-size:1.1em;margin-left:.4em}.gaps>.item{padding:1em 0 0 1em}.auto-size{-ms-flex:1;flex:1}nav{width:100%;position:fixed}nav,nav .inner-nav{-ms-flex-align:center;align-items:center;height:50px}nav .inner-nav{padding-left:20px;padding-right:20px;display:-ms-flexbox;display:flex;-ms-flex-preferred-size:970px;flex-basis:970px;margin:auto;background-repeat:no-repeat;background-position:50%;background-size:auto 80%}nav .inner-nav a i{color:#d8a070;color:var(--link,#d8a070)}main-router{-ms-flex:1;flex:1}.status.compact{color:rgba(0,0,0,.42);font-weight:300}.status.compact p{margin:0;font-size:.8em}.panel{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.5em;background-color:#121a24;background-color:var(--bg,#121a24);border-radius:10px;border-radius:var(--panelRadius,10px);box-shadow:1px 1px 4px rgba(0,0,0,.6)}.panel-body:empty:before{content:"\AF\\_(\30C4)_/\AF";display:block;margin:1em;text-align:center}.panel-heading{border-radius:10px 10px 0 0;border-radius:var(--panelRadius,10px) var(--panelRadius,10px) 0 0;background-size:cover;padding:.6em 1em;text-align:left;font-size:1.3em;line-height:24px;background-color:#182230;background-color:var(--btn,#182230)}.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius,10px)}.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.panel-body>p{line-height:18px;padding:1em;margin:0}.container>*{min-width:0}.fa{color:grey}nav{z-index:1000;background-color:#182230;background-color:var(--btn,#182230);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));box-shadow:0 0 4px rgba(0,0,0,.6)}.fade-enter-active,.fade-leave-active{transition:opacity .2s}.fade-enter,.fade-leave-active{opacity:0}.main{-ms-flex-preferred-size:60%;flex-basis:60%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1}.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%}.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px}.mobile-shown{display:none}.panel-switcher{display:none;width:100%;height:46px}.panel-switcher button{display:block;-ms-flex:1;flex:1;max-height:32px;margin:.5em;padding:.5em}@media (min-width:960px){body{overflow-y:scroll}.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px}.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll}.sidebar-bounds .sidebar{width:345px}.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0}}.alert{margin:.35em;padding:.25em;border-radius:5px;border-radius:var(--tooltipRadius,5px);color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5));min-height:28px;line-height:28px}.alert.error{background-color:rgba(211,16,20,.5);background-color:var(--cAlertRed,rgba(211,16,20,.5))}.faint{color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}@media (max-width:959px){.mobile-hidden{display:none}.panel-switcher{display:-ms-flexbox;display:flex}.container{padding:0}.panel{margin:.5em 0}}.item.right{text-align:right;padding-right:20px}.user-panel .profile-panel-background .panel-heading{background:transparent}.login-form .btn{min-height:28px;width:10em}.login-form .error{text-align:center}.login-form .register{-ms-flex:1 1;flex:1 1}.login-form .login-bottom{margin-top:1em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between}.tribute-container ul{padding:0}.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center}.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.login .form-bottom,.post-status-form .form-bottom{display:-ms-flexbox;display:flex;padding:.5em;height:32px}.login .form-bottom button,.post-status-form .form-bottom button{width:10em}.login .form-bottom p,.post-status-form .form-bottom p{margin:.35em;padding:.35em;display:-ms-flexbox;display:flex}.login .error,.post-status-form .error{text-align:center}.login .attachments,.post-status-form .attachments{padding:0 .5em}.login .attachments .attachment,.post-status-form .attachments .attachment{position:relative;border:1px solid #222;border:1px solid var(--border,#222);margin:.5em .8em .2em 0}.login .attachments i,.post-status-form .attachments i{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);border-radius:10px;border-radius:var(--attachmentRadius,10px);font-weight:700}.login form,.post-status-form form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.6em}.login .form-group,.post-status-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em .5em .6em;line-height:24px}.login form textarea,.post-status-form form textarea{line-height:16px;resize:none;overflow:hidden;transition:min-height .2s .1s;min-height:1px;box-sizing:content-box}.login form textarea:focus,.post-status-form form textarea:focus{min-height:48px}.login .btn,.post-status-form .btn{cursor:pointer}.login .btn[disabled],.post-status-form .btn[disabled]{cursor:not-allowed}.login .icon-cancel,.post-status-form .icon-cancel{cursor:pointer;z-index:4}.login .autocomplete-panel,.post-status-form .autocomplete-panel{margin:0 .5em;border-radius:5px;border-radius:var(--tooltipRadius,5px);position:absolute;z-index:1;box-shadow:1px 2px 4px rgba(0,0,0,.5);min-width:75%;background:#121a24;background:var(--bg,#121a24);color:#b9b9ba;color:var(--lightFg,#b9b9ba)}.login .autocomplete,.post-status-form .autocomplete{cursor:pointer;padding:.2em .4em;border-bottom:1px solid rgba(0,0,0,.4);display:-ms-flexbox;display:flex}.login .autocomplete img,.post-status-form .autocomplete img{width:24px;height:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);object-fit:contain}.login .autocomplete span,.post-status-form .autocomplete span{line-height:24px;margin:0 .1em 0 .2em}.login .autocomplete small,.post-status-form .autocomplete small{margin-left:.5em;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.login .autocomplete.highlighted,.post-status-form .autocomplete.highlighted{background-color:#182230;background-color:var(--btn,#182230)}.media-upload{font-size:26px;-ms-flex:1;flex:1}.icon-upload{cursor:pointer}.profile-panel-background{background-size:cover;border-radius:10px;border-radius:var(--panelRadius,10px)}.profile-panel-background .panel-heading{padding:.6em 0;text-align:center}.profile-panel-body{word-wrap:break-word;background:linear-gradient(180deg,transparent,#121a24 80%);background:linear-gradient(180deg,transparent,var(--bg,#121a24) 80%)}.user-info{color:#b9b9ba;color:var(--lightFg,#b9b9ba);padding:0 16px}.user-info .container{padding:16px 10px 6px;display:-ms-flexbox;display:flex;max-height:56px;overflow:hidden}.user-info .container .avatar{border-radius:4px;border-radius:var(--avatarRadius,4px);-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0 1px 8px rgba(0,0,0,.75);object-fit:cover}.user-info .container .avatar.animated:before,.user-info:hover .animated.avatar canvas{display:none}.user-info:hover .animated.avatar img{visibility:visible}.user-info .usersettings{color:#b9b9ba;color:var(--lightFg,#b9b9ba);opacity:.8}.user-info .name-and-screen-name{display:block;margin-left:.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0}.user-info .user-name{text-overflow:ellipsis;overflow:hidden}.user-info .user-screen-name{color:#b9b9ba;color:var(--lightFg,#b9b9ba);display:inline-block;font-weight:light;font-size:15px;padding-right:.1em}.user-info .user-interactions{display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;-ms-flex-pack:justify;justify-content:space-between}.user-info .user-interactions div{-ms-flex:1;flex:1}.user-info .user-interactions .following{font-size:14px;-ms-flex:0 0 100%;flex:0 0 100%;margin:0 0 .4em;padding-left:16px;text-align:left}.user-info .user-interactions .follow,.user-info .user-interactions .mute,.user-info .user-interactions .remote-follow{max-width:220px;min-height:28px}.user-info .user-interactions button{width:92%;height:100%}.user-info .user-interactions .remote-button{height:28px!important;width:92%}.user-info .user-interactions .pressed{border-bottom-color:hsla(0,0%,100%,.2);border-top-color:rgba(0,0,0,.2)}.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightFg,#b9b9ba)}.user-counts.clickable .user-count{cursor:pointer}.user-counts.clickable .user-count:hover:not(.selected){transition:border-bottom .1s;border-bottom:3px solid #d8a070;border-bottom:3px solid var(--link,#d8a070)}.user-count{-ms-flex:1;flex:1;padding:.5em 0;margin:0 .5em}.user-count.selected{transition:none;border-bottom:5px solid #d8a070;border-bottom:5px solid var(--link,#d8a070);border-radius:4px;border-radius:var(--btnRadius,4px)}.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 .25em}.user-count a{text-decoration:none}.dailyAvg{margin-left:1em;font-size:.7em;color:#ccc}.still-image{position:relative;line-height:0;overflow:hidden;width:100%;height:100%}.still-image:hover canvas{display:none}.still-image img{width:100%;height:100%}.still-image.animated:hover:before,.still-image.animated img{visibility:hidden}.still-image.animated:hover img{visibility:visible}.still-image.animated:before{content:"gif";position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:hsla(0,0%,50%,.5);color:#fff;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius,5px);z-index:2}.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;width:100%;height:100%}.nav-panel .panel{overflow:hidden}.nav-panel ul{list-style:none;margin:0;padding:0}.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border,#222);padding:0}.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius,10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius,10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius,10px)}.nav-panel li:last-child{border:none}.nav-panel a{display:block;padding:.8em .85em}.nav-panel a.router-link-active,.nav-panel a:hover{background-color:#151e2a;background-color:var(--lightBg,#151e2a)}.nav-panel a.router-link-active{font-weight:bolder}.nav-panel a.router-link-active:hover{text-decoration:underline}.notifications{padding-bottom:15em}.notifications .panel{background:#121a24;background:var(--bg,#121a24)}.notifications .panel-body{border-color:#222;border-color:var(--border,#222)}.notifications .panel-heading{position:relative;background:#182230;background:var(--btn,#182230);color:#b9b9ba;color:var(--fg,#b9b9ba)}.notifications .panel-heading .read-button{position:absolute;right:.7em;height:1.8em;line-height:100%}.notifications .unseen-count{display:inline-block;background-color:red;background-color:var(--cRed,red);text-shadow:0 0 3px rgba(0,0,0,.5);min-width:1.3em;border-radius:1.3em;margin:0 .2em 0 -.4em;color:#fff;font-size:.9em;text-align:center;line-height:1.3em}.notifications .unseen{border-left:4px solid red;border-left:4px solid var(--cRed,red);padding-left:0}.notification{box-sizing:border-box;display:-ms-flexbox;display:flex;border-bottom:1px solid;border-bottom-color:inherit;padding-left:4px}.notification .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px);overflow:hidden;line-height:0}.notification .avatar-compact.animated:before,.notification:hover .animated.avatar canvas{display:none}.notification:hover .animated.avatar img{visibility:visible}.notification .notification-usercard{margin:0}.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:.6em;min-width:0}.notification .non-mention .avatar-container{width:32px;height:32px}.notification .non-mention .status-el{padding:0}.notification .non-mention .status-el .status{padding:.25em 0;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.notification .non-mention .status-el .media-body{margin:0}.notification .follow-text{padding:.5em 0}.notification .status-el{-ms-flex:1;flex:1}.notification time{white-space:nowrap}.notification .notification-right{-ms-flex:1;flex:1;padding-left:.8em;min-width:0}.notification .notification-details{min-width:0;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap}.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis}.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap}.notification .notification-details .timeago{float:right;font-size:12px}.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen,#0fa00f)}.notification .notification-details .icon-reply.lit,.notification .notification-details .icon-user-plus.lit{color:#0095ff;color:var(--cBlue,#0095ff)}.notification .notification-details .icon-star.lit{color:orange;color:var(--cOrange,orange)}.notification .notification-details .status-content{margin:0;max-height:300px}.notification .notification-details h1{word-break:break-all;margin:0 0 .3em;padding:0;font-size:1em;line-height:20px}.notification .notification-details h1 small{font-weight:lighter}.notification .notification-details p{margin:0;margin-top:0;margin-bottom:.3em}.notification:last-child{border-bottom:none}.notification:last-child,.notification:last-child .status-el{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}.status-body{-ms-flex:1;flex:1;min-width:0}.status-preview.status-el{border-color:#222;border:1px solid var(--border,#222)}.status-preview-container{position:relative;max-width:100%}.status-preview{position:absolute;max-width:95%;display:-ms-flexbox;display:flex;background-color:#121a24;background-color:var(--bg,#121a24);border-color:#222;border:1px solid var(--border,#222);border-radius:5px;border-radius:var(--tooltipRadius,5px);box-shadow:2px 2px 3px rgba(0,0,0,.5);margin-top:.25em;margin-left:.5em;z-index:50}.status-preview .status{-ms-flex:1;flex:1;border:0;min-width:15em}.status-preview-loading{display:block;min-width:15em;padding:1em;text-align:center;border-width:1px;border-style:solid}.status-preview-loading i{font-size:2em}.status-el{-webkit-hyphens:auto;-ms-hyphens:auto;hyphens:auto;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word;border-left-width:0;line-height:18px;min-width:0;border-color:#222;border-color:var(--border,#222);border-left:4px red;border-left:4px var(--cRed,red)}.status-el_focused{background-color:#151e2a;background-color:var(--lightBg,#151e2a)}.timeline .status-el{border-bottom-width:1px;border-bottom-style:solid}.status-el .media-body{-ms-flex:1;flex:1;padding:0;margin:0 0 .25em .8em}.status-el .usercard{margin-bottom:.7em}.status-el .media-heading{-ms-flex-wrap:nowrap;flex-wrap:nowrap}.status-el .media-heading-left{padding:0;vertical-align:bottom;-ms-flex-preferred-size:100%;flex-basis:100%}.status-el .media-heading-left small{font-weight:lighter}.status-el .media-heading-left h4{white-space:nowrap;font-size:14px;margin-right:.25em;overflow:hidden;text-overflow:ellipsis}.status-el .media-heading-left .name-and-links{padding:0;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:center;align-content:center}.status-el .media-heading-left .links{display:-ms-flexbox;display:flex;padding-top:1px;margin-left:.2em;font-size:12px;color:#d8a070;color:var(--link,#d8a070);max-width:100%}.status-el .media-heading-left .links a{max-width:100%;text-overflow:ellipsis;overflow:hidden;white-space:nowrap}.status-el .media-heading-left .reply-info{display:-ms-flexbox;display:flex}.status-el .media-heading-left .replies{line-height:16px}.status-el .media-heading-left .reply-link{margin-right:.2em}.status-el .media-heading-right{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;max-height:1.5em;margin-left:.25em}.status-el .media-heading-right .timeago{margin-right:.2em;font-size:12px;padding-top:1px}.status-el .media-heading-right i{margin-left:.2em}.status-el a{display:inline-block;word-break:break-all}.status-el .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden}.status-el .tall-status-hider{position:absolute;height:70px;margin-top:150px;width:100%;text-align:center;line-height:110px;background:linear-gradient(180deg,transparent,#121a24 80%);background:linear-gradient(180deg,transparent,var(--bg,#121a24) 80%)}.status-el .tall-status-hider_focused{background:linear-gradient(180deg,transparent,#151e2a 80%);background:linear-gradient(180deg,transparent,var(--lightBg,#151e2a) 80%)}.status-el .tall-status-unhider{width:100%;text-align:center}.status-el .status-content{margin-right:.5em}.status-el .status-content img,.status-el .status-content video{max-width:100%;max-height:400px;vertical-align:middle;object-fit:contain}.status-el .status-content blockquote{margin:.2em 0 .2em 2em;font-style:italic}.status-el .status-content p{margin:0;margin-top:.2em;margin-bottom:.5em}.status-el .retweet-info{padding:.4em .6em 0;margin:0 0 -.5em}.status-el .retweet-info .avatar{border-radius:10px;border-radius:var(--avatarAltRadius,10px);margin-left:28px;width:20px;height:20px}.status-el .retweet-info .media-body{font-size:1em;line-height:22px;display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap}.status-el .retweet-info .media-body i{padding:0 .2em}.status-el .retweet-info .media-body a{max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.status-fadein{animation-duration:.4s;animation-name:fadein}@keyframes fadein{0%{opacity:0}to{opacity:1}}.greentext{color:green}.status-conversation{border-left-style:solid}.status-actions{width:100%;display:-ms-flexbox;display:flex}.status-actions div,.status-actions favorite-button{padding-top:.25em;max-width:6em;-ms-flex:1;flex:1}.icon-reply.icon-reply-active,.icon-reply:hover{color:#0095ff;color:var(--cBlue,#0095ff)}.status .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.avatar{width:48px;height:48px;border-radius:4px;border-radius:var(--avatarRadius,4px);overflow:hidden;position:relative}.avatar img{width:100%;height:100%}.avatar.animated:before,.status:hover .animated.avatar canvas{display:none}.status:hover .animated.avatar img{visibility:visible}.status{display:-ms-flexbox;display:flex;padding:.6em}.status-conversation:last-child{border-bottom:none}.muted{padding:.25em .5em}.muted button{margin-left:auto}.muted .muteWords{margin-left:10px}a.unmute{display:block;margin-left:auto}.reply-left{-ms-flex:0;flex:0;min-width:48px}.reply-body{-ms-flex:1;flex:1}.timeline>.status-el:last-child{border-bottom-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius,10px) var(--panelRadius,10px)}@media (max-width:960px){.status-el .retweet-info .avatar{margin-left:20px}.status{max-width:100%}.status .avatar{width:40px;height:40px}.status .avatar-compact{width:32px;height:32px}}.attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-.7em}.attachments .attachment.media-upload-container{-ms-flex:0 0 auto;flex:0 0 auto;max-height:300px;max-width:100%}.attachments .placeholder{margin-right:.5em}.attachments .small-attachment{max-height:100px}.attachments .small-attachment.image,.attachments .small-attachment.video{max-width:35%}.attachments .attachment{-ms-flex:1 0 30%;flex:1 0 30%;margin:.5em .7em .6em 0;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-radius:10px;border-radius:var(--attachmentRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%}.attachments.video{line-height:0}.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex}.attachments.loading{cursor:progress}.attachments .hider{position:absolute;margin:10px;padding:5px;background:hsla(0,0%,90%,.6);font-weight:700;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius,5px)}.attachments .small{max-height:100px}.attachments video{max-height:500px;height:100%;width:100%;z-index:0}.attachments audio{width:100%}.attachments img.media-upload{line-height:0;max-height:300px;max-width:100%}.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex}.attachments .oembed img{width:100%}.attachments .oembed .image{-ms-flex:1;flex:1}.attachments .oembed .image img{border:0;border-radius:5px;height:100%;object-fit:cover}.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all}.attachments .oembed .text h1{font-size:14px;margin:0}.attachments .image-attachment{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1}.attachments .image-attachment .still-image{width:100%;height:100%}.attachments .image-attachment .small img{max-height:100px}.attachments .image-attachment img{object-fit:contain;width:100%;height:100%;max-height:500px;image-orientation:from-image}.fav-active{cursor:pointer;animation-duration:.6s}.fav-active:hover,.favorite-button.icon-star{color:orange;color:var(--cOrange,orange)}.rt-active{cursor:pointer;animation-duration:.6s}.icon-retweet.retweeted,.rt-active:hover{color:#0fa00f;color:var(--cGreen,#0fa00f)}.delete-status,.icon-cancel{cursor:pointer}.delete-status:hover,.icon-cancel:hover{color:var(--cRed,red);color:red}.user-finder-container{height:29px;max-width:100%}.user-finder-input{max-width:80%;vertical-align:middle}.who-to-follow *{vertical-align:middle}.who-to-follow img{width:32px;height:32px}.who-to-follow p{line-height:40px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.floating-chat{position:fixed;right:0;bottom:0;z-index:1000}.chat-heading{cursor:pointer}.chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--fg,#b9b9ba)}.chat-window{width:345px;max-height:40vh;overflow-y:auto;overflow-x:hidden}.chat-message{display:-ms-flexbox;display:flex;padding:.2em .5em}.chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius,4px);margin-right:.5em;margin-top:.25em}.chat-input{display:-ms-flexbox;display:flex}.chat-input textarea{-ms-flex:1;flex:1;margin:.6em;min-height:3.5em;resize:none}.timeline .timeline-heading{position:relative;display:-ms-flexbox;display:flex}.timeline .title{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;max-width:70%}.timeline .loadmore-button{position:absolute;right:.6em;font-size:14px;min-width:6em;height:1.8em;line-height:100%}.timeline .loadmore-text{padding:0 .5em;opacity:.8;background-color:transparent;color:hsla(240,1%,73%,.5);color:var(--faint,hsla(240,1%,73%,.5))}.timeline .loadmore-error,.timeline .loadmore-text{position:absolute;right:.6em;font-size:14px;min-width:6em;font-family:sans-serif;text-align:center}.timeline .loadmore-error{padding:0 .25em;margin:0;color:#b9b9ba;color:var(--fg,#b9b9ba)}.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0;border-style:solid;border-color:var(--border,#222);padding:10px;z-index:1;background-color:#182230;background-color:var(--btn,#182230)}.spacer{height:1em}.name-and-screen-name{margin-left:.7em;margin-top:0;text-align:left;width:100%}.follows-you{margin-left:2em;float:right}.card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;padding:.6em 1em;border-bottom:1px solid;margin:0;border-bottom-color:#222;border-bottom-color:var(--border,#222)}.card .avatar{margin-top:.2em;width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius,10px)}.usercard{width:-webkit-fill-available;width:-moz-available;width:fill-available;margin:.2em 0 .7em;border-radius:10px;border-radius:var(--panelRadius,10px);border-color:#222;border:1px solid var(--border,#222);overflow:hidden}.usercard .panel-heading{background:transparent}.usercard p{margin-bottom:0}.user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px;padding-bottom:10px}.user-profile .panel-heading{background:transparent}.setting-item{margin:1em 1em 1.4em}.setting-item textarea{width:100%;height:100px}.setting-item .new-avatar,.setting-item .old-avatar{width:128px;border-radius:4px;border-radius:var(--avatarRadius,4px)}.setting-item .new-avatar{object-fit:cover;height:128px}.setting-item .btn{margin-top:1em;min-height:28px;width:10em}.setting-list{list-style-type:none}.setting-list li{margin-bottom:.5em}.style-switcher{margin-right:1em}.color-container,.radius-container{display:-ms-flexbox;display:flex}.color-container p,.radius-container p{margin-top:2em;margin-bottom:.5em}.radius-container{-ms-flex-direction:column;flex-direction:column}.color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between}.color-item,.radius-item{min-width:20em;display:-ms-flexbox;display:flex;-ms-flex:1 1 0px;flex:1 1 0;-ms-flex-align:baseline;align-items:baseline;margin:5px 6px 5px 0}.color-item label,.radius-item label{color:var(--faint,hsla(240,1%,73%,.5))}.radius-item{-ms-flex-preferred-size:auto;flex-basis:auto}.theme-color-cl,.theme-radius-rn{border:0;box-shadow:none;background:transparent;color:var(--faint,hsla(240,1%,73%,.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch}.theme-color-cl,.theme-color-in,.theme-radius-in{margin-left:4px}.theme-color-in{min-width:4em}.theme-radius-in{min-width:1em}.theme-color-in,.theme-radius-in{max-width:7em;-ms-flex:1;flex:1}.theme-color-lb,.theme-radius-lb{-ms-flex:2;flex:2;min-width:7em}.theme-radius-lb{max-width:50em}.theme-color-lb{max-width:10em}.theme-color-cl{padding:1px;max-width:8em;height:100%;-ms-flex:0;flex:0;min-width:2em;cursor:pointer}.theme-preview-content{padding:20px}.dummy .avatar{background:linear-gradient(135deg,#b8e1fc,#a9d2f3 10%,#90bae4 25%,#90bcea 37%,#90bff0 50%,#6ba8e5 51%,#a2daf5 83%,#bdf3fd);color:#000;text-align:center;height:48px;line-height:48px;width:48px;float:left;margin-right:1em}.registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:.6em}.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row}.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:.8em}.registration-form .text-fields{margin-top:.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column}.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:.3em 0;line-height:24px}.registration-form form textarea{line-height:16px;resize:vertical}.registration-form .captcha{max-width:350px;margin-bottom:.4em}.registration-form .btn{margin-top:.6em;height:28px}.registration-form .error{text-align:center}@media (max-width:959px){.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse}}.profile-edit .bio{margin:0}.profile-edit input[type=file]{padding:5px}.profile-edit .banner{max-width:400px}.profile-edit .uploading{font-size:1.5em;margin:.25em} -/*# sourceMappingURL=app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css.map*/ \ No newline at end of file diff --git a/priv/static/static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css.map b/priv/static/static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css.map deleted file mode 100644 index 3e3b0170f..000000000 --- a/priv/static/static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"sources":["webpack:///webpack:///src/App.scss","webpack:///webpack:///src/components/user_panel/user_panel.vue","webpack:///webpack:///src/components/login_form/login_form.vue","webpack:///webpack:///src/components/post_status_form/post_status_form.vue","webpack:///webpack:///src/components/media_upload/media_upload.vue","webpack:///webpack:///src/components/user_card_content/user_card_content.vue","webpack:///webpack:///src/components/still-image/still-image.vue","webpack:///webpack:///src/components/nav_panel/nav_panel.vue","webpack:///webpack:///src/components/notifications/notifications.scss","webpack:///webpack:///src/components/status/status.vue","webpack:///webpack:///src/components/attachment/attachment.vue","webpack:///webpack:///src/components/favorite_button/favorite_button.vue","webpack:///webpack:///src/components/retweet_button/retweet_button.vue","webpack:///webpack:///src/components/delete_button/delete_button.vue","webpack:///webpack:///src/components/user_finder/user_finder.vue","webpack:///webpack:///src/components/who_to_follow_panel/who_to_follow_panel.vue","webpack:///webpack:///src/components/chat_panel/chat_panel.vue","webpack:///webpack:///src/components/timeline/timeline.vue","webpack:///webpack:///src/components/status_or_conversation/status_or_conversation.vue","webpack:///webpack:///src/components/user_card/user_card.vue","webpack:///webpack:///src/components/user_profile/user_profile.vue","webpack:///webpack:///src/components/settings/settings.vue","webpack:///webpack:///src/components/style_switcher/style_switcher.vue","webpack:///webpack:///src/components/registration/registration.vue","webpack:///webpack:///src/components/user_settings/user_settings.vue"],"names":[],"mappings":"AACA,KAAK,sBAAsB,4BAA4B,4BAA4B,2BAA2B,iBAAiB,eAAe,eAAe,CAE7J,EAAE,yBAAyB,sBAAsB,qBAAqB,gBAAgB,CAEtF,GAAG,QAAQ,CAEX,SAAS,sBAAsB,iBAAiB,YAAY,iBAAiB,gBAAgB,iCAAkC,yBAAyB,wBAAwB,CAEhL,aAAa,iBAAiB,CAE9B,KAAK,uBAAuB,eAAe,SAAS,cAAc,wBAAyB,gBAAgB,iBAAiB,CAE5H,EAAE,qBAAqB,cAAc,yBAA0B,CAE/D,OAAO,yBAAyB,sBAAsB,qBAAqB,iBAAiB,cAAc,wBAAyB,yBAAyB,oCAAqC,YAAY,kBAAkB,mCAAoC,eAAe,wCAA2C,uCAAwC,wBAA6B,eAAe,sBAAsB,CAEva,aAAa,qCAA4C,CAEzD,gBAAgB,mBAAmB,UAAW,CAE9C,eAAe,0BAA4B,uCAA0C,yBAAyB,kCAAmC,CAEjJ,aAAa,SAAS,CAEtB,uBAAuB,YAAY,kBAAkB,qCAAsC,2CAA8C,oCAAqC,8BAAmC,yBAAyB,sCAAuC,cAAc,6BAA8B,uBAAuB,eAAe,gBAAgB,sBAAsB,qBAAqB,kBAAkB,YAAY,gBAAgB,CAE5c,uEAAuE,kBAAkB,MAAM,SAAS,UAAU,YAAY,cAAc,wBAAyB,iBAAiB,UAAU,mBAAmB,CAEnN,4CAA4C,wBAAwB,qBAAqB,gBAAgB,uBAAuB,YAAY,SAAS,cAAc,wBAAyB,wBAAwB,WAAW,UAAU,YAAY,gBAAgB,CAErQ,+HAA+H,YAAY,CAE3I,6PAAmQ,cAAc,uBAAwB,CAEzS,6MAAmN,qBAAqB,gBAAY,qBAAuB,YAAY,aAAa,kBAAkB,wCAAyC,2CAA8C,oCAAqC,8BAAmC,kBAAkB,yBAAyB,sCAAuC,mBAAmB,kBAAkB,kBAAkB,gBAAsC,kBAAkB,gBAAgB,qBAAqB,CAE3rB,gBAAgB,WAAW,sBAAuB,CAElD,WAAW,oBAAoB,aAAa,mBAAmB,eAAe,SAAS,cAAqB,CAE5G,MAAM,oBAAoB,CAE1B,MAAM,WAAW,OAAO,iBAAiB,YAAY,eAAe,CAEpE,gBAAgB,gBAAgB,gBAAiB,CAEjD,YAAY,mBAAmB,CAE/B,WAAW,WAAW,MAAM,CAE5B,IAAI,WAAoD,cAAe,CAEvE,mBAFe,sBAAsB,mBAAkC,WAAW,CAGjF,eADc,kBAAkB,mBAAmB,oBAAoB,aAAsD,8BAA8B,iBAAiB,YAAwB,4BAA4B,wBAA2B,wBAAwB,CAEpR,mBAAmB,cAAc,yBAA0B,CAE3D,YAAY,WAAW,MAAM,CAE7B,gBAAgB,sBAAuB,eAAe,CAEtD,kBAAkB,SAAS,cAAe,CAE1C,OAAO,oBAAoB,aAAa,0BAA0B,sBAAsB,YAAa,yBAAyB,mCAAoC,mBAAmB,sCAAuC,qCAAsC,CAElQ,yBAA0B,6BAAqB,cAAc,WAAW,iBAAiB,CAEzF,eAAe,4BAA4B,kEAAoE,sBAAsB,iBAAoB,gBAAgB,gBAAgB,iBAAiB,yBAAyB,mCAAoC,CAEvQ,oBAAoB,mBAAmB,qCAAsC,CAE7E,cAAc,4BAA4B,iEAAmE,CAE7G,cAAc,iBAAiB,YAAY,QAAQ,CAEnD,aAAa,WAAa,CAE1B,IAAI,UAAU,CAEd,IAAI,aAAa,yBAAyB,oCAAqC,0BAA4B,uCAA0C,iCAAsC,CAE3L,sCAAsC,sBAAsB,CAE5D,+BAA+B,SAAS,CAExC,MAAM,4BAA4B,eAAe,oBAAoB,YAAY,oBAAoB,aAAa,CAElH,gBAAgB,WAAW,OAAO,4BAA4B,cAAc,CAE5E,gBAAgB,WAAW,OAAO,8BAA8B,iBAAiB,WAAW,CAE5F,cAAc,YAAY,CAE1B,gBAAgB,aAAa,WAAW,WAAW,CAEnD,uBAAuB,cAAc,WAAW,OAAO,gBAAgB,YAAa,YAAa,CAEjG,yBACA,KAAK,iBAAiB,CAEtB,gBAAgB,gBAAgB,iBAAiB,YAAY,eAAe,gBAAgB,CAE5F,kCAAkC,YAAY,YAAY,iBAAiB,mBAAmB,kBAAkB,iBAAiB,CAEjI,yBAAyB,WAAW,CAEpC,gBAAgB,gBAAgB,oBAAoB,cAAc,oBAAoB,WAAW,CAChG,CAED,OAAO,aAAc,cAAe,kBAAkB,uCAAwC,0BAA4B,uCAA0C,gBAAgB,gBAAgB,CAEpM,aAAa,oCAAqC,oDAAsD,CAExG,OAAO,0BAA4B,sCAAyC,CAE5E,yBACA,eAAe,YAAY,CAE3B,gBAAgB,oBAAoB,YAAY,CAEhD,WAAW,SAAe,CAE1B,OAAO,aAAsB,CAC5B,CAED,YAAY,iBAAiB,kBAAkB,CC5H/C,qDAAqD,sBAAsB,CCA3E,iBAAiB,gBAAgB,UAAU,CAE3C,mBAAmB,iBAAiB,CAEpC,sBAAsB,aAAa,QAAQ,CAE3C,0BAA0B,eAAiB,oBAAoB,aAAa,uBAAuB,mBAAmB,sBAAsB,mBAAmB,sBAAsB,6BAA6B,CCNlN,sBAAsB,SAAW,CAEjC,yBAAyB,oBAAoB,aAAa,sBAAsB,kBAAkB,CAElG,uBAAuB,YAAY,WAAW,YAAY,mBAAmB,yCAA0C,CAEvH,mDAAmD,oBAAoB,aAAa,aAAc,WAAW,CAE7G,iEAAiE,UAAU,CAE3E,uDAAuD,aAAc,cAAe,oBAAoB,YAAY,CAEpH,uCAAuC,iBAAiB,CAExD,mDAAmD,cAAe,CAElE,2EAA2E,kBAAkB,sBAAsB,oCAAqC,uBAA0B,CAElL,uDAAuD,kBAAkB,YAAY,YAAY,6BAAiC,mBAAmB,2CAA4C,eAAgB,CAMjN,mCAAmC,oBAAoB,aAAa,0BAA0B,sBAAsB,YAAa,CAEjI,iDAAiD,oBAAoB,aAAa,0BAA0B,sBAAsB,uBAA0B,gBAAgB,CAE5K,qDAAqD,iBAAiB,YAAY,gBAAgB,8BAAkC,eAAe,sBAAsB,CAEzK,iEAAiE,eAAe,CAEhF,mCAAmC,cAAc,CAEjD,uDAAuD,kBAAkB,CAEzE,mDAAmD,eAAe,SAAS,CAE3E,iEAAiE,cAAuB,kBAAkB,uCAAwC,kBAAkB,UAAU,sCAAuC,cAAc,mBAAmB,6BAA8B,cAAc,4BAA6B,CAE/T,qDAAqD,eAAe,kBAAgC,uCAAwC,oBAAoB,YAAY,CAE5K,6DAA6D,WAAW,YAAY,kBAAkB,sCAAuC,kBAAkB,CAE/J,+DAA+D,iBAAiB,oBAAsB,CAEtG,iEAAiE,iBAAiB,0BAA4B,sCAAyC,CAEvJ,6EAA6E,yBAAyB,mCAAoC,CChD1I,cACI,eACA,WACI,MAAQ,CAEhB,aACI,cAAgB,CCNpB,0BAA0B,sBAAsB,mBAAmB,qCAAsC,CAEzG,yCAAyC,eAAkB,iBAAiB,CAE5E,oBAAoB,qBAAqB,2DAAgE,oEAA0E,CAEnL,WAAW,cAAc,6BAA8B,cAAc,CAErE,sBAAsB,sBAA2B,oBAAoB,aAAa,gBAAgB,eAAe,CAEjH,8BAA8B,kBAAkB,sCAAuC,kBAAkB,cAAc,WAAW,YAAY,qCAAwC,gBAAgB,CAItM,uFAAyC,YAAY,CAErD,sCAAsC,kBAAkB,CAExD,yBAAyB,cAAc,6BAA8B,UAAU,CAE/E,iCAAiC,cAAc,iBAAkB,gBAAgB,uBAAuB,mBAAmB,iBAAiB,UAAU,CAEtJ,sBAAsB,uBAAuB,eAAe,CAE5D,6BAA6B,cAAc,6BAA8B,qBAAqB,kBAAkB,eAAe,kBAAmB,CAElJ,8BAA8B,oBAAoB,aAAa,uBAAuB,mBAAmB,sBAAsB,6BAA6B,CAE5J,kCAAkC,WAAW,MAAM,CAEnD,yCAAyC,eAAe,kBAAkB,cAAc,gBAAkB,kBAAkB,eAAe,CAM3I,uHAAsC,gBAAgB,eAAe,CAErE,qCAAqC,UAAU,WAAW,CAE1D,6CAA6C,sBAAuB,SAAS,CAE7E,uCAAuC,uCAA0C,+BAAgC,CAEjH,aAAa,oBAAoB,aAAa,iBAAiB,qBAA6B,kBAAkB,sBAAsB,8BAA8B,cAAc,4BAA6B,CAE7M,mCAAmC,cAAc,CAEjD,wDAAwD,6BAA+B,gCAAgC,2CAA4C,CAEnK,YAAY,WAAW,OAAO,eAAsB,aAAa,CAEjE,qBAAqB,gBAAgB,gCAAgC,4CAA6C,kBAAkB,kCAAmC,CAEvK,eAAe,cAAc,mBAAmB,gBAAiB,CAEjE,cAAc,oBAAoB,CAElC,UAAU,gBAAgB,eAAgB,UAAU,CC1DpD,aAAa,kBAAkB,cAAc,gBAAgB,WAAW,WAAW,CAEnF,0BAA0B,YAAY,CAEtC,iBAAiB,WAAW,WAAW,CAEvC,6DAA8D,iBAAiB,CAE/E,gCAAgC,kBAAkB,CAElD,6BAA8B,cAAc,kBAAkB,iBAAiB,eAAe,QAAQ,SAAS,6BAAiC,WAAW,cAAc,gBAAgB,kBAAkB,uCAAwC,SAAS,CAE5P,oBAAoB,kBAAkB,MAAM,SAAS,OAAO,QAAQ,WAAW,WAAW,CCZ1F,kBAAkB,eAAe,CAEjC,cAAc,gBAAgB,SAAS,SAAS,CAEhD,cAAc,wBAAwB,kBAAkB,gCAAiC,SAAS,CAElG,4BAA4B,6BAA6B,gDAAiD,4BAA4B,8CAA+C,CAErL,2BAA2B,gCAAgC,mDAAoD,+BAA+B,iDAAkD,CAEhM,yBAAyB,WAAW,CAEpC,aAAa,cAAc,kBAAoB,CAI/C,mDAFmB,yBAAyB,uCAAwC,CAGnF,gCAD+B,kBAAmB,CAEnD,sCAAsC,yBAAyB,CClB/D,eAAe,mBAAmB,CAElC,sBAAsB,mBAAmB,4BAA6B,CAEtE,2BAA2B,kBAAkB,+BAAgC,CAE7E,8BAA8B,kBAAkB,mBAAmB,8BAA+B,cAAc,uBAAwB,CAExI,2CAA2C,kBAAkB,WAAY,aAAa,gBAAgB,CAEtG,6BAA6B,qBAAqB,qBAAqB,iCAAkC,mCAAwC,gBAAgB,oBAAoB,sBAAwB,WAAY,eAAgB,kBAAkB,iBAAiB,CAE5Q,uBAAuB,0BAA0B,sCAAuC,cAAc,CAEtG,cAAc,sBAAsB,oBAAoB,aAAa,wBAAwB,4BAA4B,gBAAgB,CAEzI,8BAA8B,WAAW,YAAY,mBAAmB,0CAA2C,gBAAgB,aAAa,CAIhJ,0FAA4C,YAAY,CAExD,yCAAyC,kBAAkB,CAE3D,qCAAqC,QAAQ,CAE7C,2BAA2B,oBAAoB,aAAa,WAAW,OAAO,qBAAqB,iBAAiB,aAAc,WAAW,CAE7I,6CAA6C,WAAW,WAAW,CAEnE,sCAAsC,SAAS,CAE/C,8CAA8C,gBAAiB,0BAA4B,sCAAyC,CAEpI,kDAAkD,QAAQ,CAE1D,2BAA2B,cAAe,CAE1C,yBAAyB,WAAW,MAAM,CAE1C,mBAAmB,kBAAkB,CAErC,kCAAkC,WAAW,OAAO,kBAAmB,WAAW,CAElF,oCAAoC,YAAc,qBAAqB,iBAAiB,kBAAkB,gBAAgB,WAAW,iBAAiB,WAAW,oBAAoB,aAAa,qBAAqB,gBAAgB,CAEvO,qDAAqD,WAAW,OAAO,gBAAgB,sBAAsB,CAE7G,8CAA8C,mBAAmB,eAAe,uBAAuB,kBAAkB,CAEzH,6CAA6C,YAAY,cAAc,CAEvE,sDAAsD,cAAc,2BAA4B,CAIhG,4GAAoD,cAAc,0BAA2B,CAE7F,mDAAgE,aAAa,2BAA4B,CAEzG,oDAAoD,SAAS,gBAAgB,CAE7E,uCAAuC,qBAAqB,gBAAiB,UAAU,cAAc,gBAAgB,CAErH,6CAA6C,mBAAmB,CAEhE,sCAAsC,SAAS,aAAa,kBAAmB,CAE/E,yBAAyB,kBAAmB,CAE5C,6DAF4C,4BAA4B,iEAAmE,CCpE3I,aAAa,WAAW,OAAO,WAAW,CAE1C,0BAA8D,kBAAkB,mCAAgC,CAEhH,0BAA0B,kBAAkB,cAAc,CAE1D,gBAAgB,kBAAkB,cAAc,oBAAoB,aAAa,yBAAyB,mCAAoC,kBAAkB,oCAAqE,kBAAkB,uCAAwC,sCAAuC,iBAAkB,iBAAkB,UAAU,CAEpX,wBAAwB,WAAW,OAAO,SAAS,cAAc,CAEjE,wBAAwB,cAAc,eAAe,YAAY,kBAAkB,iBAAiB,kBAAkB,CAEtH,0BAA0B,aAAa,CAEvC,WAAW,qBAAqB,iBAAiB,aAAa,yBAAyB,qBAAqB,sBAAsB,oBAAsB,iBAAiB,YAAY,kBAAkB,gCAAiC,oBAAoB,+BAAgC,CAE5R,mBAAmB,yBAAyB,uCAAwC,CAEpF,qBAAqB,wBAAwB,yBAAyB,CAEtE,uBAAuB,WAAW,OAAO,UAAU,qBAAuB,CAE1E,qBAAqB,kBAAkB,CAEvC,0BAA0B,qBAAqB,gBAAgB,CAE/D,+BAA+B,UAAU,sBAAsB,6BAA6B,eAAe,CAE3G,qCAAqC,mBAAmB,CAExD,kCAAkC,mBAAmB,eAAe,mBAAoB,gBAAgB,sBAAsB,CAE9H,+CAA+C,UAAU,aAAa,SAAS,oBAAoB,aAAa,mBAAmB,eAAe,0BAA0B,oBAAoB,CAEhM,sCAAsC,oBAAoB,aAAa,gBAAgB,iBAAkB,eAAe,cAAc,0BAA2B,cAAc,CAE/K,wCAAwC,eAAe,uBAAuB,gBAAgB,kBAAkB,CAEhH,2CAA2C,oBAAoB,YAAY,CAE3E,wCAAwC,gBAAgB,CAExD,2CAA2C,iBAAkB,CAE7D,gCAAgC,oBAAoB,cAAc,oBAAoB,aAAa,qBAAqB,iBAAiB,iBAAiB,iBAAkB,CAE5K,yCAAyC,kBAAmB,eAAe,eAAe,CAE1F,kCAAkC,gBAAiB,CAEnD,aAAa,qBAAqB,oBAAoB,CAEtD,wBAAwB,kBAAkB,aAAa,kBAAkB,iBAAiB,CAE1F,8BAA8B,kBAAkB,YAAY,iBAAiB,WAAW,kBAAkB,kBAAkB,2DAAgE,oEAA0E,CAEtQ,sCAAsC,2DAAgE,yEAA+E,CAErL,gCAAgC,WAAW,iBAAiB,CAE5D,2BAA2B,iBAAkB,CAE7C,gEAAgE,eAAe,iBAAiB,sBAAsB,kBAAkB,CAExI,sCAAsC,uBAAyB,iBAAiB,CAEhF,6BAA6B,SAAS,gBAAiB,kBAAmB,CAE1E,yBAAyB,oBAA4B,gBAAmB,CAExE,iCAAiC,mBAAmB,0CAA2C,iBAAiB,WAAW,WAAW,CAEtI,qCAAqC,cAAc,iBAAiB,oBAAoB,aAAa,0BAA0B,qBAAqB,mBAAmB,cAAc,CAErL,uCAAuC,cAAe,CAEtD,uCAAuC,eAAe,gBAAgB,uBAAuB,kBAAkB,CAE/G,eAAe,uBAAwB,qBAAqB,CAE5D,kBACA,GAAK,SAAS,CAEd,GAAG,SAAS,CACX,CAED,WAAW,WAAW,CAEtB,qBAAqB,uBAAuB,CAE5C,gBAAgB,WAAW,oBAAoB,YAAY,CAE3D,oDAAoD,kBAAmB,cAAc,WAAW,MAAM,CAItG,gDAA8B,cAAc,0BAA2B,CAEvE,wBAAwB,WAAW,YAAY,mBAAmB,yCAA0C,CAE5G,QAAQ,WAAW,YAAY,kBAAkB,sCAAuC,gBAAgB,iBAAiB,CAEzH,YAAY,WAAW,WAAW,CAIlC,8DAAsC,YAAY,CAElD,mCAAmC,kBAAkB,CAErD,QAAQ,oBAAoB,aAAa,YAAa,CAEtD,gCAAgC,kBAAkB,CAElD,OAAO,kBAAoB,CAE3B,cAAc,gBAAgB,CAE9B,kBAAkB,gBAAgB,CAElC,SAAS,cAAc,gBAAgB,CAEvC,YAAY,WAAW,OAAO,cAAc,CAE5C,YAAY,WAAW,MAAM,CAE7B,gCAAgC,mCAAmC,iEAAmE,CAEtI,yBACA,iCAAiC,gBAAgB,CAEjD,QAAQ,cAAc,CAEtB,gBAAgB,WAAW,WAAW,CAEtC,wBAAwB,WAAW,WAAW,CAC7C,CCxID,aAAa,oBAAoB,aAAa,mBAAmB,eAAe,kBAAmB,CAEnG,gDAAgD,kBAAkB,cAAc,iBAAiB,cAAc,CAE/G,0BAA0B,iBAAkB,CAE5C,+BAA+B,gBAAgB,CAE/C,0EAA0E,aAAa,CAEvF,yBAAyB,iBAAiB,aAAa,wBAA+B,0BAA0B,sBAAsB,cAAkD,mBAAmB,2CAA4C,kBAAkB,oCAAiC,eAAe,CAEzT,wBAAwB,6BAA6B,eAAe,CAEpE,mBAAmB,aAAa,CAEhC,kBAAkB,4BAA4B,eAAe,WAAW,oBAAoB,YAAY,CAExG,qBAAqB,eAAe,CAEpC,oBAAoB,kBAAkB,YAAY,YAAY,6BAAiC,gBAAiB,UAAU,cAAc,kBAAkB,sCAAuC,CAEjM,oBAAoB,gBAAgB,CAEpC,mBAAmB,iBAAiB,YAAY,WAAW,SAAS,CAEpE,mBAAmB,UAAU,CAE7B,8BAA8B,cAAc,iBAAiB,cAAc,CAE3E,qBAAqB,kBAAkB,kBAAkB,cAAc,WAAW,kBAAkB,oBAAoB,YAAY,CAEpI,yBAAyB,UAAU,CAEnC,4BAA4B,WAAW,MAAM,CAE7C,gCAAgC,SAAW,kBAAkB,YAAY,gBAAgB,CAEzF,2BAA2B,WAAW,OAAO,WAAW,oBAAoB,CAE5E,8BAA8B,eAAe,QAAU,CAEvD,+BAA+B,oBAAoB,aAAa,WAAW,MAAM,CAEjF,4CAA4C,WAAW,WAAW,CAElE,0CAA0C,gBAAgB,CAE1D,mCAAmC,mBAAmB,WAAW,YAAY,iBAAiB,4BAA4B,CChD1H,YAAY,eAAe,sBAAuB,CAIlD,6CAA2B,aAAa,2BAA4B,CCJpE,WAAW,eAAe,sBAAuB,CAIjD,yCAAwB,cAAc,2BAA4B,CCJlE,4BAA4B,cAAc,CAE1C,wCAAwC,sBAAuB,SAAS,CCFxE,uBAAuB,YAAY,cAAc,CAEjD,mBAAmB,cAAc,qBAAqB,CCFtD,iBAAiB,qBAAqB,CAEtC,mBAAmB,WAAW,WAAW,CAEzC,iBAAiB,iBAAiB,mBAAmB,gBAAgB,sBAAsB,CCJ3F,eAAe,eAAe,QAAU,SAAW,YAAY,CAE/D,cAAc,cAAc,CAE5B,kCAAkC,cAAc,uBAAwB,CAExE,aAAa,YAAY,gBAAgB,gBAAgB,iBAAiB,CAE1E,cAAc,oBAAoB,aAAa,iBAAmB,CAElE,iBAAiB,YAAY,WAAW,kBAAkB,sCAAuC,kBAAmB,gBAAiB,CAErI,YAAY,oBAAoB,YAAY,CAE5C,qBAAqB,WAAW,OAAO,YAAa,iBAAiB,WAAW,CCdhF,4BAA4B,kBAAkB,oBAAoB,YAAY,CAE9E,iBAAiB,mBAAmB,gBAAgB,uBAAuB,aAAa,CAExF,2BAA2B,kBAAkB,WAAY,eAAe,cAAc,aAAa,gBAAgB,CAEnH,yBAA6H,eAAwB,WAAY,6BAA6B,0BAA4B,sCAAyC,CAEnQ,mDAFyB,kBAAkB,WAAY,eAAe,cAAc,uBAAuB,iBAAkB,CAG5H,0BAD6H,gBAA0B,SAAS,cAAc,uBAAwB,CAEvM,yBAAyB,kBAAkB,gBAAgB,gBAAgB,qBAAuB,mBAAmB,gCAAiC,aAAa,UAAU,yBAAyB,mCAAoC,CCV1O,QAAQ,UAAU,CCAlB,sBAAsB,iBAAkB,aAAiB,gBAAgB,UAAU,CAEnF,aAAa,gBAAgB,WAAW,CAExC,MAAM,oBAAoB,aAAa,aAAa,SAAkE,iBAAiB,wBAAwB,SAAS,yBAAyB,sCAAuC,CAExO,cAAc,gBAAiB,WAAW,YAAY,mBAAmB,yCAA0C,CAEnH,UAAU,6BAA6B,qBAAqB,qBAAqB,mBAAuB,mBAAmB,sCAA0D,kBAAkB,oCAAkD,eAAe,CAExQ,yBAAyB,sBAAsB,CAE/C,YAAY,eAAe,CCZ3B,cAAc,WAAW,OAAO,8BAA8B,iBAAiB,mBAAmB,CAElG,6BAA6B,sBAAsB,CCFnD,cAAc,oBAAoB,CAElC,uBAAuB,WAAW,YAAY,CAI9C,oDAF0B,YAAY,kBAAkB,qCAAsC,CAG7F,0BADyB,iBAA6B,YAAa,CAEpE,mBAAmB,eAAe,gBAAgB,UAAU,CAE5D,cAAc,oBAAoB,CAElC,iBAAiB,kBAAmB,CCZpC,gBAAgB,gBAAgB,CAEhC,mCAAmC,oBAAoB,YAAY,CAEnE,uCAAuC,eAAe,kBAAkB,CAExE,kBAAkB,0BAA0B,qBAAqB,CAEjE,iBAAiB,mBAAmB,eAAe,sBAAsB,6BAA6B,CAEtG,yBAAyB,eAAe,oBAAoB,aAAa,iBAAiB,WAAW,wBAAwB,qBAAqB,oBAAoB,CAEtK,qCAAqC,sCAAyC,CAE9E,aAAa,6BAA6B,eAAe,CAEzD,iCAAiC,SAAS,gBAAgB,uBAAuB,uCAA0C,4BAA4B,2BAA2B,kBAAkB,CAEpM,iDAAiD,eAAe,CAEhE,gBAAgB,aAAa,CAE7B,iBAAiB,aAAa,CAE9B,iCAAiC,cAAc,WAAW,MAAM,CAEhE,iCAAiC,WAAW,OAAO,aAAa,CAEhE,iBAAiB,cAAc,CAE/B,gBAAgB,cAAc,CAE9B,gBAAgB,YAAY,cAAc,YAAY,WAAW,OAAO,cAAc,cAAc,CAEpG,uBAAuB,YAAY,CAEnC,eAAe,2HAA2I,WAAY,kBAAkB,YAAY,iBAAiB,WAAW,WAAW,gBAAgB,CCpC3P,mBAAmB,oBAAoB,aAAa,0BAA0B,sBAAsB,WAAY,CAEhH,8BAA8B,oBAAoB,aAAa,uBAAuB,kBAAkB,CAExG,qCAAqC,iBAAiB,aAAa,WAAY,CAE/E,gCAAgC,gBAAiB,aAAa,SAAS,oBAAoB,aAAa,0BAA0B,qBAAqB,CAEvJ,+BAA+B,oBAAoB,aAAa,0BAA0B,sBAAsB,eAA0B,gBAAgB,CAE1J,iCAAiC,iBAAiB,eAAe,CAEjE,4BAA4B,gBAAgB,kBAAmB,CAE/D,wBAAwB,gBAAiB,WAAW,CAEpD,0BAA0B,iBAAiB,CAE3C,yBACA,8BAA8B,kCAAkC,6BAA6B,CAC5F,CCpBD,mBAAmB,QAAQ,CAE3B,+BAA+B,WAAW,CAE1C,sBAAsB,eAAe,CAErC,yBAAyB,gBAAgB,YAAa","file":"static/css/app.c0e1e1e1fcff94fd1e14fc44bfee9a1e.css","sourcesContent":["\n#app{background-size:cover;background-attachment:fixed;background-repeat:no-repeat;background-position:0 50px;min-height:100vh;max-width:100%;overflow:hidden\n}\ni{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none\n}\nh4{margin:0\n}\n#content{box-sizing:border-box;padding-top:60px;margin:auto;min-height:100vh;max-width:980px;background-color:rgba(0,0,0,0.15);-ms-flex-line-pack:start;align-content:flex-start\n}\n.text-center{text-align:center\n}\nbody{font-family:sans-serif;font-size:14px;margin:0;color:#b9b9ba;color:var(--fg, #b9b9ba);max-width:100vw;overflow-x:hidden\n}\na{text-decoration:none;color:#d8a070;color:var(--link, #d8a070)\n}\nbutton{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;color:#b9b9ba;color:var(--fg, #b9b9ba);background-color:#182230;background-color:var(--btn, #182230);border:none;border-radius:4px;border-radius:var(--btnRadius, 4px);cursor:pointer;border-top:1px solid rgba(255,255,255,0.2);border-bottom:1px solid rgba(0,0,0,0.2);box-shadow:0px 0px 2px black;font-size:14px;font-family:sans-serif\n}\nbutton:hover{box-shadow:0px 0px 4px rgba(255,255,255,0.3)\n}\nbutton:disabled{cursor:not-allowed;opacity:0.5\n}\nbutton.pressed{color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5));background-color:#121a24;background-color:var(--bg, #121a24)\n}\nlabel.select{padding:0\n}\ninput,textarea,.select{border:none;border-radius:4px;border-radius:var(--inputRadius, 4px);border-bottom:1px solid rgba(255,255,255,0.2);border-top:1px solid rgba(0,0,0,0.2);box-shadow:0px 0px 2px black inset;background-color:#182230;background-color:var(--input, #182230);color:#b9b9ba;color:var(--lightFg, #b9b9ba);font-family:sans-serif;font-size:14px;padding:8px 7px;box-sizing:border-box;display:inline-block;position:relative;height:29px;line-height:16px\n}\ninput .icon-down-open,textarea .icon-down-open,.select .icon-down-open{position:absolute;top:0;bottom:0;right:5px;height:100%;color:#b9b9ba;color:var(--fg, #b9b9ba);line-height:29px;z-index:0;pointer-events:none\n}\ninput select,textarea select,.select select{-webkit-appearance:none;-moz-appearance:none;appearance:none;background:transparent;border:none;margin:0;color:#b9b9ba;color:var(--fg, #b9b9ba);padding:4px 2em 3px 3px;width:100%;z-index:1;height:29px;line-height:16px\n}\ninput[type=radio],input[type=checkbox],textarea[type=radio],textarea[type=checkbox],.select[type=radio],.select[type=checkbox]{display:none\n}\ninput[type=radio]:checked+label::before,input[type=checkbox]:checked+label::before,textarea[type=radio]:checked+label::before,textarea[type=checkbox]:checked+label::before,.select[type=radio]:checked+label::before,.select[type=checkbox]:checked+label::before{color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\ninput[type=radio]+label::before,input[type=checkbox]+label::before,textarea[type=radio]+label::before,textarea[type=checkbox]+label::before,.select[type=radio]+label::before,.select[type=checkbox]+label::before{display:inline-block;content:'✔';transition:color 200ms;width:1.1em;height:1.1em;border-radius:2px;border-radius:var(--checkBoxRadius, 2px);border-bottom:1px solid rgba(255,255,255,0.2);border-top:1px solid rgba(0,0,0,0.2);box-shadow:0px 0px 2px black inset;margin-right:.5em;background-color:#182230;background-color:var(--input, #182230);vertical-align:top;text-align:center;line-height:1.1em;font-size:1.1em;box-sizing:border-box;color:transparent;overflow:hidden;box-sizing:border-box\n}\ni[class*=icon-]{color:#666;color:var(--icon, #666)\n}\n.container{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0;padding:0 10px 0 10px\n}\n.gaps{margin:-1em 0 0 -1em\n}\n.item{-ms-flex:1;flex:1;line-height:50px;height:50px;overflow:hidden\n}\n.item .nav-icon{font-size:1.1em;margin-left:0.4em\n}\n.gaps>.item{padding:1em 0 0 1em\n}\n.auto-size{-ms-flex:1;flex:1\n}\nnav{width:100%;-ms-flex-align:center;align-items:center;position:fixed;height:50px\n}\nnav .inner-nav{padding-left:20px;padding-right:20px;display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center;-ms-flex-preferred-size:970px;flex-basis:970px;margin:auto;height:50px;background-repeat:no-repeat;background-position:center;background-size:auto 80%\n}\nnav .inner-nav a i{color:#d8a070;color:var(--link, #d8a070)\n}\nmain-router{-ms-flex:1;flex:1\n}\n.status.compact{color:rgba(0,0,0,0.42);font-weight:300\n}\n.status.compact p{margin:0;font-size:0.8em\n}\n.panel{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0.5em;background-color:#121a24;background-color:var(--bg, #121a24);border-radius:10px;border-radius:var(--panelRadius, 10px);box-shadow:1px 1px 4px rgba(0,0,0,0.6)\n}\n.panel-body:empty::before{content:\"¯\\\\_(ツ)_/¯\";display:block;margin:1em;text-align:center\n}\n.panel-heading{border-radius:10px 10px 0 0;border-radius:var(--panelRadius, 10px) var(--panelRadius, 10px) 0 0;background-size:cover;padding:0.6em 1.0em;text-align:left;font-size:1.3em;line-height:24px;background-color:#182230;background-color:var(--btn, #182230)\n}\n.panel-heading.stub{border-radius:10px;border-radius:var(--panelRadius, 10px)\n}\n.panel-footer{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n.panel-body>p{line-height:18px;padding:1em;margin:0\n}\n.container>*{min-width:0px\n}\n.fa{color:grey\n}\nnav{z-index:1000;background-color:#182230;background-color:var(--btn, #182230);color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5));box-shadow:0px 0px 4px rgba(0,0,0,0.6)\n}\n.fade-enter-active,.fade-leave-active{transition:opacity .2s\n}\n.fade-enter,.fade-leave-active{opacity:0\n}\n.main{-ms-flex-preferred-size:60%;flex-basis:60%;-ms-flex-positive:1;flex-grow:1;-ms-flex-negative:1;flex-shrink:1\n}\n.sidebar-bounds{-ms-flex:0;flex:0;-ms-flex-preferred-size:35%;flex-basis:35%\n}\n.sidebar-flexer{-ms-flex:1;flex:1;-ms-flex-preferred-size:345px;flex-basis:345px;width:365px\n}\n.mobile-shown{display:none\n}\n.panel-switcher{display:none;width:100%;height:46px\n}\n.panel-switcher button{display:block;-ms-flex:1;flex:1;max-height:32px;margin:0.5em;padding:0.5em\n}\n@media all and (min-width: 960px){\nbody{overflow-y:scroll\n}\n.sidebar-bounds{overflow:hidden;max-height:100vh;width:345px;position:fixed;margin-top:-10px\n}\n.sidebar-bounds .sidebar-scroller{height:96vh;width:365px;padding-top:10px;padding-right:50px;overflow-x:hidden;overflow-y:scroll\n}\n.sidebar-bounds .sidebar{width:345px\n}\n.sidebar-flexer{max-height:96vh;-ms-flex-negative:0;flex-shrink:0;-ms-flex-positive:0;flex-grow:0\n}\n}\n.alert{margin:0.35em;padding:0.25em;border-radius:5px;border-radius:var(--tooltipRadius, 5px);color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5));min-height:28px;line-height:28px\n}\n.alert.error{background-color:rgba(211,16,20,0.5);background-color:var(--cAlertRed, rgba(211,16,20,0.5))\n}\n.faint{color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n@media all and (max-width: 959px){\n.mobile-hidden{display:none\n}\n.panel-switcher{display:-ms-flexbox;display:flex\n}\n.container{padding:0 0 0 0\n}\n.panel{margin:0.5em 0 0.5em 0\n}\n}\n.item.right{text-align:right;padding-right:20px\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/App.scss","\n.user-panel .profile-panel-background .panel-heading{background:transparent\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_panel/user_panel.vue","\n.login-form .btn{min-height:28px;width:10em\n}\n.login-form .error{text-align:center\n}\n.login-form .register{-ms-flex:1 1;flex:1 1\n}\n.login-form .login-bottom{margin-top:1.0em;display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row;-ms-flex-align:center;align-items:center;-ms-flex-pack:justify;justify-content:space-between\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/login_form/login_form.vue","\n.tribute-container ul{padding:0px\n}\n.tribute-container ul li{display:-ms-flexbox;display:flex;-ms-flex-align:center;align-items:center\n}\n.tribute-container img{padding:3px;width:16px;height:16px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px)\n}\n.post-status-form .form-bottom,.login .form-bottom{display:-ms-flexbox;display:flex;padding:0.5em;height:32px\n}\n.post-status-form .form-bottom button,.login .form-bottom button{width:10em\n}\n.post-status-form .form-bottom p,.login .form-bottom p{margin:0.35em;padding:0.35em;display:-ms-flexbox;display:flex\n}\n.post-status-form .error,.login .error{text-align:center\n}\n.post-status-form .attachments,.login .attachments{padding:0 0.5em\n}\n.post-status-form .attachments .attachment,.login .attachments .attachment{position:relative;border:1px solid #222;border:1px solid var(--border, #222);margin:0.5em 0.8em 0.2em 0\n}\n.post-status-form .attachments i,.login .attachments i{position:absolute;margin:10px;padding:5px;background:rgba(230,230,230,0.6);border-radius:10px;border-radius:var(--attachmentRadius, 10px);font-weight:bold\n}\n.post-status-form .btn,.login .btn{cursor:pointer\n}\n.post-status-form .btn[disabled],.login .btn[disabled]{cursor:not-allowed\n}\n.post-status-form form,.login form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0.6em\n}\n.post-status-form .form-group,.login .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0.3em 0.5em 0.6em;line-height:24px\n}\n.post-status-form form textarea,.login form textarea{line-height:16px;resize:none;overflow:hidden;transition:min-height 200ms 100ms;min-height:1px;box-sizing:content-box\n}\n.post-status-form form textarea:focus,.login form textarea:focus{min-height:48px\n}\n.post-status-form .btn,.login .btn{cursor:pointer\n}\n.post-status-form .btn[disabled],.login .btn[disabled]{cursor:not-allowed\n}\n.post-status-form .icon-cancel,.login .icon-cancel{cursor:pointer;z-index:4\n}\n.post-status-form .autocomplete-panel,.login .autocomplete-panel{margin:0 0.5em 0 0.5em;border-radius:5px;border-radius:var(--tooltipRadius, 5px);position:absolute;z-index:1;box-shadow:1px 2px 4px rgba(0,0,0,0.5);min-width:75%;background:#121a24;background:var(--bg, #121a24);color:#b9b9ba;color:var(--lightFg, #b9b9ba)\n}\n.post-status-form .autocomplete,.login .autocomplete{cursor:pointer;padding:0.2em 0.4em 0.2em 0.4em;border-bottom:1px solid rgba(0,0,0,0.4);display:-ms-flexbox;display:flex\n}\n.post-status-form .autocomplete img,.login .autocomplete img{width:24px;height:24px;border-radius:4px;border-radius:var(--avatarRadius, 4px);object-fit:contain\n}\n.post-status-form .autocomplete span,.login .autocomplete span{line-height:24px;margin:0 0.1em 0 0.2em\n}\n.post-status-form .autocomplete small,.login .autocomplete small{margin-left:.5em;color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n.post-status-form .autocomplete.highlighted,.login .autocomplete.highlighted{background-color:#182230;background-color:var(--btn, #182230)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/post_status_form/post_status_form.vue","\n.media-upload {\n font-size: 26px;\n -ms-flex: 1;\n flex: 1;\n}\n.icon-upload {\n cursor: pointer;\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/media_upload/media_upload.vue","\n.profile-panel-background{background-size:cover;border-radius:10px;border-radius:var(--panelRadius, 10px)\n}\n.profile-panel-background .panel-heading{padding:0.6em 0em;text-align:center\n}\n.profile-panel-body{word-wrap:break-word;background:linear-gradient(to bottom, transparent, #121a24 80%);background:linear-gradient(to bottom, transparent, var(--bg, #121a24) 80%)\n}\n.user-info{color:#b9b9ba;color:var(--lightFg, #b9b9ba);padding:0 16px\n}\n.user-info .container{padding:16px 10px 6px 10px;display:-ms-flexbox;display:flex;max-height:56px;overflow:hidden\n}\n.user-info .container .avatar{border-radius:4px;border-radius:var(--avatarRadius, 4px);-ms-flex:1 0 100%;flex:1 0 100%;width:56px;height:56px;box-shadow:0px 1px 8px rgba(0,0,0,0.75);object-fit:cover\n}\n.user-info .container .avatar.animated::before{display:none\n}\n.user-info:hover .animated.avatar canvas{display:none\n}\n.user-info:hover .animated.avatar img{visibility:visible\n}\n.user-info .usersettings{color:#b9b9ba;color:var(--lightFg, #b9b9ba);opacity:.8\n}\n.user-info .name-and-screen-name{display:block;margin-left:0.6em;text-align:left;text-overflow:ellipsis;white-space:nowrap;-ms-flex:1 1 0px;flex:1 1 0\n}\n.user-info .user-name{text-overflow:ellipsis;overflow:hidden\n}\n.user-info .user-screen-name{color:#b9b9ba;color:var(--lightFg, #b9b9ba);display:inline-block;font-weight:light;font-size:15px;padding-right:0.1em\n}\n.user-info .user-interactions{display:-ms-flexbox;display:flex;-ms-flex-flow:row wrap;flex-flow:row wrap;-ms-flex-pack:justify;justify-content:space-between\n}\n.user-info .user-interactions div{-ms-flex:1;flex:1\n}\n.user-info .user-interactions .following{font-size:14px;-ms-flex:0 0 100%;flex:0 0 100%;margin:0 0 .4em 0;padding-left:16px;text-align:left\n}\n.user-info .user-interactions .mute{max-width:220px;min-height:28px\n}\n.user-info .user-interactions .remote-follow{max-width:220px;min-height:28px\n}\n.user-info .user-interactions .follow{max-width:220px;min-height:28px\n}\n.user-info .user-interactions button{width:92%;height:100%\n}\n.user-info .user-interactions .remote-button{height:28px !important;width:92%\n}\n.user-info .user-interactions .pressed{border-bottom-color:rgba(255,255,255,0.2);border-top-color:rgba(0,0,0,0.2)\n}\n.user-counts{display:-ms-flexbox;display:flex;line-height:16px;padding:.5em 1.5em 0em 1.5em;text-align:center;-ms-flex-pack:justify;justify-content:space-between;color:#b9b9ba;color:var(--lightFg, #b9b9ba)\n}\n.user-counts.clickable .user-count{cursor:pointer\n}\n.user-counts.clickable .user-count:hover:not(.selected){transition:border-bottom 100ms;border-bottom:3px solid #d8a070;border-bottom:3px solid var(--link, #d8a070)\n}\n.user-count{-ms-flex:1;flex:1;padding:.5em 0 .5em 0;margin:0 .5em\n}\n.user-count.selected{transition:none;border-bottom:5px solid #d8a070;border-bottom:5px solid var(--link, #d8a070);border-radius:4px;border-radius:var(--btnRadius, 4px)\n}\n.user-count h5{font-size:1em;font-weight:bolder;margin:0 0 0.25em\n}\n.user-count a{text-decoration:none\n}\n.dailyAvg{margin-left:1em;font-size:0.7em;color:#CCC\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_card_content/user_card_content.vue","\n.still-image{position:relative;line-height:0;overflow:hidden;width:100%;height:100%\n}\n.still-image:hover canvas{display:none\n}\n.still-image img{width:100%;height:100%\n}\n.still-image.animated:hover::before,.still-image.animated img{visibility:hidden\n}\n.still-image.animated:hover img{visibility:visible\n}\n.still-image.animated::before{content:'gif';position:absolute;line-height:10px;font-size:10px;top:5px;left:5px;background:rgba(127,127,127,0.5);color:#FFF;display:block;padding:2px 4px;border-radius:5px;border-radius:var(--tooltipRadius, 5px);z-index:2\n}\n.still-image canvas{position:absolute;top:0;bottom:0;left:0;right:0;width:100%;height:100%\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/still-image/still-image.vue","\n.nav-panel .panel{overflow:hidden\n}\n.nav-panel ul{list-style:none;margin:0;padding:0\n}\n.nav-panel li{border-bottom:1px solid;border-color:#222;border-color:var(--border, #222);padding:0\n}\n.nav-panel li:first-child a{border-top-right-radius:10px;border-top-right-radius:var(--panelRadius, 10px);border-top-left-radius:10px;border-top-left-radius:var(--panelRadius, 10px)\n}\n.nav-panel li:last-child a{border-bottom-right-radius:10px;border-bottom-right-radius:var(--panelRadius, 10px);border-bottom-left-radius:10px;border-bottom-left-radius:var(--panelRadius, 10px)\n}\n.nav-panel li:last-child{border:none\n}\n.nav-panel a{display:block;padding:0.8em 0.85em\n}\n.nav-panel a:hover{background-color:#151e2a;background-color:var(--lightBg, #151e2a)\n}\n.nav-panel a.router-link-active{font-weight:bolder;background-color:#151e2a;background-color:var(--lightBg, #151e2a)\n}\n.nav-panel a.router-link-active:hover{text-decoration:underline\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/nav_panel/nav_panel.vue","\n.notifications{padding-bottom:15em\n}\n.notifications .panel{background:#121a24;background:var(--bg, #121a24)\n}\n.notifications .panel-body{border-color:#222;border-color:var(--border, #222)\n}\n.notifications .panel-heading{position:relative;background:#182230;background:var(--btn, #182230);color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\n.notifications .panel-heading .read-button{position:absolute;right:0.7em;height:1.8em;line-height:100%\n}\n.notifications .unseen-count{display:inline-block;background-color:red;background-color:var(--cRed, red);text-shadow:0px 0px 3px rgba(0,0,0,0.5);min-width:1.3em;border-radius:1.3em;margin:0 0.2em 0 -0.4em;color:white;font-size:0.9em;text-align:center;line-height:1.3em\n}\n.notifications .unseen{border-left:4px solid red;border-left:4px solid var(--cRed, red);padding-left:0\n}\n.notification{box-sizing:border-box;display:-ms-flexbox;display:flex;border-bottom:1px solid;border-bottom-color:inherit;padding-left:4px\n}\n.notification .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px);overflow:hidden;line-height:0\n}\n.notification .avatar-compact.animated::before{display:none\n}\n.notification:hover .animated.avatar canvas{display:none\n}\n.notification:hover .animated.avatar img{visibility:visible\n}\n.notification .notification-usercard{margin:0\n}\n.notification .non-mention{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1;-ms-flex-wrap:nowrap;flex-wrap:nowrap;padding:0.6em;min-width:0\n}\n.notification .non-mention .avatar-container{width:32px;height:32px\n}\n.notification .non-mention .status-el{padding:0\n}\n.notification .non-mention .status-el .status{padding:0.25em 0;color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n.notification .non-mention .status-el .media-body{margin:0\n}\n.notification .follow-text{padding:0.5em 0\n}\n.notification .status-el{-ms-flex:1;flex:1\n}\n.notification time{white-space:nowrap\n}\n.notification .notification-right{-ms-flex:1;flex:1;padding-left:0.8em;min-width:0\n}\n.notification .notification-details{min-width:0px;word-wrap:break-word;line-height:18px;position:relative;overflow:hidden;width:100%;-ms-flex:1 1 0px;flex:1 1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap\n}\n.notification .notification-details .name-and-action{-ms-flex:1;flex:1;overflow:hidden;text-overflow:ellipsis\n}\n.notification .notification-details .username{font-weight:bolder;max-width:100%;text-overflow:ellipsis;white-space:nowrap\n}\n.notification .notification-details .timeago{float:right;font-size:12px\n}\n.notification .notification-details .icon-retweet.lit{color:#0fa00f;color:var(--cGreen, #0fa00f)\n}\n.notification .notification-details .icon-user-plus.lit{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.notification .notification-details .icon-reply.lit{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.notification .notification-details .icon-star.lit{color:orange;color:orange;color:var(--cOrange, orange)\n}\n.notification .notification-details .status-content{margin:0;max-height:300px\n}\n.notification .notification-details h1{word-break:break-all;margin:0 0 0.3em;padding:0;font-size:1em;line-height:20px\n}\n.notification .notification-details h1 small{font-weight:lighter\n}\n.notification .notification-details p{margin:0;margin-top:0;margin-bottom:0.3em\n}\n.notification:last-child{border-bottom:none;border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n.notification:last-child .status-el{border-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/notifications/notifications.scss","\n.status-body{-ms-flex:1;flex:1;min-width:0\n}\n.status-preview.status-el{border-style:solid;border-width:1px;border-color:#222;border-color:var(--border, #222)\n}\n.status-preview-container{position:relative;max-width:100%\n}\n.status-preview{position:absolute;max-width:95%;display:-ms-flexbox;display:flex;background-color:#121a24;background-color:var(--bg, #121a24);border-color:#222;border-color:var(--border, #222);border-style:solid;border-width:1px;border-radius:5px;border-radius:var(--tooltipRadius, 5px);box-shadow:2px 2px 3px rgba(0,0,0,0.5);margin-top:0.25em;margin-left:0.5em;z-index:50\n}\n.status-preview .status{-ms-flex:1;flex:1;border:0;min-width:15em\n}\n.status-preview-loading{display:block;min-width:15em;padding:1em;text-align:center;border-width:1px;border-style:solid\n}\n.status-preview-loading i{font-size:2em\n}\n.status-el{-webkit-hyphens:auto;-ms-hyphens:auto;hyphens:auto;overflow-wrap:break-word;word-wrap:break-word;word-break:break-word;border-left-width:0px;line-height:18px;min-width:0;border-color:#222;border-color:var(--border, #222);border-left:4px red;border-left:4px var(--cRed, red)\n}\n.status-el_focused{background-color:#151e2a;background-color:var(--lightBg, #151e2a)\n}\n.timeline .status-el{border-bottom-width:1px;border-bottom-style:solid\n}\n.status-el .media-body{-ms-flex:1;flex:1;padding:0;margin:0 0 0.25em 0.8em\n}\n.status-el .usercard{margin-bottom:.7em\n}\n.status-el .media-heading{-ms-flex-wrap:nowrap;flex-wrap:nowrap\n}\n.status-el .media-heading-left{padding:0;vertical-align:bottom;-ms-flex-preferred-size:100%;flex-basis:100%\n}\n.status-el .media-heading-left small{font-weight:lighter\n}\n.status-el .media-heading-left h4{white-space:nowrap;font-size:14px;margin-right:0.25em;overflow:hidden;text-overflow:ellipsis\n}\n.status-el .media-heading-left .name-and-links{padding:0;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-line-pack:center;align-content:center\n}\n.status-el .media-heading-left .links{display:-ms-flexbox;display:flex;padding-top:1px;margin-left:0.2em;font-size:12px;color:#d8a070;color:var(--link, #d8a070);max-width:100%\n}\n.status-el .media-heading-left .links a{max-width:100%;text-overflow:ellipsis;overflow:hidden;white-space:nowrap\n}\n.status-el .media-heading-left .reply-info{display:-ms-flexbox;display:flex\n}\n.status-el .media-heading-left .replies{line-height:16px\n}\n.status-el .media-heading-left .reply-link{margin-right:0.2em\n}\n.status-el .media-heading-right{-ms-flex-negative:0;flex-shrink:0;display:-ms-flexbox;display:flex;-ms-flex-wrap:nowrap;flex-wrap:nowrap;max-height:1.5em;margin-left:0.25em\n}\n.status-el .media-heading-right .timeago{margin-right:0.2em;font-size:12px;padding-top:1px\n}\n.status-el .media-heading-right i{margin-left:0.2em\n}\n.status-el a{display:inline-block;word-break:break-all\n}\n.status-el .tall-status{position:relative;height:220px;overflow-x:hidden;overflow-y:hidden\n}\n.status-el .tall-status-hider{position:absolute;height:70px;margin-top:150px;width:100%;text-align:center;line-height:110px;background:linear-gradient(to bottom, transparent, #121a24 80%);background:linear-gradient(to bottom, transparent, var(--bg, #121a24) 80%)\n}\n.status-el .tall-status-hider_focused{background:linear-gradient(to bottom, transparent, #151e2a 80%);background:linear-gradient(to bottom, transparent, var(--lightBg, #151e2a) 80%)\n}\n.status-el .tall-status-unhider{width:100%;text-align:center\n}\n.status-el .status-content{margin-right:0.5em\n}\n.status-el .status-content img,.status-el .status-content video{max-width:100%;max-height:400px;vertical-align:middle;object-fit:contain\n}\n.status-el .status-content blockquote{margin:0.2em 0 0.2em 2em;font-style:italic\n}\n.status-el .status-content p{margin:0;margin-top:0.2em;margin-bottom:0.5em\n}\n.status-el .retweet-info{padding:0.4em 0.6em 0 0.6em;margin:0 0 -0.5em 0\n}\n.status-el .retweet-info .avatar{border-radius:10px;border-radius:var(--avatarAltRadius, 10px);margin-left:28px;width:20px;height:20px\n}\n.status-el .retweet-info .media-body{font-size:1em;line-height:22px;display:-ms-flexbox;display:flex;-ms-flex-line-pack:center;align-content:center;-ms-flex-wrap:wrap;flex-wrap:wrap\n}\n.status-el .retweet-info .media-body i{padding:0 0.2em\n}\n.status-el .retweet-info .media-body a{max-width:100%;overflow:hidden;text-overflow:ellipsis;white-space:nowrap\n}\n.status-fadein{animation-duration:0.4s;animation-name:fadein\n}\n@keyframes fadein{\nfrom{opacity:0\n}\nto{opacity:1\n}\n}\n.greentext{color:green\n}\n.status-conversation{border-left-style:solid\n}\n.status-actions{width:100%;display:-ms-flexbox;display:flex\n}\n.status-actions div,.status-actions favorite-button{padding-top:0.25em;max-width:6em;-ms-flex:1;flex:1\n}\n.icon-reply:hover{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.icon-reply.icon-reply-active{color:#0095ff;color:var(--cBlue, #0095ff)\n}\n.status .avatar-compact{width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px)\n}\n.avatar{width:48px;height:48px;border-radius:4px;border-radius:var(--avatarRadius, 4px);overflow:hidden;position:relative\n}\n.avatar img{width:100%;height:100%\n}\n.avatar.animated::before{display:none\n}\n.status:hover .animated.avatar canvas{display:none\n}\n.status:hover .animated.avatar img{visibility:visible\n}\n.status{display:-ms-flexbox;display:flex;padding:0.6em\n}\n.status-conversation:last-child{border-bottom:none\n}\n.muted{padding:0.25em 0.5em\n}\n.muted button{margin-left:auto\n}\n.muted .muteWords{margin-left:10px\n}\na.unmute{display:block;margin-left:auto\n}\n.reply-left{-ms-flex:0;flex:0;min-width:48px\n}\n.reply-body{-ms-flex:1;flex:1\n}\n.timeline>.status-el:last-child{border-bottom-radius:0 0 10px 10px;border-radius:0 0 var(--panelRadius, 10px) var(--panelRadius, 10px)\n}\n@media all and (max-width: 960px){\n.status-el .retweet-info .avatar{margin-left:20px\n}\n.status{max-width:100%\n}\n.status .avatar{width:40px;height:40px\n}\n.status .avatar-compact{width:32px;height:32px\n}\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/status/status.vue","\n.attachments{display:-ms-flexbox;display:flex;-ms-flex-wrap:wrap;flex-wrap:wrap;margin-right:-0.7em\n}\n.attachments .attachment.media-upload-container{-ms-flex:0 0 auto;flex:0 0 auto;max-height:300px;max-width:100%\n}\n.attachments .placeholder{margin-right:0.5em\n}\n.attachments .small-attachment{max-height:100px\n}\n.attachments .small-attachment.image,.attachments .small-attachment.video{max-width:35%\n}\n.attachments .attachment{-ms-flex:1 0 30%;flex:1 0 30%;margin:0.5em 0.7em 0.6em 0.0em;-ms-flex-item-align:start;align-self:flex-start;line-height:0;border-style:solid;border-width:1px;border-radius:10px;border-radius:var(--attachmentRadius, 10px);border-color:#222;border-color:var(--border, #222);overflow:hidden\n}\n.attachments .fullwidth{-ms-flex-preferred-size:100%;flex-basis:100%\n}\n.attachments.video{line-height:0\n}\n.attachments.html{-ms-flex-preferred-size:90%;flex-basis:90%;width:100%;display:-ms-flexbox;display:flex\n}\n.attachments.loading{cursor:progress\n}\n.attachments .hider{position:absolute;margin:10px;padding:5px;background:rgba(230,230,230,0.6);font-weight:bold;z-index:4;line-height:1;border-radius:5px;border-radius:var(--tooltipRadius, 5px)\n}\n.attachments .small{max-height:100px\n}\n.attachments video{max-height:500px;height:100%;width:100%;z-index:0\n}\n.attachments audio{width:100%\n}\n.attachments img.media-upload{line-height:0;max-height:300px;max-width:100%\n}\n.attachments .oembed{line-height:1.2em;-ms-flex:1 0 100%;flex:1 0 100%;width:100%;margin-right:15px;display:-ms-flexbox;display:flex\n}\n.attachments .oembed img{width:100%\n}\n.attachments .oembed .image{-ms-flex:1;flex:1\n}\n.attachments .oembed .image img{border:0px;border-radius:5px;height:100%;object-fit:cover\n}\n.attachments .oembed .text{-ms-flex:2;flex:2;margin:8px;word-break:break-all\n}\n.attachments .oembed .text h1{font-size:14px;margin:0px\n}\n.attachments .image-attachment{display:-ms-flexbox;display:flex;-ms-flex:1;flex:1\n}\n.attachments .image-attachment .still-image{width:100%;height:100%\n}\n.attachments .image-attachment .small img{max-height:100px\n}\n.attachments .image-attachment img{object-fit:contain;width:100%;height:100%;max-height:500px;image-orientation:from-image\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/attachment/attachment.vue","\n.fav-active{cursor:pointer;animation-duration:0.6s\n}\n.fav-active:hover{color:orange;color:var(--cOrange, orange)\n}\n.favorite-button.icon-star{color:orange;color:var(--cOrange, orange)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/favorite_button/favorite_button.vue","\n.rt-active{cursor:pointer;animation-duration:0.6s\n}\n.rt-active:hover{color:#0fa00f;color:var(--cGreen, #0fa00f)\n}\n.icon-retweet.retweeted{color:#0fa00f;color:var(--cGreen, #0fa00f)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/retweet_button/retweet_button.vue","\n.icon-cancel,.delete-status{cursor:pointer\n}\n.icon-cancel:hover,.delete-status:hover{color:var(--cRed, red);color:red\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/delete_button/delete_button.vue","\n.user-finder-container{height:29px;max-width:100%\n}\n.user-finder-input{max-width:80%;vertical-align:middle\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_finder/user_finder.vue","\n.who-to-follow *{vertical-align:middle\n}\n.who-to-follow img{width:32px;height:32px\n}\n.who-to-follow p{line-height:40px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/who_to_follow_panel/who_to_follow_panel.vue","\n.floating-chat{position:fixed;right:0px;bottom:0px;z-index:1000\n}\n.chat-heading{cursor:pointer\n}\n.chat-heading .icon-comment-empty{color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\n.chat-window{width:345px;max-height:40vh;overflow-y:auto;overflow-x:hidden\n}\n.chat-message{display:-ms-flexbox;display:flex;padding:0.2em 0.5em\n}\n.chat-avatar img{height:24px;width:24px;border-radius:4px;border-radius:var(--avatarRadius, 4px);margin-right:0.5em;margin-top:0.25em\n}\n.chat-input{display:-ms-flexbox;display:flex\n}\n.chat-input textarea{-ms-flex:1;flex:1;margin:0.6em;min-height:3.5em;resize:none\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/chat_panel/chat_panel.vue","\n.timeline .timeline-heading{position:relative;display:-ms-flexbox;display:flex\n}\n.timeline .title{white-space:nowrap;overflow:hidden;text-overflow:ellipsis;max-width:70%\n}\n.timeline .loadmore-button{position:absolute;right:0.6em;font-size:14px;min-width:6em;height:1.8em;line-height:100%\n}\n.timeline .loadmore-text{position:absolute;right:0.6em;font-size:14px;min-width:6em;font-family:sans-serif;text-align:center;padding:0 0.5em 0 0.5em;opacity:0.8;background-color:transparent;color:rgba(185,185,186,0.5);color:var(--faint, rgba(185,185,186,0.5))\n}\n.timeline .loadmore-error{position:absolute;right:0.6em;font-size:14px;min-width:6em;font-family:sans-serif;text-align:center;padding:0 0.25em 0 0.25em;margin:0;color:#b9b9ba;color:var(--fg, #b9b9ba)\n}\n.new-status-notification{position:relative;margin-top:-1px;font-size:1.1em;border-width:1px 0 0 0;border-style:solid;border-color:var(--border, #222);padding:10px;z-index:1;background-color:#182230;background-color:var(--btn, #182230)\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/timeline/timeline.vue","\n.spacer{height:1em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/status_or_conversation/status_or_conversation.vue","\n.name-and-screen-name{margin-left:0.7em;margin-top:0.0em;text-align:left;width:100%\n}\n.follows-you{margin-left:2em;float:right\n}\n.card{display:-ms-flexbox;display:flex;-ms-flex:1 0;flex:1 0;padding-top:0.6em;padding-right:1em;padding-bottom:0.6em;padding-left:1em;border-bottom:1px solid;margin:0;border-bottom-color:#222;border-bottom-color:var(--border, #222)\n}\n.card .avatar{margin-top:0.2em;width:32px;height:32px;border-radius:10px;border-radius:var(--avatarAltRadius, 10px)\n}\n.usercard{width:-webkit-fill-available;width:-moz-available;width:fill-available;margin:0.2em 0 0.7em 0;border-radius:10px;border-radius:var(--panelRadius, 10px);border-style:solid;border-color:#222;border-color:var(--border, #222);border-width:1px;overflow:hidden\n}\n.usercard .panel-heading{background:transparent\n}\n.usercard p{margin-bottom:0\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_card/user_card.vue","\n.user-profile{-ms-flex:2;flex:2;-ms-flex-preferred-size:500px;flex-basis:500px;padding-bottom:10px\n}\n.user-profile .panel-heading{background:transparent\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_profile/user_profile.vue","\n.setting-item{margin:1em 1em 1.4em\n}\n.setting-item textarea{width:100%;height:100px\n}\n.setting-item .old-avatar{width:128px;border-radius:4px;border-radius:var(--avatarRadius, 4px)\n}\n.setting-item .new-avatar{object-fit:cover;width:128px;height:128px;border-radius:4px;border-radius:var(--avatarRadius, 4px)\n}\n.setting-item .btn{margin-top:1em;min-height:28px;width:10em\n}\n.setting-list{list-style-type:none\n}\n.setting-list li{margin-bottom:0.5em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/settings/settings.vue","\n.style-switcher{margin-right:1em\n}\n.radius-container,.color-container{display:-ms-flexbox;display:flex\n}\n.radius-container p,.color-container p{margin-top:2em;margin-bottom:.5em\n}\n.radius-container{-ms-flex-direction:column;flex-direction:column\n}\n.color-container{-ms-flex-wrap:wrap;flex-wrap:wrap;-ms-flex-pack:justify;justify-content:space-between\n}\n.radius-item,.color-item{min-width:20em;display:-ms-flexbox;display:flex;-ms-flex:1 1 0px;flex:1 1 0;-ms-flex-align:baseline;align-items:baseline;margin:5px 6px 5px 0\n}\n.radius-item label,.color-item label{color:var(--faint, rgba(185,185,186,0.5))\n}\n.radius-item{-ms-flex-preferred-size:auto;flex-basis:auto\n}\n.theme-radius-rn,.theme-color-cl{border:0;box-shadow:none;background:transparent;color:var(--faint, rgba(185,185,186,0.5));-ms-flex-item-align:stretch;-ms-grid-row-align:stretch;align-self:stretch\n}\n.theme-color-cl,.theme-radius-in,.theme-color-in{margin-left:4px\n}\n.theme-color-in{min-width:4em\n}\n.theme-radius-in{min-width:1em\n}\n.theme-radius-in,.theme-color-in{max-width:7em;-ms-flex:1;flex:1\n}\n.theme-radius-lb,.theme-color-lb{-ms-flex:2;flex:2;min-width:7em\n}\n.theme-radius-lb{max-width:50em\n}\n.theme-color-lb{max-width:10em\n}\n.theme-color-cl{padding:1px;max-width:8em;height:100%;-ms-flex:0;flex:0;min-width:2em;cursor:pointer\n}\n.theme-preview-content{padding:20px\n}\n.dummy .avatar{background:linear-gradient(135deg, #b8e1fc 0%, #a9d2f3 10%, #90bae4 25%, #90bcea 37%, #90bff0 50%, #6ba8e5 51%, #a2daf5 83%, #bdf3fd 100%);color:black;text-align:center;height:48px;line-height:48px;width:48px;float:left;margin-right:1em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/style_switcher/style_switcher.vue","\n.registration-form{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;margin:0.6em\n}\n.registration-form .container{display:-ms-flexbox;display:flex;-ms-flex-direction:row;flex-direction:row\n}\n.registration-form .terms-of-service{-ms-flex:0 1 50%;flex:0 1 50%;margin:0.8em\n}\n.registration-form .text-fields{margin-top:0.6em;-ms-flex:1 0;flex:1 0;display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column\n}\n.registration-form .form-group{display:-ms-flexbox;display:flex;-ms-flex-direction:column;flex-direction:column;padding:0.3em 0.0em 0.3em;line-height:24px\n}\n.registration-form form textarea{line-height:16px;resize:vertical\n}\n.registration-form .captcha{max-width:350px;margin-bottom:0.4em\n}\n.registration-form .btn{margin-top:0.6em;height:28px\n}\n.registration-form .error{text-align:center\n}\n@media all and (max-width: 959px){\n.registration-form .container{-ms-flex-direction:column-reverse;flex-direction:column-reverse\n}\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/registration/registration.vue","\n.profile-edit .bio{margin:0\n}\n.profile-edit input[type=file]{padding:5px\n}\n.profile-edit .banner{max-width:400px\n}\n.profile-edit .uploading{font-size:1.5em;margin:0.25em\n}\n\n\n\n// WEBPACK FOOTER //\n// webpack:///src/components/user_settings/user_settings.vue"],"sourceRoot":""} \ No newline at end of file diff --git a/priv/static/static/js/app.13c0bda10eb515cdf8ed.js b/priv/static/static/js/app.13c0bda10eb515cdf8ed.js deleted file mode 100644 index 4f78c6e22..000000000 --- a/priv/static/static/js/app.13c0bda10eb515cdf8ed.js +++ /dev/null @@ -1,7 +0,0 @@ -webpackJsonp([2,0],[function(e,t,a){"use strict";function s(e){return e&&e.__esModule?e:{default:e}}var i=a(215),n=s(i),r=a(101),o=s(r),l=a(529),u=s(l),c=a(532),d=s(c),f=a(468),m=s(f),p=a(483),v=s(p),h=a(482),_=s(h),g=a(474),w=s(g),b=a(488),C=s(b),k=a(471),y=s(k),x=a(478),L=s(x),P=a(492),$=s(P),S=a(486),j=s(S),R=a(484),A=s(R),F=a(493),I=s(F),N=a(103),E=s(N),U=a(173),O=s(U),T=a(170),M=s(T),z=a(172),B=s(z),D=a(171),W=s(D),G=a(531),H=s(G),V=a(467),q=s(V),K=a(169),J=s(K),Z=a(168),Y=s(Z),X=a(466),Q=s(X),ee=(window.navigator.language||"en").split("-")[0];o.default.use(d.default),o.default.use(u.default),o.default.use(H.default,{locale:"ja"===ee?"ja":"en",locales:{en:a(298),ja:a(299)}}),o.default.use(q.default),o.default.use(Q.default);var te={paths:["config.hideAttachments","config.hideAttachmentsInConv","config.hideNsfw","config.autoLoad","config.hoverPreview","config.streaming","config.muteWords","config.customTheme","users.lastLoginName"]},ae=new d.default.Store({modules:{statuses:E.default,users:O.default,api:M.default,config:B.default,chat:W.default},plugins:[(0,J.default)(te)],strict:!1}),se=new q.default({locale:ee,fallbackLocale:"en",messages:Y.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;ae.dispatch("setOption",{name:"name",value:a}),ae.dispatch("setOption",{name:"registrationOpen",value:"0"===s}),ae.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,r=e.whoToFollowLink,l=e.showInstanceSpecificPanel;ae.dispatch("setOption",{name:"theme",value:t}),ae.dispatch("setOption",{name:"background",value:a}),ae.dispatch("setOption",{name:"logo",value:s}),ae.dispatch("setOption",{name:"showWhoToFollowPanel",value:i}),ae.dispatch("setOption",{name:"whoToFollowProvider",value:n}),ae.dispatch("setOption",{name:"whoToFollowLink",value:r}),ae.dispatch("setOption",{name:"showInstanceSpecificPanel",value:l}),e.chatDisabled&&ae.dispatch("disableChat");var c=[{name:"root",path:"/",redirect:function(t){var a=e.redirectRootLogin,s=e.redirectRootNoLogin;return(ae.state.users.currentUser?a:s)||"/main/all"}},{path:"/main/all",component:_.default},{path:"/main/public",component:v.default},{path:"/main/friends",component:w.default},{path:"/tag/:tag",component:C.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:j.default},{name:"registration",path:"/registration",component:A.default},{name:"user-settings",path:"/user-settings",component:I.default}],d=new u.default({mode:"history",routes:c,scrollBehavior:function(e,t,a){return!e.matched.some(function(e){return e.meta.dontScroll})&&(a||{x:0,y:0})}});new o.default({router:d,store:ae,i18n:se,el:"#app",render:function(e){return e(m.default)}})}),window.fetch("/static/terms-of-service.html").then(function(e){return e.text()}).then(function(e){ae.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]}});ae.dispatch("setOption",{name:"customEmoji",value:t}),ae.dispatch("setOption",{name:"pleromaBackend",value:!0})},function(e){ae.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]}});ae.dispatch("setOption",{name:"emoji",value:t})}),window.fetch("/instance/panel.html").then(function(e){return e.text()}).then(function(e){ae.dispatch("setOption",{name:"instanceSpecificPanelContent",value:e})})},,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,a){a(274);var s=a(1)(a(202),a(497),null,null);e.exports=s.exports},,,,,,,,,,,,,,,function(e,t,a){a(273);var s=a(1)(a(204),a(496),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),r=a(61),o=s(r);a(533);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",m="/api/statusnet/tags/timeline",p="/api/favorites/create",v="/api/favorites/destroy",h="/api/statuses/retweet",_="/api/statuses/update.json",g="/api/statuses/destroy",w="/api/statuses/show",b="/api/statusnet/media/upload",C="/api/statusnet/conversation",k="/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",j="/api/qvitter/update_avatar.json",R="/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",E="/api/blocks/create.json",U="/api/blocks/destroy.json",O="/api/users/show.json",T="/api/pleroma/follow_import",M="/api/pleroma/delete_account",z="/api/pleroma/change_password",B=window.fetch,D=function(e,t){t=t||{};var a="",s=a+e;return t.credentials="same-origin",B(s,t)},W=function(e){return btoa(encodeURIComponent(e).replace(/%([0-9A-F]{2})/g,function(e,t){return String.fromCharCode("0x"+t)}))},G=function(e){var t=e.credentials,a=e.params,s=j,i=new FormData;return(0,o.default)(a,function(e,t){e&&i.append(t,e)}),D(s,{headers:J(t),method:"POST",body:i}).then(function(e){return e.json()})},H=function(e){var t=e.credentials,a=e.params,s=R,i=new FormData;return(0,o.default)(a,function(e,t){e&&i.append(t,e)}),D(s,{headers:J(t),method:"POST",body:i}).then(function(e){return e.json()})},V=function(e){var t=e.credentials,a=e.params,s=A,i=new FormData;return(0,o.default)(a,function(e,t){e&&i.append(t,e)}),D(s,{headers:J(t),method:"POST",body:i}).then(function(e){return e.json()})},q=function(e){var t=e.credentials,a=e.params,s=F,i=new FormData;return(0,o.default)(a,function(e,t){("description"===t||e)&&i.append(t,e)}),D(s,{headers:J(t),method:"POST",body:i}).then(function(e){return e.json()})},K=function(e){var t=new FormData;return(0,o.default)(e,function(e,a){e&&t.append(a,e)}),D(S,{method:"POST",body:t})},J=function(e){return e&&e.username&&e.password?{Authorization:"Basic "+W(e.username+":"+e.password)}:{}},Z=function(e){var t=e.profileUrl,a=e.credentials,s=I+"?profileurl="+t;return D(s,{headers:J(a),method:"GET"}).then(function(e){return e.json()})},Y=function(e){var t=e.id,a=e.credentials,s=L+"?user_id="+t;return D(s,{headers:J(a),method:"POST"}).then(function(e){return e.json()})},X=function(e){var t=e.id,a=e.credentials,s=P+"?user_id="+t;return D(s,{headers:J(a),method:"POST"}).then(function(e){return e.json()})},Q=function(e){var t=e.id,a=e.credentials,s=E+"?user_id="+t;return D(s,{headers:J(a),method:"POST"}).then(function(e){return e.json()})},ee=function(e){var t=e.id,a=e.credentials,s=U+"?user_id="+t;return D(s,{headers:J(a),method:"POST"}).then(function(e){return e.json()})},te=function(e){var t=e.id,a=e.credentials,s=O+"?user_id="+t;return D(s,{headers:J(a)}).then(function(e){return e.json()})},ae=function(e){var t=e.id,a=e.credentials,s=x+"?user_id="+t;return D(s,{headers:J(a)}).then(function(e){return e.json()})},se=function(e){var t=e.id,a=e.credentials,s=y+"?user_id="+t;return D(s,{headers:J(a)}).then(function(e){return e.json()})},ie=function(e){var t=e.username,a=e.credentials,s=c+"/"+t+".json";return D(s,{headers:J(a)}).then(function(e){return e.json()})},ne=function(e){var t=e.id,a=e.credentials,s=C+"/"+t+".json?count=100";return D(s,{headers:J(a)}).then(function(e){return e.json()})},re=function(e){var t=e.id,a=e.credentials,s=w+"/"+t+".json";return D(s,{headers:J(a)}).then(function(e){return e.json()})},oe=function(e){var t=e.id,a=e.credentials,s=e.muted,i=void 0===s||s,n=new FormData,r=i?1:0;return n.append("namespace","qvitter"),n.append("data",r),n.append("topic","mute:"+t),D($,{method:"POST",headers:J(a),body:n})},le=function(e){var t=e.timeline,a=e.credentials,s=e.since,i=void 0!==s&&s,r=e.until,o=void 0!==r&&r,l=e.userId,c=void 0!==l&&l,p=e.tag,v=void 0!==p&&p,h={public:d,friends:u,mentions:k,publicAndExternal:f,user:N,tag:m},_=h[t],g=[];i&&g.push(["since_id",i]),o&&g.push(["max_id",o]),c&&g.push(["user_id",c]),v&&(_+="/"+v+".json"),g.push(["count",20]);var w=(0,n.default)(g,function(e){return e[0]+"="+e[1]}).join("&");return _+="?"+w,D(_,{headers:J(a)}).then(function(e){return e.json()})},ue=function(e){return D(l,{method:"POST",headers:J(e)})},ce=function(e){var t=e.id,a=e.credentials;return D(p+"/"+t+".json",{headers:J(a),method:"POST"})},de=function(e){var t=e.id,a=e.credentials;return D(v+"/"+t+".json",{headers:J(a),method:"POST"})},fe=function(e){var t=e.id,a=e.credentials;return D(h+"/"+t+".json",{headers:J(a),method:"POST"})},me=function(e){var t=e.credentials,a=e.status,s=e.mediaIds,i=e.inReplyToStatusId,n=s.join(","),r=new FormData;return r.append("status",a),r.append("source","Pleroma FE"),r.append("media_ids",n),i&&r.append("in_reply_to_status_id",i),D(_,{body:r,method:"POST",headers:J(t)})},pe=function(e){var t=e.id,a=e.credentials;return D(g+"/"+t+".json",{headers:J(a),method:"POST"})},ve=function(e){var t=e.formData,a=e.credentials;return D(b,{body:t,method:"POST",headers:J(a)}).then(function(e){return e.text()}).then(function(e){return(new DOMParser).parseFromString(e,"application/xml")})},he=function(e){var t=e.params,a=e.credentials;return D(T,{body:t,method:"POST",headers:J(a)}).then(function(e){return e.ok})},_e=function(e){var t=e.credentials,a=e.password,s=new FormData;return s.append("password",a),D(M,{body:s,method:"POST",headers:J(t)}).then(function(e){return e.json()})},ge=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),D(z,{body:n,method:"POST",headers:J(t)}).then(function(e){return e.json()})},we=function(e){var t=e.credentials,a="/api/qvitter/mutes.json";return D(a,{headers:J(t)}).then(function(e){return e.json()})},be={verifyCredentials:ue,fetchTimeline:le,fetchConversation:ne,fetchStatus:re,fetchFriends:ae,fetchFollowers:se,followUser:Y,unfollowUser:X,blockUser:Q,unblockUser:ee,fetchUser:te,favorite:ce,unfavorite:de,retweet:fe,postStatus:me,deleteStatus:pe,uploadMedia:ve,fetchAllFollowing:ie,setUserMute:oe,fetchMutes:we,register:K,updateAvatar:G,updateBg:H,updateProfile:q,updateBanner:V,externalProfile:Z,followImport:he,deleteAccount:_e,changePassword:ge};t.default=be},,,,,,,,,,,,,,,,,,,,function(e,t,a){a(287);var s=a(1)(a(197),a(517),null,null);e.exports=s.exports},function(e,t,a){a(286);var s=a(1)(a(199),a(516),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),r=a(42),o=s(r),l=function(e,t,a){var s=(0,o.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(217),n=s(i),r=a(2),o=s(r),l=a(160),u=s(l),c=a(161),d=s(c),f=a(441),m=s(f),p=a(439),v=s(p),h=a(431),_=s(h),g=a(62),w=s(g),b=a(61),C=s(b),k=a(22),y=s(k),x=a(100),L=s(x),P=a(448),$=s(P),S=a(447),j=s(S),R=a(435),A=s(R),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}},E=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()}},U=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=U(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"},M=(t.findMaxId=function(){for(var e=arguments.length,t=Array(e),a=0;a0?(0,v.default)(a,"id").id:0,_=n&&h0&&!_&&(p.maxId=h);var g=function(t,a){var s=!(arguments.length>2&&void 0!==arguments[2])||arguments[2],i=M(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 r=e.timelines.mentions;p!==r&&(M(r.statuses,r.statusesObject,t),r.newStatusCount+=1,z(r)),t.user.id!==l.id&&b({type:"mention",status:t,action:t})}var o=void 0;return n&&s&&(o=M(p.statuses,p.statusesObject,t)),n&&a?M(p.visibleStatuses,p.visibleStatusesObject,t):n&&s&&o.new&&(p.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,r={};r.icon=i.user.profile_image_url,r.body=i.text,i.attachments&&i.attachments.length>0&&!i.nsfw&&i.attachments[0].mimetype.startsWith("image/")&&(r.image=i.attachments[0].url);var o=new window.Notification(n,r);setTimeout(o.close.bind(o),5e3)}},k=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)(p.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),k(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,j.default)(e.notifications,function(e){var t=e.action.id;return t===s.id}),(0,j.default)(d,{uri:a}),n&&((0,j.default)(p.statuses,{uri:a}),(0,j.default)(p.visibleStatuses,{uri:a})))},default:function(e){console.log("unknown status type"),console.log(e)}};(0,C.default)(a,function(e){var t=T(e),a=x[t]||x.default;a(e)}),n&&(z(p),(_||p.minVisibleId<=0)&&a.length>0&&(p.minVisibleId=(0,m.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,C.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,C.default)(t,function(e){e.seen=!0})},queueFlush:function(e,t){var a=t.timeline,s=t.id;e.timelines[a].flushMarker=s}},W={state:E,actions:{addNewStatuses:function(e,t){var a=e.rootState,s=e.commit,i=t.statuses,n=t.showImmediately,r=void 0!==n&&n,o=t.timeline,l=void 0!==o&&o,u=t.noIdUpdate,c=void 0!==u&&u;s("addNewStatuses",{statuses:i,showImmediately:r,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=W},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),r=a(107),o=s(r),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})},r=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})},m=function(t){var a=t.timeline,s=t.store,i=t.userId,n=void 0!==i&&i;return o.default.startFetching({timeline:a,store:s,credentials:e,userId:n})},p=function(t){var a=t.id,s=t.muted,i=void 0===s||s;return n.default.setUserMute({id:a,muted:i,credentials:e})},v=function(){return n.default.fetchMutes({credentials:e})},h=function(e){return n.default.register(e)},_=function(t){var a=t.params;return n.default.updateAvatar({credentials:e,params:a})},g=function(t){var a=t.params;return n.default.updateBg({credentials:e,params:a})},w=function(t){var a=t.params;return n.default.updateBanner({credentials:e,params:a})},b=function(t){var a=t.params;return n.default.updateProfile({credentials:e,params:a})},C=function(t){return n.default.externalProfile({profileUrl:t,credentials:e})},k=function(t){var a=t.params;return n.default.followImport({params:a,credentials:e})},y=function(t){var a=t.password;return n.default.deleteAccount({credentials:e,password:a})},x=function(t){var a=t.password,s=t.newPassword,i=t.newPasswordConfirmation;return n.default.changePassword({credentials:e,password:a,newPassword:s,newPasswordConfirmation:i})},L={fetchStatus:t,fetchConversation:a,fetchFriends:s,fetchFollowers:i,followUser:u,unfollowUser:c,blockUser:d,unblockUser:f,fetchUser:l,fetchAllFollowing:r,verifyCredentials:n.default.verifyCredentials,startFetching:m,setUserMute:p,fetchMutes:v,register:h,updateAvatar:_,updateBg:g,updateBanner:w,updateProfile:b,externalProfile:C,followImport:k,deleteAccount:y,changePassword:x};return L};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),r=a(44),o=s(r),l=function(e){var t=e.store,a=e.status,s=e.media,i=void 0===s?[]:s,r=e.inReplyToStatusId,l=void 0===r?void 0:r,u=(0,n.default)(i,"id");return o.default.postStatus({credentials:t.state.users.currentUser.credentials,status:a,mediaIds:u,inReplyToStatusId:l}).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 o.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(424),n=s(i),r=a(44),o=s(r),l=function(e){var t=e.store,a=e.statuses,s=e.timeline,i=e.showImmediately,r=(0,n.default)(s);t.dispatch("setError",{value:!1}),t.dispatch("addNewStatuses",{timeline:r,statuses:a,showImmediately:i})},u=function(e){var t=e.store,a=e.credentials,s=e.timeline,i=void 0===s?"friends":s,r=e.older,u=void 0!==r&&r,c=e.showImmediately,d=void 0!==c&&c,f=e.userId,m=void 0!==f&&f,p=e.tag,v=void 0!==p&&p,h={timeline:i,credentials:a},_=t.rootState||t.state,g=_.statuses.timelines[(0,n.default)(i)];return u?h.until=g.minVisibleId:h.since=g.maxId,h.userId=m,h.tag=v,o.default.fetchTimeline(h).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,r=e.userId,o=void 0!==r&&r,l=e.tag,c=void 0!==l&&l,d=i.rootState||i.state,f=d.statuses.timelines[(0,n.default)(a)],m=0===f.visibleStatuses.length;u({timeline:a,credentials:s,store:i,showImmediately:m,userId:o,tag:c});var p=function(){return u({timeline:a,credentials:s,store:i,userId:o,tag:c})};return setInterval(p,1e4)},d={fetchAndUpdate:u,startFetching:c};t.default=d},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,a){var s=a(1)(a(180),a(499),null,null);e.exports=s.exports},function(e,t,a){a(275);var s=a(1)(a(191),a(498),null,null);e.exports=s.exports},function(e,t,a){a(291);var s=a(1)(a(200),a(522),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.",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",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"},notifications:{notifications:"Benachrichtigungen",read:"Gelesen!",followed_you:"folgt dir",favorited_you:"favorisierte deine Nachricht",repeated_you:"wiederholte deine Nachricht"},login:{login:"Anmelden",username:"Benutzername",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",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"},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"},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."},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",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",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",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"}},r={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",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"}},o={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",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",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:"ユーザー名",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 ses abonnements",import_followers_from_a_csv_file:"Importer ses 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.",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"},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",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",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"}},m={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",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"},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",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"}},p={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",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",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"}},h={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:"Ошибка при импортировании читаемых."},notifications:{notifications:"Уведомления",read:"Прочесть",followed_you:"начал(а) читать вас",favorited_you:"нравится ваш статус",repeated_you:"повторил(а) ваш статус"},login:{login:"Войти",username:"Имя пользователя",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:"Лента пользователя"}},_={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",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={de:a,fi:s,en:i,eo:n,et:r,hu:o,ro:l,ja:u,fr:c,it:d,oc:f,pl:m,es:p,pt:v,ru:h,nb:_};t.default=g},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,o=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,m=e.reducer,p=void 0===m?g:m,v=e.storage,h=void 0===v?w:v,C=e.subscriber,k=void 0===C?function(e){return function(t){return e.subscribe(t)}}:C;return function(e){o(a,h).then(function(t){try{if("object"===("undefined"==typeof t?"undefined":(0,r.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"}),_=!0}catch(e){console.log("Couldn't load state"),_=!0}}),k(e)(function(e,t){try{d(a,p(t,i),h)}catch(e){console.log("Couldn't persist state:"),console.log(e)}})}}Object.defineProperty(t,"__esModule",{value:!0});var n=a(221),r=s(n),o=a(61),l=s(o),u=a(451),c=s(u);t.default=i;var d=a(312),f=s(d),m=a(460),p=s(m),v=a(300),h=s(v),_=!1,g=function(e,t){return 0===t.length?e:t.reduce(function(t,a){return p.default.set(t,a,p.default.get(e,a)),t},{})},w=function(){return h.default}(),b=function(e,t,a){return _?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),r=a(104),o=s(r),l=a(461),u={state:{backendInteractor:(0,o.default)(),fetchers:{},socket:null,chatDisabled:!1},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}},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)}}};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(175),r=s(n),o={name:"Pleroma FE",colors:{},hideAttachments:!1,hideAttachmentsInConv:!1,hideNsfw:!0,autoLoad:!0,streaming:!1,hoverPreview:!0,muteWords:[]},l={state:o,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":r.default.setPreset(n,a);break;case"customTheme":r.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(216),n=s(i),r=a(161),o=s(r),l=a(61),u=s(l),c=a(42),d=s(c),f=a(426),m=s(f),p=a(104),v=s(p),h=a(101),_=t.mergeOrAdd=function(e,t,a){if(!a)return!1;var s=t[a.id];return s?((0,o.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,h.set)(i,"muted",s)},setCurrentUser:function(e,t){e.lastLoginName=t.screen_name,e.currentUser=(0,o.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]}},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,m.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,m.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),r=a(162),o=s(r),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,o.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,o.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),r=a(214),o=s(r),l=a(452),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 r=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,r.toString(),r.insertRule("body { "+(0,o.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"),r.insertRule("body { "+(0,o.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})},m=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]),r=(0,c.hex2rgb)(s[3]),o=(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"),m=(0,c.hex2rgb)(s[8]||"#E3FF00"),p={bg:i,fg:n,text:r,link:o,cRed:l,cBlue:d,cGreen:u,cOrange:m};window.themeLoaded||f(p,t)})},p={setStyle:d,setPreset:m,setColors:f};t.default=p},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(491),n=s(i),r=a(479),o=s(r),l=a(481),u=s(l),c=a(490),d=s(c),f=a(494),m=s(f),p=a(475),v=s(p),h=a(470),_=s(h);t.default={name:"app",components:{UserPanel:n.default,NavPanel:o.default,Notifications:u.default,UserFinder:d.default,WhoToFollowPanel:m.default,InstanceSpecificPanel:v.default,ChatPanel:_.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),r=a(465),o=s(r),l=a(105),u=s(l),c={props:["attachment","nsfw","statusId","size"],data:function(){return{nsfwImage:o.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),r=a(62),o=s(r),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,o.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),r=a(39),o=s(r),l=a(162),u=s(l),c=a(103),d=a(64),f=s(d),m=function(e){return e=(0,o.default)(e,function(e){return"retweet"!==(0,c.statusType)(e)}),(0,n.default)(e,"id")},p={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,o.default)(a,{statusnet_conversation_id:t});return m(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=p},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(28),n=s(i),r={components:{Timeline:n.default},computed:{timeline:function(){return this.$store.state.statuses.timelines.friends}}};t.default=r},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),r={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=r},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),r={computed:{timeline:function(){return this.$store.state.statuses.timelines.mentions}},components:{Timeline:n.default}};t.default=r},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),r=a(65),o=s(r),l=a(43),u=s(l),c={data:function(){return{userExpanded:!1}},props:["notification"],components:{Status:n.default,StillImage:o.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),r=a(163),o=s(r),l=a(100),u=s(l),c=a(480),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,o.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(220),n=s(i),r=a(456),o=s(r),l=a(42),u=s(l),c=a(446),d=s(c),f=a(39),m=s(f),p=a(163),v=s(p),h=a(106),_=s(h),g=a(477),w=s(g),b=a(105),C=s(b),k=a(174),y=s(k),x=function(e,t){var a=e.user,s=e.attentions,i=[].concat((0,n.default)(s));i.unshift(a),i=(0,o.default)(i,"id"),i=(0,d.default)(i,{id:t.id});var r=(0,u.default)(i,function(e){return"@"+e.screen_name});return r.join(" ")+" "},L={props:["replyTo","repliedUser","attentions"],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:[]},caret:0}},computed:{candidates:function(){var e=this,t=this.textAtCaret.charAt(0);if("@"===t){var a=(0,m.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,m.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}},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,_.default.postStatus({status:e.status,media:e.files,store:this.$store,inReplyToStatusId:this.replyTo}).then(function(e){if(e.error)t.error=e.error;else{t.newStatus={status:"",files:[]},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 C.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){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}}};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),r={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=r},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),r={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=r},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(455),n=s(i),r=a(39),o=s(r),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,o.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),r=a(39),o=s(r),l=a(469),u=s(l),c=a(473),d=s(c),f=a(485),m=s(f),p=a(472),v=s(p),h=a(166),_=s(h),g=a(43),w=s(g),b=a(65),C=s(b),k={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,o.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:m.default,DeleteButton:v.default,PostStatusForm:_.default,UserCardContent:w.default,StillImage:C.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=k},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),r=a(165),o=s(r),l={props:["statusoid"],data:function(){return{expanded:!1}},components:{Status:n.default,Conversation:o.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),r=e(this.blueColorLocal),o=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:r,cGreen:o,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),r={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=r},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),r=a(107),o=s(r),l=a(487),u=s(l),c=a(489),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),o.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}),o.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),r={props:["user","showFollows"],data:function(){return{userExpanded:!1}},components:{UserCardContent:n.default},methods:{toggleUserExpanded:function(){this.userExpanded=!this.userExpanded}}};t.default=r},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),r=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,r.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(476),n=s(i),r=a(166),o=s(r),l=a(43),u=s(l),c={computed:{user:function(){return this.$store.state.users.currentUser}},components:{LoginForm:n.default,PostStatusForm:o.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),r=a(28),o=s(r),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:o.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(213),n=s(i),r=a(167),o=s(r),l={data:function(){return{newname:this.$store.state.users.currentUser.name,newbio:this.$store.state.users.currentUser.description,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:o.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;this.$store.state.api.backendInteractor.updateProfile({params:{name:t,description:a}}).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,r=void 0;a.src=t,a.height>a.width?(s=0,n=a.width,i=Math.floor((a.height-a.width)/2),r=a.width):(i=0,r=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:r}}).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,r=void 0,o=void 0;a.src=t,r=a.width,o=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:r,height:o}}).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,r=void 0,o=void 0;a.src=t,s=0,i=0,r=a.width,o=a.width,this.uploading[2]=!0,this.$store.state.api.backendInteractor.updateBg({params:{img:t,cropX:s,cropY:i,cropW:r,cropH:o}}).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,r=0,o=Math.floor(10*Math.random());for(i=o;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(284);var s=a(1)(a(176),a(511),null,null);e.exports=s.exports},function(e,t,a){a(283);var s=a(1)(a(177),a(510),null,null);e.exports=s.exports},function(e,t,a){a(277);var s=a(1)(a(178),a(504),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(179),a(515),null,null);e.exports=s.exports},function(e,t,a){a(290);var s=a(1)(a(181),a(521),null,null);e.exports=s.exports},function(e,t,a){a(292);var s=a(1)(a(182),a(523),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(183),a(519),null,null);e.exports=s.exports},function(e,t,a){a(288);var s=a(1)(a(184),a(518),null,null);e.exports=s.exports},function(e,t,a){a(280);var s=a(1)(a(185),a(507),null,null);e.exports=s.exports},function(e,t,a){a(285);var s=a(1)(a(186),a(512),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(187),a(502),null,null);e.exports=s.exports},function(e,t,a){a(294);var s=a(1)(a(188),a(525),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(189),a(514),null,null);e.exports=s.exports},function(e,t,a){a(272);var s=a(1)(a(190),a(495),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(192),a(503),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(193),a(513),null,null);e.exports=s.exports},function(e,t,a){a(281);var s=a(1)(a(194),a(508),null,null);e.exports=s.exports},function(e,t,a){a(276);var s=a(1)(a(195),a(501),null,null);e.exports=s.exports},function(e,t,a){a(293);var s=a(1)(a(196),a(524),null,null);e.exports=s.exports},function(e,t,a){a(279);var s=a(1)(a(198),a(506),null,null);e.exports=s.exports},function(e,t,a){var s=a(1)(a(201),a(500),null,null);e.exports=s.exports},function(e,t,a){a(297);var s=a(1)(a(203),a(528),null,null);e.exports=s.exports},function(e,t,a){a(278);var s=a(1)(a(205),a(505),null,null);e.exports=s.exports},function(e,t,a){a(296);var s=a(1)(a(206),a(527),null,null);e.exports=s.exports},function(e,t,a){a(282);var s=a(1)(a(207),a(509),null,null);e.exports=s.exports},function(e,t,a){a(289);var s=a(1)(a(208),a(520),null,null);e.exports=s.exports},function(e,t,a){a(295);var s=a(1)(a(209),a(526),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._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:"post-status-form"},[a("form",{on:{submit:function(t){t.preventDefault(),e.postStatus(e.newStatus)}}},[a("div",{staticClass:"form-group"},[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.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.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:"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},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("h3",[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("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("h3",[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("h3",[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("h3",[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("h3",[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("h3",[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("h3",[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("h3",[e._v(e._s(e.$t("settings.follow_export_processing")))])]),e._v(" "),a("hr"),e._v(" "),a("div",{staticClass:"setting-item"},[a("h3",[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,r=e._i(a,n);s.checked?r<0&&(e.hideAttachmentsLocal=a.concat([n])):r>-1&&(e.hideAttachmentsLocal=a.slice(0,r).concat(a.slice(r+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,r=e._i(a,n);s.checked?r<0&&(e.hideAttachmentsInConvLocal=a.concat([n])):r>-1&&(e.hideAttachmentsInConvLocal=a.slice(0,r).concat(a.slice(r+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,r=e._i(a,n);s.checked?r<0&&(e.hideNsfwLocal=a.concat([n])):r>-1&&(e.hideNsfwLocal=a.slice(0,r).concat(a.slice(r+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,r=e._i(a,n);s.checked?r<0&&(e.autoLoadLocal=a.concat([n])):r>-1&&(e.autoLoadLocal=a.slice(0,r).concat(a.slice(r+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,r=e._i(a,n);s.checked?r<0&&(e.streamingLocal=a.concat([n])):r>-1&&(e.streamingLocal=a.slice(0,r).concat(a.slice(r+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,r=e._i(a,n);s.checked?r<0&&(e.hoverPreviewLocal=a.concat([n])):r>-1&&(e.hoverPreviewLocal=a.slice(0,r).concat(a.slice(r+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,r=e._i(a,n);s.checked?r<0&&(e.stopGifs=a.concat([n])):r>-1&&(e.stopGifs=a.slice(0,r).concat(a.slice(r+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(" "),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))])])])])},staticRenderFns:[]}}]); -//# sourceMappingURL=app.13c0bda10eb515cdf8ed.js.map \ No newline at end of file diff --git a/priv/static/static/js/app.13c0bda10eb515cdf8ed.js.map b/priv/static/static/js/app.13c0bda10eb515cdf8ed.js.map deleted file mode 100644 index 04d474c8a..000000000 --- a/priv/static/static/js/app.13c0bda10eb515cdf8ed.js.map +++ /dev/null @@ -1 +0,0 @@ -{"version":3,"sources":["webpack:///static/js/app.13c0bda10eb515cdf8ed.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/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/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/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_card/user_card.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/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","_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","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","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","fetchUser","_ref10","fetchFriends","_ref11","fetchFollowers","_ref12","fetchAllFollowing","_ref13","fetchConversation","_ref14","fetchStatus","_ref15","setUserMute","_ref16","_ref16$muted","muted","undefined","muteInteger","fetchTimeline","_ref17","timeline","_ref17$since","since","_ref17$until","until","_ref17$userId","userId","_ref17$tag","tag","timelineUrls","public","friends","mentions","publicAndExternal","push","queryString","param","join","verifyCredentials","favorite","_ref18","unfavorite","_ref19","retweet","_ref20","postStatus","_ref21","status","mediaIds","inReplyToStatusId","idsText","deleteStatus","_ref22","uploadMedia","_ref23","formData","response","DOMParser","parseFromString","followImport","_ref24","ok","deleteAccount","_ref25","changePassword","_ref26","newPassword","newPasswordConfirmation","fetchMutes","_ref27","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","_ref28","_ref29","_ref30","_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","foreground","links","cBlue","cRed","cOrange","cGreen","btnRadius","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","read","followed_you","favorited_you","repeated_you","login","logout","registration","fullname","email","password_confirm","post_status","posting","finder","find_user","error_fetching_user","general","submit","apply","user_profile","timeline_title","fi","radii_help","inputRadius","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","eo","et","hu","ro","fr","it","oc","pl","es","pt","ru","nb","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","setBackendInteractor","addFetcher","fetcher","removeFetcher","setSocket","setChatDisabled","stopFetching","clearInterval","initializeSocket","token","Socket","connect","disableChat","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","filter","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","_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","caret","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","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","visibility","parentNode","toggleReplying","gotoOriginal","toggleExpanded","toggleMute","toggleShowTall","replyEnter","event","targetId","replyLeave","rect","getBoundingClientRect","top","scrollBy","bottom","innerHeight","statusOrConversation","endsWith","onLoad","canvas","getContext","drawImage","width","availableStyles","selected","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","_user_card","_user_card2","paused","timelineError","newStatusCountStr","StatusOrConversation","UserCard","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","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","directives","rawName","expression","ref","placeholder","rows","keyup","_k","keyCode","keydown","metaKey","drop","dragover","composing","$set","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","posted","change","model","callback","$$v","followImportForm","$$selectedVal","prototype","call","o","_value","multiple","__r","--btnRadius","--inputRadius","--panelRadius","--avatarRadius","--avatarAltRadius","--tooltipRadius","--attachmentRadius","background-color","border-radius","checked","isArray","_i","$$a","$$el","$$c","$$i","_m","overflow"],"mappings":"AAAAA,cAAc,EAAE,IAEV,SAAUC,EAAQC,EAASC,GAEhC,YAsGA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApGvF,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,GCjD9CE,EAAAnC,EAAA,KDqDKoC,EAAanC,EAAuBkC,GCpDzCE,EAAArC,EAAA,KDwDKsC,EAAUrC,EAAuBoC,GCvDtCE,EAAAvC,EAAA,KD2DKwC,EAAQvC,EAAuBsC,GC1DpCE,EAAAzC,EAAA,KD8DK0C,EAAWzC,EAAuBwC,GC7DvCE,EAAA3C,EAAA,KDiEK4C,EAAS3C,EAAuB0C,GC/DrCE,EAAA7C,EAAA,KDmEK8C,EAAe7C,EAAuB4C,GClE3CE,EAAA/C,EAAA,KDsEKgD,EAAY/C,EAAuB8C,GCpExCE,EAAAjD,EAAA,KDwEKkD,EAAoBjD,EAAuBgD,GCtEhDE,EAAAnD,EAAA,KD0EKoD,EAAanD,EAAuBkD,GCxEzCE,EAAArD,EAAA,KD4EKsD,EAAkBrD,EAAuBoD,GC1ExCE,IAAiBC,OAAOC,UAAUC,UAAY,MAAMC,MAAM,KAAK,EAErEnD,GAAAJ,QAAIwD,IAAJhD,EAAAR,SACAI,EAAAJ,QAAIwD,IAAJlD,EAAAN,SACAI,EAAAJ,QAAIwD,IAAJd,EAAA1C,SACEyD,OAA0B,OAAlBN,GAAyB,KAAO,KACxCO,SACEC,GAAM/D,EAAQ,KACdgE,GAAMhE,EAAQ,QAGlBQ,EAAAJ,QAAIwD,IAAJZ,EAAA5C,SACAI,EAAAJ,QAAIwD,IAAJN,EAAAlD,QAEA,IAAM6D,KACJC,OACE,yBACA,+BACA,kBACA,kBACA,sBACA,mBACA,mBACA,qBACA,wBAIEC,GAAQ,GAAIvD,GAAAR,QAAKgE,OACrBC,SACEC,mBACAC,gBACAC,cACAC,iBACAC,gBAEFC,UAAU,EAAAzB,EAAA9C,SAAqB6D,KAC/BW,QAAQ,IAIJC,GAAO,GAAA7B,GAAA5C,SACXyD,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,GAAkHV,EAAlHU,MAAOC,EAA2GX,EAA3GW,WAAYC,EAA+FZ,EAA/FY,KAAMC,EAAyFb,EAAzFa,qBAAsBC,EAAmEd,EAAnEc,oBAAqBC,EAA8Cf,EAA9Ce,gBAAiBC,EAA6BhB,EAA7BgB,yBAC5FjC,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,IACpEhB,EAAA,cACFjB,GAAMwB,SAAS,cAGjB,IAAMU,KACFd,KAAM,OACNe,KAAM,IACNC,SAAU,SAAAC,GACR,GAAIC,GAAoBrB,EAAA,kBACpBsB,EAAsBtB,EAAA,mBAC1B,QAAQjB,GAAMwC,MAAMpC,MAAMqC,YAAcH,EAAoBC,IAAwB,eAEtFJ,KAAM,YAAaO,sBACnBP,KAAM,eAAgBO,sBACtBP,KAAM,gBAAiBO,sBACvBP,KAAM,YAAaO,sBACnBtB,KAAM,eAAgBe,KAAM,cAAeO,oBAA6BC,MAAQC,YAAY,KAC5FxB,KAAM,eAAgBe,KAAM,aAAcO,sBAC1CtB,KAAM,WAAYe,KAAM,sBAAuBO,sBAC/CtB,KAAM,WAAYe,KAAM,YAAaO,sBACrCtB,KAAM,eAAgBe,KAAM,gBAAiBO,sBAC7CtB,KAAM,gBAAiBe,KAAM,iBAAkBO,sBAG7CG,EAAS,GAAAtG,GAAAN,SACb6G,KAAM,UACNZ,SACAa,eAAgB,SAACV,EAAIW,EAAMC,GACzB,OAAIZ,EAAGa,QAAQC,KAAK,SAAAC,GAAA,MAAKA,GAAET,KAAKC,eAGzBK,IAAmBI,EAAG,EAAGC,EAAG,MAKvC,IAAAjH,GAAAJ,SACE4G,SACA7C,SACAU,QACA6C,GAAI,OACJC,OAAQ,SAAAC,GAAA,MAAKA,mBAInBpE,OAAOwB,MAAM,iCACVC,KAAK,SAACC,GAAD,MAASA,GAAI2C,SAClB5C,KAAK,SAAC6C,GACL3D,GAAMwB,SAAS,aAAeJ,KAAM,MAAOK,MAAOkC,MAGtDtE,OAAOwB,MAAM,2BACVC,KACC,SAACC,GAAD,MAASA,GAAIC,OACVF,KACC,SAAC8C,GACC,GAAMC,IAAQ,EAAA1H,EAAAF,SAAY2H,GAAQE,IAAI,SAACC,GACrC,OAASC,UAAWD,EAAKE,UAAWL,EAAOG,KAE7C/D,IAAMwB,SAAS,aAAeJ,KAAM,cAAeK,MAAOoC,IAC1D7D,GAAMwB,SAAS,aAAeJ,KAAM,iBAAkBK,OAAO,KAE/D,SAACyC,GACClE,GAAMwB,SAAS,aAAeJ,KAAM,iBAAkBK,OAAO,OAGnE,SAAC0C,GAAD,MAAWC,SAAQC,IAAIF,KAG3B9E,OAAOwB,MAAM,sBACVC,KAAK,SAACC,GAAD,MAASA,GAAIC,SAClBF,KAAK,SAAC8C,GACL,GAAMC,IAAQ,EAAA1H,EAAAF,SAAY2H,GAAQE,IAAI,SAACC,GACrC,OAASC,UAAWD,EAAKE,WAAW,EAAOK,IAAOV,EAAOG,KAE3D/D,IAAMwB,SAAS,aAAeJ,KAAM,QAASK,MAAOoC,MAGxDxE,OAAOwB,MAAM,wBACVC,KAAK,SAACC,GAAD,MAASA,GAAI2C,SAClB5C,KAAK,SAAC6C,GACL3D,GAAMwB,SAAS,aAAeJ,KAAM,+BAAgCK,MAAOkC,ODoExE,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,SAAUhI,EAAQC,EAASC,GEjRjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SFyRQ,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAUD,EAAQC,EAASC,GGrTjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SH8TM,SAAUD,EAAQC,EAASC,GAEhC,YAgBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAdvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIiD,GAAQ7I,EAAoB,IAE5B8I,EAAQ7I,EAAuB4I,GAE/BE,EAAS/I,EAAoB,IAE7BgJ,EAAS/I,EAAuB8I,EIvTrC/I,GAAA,IAnCA,IAAMiJ,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,+BAKtBC,EAAW1H,OAAOwB,MAEpBA,EAAQ,SAACmG,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,EAAMb,EAEJ8B,EAAO,GAAIC,SAOjB,QALA,EAAArD,EAAA5I,SAAK+L,EAAQ,SAACvG,EAAOsC,GACftC,GACFwG,EAAKE,OAAOpE,EAAKtC,KAGdZ,EAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLnH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBwH,EAAW,SAAAC,GAA2B,GAAzBrB,GAAyBqB,EAAzBrB,YAAaY,EAAYS,EAAZT,OAC1BhB,EAAMZ,EAEJ6B,EAAO,GAAIC,SAOjB,QALA,EAAArD,EAAA5I,SAAK+L,EAAQ,SAACvG,EAAOsC,GACftC,GACFwG,EAAKE,OAAOpE,EAAKtC,KAGdZ,EAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLnH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UASnB0H,EAAe,SAAAC,GAA2B,GAAzBvB,GAAyBuB,EAAzBvB,YAAaY,EAAYW,EAAZX,OAC9BhB,EAAMX,EAEJ4B,EAAO,GAAIC,SAOjB,QALA,EAAArD,EAAA5I,SAAK+L,EAAQ,SAACvG,EAAOsC,GACftC,GACFwG,EAAKE,OAAOpE,EAAKtC,KAGdZ,EAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLnH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAQnB4H,EAAgB,SAAAC,GAA2B,GAAzBzB,GAAyByB,EAAzBzB,YAAaY,EAAYa,EAAZb,OAC/BhB,EAAMV,EAEJ2B,EAAO,GAAIC,SAQjB,QANA,EAAArD,EAAA5I,SAAK+L,EAAQ,SAACvG,EAAOsC,IACP,gBAARA,GACAtC,IACFwG,EAAKE,OAAOpE,EAAKtC,KAGdZ,EAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,OACRC,KAAMN,IACLnH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAcnB8H,EAAW,SAACd,GAChB,GAAMC,GAAO,GAAIC,SAQjB,QANA,EAAArD,EAAA5I,SAAK+L,EAAQ,SAACvG,EAAOsC,GACftC,GACFwG,EAAKE,OAAOpE,EAAKtC,KAIdZ,EAAMqF,GACXoC,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,EAAST,EAAT,eAA4C8C,CAChD,OAAOxI,GAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,QACPxH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBsI,EAAa,SAAAC,GAAuB,GAArBC,GAAqBD,EAArBC,GAAIpC,EAAiBmC,EAAjBnC,YACnBJ,EAASjB,EAAT,YAAkCyD,CACtC,OAAO3I,GAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACPxH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnByI,EAAe,SAAAC,GAAuB,GAArBF,GAAqBE,EAArBF,GAAIpC,EAAiBsC,EAAjBtC,YACrBJ,EAAShB,EAAT,YAAoCwD,CACxC,OAAO3I,GAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACPxH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB2I,EAAY,SAAAC,GAAuB,GAArBJ,GAAqBI,EAArBJ,GAAIpC,EAAiBwC,EAAjBxC,YAClBJ,EAASP,EAAT,YAAiC+C,CACrC,OAAO3I,GAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACPxH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB6I,GAAc,SAAAC,GAAuB,GAArBN,GAAqBM,EAArBN,GAAIpC,EAAiB0C,EAAjB1C,YACpBJ,EAASN,EAAT,YAAmC8C,CACvC,OAAO3I,GAAMmG,GACXoB,QAASC,EAAYjB,GACrBkB,OAAQ,SACPxH,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB+I,GAAY,SAAAC,GAAuB,GAArBR,GAAqBQ,EAArBR,GAAIpC,EAAiB4C,EAAjB5C,YAClBJ,EAASL,EAAT,YAA6B6C,CACjC,OAAO3I,GAAMmG,GAAOoB,QAASC,EAAYjB,KACtCtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBiJ,GAAe,SAAAC,GAAuB,GAArBV,GAAqBU,EAArBV,GAAIpC,EAAiB8C,EAAjB9C,YACrBJ,EAASlB,EAAT,YAAgC0D,CACpC,OAAO3I,GAAMmG,GAAOoB,QAASC,EAAYjB,KACtCtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBmJ,GAAiB,SAAAC,GAAuB,GAArBZ,GAAqBY,EAArBZ,GAAIpC,EAAiBgD,EAAjBhD,YACvBJ,EAASnB,EAAT,YAAkC2D,CACtC,OAAO3I,GAAMmG,GAAOoB,QAASC,EAAYjB,KACtCtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBqJ,GAAoB,SAAAC,GAA6B,GAA3BtB,GAA2BsB,EAA3BtB,SAAU5B,EAAiBkD,EAAjBlD,YAC9BJ,EAAShC,EAAT,IAA8BgE,EAA9B,OACN,OAAOnI,GAAMmG,GAAOoB,QAASC,EAAYjB,KACtCtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBuJ,GAAoB,SAAAC,GAAuB,GAArBhB,GAAqBgB,EAArBhB,GAAIpC,EAAiBoD,EAAjBpD,YAC1BJ,EAASrB,EAAT,IAA6B6D,EAA7B,iBACJ,OAAO3I,GAAMmG,GAAOoB,QAASC,EAAYjB,KACtCtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnByJ,GAAc,SAAAC,GAAuB,GAArBlB,GAAqBkB,EAArBlB,GAAIpC,EAAiBsD,EAAjBtD,YACpBJ,EAASvB,EAAT,IAAuB+D,EAAvB,OACJ,OAAO3I,GAAMmG,GAAOoB,QAASC,EAAYjB,KACtCtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnB2J,GAAc,SAAAC,GAAqC,GAAnCpB,GAAmCoB,EAAnCpB,GAAIpC,EAA+BwD,EAA/BxD,YAA+ByD,EAAAD,EAAlBE,QAAkBC,SAAAF,KACjD5C,EAAO,GAAIC,UAEX8C,EAAcF,EAAQ,EAAI,CAMhC,OAJA7C,GAAKE,OAAO,YAAa,WACzBF,EAAKE,OAAO,OAAQ6C,GACpB/C,EAAKE,OAAO,QAAZ,QAA6BqB,GAEtB3I,EAAMoF,GACXqC,OAAQ,OACRF,QAASC,EAAYjB,GACrBmB,KAAMN,KAIJgD,GAAgB,SAAAC,GAAwF,GAAtFC,GAAsFD,EAAtFC,SAAU/D,EAA4E8D,EAA5E9D,YAA4EgE,EAAAF,EAA/DG,QAA+DN,SAAAK,KAAAE,EAAAJ,EAAhDK,QAAgDR,SAAAO,KAAAE,EAAAN,EAAjCO,SAAiCV,SAAAS,KAAAE,EAAAR,EAAjBS,MAAiBZ,SAAAW,KACtGE,GACJC,OAAQ5G,EACR6G,QAAS/G,EACTgH,SAAUnG,EACVoG,kBAAqB9G,EACrB6D,KAAMvC,EACNmF,IAAKxG,GAGH6B,EAAM4E,EAAaT,GAEnBnD,IAEAqD,IACFrD,EAAOiE,MAAM,WAAYZ,IAEvBE,GACFvD,EAAOiE,MAAM,SAAUV,IAErBE,GACFzD,EAAOiE,MAAM,UAAWR,IAEtBE,IACF3E,OAAW2E,EAAX,SAGF3D,EAAOiE,MAAM,QAAS,IAEtB,IAAMC,IAAc,EAAAvH,EAAA1I,SAAI+L,EAAQ,SAACmE,GAAD,MAAcA,GAAM,GAApB,IAA0BA,EAAM,KAAMC,KAAK,IAG3E,OAFApF,QAAWkF,EAEJrL,EAAMmG,GAAOoB,QAASC,EAAYjB,KAAgBtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGzEqL,GAAoB,SAACtD,GACzB,MAAOlI,GAAMiE,GACXwD,OAAQ,OACRF,QAASC,EAAYU,MAInBuD,GAAW,SAAAC,GAAyB,GAAtB/C,GAAsB+C,EAAtB/C,GAAIpC,EAAkBmF,EAAlBnF,WACtB,OAAOvG,GAASuE,EAAT,IAAyBoE,EAAzB,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAINkE,GAAa,SAAAC,GAAyB,GAAtBjD,GAAsBiD,EAAtBjD,GAAIpC,EAAkBqF,EAAlBrF,WACxB,OAAOvG,GAASwE,EAAT,IAA2BmE,EAA3B,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAINoE,GAAU,SAAAC,GAAyB,GAAtBnD,GAAsBmD,EAAtBnD,GAAIpC,EAAkBuF,EAAlBvF,WACrB,OAAOvG,GAASyE,EAAT,IAAwBkE,EAAxB,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAINsE,GAAa,SAAAC,GAAwD,GAAtDzF,GAAsDyF,EAAtDzF,YAAa0F,EAAyCD,EAAzCC,OAAQC,EAAiCF,EAAjCE,SAAUC,EAAuBH,EAAvBG,kBAC5CC,EAAUF,EAASX,KAAK,KACxBnE,EAAO,GAAIC,SASjB,OAPAD,GAAKE,OAAO,SAAU2E,GACtB7E,EAAKE,OAAO,SAAU,cACtBF,EAAKE,OAAO,YAAa8E,GACrBD,GACF/E,EAAKE,OAAO,wBAAyB6E,GAGhCnM,EAAM0E,GACXgD,KAAMN,EACNK,OAAQ,OACRF,QAASC,EAAYjB,MAInB8F,GAAe,SAAAC,GAAyB,GAAtB3D,GAAsB2D,EAAtB3D,GAAIpC,EAAkB+F,EAAlB/F,WAC1B,OAAOvG,GAAS2E,EAAT,IAA8BgE,EAA9B,SACLpB,QAASC,EAAYjB,GACrBkB,OAAQ,UAIN8E,GAAc,SAAAC,GAA6B,GAA3BC,GAA2BD,EAA3BC,SAAUlG,EAAiBiG,EAAjBjG,WAC9B,OAAOvG,GAAM6E,GACX6C,KAAM+E,EACNhF,OAAQ,OACRF,QAASC,EAAYjB,KAEpBtG,KAAK,SAACyM,GAAD,MAAcA,GAAS7J,SAC5B5C,KAAK,SAAC4C,GAAD,OAAW,GAAI8J,YAAaC,gBAAgB/J,EAAM,sBAGtDgK,GAAe,SAAAC,GAA2B,GAAzB3F,GAAyB2F,EAAzB3F,OAAQZ,EAAiBuG,EAAjBvG,WAC7B,OAAOvG,GAAM+F,GACX2B,KAAMP,EACNM,OAAQ,OACRF,QAASC,EAAYjB,KAEpBtG,KAAK,SAACyM,GAAD,MAAcA,GAASK,MAG3BC,GAAgB,SAAAC,GAA6B,GAA3B1G,GAA2B0G,EAA3B1G,YAAa6B,EAAc6E,EAAd7E,SAC7BhB,EAAO,GAAIC,SAIjB,OAFAD,GAAKE,OAAO,WAAYc,GAEjBpI,EAAMgG,GACX0B,KAAMN,EACNK,OAAQ,OACRF,QAASC,EAAYjB,KAEpBtG,KAAK,SAACyM,GAAD,MAAcA,GAASvM,UAG3B+M,GAAiB,SAAAC,GAAmE,GAAjE5G,GAAiE4G,EAAjE5G,YAAa6B,EAAoD+E,EAApD/E,SAAUgF,EAA0CD,EAA1CC,YAAaC,EAA6BF,EAA7BE,wBACrDjG,EAAO,GAAIC,SAMjB,OAJAD,GAAKE,OAAO,WAAYc,GACxBhB,EAAKE,OAAO,eAAgB8F,GAC5BhG,EAAKE,OAAO,4BAA6B+F,GAElCrN,EAAMiG,GACXyB,KAAMN,EACNK,OAAQ,OACRF,QAASC,EAAYjB,KAEpBtG,KAAK,SAACyM,GAAD,MAAcA,GAASvM,UAG3BmN,GAAa,SAAAC,GAAmB,GAAjBhH,GAAiBgH,EAAjBhH,YACbJ,EAAM,yBAEZ,OAAOnG,GAAMmG,GACXoB,QAASC,EAAYjB,KACpBtG,KAAK,SAACG,GAAD,MAAUA,GAAKD,UAGnBqN,IACJhC,qBACApB,iBACAV,qBACAE,eACAR,gBACAE,kBACAb,aACAG,eACAE,YACAE,eACAE,aACAuC,YACAE,cACAE,WACAE,cACAM,gBACAE,eACA/C,qBACAM,eACAwD,cACArF,WACAhB,eACAU,WACAI,gBACAF,eACAS,kBACAuE,gBACAG,iBACAE,kBJgcDnS,GAAQK,QI7bMoS,IJgcP,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CAEF,SAAU1S,EAAQC,EAASC,GK/4BjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SLw5BM,SAAUD,EAAQC,EAASC,GMr6BjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SN86BM,SAAUD,EAAQC,EAASC,GAEhC,YAeA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAbvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,IAET7F,EAAQ0S,WAAa1S,EAAQ2S,QAAU3S,EAAQ4S,QAAUzD,MAEzD,IAAI0D,GAAkB5S,EAAoB,KAEtC6S,EAAkB5S,EAAuB2S,GAEzCE,EAAQ9S,EAAoB,IAE5B+S,EAAQ9S,EAAuB6S,GO18B9BH,EAAU,SAACK,EAAGC,EAAGC,GAAM,GAAArK,IACf,EAAAkK,EAAA3S,UAAK4S,EAAGC,EAAGC,GAAI,SAACC,GAI1B,MAHAA,GAAMC,KAAKC,KAAKF,GAChBA,EAAMA,EAAM,EAAI,EAAIA,EACpBA,EAAMA,EAAM,IAAM,IAAMA,IAJCrK,GAAA,EAAA+J,EAAAzS,SAAAyI,EAAA,EAO3B,OANCmK,GAD0BlK,EAAA,GACvBmK,EADuBnK,EAAA,GACpBoK,EADoBpK,EAAA,GAO3B,MAAa,GAAK,KAAOkK,GAAK,KAAOC,GAAK,GAAKC,GAAGI,SAAS,IAAIC,MAAM,IAGjEb,EAAU,SAACc,GACf,GAAMC,GAAS,4CAA4CC,KAAKF,EAChE,OAAOC,IACLT,EAAGnN,SAAS4N,EAAO,GAAI,IACvBR,EAAGpN,SAAS4N,EAAO,GAAI,IACvBP,EAAGrN,SAAS4N,EAAO,GAAI,KACrB,MAGAhB,EAAa,SAACkB,GAClB,MAAe,MAAXA,EAAI,GACCA,GAETA,EAAMA,EAAI9H,MAAM,QAChB,MAAa+H,OAAOD,EAAI,KAAO,KAAOC,OAAOD,EAAI,KAAO,GAAKC,OAAOD,EAAI,KAAKL,SAAS,KPw9BvFvT,GOp9BC4S,UPq9BD5S,EOp9BC2S,UPq9BD3S,EOp9BC0S,cPu9BM,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,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,SAAU3S,EAAQC,EAASC,GAEhC,YAmEA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAjEvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,IAET7F,EAAQ8T,UAAY9T,EAAQ+T,UAAY/T,EAAQgU,WAAahU,EAAQiU,cAAgBjU,EAAQkU,aAAe/E,MAE5G,IAAIgF,GAAOlU,EAAoB,KAE3BmU,EAAQlU,EAAuBiU,GAE/BE,EAAYpU,EAAoB,GAEhCqU,EAAYpU,EAAuBmU,GAEnCE,EAAStU,EAAoB,KAE7BuU,EAAStU,EAAuBqU,GAEhCE,EAAUxU,EAAoB,KAE9ByU,EAAUxU,EAAuBuU,GAEjCE,EAAU1U,EAAoB,KAE9B2U,EAAU1U,EAAuByU,GAEjCE,EAAU5U,EAAoB,KAE9B6U,EAAU5U,EAAuB2U,GAEjCE,EAAY9U,EAAoB,KAEhC+U,EAAY9U,EAAuB6U,GAEnCE,EAAShV,EAAoB,IAE7BiV,EAAShV,EAAuB+U,GAEhCjM,EAAS/I,EAAoB,IAE7BgJ,EAAS/I,EAAuB8I,GAEhCmM,EAAclV,EAAoB,IAElCmV,EAAclV,EAAuBiV,GAErCE,EAAWpV,EAAoB,KAE/BqV,EAAWpV,EAAuBmV,GAElCE,EAAUtV,EAAoB,KAE9BuV,EAAUtV,EAAuBqV,GAEjCE,EAAWxV,EAAoB,KAE/ByV,EAAWxV,EAAuBuV,GAElCE,EAAa1V,EAAoB,KAEjC2V,EAAa1V,EAAuByV,GQ1lCzCE,EAAA5V,EAAA,IR8lCK6V,EAAe5V,EAAuB2V,GQ3lCrCE,EAAU,kBACdxR,YACAyR,kBACAC,SACAC,mBACAC,yBACAC,eAAgB,EAChBC,MAAO,EACPC,aAAc,EACdC,SAAS,EACTC,aACAtG,WACAuG,QAAS,WACTC,YAAa,IAGFxC,kBACXyC,eACAC,qBACAP,MAAO,EACPQ,iBACAC,UAAW,GAAA1C,GAAA/T,QACXkI,OAAO,EACPwO,WACE5G,SAAU4F,IACV9F,OAAQ8F,IACR5I,KAAM4I,IACN3F,kBAAmB2F,IACnB7F,QAAS6F,IACThG,IAAKgG,MAIHiB,EAAS,SAAC9F,GACd,GAAM+F,GAAY,QAClB,QAAO,EAAArB,EAAAvV,SAAS6Q,EAAOgG,KAAM,WAAahG,EAAOpJ,KAAKgE,MAAMmL,IAGjDhD,kBAAgB,SAAC/C,GAe5B,MAboB/B,UAAhB+B,EAAOiG,OACTjG,EAAOiG,KAAOH,EAAO9F,GACjBA,EAAOkG,mBACTlG,EAAOiG,KAAOjG,EAAOkG,iBAAiBD,OAK1CjG,EAAOmG,SAAU,EAGjBnG,EAAOoG,YAAcpG,EAAOoG,gBAErBpG,GAGI8C,eAAa,SAAC9C,GACzB,MAAIA,GAAOqG,aACF,SAGLrG,EAAOkG,iBACF,UAGkB,gBAAflG,GAAOsG,KAAoBtG,EAAOsG,IAAI1L,MAAM,gCAC5B,gBAAhBoF,GAAOpJ,MAAqBoJ,EAAOpJ,KAAKgE,MAAM,aACjD,WAGLoF,EAAOpJ,KAAKgE,MAAM,yBAA2BoF,EAAOuG,sBAC/C,WAILvG,EAAOpJ,KAAKgE,MAAM,qBACb,SAGF,WAOH4L,GAJO3D,YAAY,WAAa,OAAA4D,GAAAC,UAAAC,OAATC,EAASC,MAAAJ,GAAAK,EAAA,EAAAA,EAAAL,EAAAK,IAATF,EAASE,GAAAJ,UAAAI,EACpC,SAAQ,EAAAlD,EAAAzU,UAAM,EAAA2U,EAAA3U,SAAQyX,GAAO,WAAalK,IAGzB,SAACqK,EAAK9X,EAAK+X,GAC5B,GAAMC,GAAUhY,EAAI+X,EAAKtK,GAEzB,OAAIuK,KAEF,EAAAzD,EAAArU,SAAM8X,EAASD,GAEfC,EAAQb,YAAYc,OAAOD,EAAQb,YAAYO,SACvCK,KAAMC,EAASE,KAAK,KAG5BpE,EAAciE,GACdD,EAAI5H,KAAK6H,GACT/X,EAAI+X,EAAKtK,IAAMsK,GACPA,OAAMG,KAAK,MAIjBC,EAAe,SAAC/I,GAIpB,MAHAA,GAAS2G,iBAAkB,EAAAZ,EAAAjV,SAAOkP,EAAS2G,gBAAiB,SAAA/J,GAAA,GAAEyB,GAAFzB,EAAEyB,EAAF,QAAWA,IACvE2B,EAAShL,UAAW,EAAA+Q,EAAAjV,SAAOkP,EAAShL,SAAU,SAAAsI,GAAA,GAAEe,GAAFf,EAAEe,EAAF,QAAWA,IACzD2B,EAAS+G,eAAgB,EAAA9B,EAAAnU,SAAKkP,EAAS2G,sBAAwBtI,GACxD2B,GAGHgJ,EAAiB,SAAC3R,EAADmG,GAA2F,GAAjFxI,GAAiFwI,EAAjFxI,SAAiFiU,EAAAzL,EAAvE0L,kBAAuEtJ,SAAAqJ,KAA9CjJ,EAA8CxC,EAA9CwC,SAA8CmJ,EAAA3L,EAApCI,OAAoCgC,SAAAuJ,OAAAC,EAAA5L,EAAzB6L,aAAyBzJ,SAAAwJ,IAEhH,MAAK,EAAArE,EAAAjU,SAAQkE,GACX,OAAO,CAGT,IAAMoS,GAAc/P,EAAM+P,YACpBC,EAAoBhQ,EAAMgQ,kBAC1BiC,EAAiBjS,EAAMmQ,UAAUxH,GAEjCuJ,EAASvU,EAASsT,OAAS,GAAI,EAAA/C,EAAAzU,SAAMkE,EAAU,MAAMqJ,GAAK,EAC1DmL,EAAQxJ,GAAYuJ,EAASD,EAAexC,KAE9C9G,KAAaqJ,GAAcrU,EAASsT,OAAS,IAAMkB,IACrDF,EAAexC,MAAQyC,EAGzB,IAAME,GAAY,SAAC9H,EAAQuH,GAA0C,GAAzBQ,KAAyBrB,UAAAC,OAAA,GAAA1I,SAAAyI,UAAA,KAAAA,UAAA,GAC7DlE,EAASgE,EAAWf,EAAaC,EAAmB1F,EAG1D,IAFAA,EAASwC,EAAOwE,KAEZxE,EAAO2E,MACkB,YAAvBrE,EAAW9C,IAAyBA,EAAOkG,iBAAiBjK,KAAKS,KAAOT,EAAKS,IAC/EsL,GAAkBC,KAAM,SAAUjI,OAAQA,EAAQkI,OAAQlI,IAIjC,WAAvB8C,EAAW9C,KAAwB,EAAAgE,EAAA7U,SAAK6Q,EAAOmI,YAAczL,GAAIT,EAAKS,MAAO,CAC/E,GAAMuC,GAAWvJ,EAAMmQ,UAAU5G,QAG7B0I,KAAmB1I,IACrBuH,EAAWvH,EAAS5L,SAAU4L,EAAS6F,eAAgB9E,GACvDf,EAASiG,gBAAkB,EAE3BkC,EAAanI,IAGXe,EAAO/D,KAAKS,KAAOT,EAAKS,IAC1BsL,GAAkBC,KAAM,UAAWjI,SAAQkI,OAAQlI,IAMzD,GAAIoI,SAeJ,OAbI/J,IAAY0J,IACdK,EAA2B5B,EAAWmB,EAAetU,SAAUsU,EAAe7C,eAAgB9E,IAG5F3B,GAAYkJ,EAGdf,EAAWmB,EAAe3C,gBAAiB2C,EAAe1C,sBAAuBjF,GACxE3B,GAAY0J,GAAiBK,EAAyBjB,MAE/DQ,EAAezC,gBAAkB,GAG5BlF,GAGHgI,EAAkB,SAAAjM,GAA4B,GAA1BkM,GAA0BlM,EAA1BkM,KAAMjI,EAAoBjE,EAApBiE,OAAQkI,EAAYnM,EAAZmM,MAEtC,MAAK,EAAAlE,EAAA7U,SAAKuG,EAAMiQ,cAAe,SAAC0C,GAAD,MAAqBA,GAAgBH,OAAOxL,KAAOwL,EAAOxL,OACvFhH,EAAMiQ,cAAcxG,MAAO8I,OAAMjI,SAAQkI,SAAQI,MAAM,IAEnD,gBAAkB/V,SAA6C,YAAnCA,OAAOgW,aAAaC,YAA0B,CAC5E,GAAMC,GAAQP,EAAOjM,KAAK3H,KACpBkO,IACNA,GAAOkG,KAAOR,EAAOjM,KAAK0M,kBAC1BnG,EAAO/G,KAAOyM,EAAOtR,KAGjBsR,EAAO9B,aAAe8B,EAAO9B,YAAYO,OAAS,IAAMuB,EAAOjC,MAC/DiC,EAAO9B,YAAY,GAAGwC,SAASC,WAAW,YAC5CrG,EAAOsG,MAAQZ,EAAO9B,YAAY,GAAGlM,IAGvC,IAAI6O,GAAe,GAAIxW,QAAOgW,aAAaE,EAAOjG,EAIlDwG,YAAWD,EAAaE,MAAMC,KAAKH,GAAe,OAKlDI,EAAiB,SAAC3J,GACtB,GAAMQ,IAAS,EAAAgE,EAAA7U,SAAKsW,GAAe/I,IAAI,EAAAwH,EAAA/U,SAAUqQ,EAAS4J,wBAc1D,OAbIpJ,KACFA,EAAOqJ,UAAY,EAGf7J,EAASvD,KAAKS,KAAOT,EAAKS,KAC5BsD,EAAOsJ,WAAY,GAIjBtJ,EAAO/D,KAAKS,KAAOT,EAAKS,IAC1BsL,GAAiBC,KAAM,WAAYjI,SAAQkI,OAAQ1I,KAGhDQ,GAGHuJ,GACJvJ,OAAU,SAACA,GACT8H,EAAU9H,EAAQuH,IAEpB3H,QAAW,QAAAA,GAACI,GAEV,GAAMwJ,GAAkB1B,EAAU9H,EAAOkG,kBAAkB,GAAO,GAE9DtG,QAWFA,GAREvB,IAAY,EAAA2F,EAAA7U,SAAKwY,EAAetU,SAAU,SAACoW,GAC7C,MAAIA,GAAEvD,iBACGuD,EAAE/M,KAAO8M,EAAgB9M,IAAM+M,EAAEvD,iBAAiBxJ,KAAO8M,EAAgB9M,GAEzE+M,EAAE/M,KAAO8M,EAAgB9M,KAIxBoL,EAAU9H,GAAQ,GAAO,GAEzB8H,EAAU9H,EAAQuH,GAG9B3H,EAAQsG,iBAAmBsD,GAE7BhK,SAAY,SAACA,GAEN9J,EAAMkQ,UAAU8D,IAAIlK,EAAS9C,MAChChH,EAAMkQ,UAAU+D,IAAInK,EAAS9C,IAC7ByM,EAAe3J,KAGnBoK,OAAU,SAAC5J,GACT,GAAI6J,GAAK,GAAIC,QAAJ,qBAAgC7N,EAAK3H,KAArC,OAAgD2H,EAAK8N,sBAArD,OACLC,EAAY,GAAIF,QAAJ,qBAAgC7N,EAAKgO,YAArC,MACZjK,EAAOpJ,KAAKgE,MAAMiP,IAAO7J,EAAOpJ,KAAKgE,MAAMoP,KAC7ChC,GAAkBC,KAAM,SAAUjI,OAAQA,EAAQkI,OAAQlI,KAG9DkK,SAAY,SAACA,GACX,GAAM5D,GAAM4D,EAAS5D,IAGftG,GAAS,EAAAgE,EAAA7U,SAAKsW,GAAca,OAC7BtG,MAIL,EAAAwE,EAAArV,SAAOuG,EAAMiQ,cAAe,SAAArJ,GAAA,GAAWI,GAAXJ,EAAE4L,OAASxL,EAAX,OAAoBA,KAAOsD,EAAOtD,MAE9D,EAAA8H,EAAArV,SAAOsW,GAAea,QAClBjI,KACF,EAAAmG,EAAArV,SAAOwY,EAAetU,UAAYiT,SAClC,EAAA9B,EAAArV,SAAOwY,EAAe3C,iBAAmBsB,WAG7CnX,QAAW,SAACgb,GACV7S,QAAQC,IAAI,uBACZD,QAAQC,IAAI4S,MAIhB,EAAApS,EAAA5I,SAAKkE,EAAU,SAAC2M,GACd,GAAMiI,GAAOnF,EAAW9C,GAClBoK,EAAYb,EAAWtB,IAASsB,EAAA,OACtCa,GAAUpK,KAIR3B,IACF+I,EAAaO,IACRE,GAASF,EAAevC,cAAgB,IAAM/R,EAASsT,OAAS,IACnEgB,EAAevC,cAAe,EAAA1B,EAAAvU,SAAMkE,EAAU,MAAMqJ,MAK7CkG,eACXyE,iBACAgD,gBAFuB,SAEN3U,EAFM+G,GAEe,GAAZ4B,GAAY5B,EAAZ4B,SAClBiM,EAAe5U,EAAMmQ,UAAUxH,EAErCiM,GAAYpF,eAAiB,EAC7BoF,EAAYtF,iBAAkB,EAAAV,EAAAnV,SAAMmb,EAAYjX,SAAU,EAAG,IAC7DiX,EAAYlF,cAAe,EAAA9B,EAAAnU,SAAKmb,EAAYtF,iBAAiBtI,GAC7D4N,EAAYrF,0BACZ,EAAAlN,EAAA5I,SAAKmb,EAAYtF,gBAAiB,SAAChF,GAAasK,EAAYrF,sBAAsBjF,EAAOtD,IAAMsD,KAEjGuK,cAXuB,SAWR7U,EAXQkH,GAWa,GAAZyB,GAAYzB,EAAZyB,QACtB3I,GAAMmQ,UAAUxH,GAAYwG,KAE9B2F,aAduB,SAcT9U,EAdSoH,GAciB,GAAjBkD,GAAiBlD,EAAjBkD,OAAQrL,EAASmI,EAATnI,MACvB8V,EAAY/U,EAAMgQ,kBAAkB1F,EAAOtD,GACjD+N,GAAUnB,UAAY3U,GAExB+V,aAlBuB,SAkBThV,EAlBSsH,GAkBiB,GAAjBgD,GAAiBhD,EAAjBgD,OAAQrL,EAASqI,EAATrI,MACvB8V,EAAY/U,EAAMgQ,kBAAkB1F,EAAOtD,GACjD+N,GAAUE,SAAWhW,GAEvBiW,WAtBuB,SAsBXlV,EAtBWwH,GAsBQ,GAAV8C,GAAU9C,EAAV8C,OACbyK,EAAY/U,EAAMgQ,kBAAkB1F,EAAOtD,GACjD+N,GAAUtE,SAAU,GAEtB0E,WA1BuB,SA0BXnV,EA1BW0H,GA0BiB,GAAnBiB,GAAmBjB,EAAnBiB,SAAU1J,EAASyI,EAATzI,KAC7Be,GAAMmQ,UAAUxH,GAAUgH,QAAU1Q,GAEtCmW,QA7BuB,SA6BdpV,EA7Bc4H,GA6BO,GAAZZ,GAAYY,EAAZZ,GAAIuJ,EAAQ3I,EAAR2I,KACdwE,EAAY/U,EAAMgQ,kBAAkBhJ,EAC1C+N,GAAUxE,KAAOA,GAEnB8E,SAjCuB,SAiCbrV,EAjCa8H,GAiCK,GAAT7I,GAAS6I,EAAT7I,KACjBe,GAAM2B,MAAQ1C,GAEhBqW,eApCuB,SAoCPtV,EApCOgI,GAoCO,GAALuN,GAAKvN,EAALuN,CAEvBvV,GAAMmQ,UAAN,KAAwBN,QAAU0F,GAEpCC,WAxCuB,SAwCXxV,EAxCWkI,GAwCS,GAAXoB,GAAWpB,EAAXoB,OACnBtJ,GAAMmQ,UAAN,KAAwB7G,QAAUA,GAEpCmM,aA3CuB,SA2CTzV,EA3CSoI,GA2Ca,GAAbwH,GAAaxH,EAAbwH,SACrB5P,GAAMmQ,UAAN,KAAwBP,UAAYA,GAEtC8F,wBA9CuB,SA8CE1V,EAAOiQ,IAC9B,EAAA5N,EAAA5I,SAAKwW,EAAe,SAACoD,GACnBA,EAAaT,MAAO,KAGxB+C,WAnDuB,SAmDX3V,EAnDW0I,GAmDc,GAAhBC,GAAgBD,EAAhBC,SAAU3B,EAAM0B,EAAN1B,EAC7BhH,GAAMmQ,UAAUxH,GAAUmH,YAAc9I,IAItCrJ,GACJqC,MAAOsN,EACPsI,SACEjE,eADO,SAAA5H,EAAAE,GAC6G,GAAlG4L,GAAkG9L,EAAlG8L,UAAWC,EAAuF/L,EAAvF+L,OAAYnY,EAA2EsM,EAA3EtM,SAA2EoY,EAAA9L,EAAjE4H,kBAAiEtJ,SAAAwN,KAAAC,EAAA/L,EAAxCtB,WAAwCJ,SAAAyN,KAAAC,EAAAhM,EAAtB+H,aAAsBzJ,SAAA0N,IAClHH,GAAO,kBAAoBnY,WAAUkU,kBAAiBlJ,WAAUqJ,aAAYzL,KAAMsP,EAAUjY,MAAMqC,eAEpGoV,SAJO,SAAAlL,EAAAE,GAIqC,GAArByL,IAAqB3L,EAAhC0L,UAAgC1L,EAArB2L,QAAY7W,EAASoL,EAATpL,KACjC6W,GAAO,YAAc7W,WAEvBuW,WAPO,SAAA7K,EAAAE,GAOyC,GAAvBiL,IAAuBnL,EAAlCkL,UAAkClL,EAAvBmL,QAAYxM,EAAWuB,EAAXvB,OACnCwM,GAAO,cAAgBxM,aAEzBmM,aAVO,SAAAtK,EAAAG,GAU6C,GAAzBwK,IAAyB3K,EAApC0K,UAAoC1K,EAAzB2K,QAAYlG,EAAatE,EAAbsE,SACrCkG,GAAO,gBAAkBlG,eAE3BlF,aAbO,SAAAc,EAa8BlB,GAAQ,GAA7BuL,GAA6BrK,EAA7BqK,UAAWC,EAAkBtK,EAAlBsK,MACzBA,GAAO,cAAgBxL,WACvB4E,EAAAzV,QAAWiR,cAAe1D,GAAIsD,EAAOtD,GAAIpC,YAAaiR,EAAUjY,MAAMqC,YAAY2E,eAEpFkF,SAjBO,SAAA8B,EAiB0BtB,GAAQ,GAA7BuL,GAA6BjK,EAA7BiK,UAAWC,EAAkBlK,EAAlBkK,MAErBA,GAAO,gBAAkBxL,SAAQrL,OAAO,IACxCiQ,EAAAzV,QAAWqQ,UAAW9C,GAAIsD,EAAOtD,GAAIpC,YAAaiR,EAAUjY,MAAMqC,YAAY2E,eAEhFoF,WAtBO,SAAAkM,EAsB4B5L,GAAQ,GAA7BuL,GAA6BK,EAA7BL,UAAWC,EAAkBI,EAAlBJ,MAEvBA,GAAO,gBAAkBxL,SAAQrL,OAAO,IACxCiQ,EAAAzV,QAAWuQ,YAAahD,GAAIsD,EAAOtD,GAAIpC,YAAaiR,EAAUjY,MAAMqC,YAAY2E,eAElFsF,QA3BO,SAAAiM,EA2ByB7L,GAAQ,GAA7BuL,GAA6BM,EAA7BN,UAAWC,EAAkBK,EAAlBL,MAEpBA,GAAO,gBAAkBxL,SAAQrL,OAAO,IACxCiQ,EAAAzV,QAAWyQ,SAAUlD,GAAIsD,EAAOtD,GAAIpC,YAAaiR,EAAUjY,MAAMqC,YAAY2E,eAE/E+Q,WAhCO,SAAAS,EAAAC,GAgC8C,GAA5BP,IAA4BM,EAAvCP,UAAuCO,EAA5BN,QAAYnN,EAAgB0N,EAAhB1N,SAAU3B,EAAMqP,EAANrP,EAC7C8O,GAAO,cAAgBnN,WAAU3B,SAGrCkG,YRwqCD9T,GAAQK,QQrqCMkE,GRyqCT,SAAUxE,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GS3jDV,IAAAgQ,GAAA5V,EAAA,ITgkDK6V,EAAe5V,EAAuB2V,GS/jD3CqH,EAAAjd,EAAA,KTmkDKkd,EAA4Bjd,EAAuBgd,GSjkDlDE,EAA2B,SAAC5R,GAChC,GAAMqD,GAAc,SAAA1C,GAAU,GAARyB,GAAQzB,EAARyB,EACpB,OAAOkI,GAAAzV,QAAWwO,aAAajB,KAAIpC,iBAG/BmD,EAAoB,SAAA9B,GAAU,GAARe,GAAQf,EAARe,EAC1B,OAAOkI,GAAAzV,QAAWsO,mBAAmBf,KAAIpC,iBAGrC6C,EAAe,SAAAtB,GAAU,GAARa,GAAQb,EAARa,EACrB,OAAOkI,GAAAzV,QAAWgO,cAAcT,KAAIpC,iBAGhC+C,EAAiB,SAAAtB,GAAU,GAARW,GAAQX,EAARW,EACvB,OAAOkI,GAAAzV,QAAWkO,gBAAgBX,KAAIpC,iBAGlCiD,EAAoB,SAAAjB,GAAgB,GAAdJ,GAAcI,EAAdJ,QAC1B,OAAO0I,GAAAzV,QAAWoO,mBAAmBrB,WAAU5B,iBAG3C2C,EAAY,SAAAR,GAAU,GAARC,GAAQD,EAARC,EAClB,OAAOkI,GAAAzV,QAAW8N,WAAWP,KAAIpC,iBAG7BkC,EAAa,SAACE,GAClB,MAAOkI,GAAAzV,QAAWqN,YAAYlC,cAAaoC,QAGvCC,EAAe,SAACD,GACpB,MAAOkI,GAAAzV,QAAWwN,cAAcrC,cAAaoC,QAGzCG,EAAY,SAACH,GACjB,MAAOkI,GAAAzV,QAAW0N,WAAWvC,cAAaoC,QAGtCK,EAAc,SAACL,GACnB,MAAOkI,GAAAzV,QAAW4N,aAAazC,cAAaoC,QAGxCyP,EAAgB,SAAAvP,GAAuC,GAArCyB,GAAqCzB,EAArCyB,SAAUnL,EAA2B0J,EAA3B1J,MAA2BkZ,EAAAxP,EAApB+B,SAAoBV,SAAAmO,IAC3D,OAAOH,GAAA9c,QAAuBgd,eAAe9N,WAAUnL,QAAOoH,cAAaqE,YAGvEd,EAAc,SAAAf,GAAwB,GAAtBJ,GAAsBI,EAAtBJ,GAAsB2P,EAAAvP,EAAlBkB,QAAkBC,SAAAoO,IAC1C,OAAOzH,GAAAzV,QAAW0O,aAAanB,KAAIsB,QAAO1D,iBAGtC+G,EAAa,iBAAMuD,GAAAzV,QAAWkS,YAAY/G,iBAE1C0B,EAAW,SAACd,GAAD,MAAY0J,GAAAzV,QAAW6M,SAASd,IAC3CF,EAAe,SAAAgC,GAAA,GAAE9B,GAAF8B,EAAE9B,MAAF,OAAc0J,GAAAzV,QAAW6L,cAAcV,cAAaY,YACnEQ,EAAW,SAAAwB,GAAA,GAAEhC,GAAFgC,EAAEhC,MAAF,OAAc0J,GAAAzV,QAAWuM,UAAUpB,cAAaY,YAC3DU,EAAe,SAAAwB,GAAA,GAAElC,GAAFkC,EAAElC,MAAF,OAAc0J,GAAAzV,QAAWyM,cAActB,cAAaY,YACnEY,EAAgB,SAAAwB,GAAA,GAAEpC,GAAFoC,EAAEpC,MAAF,OAAc0J,GAAAzV,QAAW2M,eAAexB,cAAaY,YAErEmB,EAAkB,SAACE,GAAD,MAAgBqI,GAAAzV,QAAWkN,iBAAiBE,aAAYjC,iBAC1EsG,EAAe,SAAApD,GAAA,GAAEtC,GAAFsC,EAAEtC,MAAF,OAAc0J,GAAAzV,QAAWyR,cAAc1F,SAAQZ,iBAE9DyG,EAAgB,SAAArD,GAAA,GAAEvB,GAAFuB,EAAEvB,QAAF,OAAgByI,GAAAzV,QAAW4R,eAAezG,cAAa6B,cACvE8E,EAAiB,SAAArD,GAAA,GAAEzB,GAAFyB,EAAEzB,SAAUgF,EAAZvD,EAAYuD,YAAaC,EAAzBxD,EAAyBwD,uBAAzB,OAAsDwD,GAAAzV,QAAW8R,gBAAgB3G,cAAa6B,WAAUgF,cAAaC,6BAEtIkL,GACJ3O,cACAF,oBACAN,eACAE,iBACAb,aACAG,eACAE,YACAE,cACAE,YACAM,oBACAgC,kBAAmBqF,EAAAzV,QAAWoQ,kBAC9B4M,gBACAtO,cACAwD,aACArF,WACAhB,eACAU,WACAE,eACAE,gBACAO,kBACAuE,eACAG,gBACAE,iBAGF,OAAOqL,GT0nDRxd,GAAQK,QSvnDM+c,GT2nDT,SAAUrd,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GU/tDV,IAAM4X,GAAW,SAACC,GAChB,GAAIvE,GAAO,SAkBX,OAhBIuE,GAAW5R,MAAM,gBACnBqN,EAAO,QAGLuE,EAAW5R,MAAM,WACnBqN,EAAO,SAGLuE,EAAW5R,MAAM,uBACnBqN,EAAO,SAGLuE,EAAW5R,MAAM,eACnBqN,EAAO,SAGFA,GAGHwE,GACJF,WVouDDzd,GAAQK,QUjuDMsd,GVquDT,SAAU5d,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIiD,GAAQ7I,EAAoB,IAE5B8I,EAAQ7I,EAAuB4I,GWxwDpC+M,EAAA5V,EAAA,IX4wDK6V,EAAe5V,EAAuB2V,GW1wDrC7E,EAAa,SAAA7E,GAAkE,GAA/D/H,GAA+D+H,EAA/D/H,MAAO8M,EAAwD/E,EAAxD+E,OAAwD0M,EAAAzR,EAAhD0R,QAAgD1O,SAAAyO,OAAAE,EAAA3R,EAApCiF,oBAAoCjC,SAAA2O,EAAhB3O,OAAgB2O,EAC7E3M,GAAW,EAAApI,EAAA1I,SAAIwd,EAAO,KAE5B,OAAO/H,GAAAzV,QAAW2Q,YAAYxF,YAAapH,EAAMwC,MAAMpC,MAAMqC,YAAY2E,YAAa0F,SAAQC,WAAUC,sBACrGlM,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACG,GASL,MARKA,GAAKkD,OACRnE,EAAMwB,SAAS,kBACbrB,UAAWc,GACXkK,SAAU,UACVkJ,iBAAiB,EACjBG,YAAY,IAGTvT,IAER0Y,MAAM,SAACC,GACN,OACEzV,MAAOyV,EAAIC,YAKbzM,EAAc,SAAA3E,GAAyB,GAAtBzI,GAAsByI,EAAtBzI,MAAOsN,EAAe7E,EAAf6E,SACtBlG,EAAcpH,EAAMwC,MAAMpC,MAAMqC,YAAY2E,WAElD,OAAOsK,GAAAzV,QAAWmR,aAAchG,cAAakG,aAAYxM,KAAK,SAACgZ,GAE7D,GAAIC,GAAOD,EAAIE,qBAAqB,OAEhB,KAAhBD,EAAKtG,SACPsG,EAAOD,EAAIE,qBAAqB,cAGlCD,EAAOA,EAAK,EAEZ,IAAME,IACJzQ,GAAIsQ,EAAIE,qBAAqB,YAAY,GAAGE,YAC5ClT,IAAK8S,EAAIE,qBAAqB,aAAa,GAAGE,YAC9CtE,MAAOmE,EAAKI,aAAa,QACzBzE,SAAUqE,EAAKI,aAAa,QAG9B,OAAOF,MAILG,GACJxN,aACAQ,cXwxDDxR,GAAQK,QWrxDMme,GXyxDT,SAAUze,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAI4Y,GAAcxe,EAAoB,KAElCye,EAAcxe,EAAuBue,GYx1D1C5I,EAAA5V,EAAA,IZ41DK6V,EAAe5V,EAAuB2V,GY11DrC8I,EAAS,SAAAxS,GAAkD,GAAhD/H,GAAgD+H,EAAhD/H,MAAOG,EAAyC4H,EAAzC5H,SAAUgL,EAA+BpD,EAA/BoD,SAAUkJ,EAAqBtM,EAArBsM,gBACpCmG,GAAa,EAAAF,EAAAre,SAAUkP,EAE7BnL,GAAMwB,SAAS,YAAcC,OAAO,IAEpCzB,EAAMwB,SAAS,kBACb2J,SAAUqP,EACVra,WACAkU,qBAIEoG,EAAiB,SAAAhS,GAAqH,GAAnHzI,GAAmHyI,EAAnHzI,MAAOoH,EAA4GqB,EAA5GrB,YAA4GsT,EAAAjS,EAA/F0C,WAA+FJ,SAAA2P,EAApF,UAAoFA,EAAAC,EAAAlS,EAAzEkM,QAAyE5J,SAAA4P,KAAAC,EAAAnS,EAA1D4L,kBAA0DtJ,SAAA6P,KAAAC,EAAApS,EAAjCgD,SAAiCV,SAAA8P,KAAAC,EAAArS,EAAjBkD,MAAiBZ,SAAA+P,KACpIpH,GAASvI,WAAU/D,eACnBiR,EAAYrY,EAAMqY,WAAarY,EAAMwC,MACrCuY,EAAe1C,EAAUlY,SAASwS,WAAU,EAAA2H,EAAAre,SAAUkP,GAW5D,OATIwJ,GACFjB,EAAA,MAAgBqH,EAAa7I,aAE7BwB,EAAA,MAAgBqH,EAAa9I,MAG/ByB,EAAA,OAAiBjI,EACjBiI,EAAA,IAAc/H,EAEP+F,EAAAzV,QAAWgP,cAAcyI,GAC7B5S,KAAK,SAACX,IACAwU,GAASxU,EAASsT,QAAU,KAAOsH,EAAa5I,SACnDnS,EAAMwB,SAAS,cAAgB2J,SAAUA,EAAU3B,GAAIuR,EAAa9I,QAEtEsI,GAAQva,QAAOG,WAAUgL,WAAUkJ,qBAClC,iBAAMrU,GAAMwB,SAAS,YAAcC,OAAO,OAG3CwX,EAAgB,SAAAtQ,GAA6E,GAAAqS,GAAArS,EAA3EwC,WAA2EJ,SAAAiQ,EAAhE,UAAgEA,EAArD5T,EAAqDuB,EAArDvB,YAAapH,EAAwC2I,EAAxC3I,MAAwCib,EAAAtS,EAAjC8C,SAAiCV,SAAAkQ,KAAAC,EAAAvS,EAAjBgD,MAAiBZ,SAAAmQ,KAC3F7C,EAAYrY,EAAMqY,WAAarY,EAAMwC,MACrCuY,EAAe1C,EAAUlY,SAASwS,WAAU,EAAA2H,EAAAre,SAAUkP,IACtDkJ,EAA0D,IAAxC0G,EAAajJ,gBAAgB2B,MACrDgH,IAAgBtP,WAAU/D,cAAapH,QAAOqU,kBAAiB5I,SAAQE,OACvE,IAAMwP,GAAsB,iBAAMV,IAAiBtP,WAAU/D,cAAapH,QAAOyL,SAAQE,QACzF,OAAOyP,aAAYD,EAAqB,MAEpCE,GACJZ,iBACAxB,gBZ+3DDrd,GAAQK,QY53DMof,GZ+3DN,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,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,SAAU1f,EAAQC,EAASC,Ga7+DjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,Sbo/DM,SAAUD,EAAQC,EAASC,Gc7/DjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SdsgEM,SAAUD,EAAQC,EAASC,GenhEjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,Sf4hEM,SAAUD,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GgBhjEV,IAAM6Z,IACJ/a,MACEgV,MAAO,QAETgG,KACEhb,KAAM,eACN4K,SAAU,aACVY,SAAU,cACVyP,UAAW,oBACXC,KAAM,wBAERC,WACEC,YAAa,aACbC,UAAW,aACXlF,OAAQ,SACRmF,QAAS,aACTC,MAAO,aACP3b,SAAU,WACV4b,KAAM,gBACNjR,MAAO,kBACPsH,UAAW,WACX4J,UAAW,QACXC,QAAS,UACTC,cAAe,iBAEjB/Q,UACEgR,SAAU,eACVC,eAAgB,oBAChBC,WAAY,UACZC,WAAY,uBACZC,aAAc,eACdC,SAAU,aACV/E,SAAU,eAEZgF,UACEC,cAAe,wBACfC,SAAU,aACVvb,KAAM,OACNwb,IAAK,MACLC,OAAQ,SACRC,eAAgB,0BAChBC,eAAgB,qBAChBC,eAAgB,gBAChBC,uBAAwB,iCACxBC,uBAAwB,4BACxBC,mBAAoB,qBACpBC,2BAA4B,iCAC5BX,SAAU,gBACV9a,MAAO,aACP0b,QAAS,mBACTC,WAAY,kEACZ1b,WAAY,cACZ2b,WAAY,cACZ7Z,KAAM,OACN8Z,MAAO,QACPC,MAAO,8BACPC,KAAM,kBACNC,QAAS,wBACTC,OAAQ,iBACRC,UAAW,UACXC,YAAa,QACbC,aAAc,UACdC,gBAAiB,+BACjBC,cAAe,qBACfC,iBAAkB,UAClBC,UAAW,SACXC,sBAAuB,oFACvBlL,YAAa,UACbmL,uBAAwB,uCACxBC,0BAA2B,uCAC3BC,kBAAmB,0EACnBC,UAAW,qBACXC,SAAU,oEACVC,UAAW,gEACXC,mBAAoB,+CACpBC,cAAe,yBACfC,iCAAkC,qEAClCC,iBAAkB,qEAClBC,oBAAqB,0CAEvBtM,eACEA,cAAe,qBACfuM,KAAM,WACNC,aAAc,YACdC,cAAe,+BACfC,aAAc,+BAEhBC,OACEA,MAAO,WACPpW,SAAU,eACVC,SAAU,WACVH,SAAU,eACVuW,OAAQ,YAEVC,cACEA,aAAc,gBACdC,SAAU,mBACVC,MAAO,QACP5C,IAAK,MACL6C,iBAAkB,uBAEpBC,aACEC,QAAS,kBACT1jB,QAAS,gCAEX2jB,QACEC,UAAW,iBACXC,oBAAqB,oCAEvBC,SACEC,OAAQ,WACRC,MAAO,YAETC,cACEC,eAAgB,aAIdC,GACJ7E,KACEpQ,SAAU,WACVY,SAAU,YACVyP,UAAW,oBACXC,KAAM,0BAERC,WACEC,YAAa,gBACbC,UAAW,WACXlF,OAAQ,SACRvW,SAAU,UACV4b,KAAM,WACNjR,MAAO,cACPsH,UAAW,YACX4J,UAAW,SACXC,QAAS,YAEX9Q,UACEgR,SAAU,cACVC,eAAgB,2BAChBC,WAAY,cACZC,WAAY,2BACZC,aAAc,aACdC,SAAU,QACV/E,SAAU,UAEZgF,UACEC,cAAe,sBACfC,SAAU,iBACVvb,KAAM,OACNwb,IAAK,SACLC,OAAQ,eACRC,eAAgB,0BAChBC,eAAgB,0BAChBC,eAAgB,UAChBC,uBAAwB,sBACxBC,uBAAwB,qBACxBC,mBAAoB,aACpBC,2BAA4B,wBAC5BX,SAAU,YACV9a,MAAO,QACP0b,QAAS,iBACTC,WAAY,wDACZ1b,WAAY,SACZ2b,WAAY,WACZ7Z,KAAM,SACN8Z,MAAO,SACPW,UAAW,WACXC,sBAAuB,kFACvBlL,YAAa,WACbmL,uBAAwB,+BACxBC,0BAA2B,kCAC3BC,kBAAmB,4CACnBE,SAAU,2DACVC,UAAW,gEACXC,mBAAoB,6CAEtBlM,eACEA,cAAe,cACfuM,KAAM,OACNC,aAAc,eACdC,cAAe,sBACfC,aAAc,mBAEhBC,OACEA,MAAO,kBACPpW,SAAU,eACVC,SAAU,WACVH,SAAU,eACVuW,OAAQ,iBAEVC,cACEA,aAAc,oBACdC,SAAU,YACVC,MAAO,aACP5C,IAAK,SACL6C,iBAAkB,2BAEpBC,aACEC,QAAS,aACT1jB,QAAS,yBAEX2jB,QACEC,UAAW,eACXC,oBAAqB,4BAEvBC,SACEC,OAAQ,SACRC,MAAO,UAILrgB,GACJW,MACEgV,MAAO,QAETgG,KACEhb,KAAM,aACN4K,SAAU,WACVY,SAAU,WACVyP,UAAW,kBACXC,KAAM,2BAERC,WACEC,YAAa,eACbC,UAAW,aACXlF,OAAQ,SACRmF,QAAS,WACTC,MAAO,QACP3b,SAAU,WACV4b,KAAM,OACNjR,MAAO,QACPsH,UAAW,YACX4J,UAAW,YACXC,QAAS,UACTC,cAAe,iBAEjB/Q,UACEgR,SAAU,WACVC,eAAgB,yBAChBC,WAAY,aACZC,WAAY,sBACZC,aAAc,eACdC,SAAU,WACV/E,SAAU,YAEZgF,UACEC,cAAe,gBACfC,SAAU,aACVvb,KAAM,OACNwb,IAAK,MACLC,OAAQ,SACRC,eAAgB,sBAChBC,eAAgB,iBAChBC,eAAgB,iBAChBC,uBAAwB,8BACxBC,uBAAwB,yBACxBC,mBAAoB,qBACpBC,2BAA4B,6BAC5BX,SAAU,WACV9a,MAAO,QACP0b,QAAS,UACTC,WAAY,+DACZ+C,WAAY,6CACZze,WAAY,aACZ2b,WAAY,aACZ7Z,KAAM,OACN8Z,MAAO,QACPC,MAAO,uBACPC,KAAM,eACNC,QAAS,oBACTC,OAAQ,kBACRC,UAAW,UACXyC,YAAa,eACbxC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,cAClBC,UAAW,YACXC,sBAAuB,kEACvBlL,YAAa,cACbmL,uBAAwB,+BACxBC,0BAA2B;AAC3BC,kBAAmB,6CACnBC,UAAW,qBACXC,SAAU,uDACVC,UAAW,mEACXC,mBAAoB,2CACpBC,cAAe,gBACfC,iCAAkC,iCAClCC,iBAAkB,uDAClBC,oBAAqB,4BACrBwB,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,8CAEzB1O,eACEA,cAAe,gBACfuM,KAAM,QACNC,aAAc,eACdC,cAAe,wBACfC,aAAc,wBAEhBC,OACEA,MAAO,SACPpW,SAAU,WACVC,SAAU,WACVH,SAAU,WACVuW,OAAQ,WAEVC,cACEA,aAAc,eACdC,SAAU,eACVC,MAAO,QACP5C,IAAK,MACL6C,iBAAkB,yBAEpBC,aACEC,QAAS,UACT1jB,QAAS,uBAEX2jB,QACEC,UAAW,YACXC,oBAAqB,uBAEvBC,SACEC,OAAQ,SACRC,MAAO,SAETC,cACEC,eAAgB,kBAIdiB,GACJ7gB,MACEgV,MAAO,UAETgG,KACEhb,KAAM,cACN4K,SAAU,YACVY,SAAU,UACVyP,UAAW,oBACXC,KAAM,oBAERC,WACEC,YAAa,cACbC,UAAW,YACXlF,OAAQ,QACRmF,QAAS,UACTC,MAAO,OACP3b,SAAU,SACV4b,KAAM,YACNjR,MAAO,cACPsH,UAAW,YACX4J,UAAW,WACXC,QAAS,OACTC,cAAe,cAEjB/Q,UACEgR,SAAU,gBACVC,eAAgB,qBAChBC,WAAY,UACZC,WAAY,+BACZC,aAAc,cACdC,SAAU,YACV/E,SAAU,YAEZgF,UACEC,cAAe,iBACfC,SAAU,gBACVvb,KAAM,OACNwb,IAAK,OACLC,OAAQ,cACRC,eAAgB,uBAChBC,eAAgB,4BAChBC,eAAgB,kBAChBC,uBAAwB,2BACxBC,uBAAwB,iCACxBC,mBAAoB,eACpBC,2BAA4B,8BAC5BX,SAAU,UACV9a,MAAO,QACP0b,QAAS,eACTC,WAAY,wEACZ+C,WAAY,iDACZze,WAAY,OACZ2b,WAAY,UACZ7Z,KAAM,SACN8Z,MAAO,UACPC,MAAO,yBACPC,KAAM,gBACNC,QAAS,gBACTC,OAAQ,oBACRC,UAAW,UACXC,YAAa,UACbC,aAAc,eACdC,gBAAiB,yBACjBC,cAAe,wBACfC,iBAAkB,cAClBC,UAAW,WACXC,sBAAuB,0DACvBlL,YAAa,cACbmL,uBAAwB,iCACxBC,0BAA2B,oCAC3BC,kBAAmB,kDACnBC,UAAW,6BACXC,SAAU,2CACVC,UAAW,0DACXC,mBAAoB,6CACpBC,cAAe,gBACfC,iCAAkC,iCAClCC,iBAAkB,0CAClBC,oBAAqB,4BAEvBtM,eACEA,cAAe,UACfuM,KAAM,UACNC,aAAc,eACdC,cAAe,oBACfC,aAAc,uBAEhBC,OACEA,MAAO,SACPpW,SAAU,YACVC,SAAU,WACVH,SAAU,aACVuW,OAAQ,UAEVC,cACEA,aAAc,aACdC,SAAU,cACVC,MAAO,gBACP5C,IAAK,OACL6C,iBAAkB,wBAEpBC,aACEC,QAAS,WACT1jB,QAAS,yCAEX2jB,QACEC,UAAW,eACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,QACRC,MAAO,UAETC,cACEC,eAAgB,oBAIdkB,GACJ9F,KACEpQ,SAAU,UACVY,SAAU,aACVyP,UAAW,iBACXC,KAAM,4BAERC,WACEC,YAAa,eACbC,UAAW,UACXlF,OAAQ,QACRmF,QAAS,eACTC,MAAO,WACP3b,SAAU,aACV4b,KAAM,WACNjR,MAAO,cACPsH,UAAW,YACX4J,UAAW,cACXC,QAAS,UAEX9Q,UACEgR,SAAU,aACVC,eAAgB,4BAChBC,WAAY,YACZC,WAAY,2BACZC,aAAc,WAEhBE,UACEC,cAAe,kBACfC,SAAU,cACVvb,KAAM,OACNwb,IAAK,MACLC,OAAQ,eACRC,eAAgB,6BAChBC,eAAgB,wBAChBC,eAAgB,iBAChBC,uBAAwB,0BACxBC,uBAAwB,0BACxBC,mBAAoB,gBACpBC,2BAA4B,yBAC5BX,SAAU,SACV9a,MAAO,QACPwc,UAAW,qBACXC,sBAAuB,yEACvBlL,YAAa,UACbmL,uBAAwB,0BACxBC,0BAA2B,2BAC3BC,kBAAmB,0DACnBE,SAAU,mEACVE,mBAAoB,wCAEtBlM,eACEA,cAAe,aACfuM,KAAM,OACNC,aAAc,0BAEhBG,OACEA,MAAO,aACPpW,SAAU,eACVC,SAAU,SACVH,SAAU,cACVuW,OAAQ,cAEVC,cACEA,aAAc,kBACdC,SAAU,eACVC,MAAO,SACP5C,IAAK,MACL6C,iBAAkB,uBAEpBC,aACEC,QAAS,WACT1jB,QAAS,qDAEX2jB,QACEC,UAAW,kBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,YAINsB,GACJ/F,KACEpQ,SAAU,WACVY,SAAU,aACVyP,UAAW,oBACXC,KAAM,2BAERC,WACEC,YAAa,eACbC,UAAW,WACXlF,OAAQ,QACRmF,QAAS,YACTC,MAAO,SACP3b,SAAU,YACV4b,KAAM,QACNjR,MAAO,WACPsH,UAAW,UACX4J,UAAW,aACXC,QAAS,WAEX9Q,UACEgR,SAAU,gBACVC,eAAgB,mCAChBC,WAAY,YACZC,WAAY,8BACZC,aAAc,aAEhBE,UACEC,cAAe,2BACfC,SAAU,aACVvb,KAAM,MACNwb,IAAK,MACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,YAChBC,eAAgB,gBAChBC,uBAAwB,0BACxBC,uBAAwB,mBACxBC,mBAAoB,mBACpBC,2BAA4B,8BAC5BX,SAAU,cACV9a,MAAO,OACPwc,UAAW,SACXC,sBAAuB,6EACvBlL,YAAa,eACbmL,uBAAwB,uCACxBC,0BAA2B,0CAC3BC,kBAAmB,wDACnBE,SAAU,2DACVE,mBAAoB,iDAEtBlM,eACEA,cAAe,cACfuM,KAAM,WACNC,aAAc,eAEhBG,OACEA,MAAO,gBACPpW,SAAU,kBACVC,SAAU,SACVH,SAAU,eACVuW,OAAQ,iBAEVC,cACEA,aAAc,eACdC,SAAU,aACVC,MAAO,QACP5C,IAAK,MACL6C,iBAAkB,uBAEpBC,aACEC,QAAS,qBACT1jB,QAAS,yBAEX2jB,QACEC,UAAW,uBACXC,oBAAqB,kCAEvBC,SACEC,OAAQ,WAINuB,GACJhG,KACEpQ,SAAU,aACVY,SAAU,aACVyP,UAAW,qBACXC,KAAM,2BAERC,WACEC,YAAa,gBACbC,UAAW,WACXlF,OAAQ,YACRmF,QAAS,UACTC,MAAO,YACP3b,SAAU,QACV4b,KAAM,cACNjR,MAAO,aACPsH,UAAW,WACX4J,UAAW,YACXC,QAAS,SAEX9Q,UACEgR,SAAU,iBACVC,eAAgB,oCAChBC,WAAY,QACZC,WAAY,0BACZC,aAAc,eAEhBE,UACEC,cAAe,0BACfC,SAAU,cACVvb,KAAM,OACNwb,IAAK,MACLC,OAAQ,SACRC,eAAgB,kBAChBC,eAAgB,qBAChBC,eAAgB,mBAChBC,uBAAwB,gCACxBC,uBAAwB,+BACxBC,mBAAoB,qBACpBC,2BAA4B,qBAC5BX,SAAU,SACV9a,MAAO,OACPwc,UAAW,SACXC,sBAAuB,4EACvBlL,YAAa,aACbmL,uBAAwB,qCACxBC,0BAA2B,sCAC3BC,kBAAmB,2CACnBE,SAAU,oDACVE,mBAAoB,oEAEtBlM,eACEA,cAAe,aACfuM,KAAM,SACNC,aAAc,gBAEhBG,OACEA,MAAO,WACPpW,SAAU,kBACVC,SAAU,SACVH,SAAU,eACVuW,OAAQ,cAEVC,cACEA,aAAc,cACdC,SAAU,gBACVC,MAAO,QACP5C,IAAK,MACL6C,iBAAkB,kBAEpBC,aACEC,QAAS,WACT1jB,QAAS,kCAEX2jB,QACEC,UAAW,qBACXC,oBAAqB,sCAEvBC,SACEC,OAAQ,YAINngB,GACJU,MACEgV,MAAO,QAETgG,KACEhb,KAAM,WACN4K,SAAU,SACVY,SAAU,QACVyP,UAAW,WACXC,KAAM,oBAERC,WACEC,YAAa,aACbC,UAAW,SACXlF,OAAQ,OACRmF,QAAS,UACTC,MAAO,OACP3b,SAAU,KACV4b,KAAM,OACNjR,MAAO,SACPsH,UAAW,QACX4J,UAAW,OACXC,QAAS,KACTC,cAAe,YAEjB/Q,UACEgR,SAAU,KACVC,eAAgB,qBAChBC,WAAY,KACZC,WAAY,YACZC,aAAc,KACdC,SAAU,OACV/E,SAAU,QAEZgF,UACEC,cAAe,SACfC,SAAU,YACVvb,KAAM,KACNwb,IAAK,SACLC,OAAQ,OACRC,eAAgB,cAChBC,eAAgB,eAChBC,eAAgB,YAChBC,uBAAwB,eACxBC,uBAAwB,oBACxBC,mBAAoB,YACpBC,2BAA4B,oBAC5BX,SAAU,KACV9a,MAAO,MACP0b,QAAS,QACTC,WAAY,+CACZ+C,WAAY,sBACZze,WAAY,KACZ2b,WAAY,KACZ7Z,KAAM,KACN8Z,MAAO,MACPC,MAAO,eACPC,KAAM,YACNC,QAAS,eACTC,OAAQ,YACRC,UAAW,MACXC,YAAa,MACbC,aAAc,OACdC,gBAAiB,YACjBC,cAAe,cACfC,iBAAkB,OAClBC,UAAW,UACXC,sBAAuB,8CACvBlL,YAAa,OACbmL,uBAAwB,kBACxBC,0BAA2B,gBAC3BC,kBAAmB,sBACnBC,UAAW,sBACXC,SAAU,2BACVC,UAAW,kCACXC,mBAAoB,mCACpBC,cAAe,YACfC,iCAAkC,yBAClCC,iBAAkB,sCAClBC,oBAAqB,4BAEvBtM,eACEA,cAAe,KACfuM,KAAM,OACNC,aAAc,YACdC,cAAe,oBACfC,aAAc,oBAEhBC,OACEA,MAAO,OACPpW,SAAU,QACVC,SAAU,QACVH,SAAU,KACVuW,OAAQ,SAEVC,cACEA,aAAc,KACdC,SAAU,MACVC,MAAO,OACP5C,IAAK,SACL6C,iBAAkB,YAEpBC,aACEC,QAAS,KACT1jB,QAAS,oBAEX2jB,QACEC,UAAW,SACXC,oBAAqB,qBAEvBC,SACEC,OAAQ,KACRC,MAAO,MAETC,cACEC,eAAgB,eAIdqB,GACJjG,KACEhb,KAAM,aACN4K,SAAU,UACVY,SAAU,gBACVyP,UAAW,iBACXC,KAAM,mBAERC,WACEC,YAAa,cACbC,UAAW,UACXlF,OAAQ,SACRmF,QAAS,SACTC,MAAO,UACP3b,SAAU,UACV4b,KAAM,UACNjR,MAAO,SACPsH,UAAW,eACX4J,UAAW,SACXC,QAAS,WACTC,cAAe,+BAEjB/Q,UACEgR,SAAU,gBACVC,eAAgB,uCAChBC,WAAY,SACZC,WAAY,gBACZC,aAAc,eACdC,SAAU,SACV/E,SAAU,aAEZgF,UACEC,cAAe,yBACfC,SAAU,YACVvb,KAAM,MACNwb,IAAK,aACLC,OAAQ,SACRC,eAAgB,gBAChBC,eAAgB,mBAChBC,eAAgB,qBAChBC,uBAAwB,8BACxBC,uBAAwB,sBACxBC,mBAAoB,gBACpBC,2BAA4B,0BAC5BX,SAAU,aACV9a,MAAO,QACPwc,UAAW,SACXC,sBAAuB,wEACvBlL,YAAa,iBACbmL,uBAAwB,6CACxBC,0BAA2B,oDAC3BC,kBAAmB,+DACnBE,SAAU,sEACVE,mBAAoB,8DACpBtB,QAAS,oBACTC,WAAY,8FACZ1b,WAAY,eACZ2b,WAAY,eACZ7Z,KAAM,QACN8Z,MAAO,QACPkB,UAAW,oFACXE,cAAe,2BACfC,iCAAkC,iDAClCC,iBAAkB,+DAClBC,oBAAqB,gDACrBtB,MAAO,0BACPC,KAAM,kBACNC,QAAS,iBACTC,OAAQ,kBACRC,UAAW,UACXC,YAAa,WACbwC,YAAa,kBACbvC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,uBACfC,iBAAkB,iBAClBmC,WAAY,oFACZ7B,UAAW,gEAEb/L,eACEA,cAAe,gBACfuM,KAAM,OACNC,aAAc,2BACdC,cAAe,sBACfC,aAAc,0BAEhBC,OACEA,MAAO,YACPpW,SAAU,cACVC,SAAU,eACVH,SAAU,aACVuW,OAAQ,eAEVC,cACEA,aAAc,cACdC,SAAU,aACVC,MAAO,gBACP5C,IAAK,aACL6C,iBAAkB,gCAEpBC,aACEC,QAAS,iBACT1jB,QAAS,sCAEX2jB,QACEC,UAAW,0BACXC,oBAAqB,gDAEvBC,SACEC,OAAQ,UACRC,MAAO,aAETC,cACEC,eAAgB,6BAIdsB,GACJlG,KACEpQ,SAAU,qBACVY,SAAU,WACVyP,UAAW,8BACXC,KAAM,6BAERC,WACEC,YAAa,YACbC,UAAW,oBACXlF,OAAQ,QACRvW,SAAU,WACV4b,KAAM,cACNjR,MAAO,aACPsH,UAAW,eACX4J,UAAW,oBACXC,QAAS,aAEX9Q,UACEgR,SAAU,eACVC,eAAgB,oCAChBC,WAAY,aACZC,WAAY,8BAEdG,UACEC,cAAe,6BACfC,SAAU,sBACVvb,KAAM,OACNwb,IAAK,eACLC,OAAQ,SACRC,eAAgB,wBAChBC,eAAgB,yBAChBC,eAAgB,yBAChBC,uBAAwB,iBACxBC,uBAAwB,4CACxBC,mBAAoB,0BACpBC,2BAA4B,2CAC5BX,SAAU,WACV9a,MAAO,OACPwc,UAAW,SACXC,sBAAuB,2GACvBlL,YAAa,WACbmL,uBAAwB,0DACxBC,0BAA2B,qDAC3BC,kBAAmB,6CACnBE,SAAU,sEACVE,mBAAoB,wDAEtBlM,eACEA,cAAe,YACfuM,KAAM,SACNC,aAAc,iBAEhBc,SACEC,OAAQ,UAIN0B,GACJnhB,MACEgV,MAAO,eAETgG,KACEhb,KAAM,aACN4K,SAAU,oBACVY,SAAU,gBACVyP,UAAW,kBACXC,KAAM,qBAERC,WACEC,YAAa,YACbC,UAAW,WACXlF,OAAQ,SACRmF,QAAS,SACTC,MAAO,SACP3b,SAAU,WACV4b,KAAM,SACNjR,MAAO,SACPsH,UAAW,YACX4J,UAAW,aACXC,QAAS,WACTC,cAAe,sBAEjB/Q,UACEgR,SAAU,eACVC,eAAgB,mCAChBC,WAAY,SACZC,WAAY,eACZC,aAAc,eACdC,SAAU,SACV/E,SAAU,WAEZgF,UACEC,cAAe,wBACfC,SAAU,YACVvb,KAAM,MACNwb,IAAK,YACLC,OAAQ,SACRC,eAAgB,uBAChBC,eAAgB,mBAChBC,eAAgB,sBAChBC,uBAAwB,8BACxBC,uBAAwB,sBACxBC,mBAAoB,iBACpBC,2BAA4B,2BAC5BX,SAAU,aACV9a,MAAO,OACP0b,QAAS,mBACTC,WAAY,oFACZ+C,WAAY,gEACZze,WAAY,aACZ2b,WAAY,WACZ7Z,KAAM,QACN8Z,MAAO,SACPC,MAAO,2BACPC,KAAM,iBACNC,QAAS,4BACTC,OAAQ,oBACR0C,YAAa,cACbzC,UAAW,SACXC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,eAClBC,UAAW,SACXC,sBAAuB,0EACvBlL,YAAa,eACbmL,uBAAwB,6BACxBC,0BAA2B,oDAC3BC,kBAAmB,+EACnBC,UAAW,8BACXC,SAAU,oEACVC,UAAW,mEACXC,mBAAoB,yCACpBC,cAAe,0BACfC,iCAAkC,0CAClCC,iBAAkB,4DAClBC,oBAAqB,oCAEvBtM,eACEA,cAAe,eACfuM,KAAM,UACNC,aAAc,UACdC,cAAe,yBACfC,aAAc,iCAEhBC,OACEA,MAAO,YACPpW,SAAU,mBACVC,SAAU,SACVH,SAAU,YACVuW,OAAQ,gBAEVC,cACEA,aAAc,cACdC,SAAU,cACVC,MAAO,oBACP5C,IAAK,YACL6C,iBAAkB,uBAEpBC,aACEC,QAAS,WACT1jB,QAAS,kCAEX2jB,QACEC,UAAW,uBACXC,oBAAqB,4CAEvBC,SACEC,OAAQ,SACRC,MAAO,WAETC,cACEC,eAAgB,oBAIdwB,GACJphB,MACEgV,MAAO,QAETgG,KACEhb,KAAM,eACN4K,SAAU,WACVY,SAAU,WACVyP,UAAW,qBACXC,KAAM,mBAERC,WACEC,YAAa,iBACbC,UAAW,eACXlF,OAAQ,WACRmF,QAAS,eACTC,MAAO,WACP3b,SAAU,UACV4b,KAAM,SACNjR,MAAO,YACPsH,UAAW,cACX4J,UAAW,cACXC,QAAS,WACTC,cAAe,qBAEjB/Q,UACEgR,SAAU,aACVC,eAAgB,kBAChBC,WAAY,aACZC,WAAY,0BACZC,aAAc,UACdC,SAAU,OACV/E,SAAU,cAEZgF,UACEC,cAAe,yBACfC,SAAU,aACVvb,KAAM,OACNwb,IAAK,MACLC,OAAQ,SACRC,eAAgB,qBAChBC,eAAgB,oBAChBC,eAAgB,iBAChBC,uBAAwB,6BACxBC,uBAAwB,4BACxBC,mBAAoB,cACpBC,2BAA4B,yBAC5BX,SAAU,aACV9a,MAAO,QACP0b,QAAS,gBACTC,WAAY,0EACZ+C,WAAY,uDACZze,WAAY,MACZ2b,WAAY,gBACZ7Z,KAAM,QACN8Z,MAAO,QACPC,MAAO,kCACPC,KAAM,oBACNC,QAAS,0BACTC,OAAQ,wBACRC,UAAW,YACXC,YAAa,SACbC,aAAc,UACdC,gBAAiB,0BACjBC,cAAe,kBACfC,iBAAkB,aAClBC,UAAW,cACXC,sBAAuB,gFACvBlL,YAAa,aACbmL,uBAAwB,+BACxBC,0BAA2B,+BAC3BC,kBAAmB,sEACnBC,UAAW,wCACXC,SAAU,+DACVC,UAAW,2EACXC,mBAAoB,iEACpBC,cAAe,uBACfC,iCAAkC,qCAClCC,iBAAkB,gEAClBC,oBAAqB,wCAEvBtM,eACEA,cAAe,gBACfuM,KAAM,eACNC,aAAc,gBACdC,cAAe,kCACfC,aAAc,yBAEhBC,OACEA,MAAO,UACPpW,SAAU,aACVC,SAAU,QACVH,SAAU,cACVuW,OAAQ,WAEVC,cACEA,aAAc,cACdC,SAAU,4BACVC,MAAO,QACP5C,IAAK,MACL6C,iBAAkB,uBAEpBC,aACEC,QAAS,YACT1jB,QAAS,+BAEX2jB,QACEC,UAAW,qBACXC,oBAAqB,gCAEvBC,SACEC,OAAQ,SACRC,MAAO,YAETC,cACEC,eAAgB,yBAIdyB,GACJrhB,MACEgV,MAAO,QAETgG,KACEhb,KAAM,aACN4K,SAAU,iBACVY,SAAU,YACVyP,UAAW,yBACXC,KAAM,wBAERC,WACEC,YAAa,aACbC,UAAW,cACXlF,OAAQ,SACRmF,QAAS,cACTC,MAAO,WACP3b,SAAU,UACV4b,KAAM,YACNjR,MAAO,aACPsH,UAAW,aACX4J,UAAW,YACXC,QAAS,UACTC,cAAe,UAEjB/Q,UACEgR,SAAU,mBACVC,eAAgB,sCAChBC,WAAY,cACZC,WAAY,oCACZC,aAAc,gBAEhBE,UACEC,cAAe,qBACfC,SAAU,qBACVvb,KAAM,SACNwb,IAAK,YACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,iBAChBC,eAAgB,sBAChBC,uBAAwB,kBACxBC,uBAAwB,mBACxBC,mBAAoB,mBACpBC,2BAA4B,2BAC5BX,SAAU,UACV9a,MAAO,OACP0b,QAAS,cACTC,WAAY,qFACZ1b,WAAY,gBACZ2b,WAAY,eACZ7Z,KAAM,QACN8Z,MAAO,QACPW,UAAW,UACXC,sBAAuB,kFACvBlL,YAAa,WACbmL,uBAAwB,wCACxBC,0BAA2B,yCAC3BC,kBAAmB,iDACnBE,SAAU,2DACVC,UAAW,wGACXC,mBAAoB,mFACpBC,cAAe,kCACfC,iCAAkC,4DAClCC,iBAAkB,0CAClBC,oBAAqB,gCAEvBtM,eACEA,cAAe,iBACfuM,KAAM,UACNC,aAAc,qBAEhBG,OACEA,MAAO,iBACPpW,SAAU,UACVC,SAAU,aACVH,SAAU,YACVuW,OAAQ,SAEVC,cACEA,aAAc,WACdC,SAAU,mBACVC,MAAO,qBACP5C,IAAK,YACL6C,iBAAkB,8BAEpBC,aACEC,QAAS,aACT1jB,QAAS,8BAEX2jB,QACEC,UAAW,oBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,SACRC,MAAO,YAIL4B,GACJthB,MACEgV,MAAO,QAETgG,KACEhb,KAAM,aACN4K,SAAU,iBACVY,SAAU,UACVyP,UAAW,yBACXC,KAAM,yBAERC,WACEC,YAAa,cACbC,UAAW,YACXlF,OAAQ,SACRmF,QAAS,aACTC,MAAO,WACP3b,SAAU,YACV4b,KAAM,YACNjR,MAAO,aACPsH,UAAW,aACX4J,UAAW,WACXC,QAAS,UACTC,cAAe,mBAEjB/Q,UACEgR,SAAU,gBACVC,eAAgB,6BAChBC,WAAY,aACZC,WAAY,6BACZC,aAAc,YAEhBE,UACEC,cAAe,2BACfC,SAAU,mBACVvb,KAAM,OACNwb,IAAK,YACLC,OAAQ,SACRC,eAAgB,mBAChBC,eAAgB,iBAChBC,eAAgB,iBAChBC,uBAAwB,2BACxBC,uBAAwB,yBACxBC,mBAAoB,2BACpBC,2BAA4B,qCAC5BX,SAAU,gBACV9a,MAAO,OACP0b,QAAS,gBACTC,WAAY,oFACZ1b,WAAY,iBACZ2b,WAAY,iBACZ7Z,KAAM,QACN8Z,MAAO,QACPW,UAAW,YACXC,sBAAuB,+EACvBlL,YAAa,SACbmL,uBAAwB,oCACxBC,0BAA2B,8BAC3BC,kBAAmB,4CACnBE,SAAU,oEACVC,UAAW,qEACXC,mBAAoB,uEACpBC,cAAe,oBACfC,iCAAkC,gDAClCC,iBAAkB,gEAClBC,oBAAqB,+BAEvBtM,eACEA,cAAe,eACfuM,KAAM,OACNC,aAAc,eAEhBG,OACEA,MAAO,SACPpW,SAAU,UACVC,SAAU,QACVH,SAAU,YACVuW,OAAQ,QAEVC,cACEA,aAAc,WACdC,SAAU,qBACVC,MAAO,qBACP5C,IAAK,YACL6C,iBAAkB,wBAEpBC,aACEC,QAAS,aACT1jB,QAAS,8BAEX2jB,QACEC,UAAW,iBACXC,oBAAqB,2BAEvBC,SACEC,OAAQ,SACRC,MAAO,YAIL6B,GACJvhB,MACEgV,MAAO,OAETgG,KACEhb,KAAM,gBACN4K,SAAU,QACVY,SAAU,aACVyP,UAAW,kBACXC,KAAM,sBAERC,WACEC,YAAa,aACbC,UAAW,QACXlF,OAAQ,SACRmF,QAAS,eACTC,MAAO,gBACP3b,SAAU,UACV4b,KAAM,eACNjR,MAAO,YACPsH,UAAW,WACX4J,UAAW,WACXC,QAAS,SACTC,cAAe,mBAEjB/Q,UACEgR,SAAU,iBACVC,eAAgB,wBAChBC,WAAY,YACZC,WAAY,2BACZC,aAAc,WACdC,SAAU,WACV/E,SAAU,eAEZgF,UACEC,cAAe,yBACfC,SAAU,iBACVvb,KAAM,MACNwb,IAAK,WACLC,OAAQ,SACRC,eAAgB,iBAChBC,eAAgB,yBAChBC,eAAgB,iBAChBC,uBAAwB,yBACxBC,uBAAwB,iCACxBC,mBAAoB,cACpBC,2BAA4B,8BAC5BX,SAAU,YACV9a,MAAO,OACP0b,QAAS,UACTC,WAAY,0EACZ+C,WAAY,qDACZze,WAAY,MACZ2b,WAAY,gBACZ7Z,KAAM,QACN8Z,MAAO,SACPC,MAAO,mBACPC,KAAM,WACNC,QAAS,WACTC,OAAQ,YACRC,UAAW,SACXyC,YAAa,aACbxC,YAAa,SACbC,aAAc,UACdC,gBAAiB,yBACjBC,cAAe,oCACfC,iBAAkB,sBAClBC,UAAW,aACXC,sBAAuB,iFACvBlL,YAAa,WACbmL,uBAAwB,2BACxBC,0BAA2B,gCAC3BE,UAAW,gDACXD,kBAAmB,iCACnBE,SAAU,sDACVC,UAAW,uEACXC,mBAAoB,8DACpBC,cAAe,yBACfC,iCAAkC,uCAClCC,iBAAkB;AAClBC,oBAAqB,uCAEvBtM,eACEA,cAAe,cACfuM,KAAM,WACNC,aAAc,sBACdC,cAAe,sBACfC,aAAc,0BAEhBC,OACEA,MAAO,QACPpW,SAAU,mBACVC,SAAU,SACVH,SAAU,qBACVuW,OAAQ,SAEVC,cACEA,aAAc,cACdC,SAAU,mBACVC,MAAO,QACP5C,IAAK,WACL6C,iBAAkB,wBAEpBC,aACEC,QAAS,eACT1jB,QAAS,eAEX2jB,QACEC,UAAW,qBACXC,oBAAqB,0BAEvBC,SACEC,OAAQ,YACRC,MAAO,aAETC,cACEC,eAAgB,uBAGd4B,GACJxhB,MACEgV,MAAO,QAETgG,KACEhb,KAAM,aACN4K,SAAU,YACVY,SAAU,QACVyP,UAAW,sBACXC,KAAM,8BAERC,WACEC,YAAa,cACbC,UAAW,UACXlF,OAAQ,OACRmF,QAAS,YACTC,MAAO,UACP3b,SAAU,WACV4b,KAAM,OACNjR,MAAO,SACPsH,UAAW,UACX4J,UAAW,SACXC,QAAS,UACTC,cAAe,iBAEjB/Q,UACEgR,SAAU,UACVC,eAAgB,oCAChBC,WAAY,YACZC,WAAY,sBACZC,aAAc,UACdC,SAAU,aACV/E,SAAU,WAEZgF,UACEC,cAAe,qBACfC,SAAU,kBACVvb,KAAM,OACNwb,IAAK,WACLC,OAAQ,cACRC,eAAgB,6BAChBC,eAAgB,sBAChBC,eAAgB,gBAChBC,uBAAwB,8BACxBC,uBAAwB,wBACxBC,mBAAoB,kBACpBC,2BAA4B,0BAC5BX,SAAU,gBACV9a,MAAO,OACP0b,QAAS,+BACTC,WAAY,yEACZ+C,WAAY,yEACZze,WAAY,WACZ2b,WAAY,YACZ7Z,KAAM,QACN8Z,MAAO,SACPC,MAAO,mBACPC,KAAM,eACNC,QAAS,gBACTC,OAAQ,iBACRC,UAAW,UACXC,YAAa,QACbC,aAAc,cACdC,gBAAiB,2BACjBC,cAAe,wBACfC,iBAAkB,UAClBC,UAAW,aACXC,sBAAuB,6FACvBlL,YAAa,UACbmL,uBAAwB,4BACxBC,0BAA2B,0BAC3BC,kBAAmB,wDACnBC,UAAW,uCACXC,SAAU,gDACVC,UAAW,mEACXC,mBAAoB,qEACpBC,cAAe,qBACfC,iCAAkC,oCAClCC,iBAAkB,yDAClBC,oBAAqB,sCAEvBtM,eACEA,cAAe,aACfuM,KAAM,OACNC,aAAc,aACdC,cAAe,mBACfC,aAAc,sBAEhBC,OACEA,MAAO,WACPpW,SAAU,aACVC,SAAU,UACVH,SAAU,YACVuW,OAAQ,WAEVC,cACEA,aAAc,eACdC,SAAU,eACVC,MAAO,gBACP5C,IAAK,WACL6C,iBAAkB,mBAEpBC,aACEC,QAAS,aACT1jB,QAAS,yBAEX2jB,QACEC,UAAW,cACXC,oBAAqB,8BAEvBC,SACEC,OAAQ,UACRC,MAAO,QAETC,cACEC,eAAgB,qBAIdvf,GACJ0a,KACA8E,KACAxgB,KACAwhB,KACAC,KACAC,KACAC,KACA1hB,KACA2hB,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KACAC,KhBqjEDnmB,GAAQK,QgBljEM2E,GhBsjET,SAAUjF,EAAQC,EAASC,GAEhC,YAgCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GiBpuHzE,QAASimB,KAWhB,GAAAja,GAAAyL,UAAAC,OAAA,GAAA1I,SAAAyI,UAAA,GAAAA,UAAA,MAAAyO,EAAAla,EAVNhE,MAUMgH,SAAAkX,EAVA,UAUAA,EAAAC,EAAAna,EATNhI,QASMgL,SAAAmX,OAAAC,EAAApa,EARNqa,WAQMrX,SAAAoX,EARK,SAACpe,EAAKse,GACf,GAAI5gB,GAAQ4gB,EAAQC,QAAQve,EAC5B,OAAOtC,IAMH0gB,EAAAI,EAAAxa,EAJNya,WAIMzX,SAAAwX,GAJK,EAAAE,EAAAxmB,SAASymB,EAAiB,KAI/BH,EAAAI,EAAA5a,EAHN6a,UAGM7X,SAAA4X,EAHIE,EAGJF,EAAAG,EAAA/a,EAFNsa,UAEMtX,SAAA+X,EAFIC,EAEJD,EAAAE,EAAAjb,EADNkb,aACMlY,SAAAiY,EADO,SAAAhjB,GAAA,MAAS,UAAAkjB,GAAA,MAAWljB,GAAMmjB,UAAUD,KAC3CF,CACN,OAAO,UAAAhjB,GACLoiB,EAASre,EAAKse,GAASvhB,KAAK,SAACsiB,GAC3B,IACE,GAA0B,YAAtB,mBAAOA,GAAP,eAAAC,EAAApnB,SAAOmnB,IAAyB,CAElC,GAAME,GAAaF,EAAWhjB,SAC9BkjB,GAAWC,cACX,IAAMnjB,GAAQkjB,EAAWljB,WACzB,EAAAyE,EAAA5I,SAAKmE,EAAO,SAAC2I,GAAWua,EAAWC,YAAYxa,EAAKS,IAAMT,IAC1Dqa,EAAWhjB,MAAQkjB,EAEnBtjB,EAAMwjB,cACJ,EAAAC,EAAAxnB,YAAU+D,EAAMwC,MAAO4gB,IAGvBpjB,EAAMwC,MAAMlC,OAAOojB,cAGrBrkB,OAAOskB,aAAc,EACrB3jB,EAAMwB,SAAS,aACbJ,KAAM,cACNK,MAAOzB,EAAMwC,MAAMlC,OAAOojB,eAG1B1jB,EAAMwC,MAAMpC,MAAMwjB,eACpB5jB,EAAMwB,SAAS,aAAcwH,SAAUhJ,EAAMwC,MAAMpC,MAAMwjB,cAAe3a,SAAU,QAEpF4a,GAAS,EACT,MAAOC,GACP1f,QAAQC,IAAI,uBACZwf,GAAS,KAIbZ,EAAWjjB,GAAO,SAAC+jB,EAAUvhB,GAC3B,IACEggB,EAASze,EAAK6e,EAAQpgB,EAAOzC,GAAQsiB,GACrC,MAAOyB,GACP1f,QAAQC,IAAI,2BACZD,QAAQC,IAAIyf,OjBmpHnBtf,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIuiB,GAAWnoB,EAAoB,KAE/BwnB,EAAWvnB,EAAuBkoB,GAElCpf,EAAS/I,EAAoB,IAE7BgJ,EAAS/I,EAAuB8I,GAEhCqf,EAAapoB,EAAoB,KAEjC4mB,EAAa3mB,EAAuBmoB,EAExCroB,GAAQK,QiBttHe+lB,CA1BxB,IAAAkC,GAAAroB,EAAA,KjBovHK4nB,EAAW3nB,EAAuBooB,GiBnvHvCC,EAAAtoB,EAAA,KjBuvHKuoB,EAAetoB,EAAuBqoB,GiBtvH3CE,EAAAxoB,EAAA,KjB0vHKyoB,EAAgBxoB,EAAuBuoB,GiBvvHxCR,GAAS,EAEPhB,EAAiB,SAACrgB,EAAOzC,GAAR,MACJ,KAAjBA,EAAM0T,OAAejR,EAAQzC,EAAMwkB,OAAO,SAACC,EAAUriB,GAEnD,MADAiiB,GAAAnoB,QAAWwoB,IAAID,EAAUriB,EAAMiiB,EAAAnoB,QAAWyoB,IAAIliB,EAAOL,IAC9CqiB,QAILzB,EAAkB,WACtB,MAAAuB,GAAAroB,WAGIymB,EAAkB,SAAC3e,EAAKvB,EAAO6f,GACnC,MAAKwB,GAGIxB,EAAQsC,QAAQ5gB,EAAKvB,OAF5B4B,SAAQC,IAAI,2CjBq0HV,SAAU1I,EAAQC,EAASC,GAEhC,YAgBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAdvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIwO,GAAYpU,EAAoB,GAEhCqU,EAAYpU,EAAuBmU,GkBn2HxC2U,EAAA/oB,EAAA,KlBu2HKgpB,EAA+B/oB,EAAuB8oB,GkBr2H3DE,EAAAjpB,EAAA,KAEMwE,GACJmC,OACEuiB,mBAAmB,EAAAF,EAAA5oB,WACnB+oB,YACAC,OAAQ,KACRC,cAAc,GAEhBxV,WACEyV,qBADS,SACa3iB,EAAOuiB,GAC3BviB,EAAMuiB,kBAAoBA,GAE5BK,WAJS,SAIG5iB,EAJHuF,GAI+B,GAApBoD,GAAoBpD,EAApBoD,SAAUka,EAAUtd,EAAVsd,OAC5B7iB,GAAMwiB,SAAS7Z,GAAYka,GAE7BC,cAPS,SAOM9iB,EAPNiG,GAOyB,GAAX0C,GAAW1C,EAAX0C,eACd3I,GAAMwiB,SAAS7Z,IAExBoa,UAVS,SAUE/iB,EAAOyiB,GAChBziB,EAAMyiB,OAASA,GAEjBO,gBAbS,SAaQhjB,EAAOf,GACtBe,EAAM0iB,aAAezjB,IAGzB2W,SACEa,cADO,SACQjZ,EAAOmL,GACpB,GAAIM,IAAS,CASb,KANI,EAAAyE,EAAAjU,SAAQkP,KACVM,EAASN,EAAS,GAClBA,EAAWA,EAAS,KAIjBnL,EAAMwC,MAAMwiB,SAAS7Z,GAAW,CACnC,GAAMka,GAAUrlB,EAAMwC,MAAMuiB,kBAAkB9L,eAAe9N,WAAUnL,QAAOyL,UAC9EzL,GAAMsY,OAAO,cAAenN,WAAUka,cAG1CI,aAhBO,SAgBOzlB,EAAOmL,GACnB,GAAMka,GAAUrlB,EAAMwC,MAAMwiB,SAAS7Z,EACrC9L,QAAOqmB,cAAcL,GACrBrlB,EAAMsY,OAAO,iBAAkBnN,cAEjCwa,iBArBO,SAqBW3lB,EAAO4lB,GAEvB,IAAK5lB,EAAMwC,MAAM0iB,aAAc,CAC7B,GAAID,GAAS,GAAAH,GAAAe,OAAW,WAAY7d,QAAS4d,MAAOA,IACpDX,GAAOa,UACP9lB,EAAMwB,SAAS,iBAAkByjB,KAGrCc,YA7BO,SA6BM/lB,GACXA,EAAMsY,OAAO,mBAAmB,KlBg3HrC1c,GAAQK,QkB32HMoE,GlB+2HT,SAAU1E,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GmBn7HV,IAAMlB,IACJiC,OACE5B,YACAolB,SAAUxjB,MAAO,KAEnBkN,WACEuW,WADS,SACGzjB,EAAOwjB,GACjBxjB,EAAMwjB,QAAUA,GAElBE,WAJS,SAIG1jB,EAAOqX,GACjBrX,EAAM5B,SAASqL,KAAK4N,GACpBrX,EAAM5B,SAAW4B,EAAM5B,SAASwO,OAAM,GAAK,KAE7C+W,YARS,SAQI3jB,EAAO5B,GAClB4B,EAAM5B,SAAWA,EAASwO,OAAM,GAAK,MAGzCgJ,SACEgO,eADO,SACSpmB,EAAOilB,GACrB,GAAMe,GAAUf,EAAOe,QAAQ,cAC/BA,GAAQK,GAAG,UAAW,SAACC,GACrBtmB,EAAMsY,OAAO,aAAcgO,KAE7BN,EAAQK,GAAG,WAAY,SAAAte,GAAgB,GAAdnH,GAAcmH,EAAdnH,QACvBZ,GAAMsY,OAAO,cAAe1X,KAE9BolB,EAAQ5Z,OACRpM,EAAMsY,OAAO,aAAc0N,KnB47HhCpqB,GAAQK,QmBv7HMsE,GnB27HT,SAAU5E,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GoBh+HV,IAAArF,GAAAP,EAAA,KACA0qB,EAAA1qB,EAAA,KpBs+HK2qB,EAAiB1qB,EAAuByqB,GoBp+HvCzW,GACJ1O,KAAM,aACNqlB,UACAC,iBAAiB,EACjBC,uBAAuB,EACvBC,UAAU,EACVC,UAAU,EACVnI,WAAW,EACXoI,cAAc,EACdC,cAGIzmB,GACJkC,MAAOsN,EACPJ,WACEsX,UADS,SACExkB,EADFuF,GAC0B,GAAf3G,GAAe2G,EAAf3G,KAAMK,EAASsG,EAATtG,OACxB,EAAArF,EAAAqoB,KAAIjiB,EAAOpB,EAAMK,KAGrB2W,SACE6O,aADO,SAAAxe,GAC6B,GAArBjG,GAAqBiG,EAArBjG,MAAQ0kB,EAAa1T,UAAAC,OAAA,GAAA1I,SAAAyI,UAAA,GAAAA,UAAA,GAAJ,EAC9B2T,UAAS5R,MAAW2R,EAApB,IAA8B1kB,EAAMpB,MAEtC4lB,UAJO,SAAAre,EAAAE,GAI2C,GAArCyP,GAAqC3P,EAArC2P,OAAQ9W,EAA6BmH,EAA7BnH,SAAcJ,EAAeyH,EAAfzH,KAAMK,EAASoH,EAATpH,KAEvC,QADA6W,EAAO,aAAclX,OAAMK,UACnBL,GACN,IAAK,OACHI,EAAS,eACT,MACF,KAAK,QACHglB,EAAAvqB,QAAYmrB,UAAU3lB,EAAO6W,EAC7B,MACF,KAAK,cACHkO,EAAAvqB,QAAYorB,UAAU5lB,EAAO6W,MpBy/HtC1c,GAAQK,QoBn/HMqE,GpBu/HT,SAAU3E,EAAQC,EAASC,GAEhC,YAiCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA/BvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,IAET7F,EAAQkU,aAAelU,EAAQ8T,UAAY9T,EAAQ0X,WAAavI,MAEhE,IAAIuc,GAAWzrB,EAAoB,KAE/B0rB,EAAYzrB,EAAuBwrB,GAEnCjX,EAAUxU,EAAoB,KAE9ByU,EAAUxU,EAAuBuU,GAEjCzL,EAAS/I,EAAoB,IAE7BgJ,EAAS/I,EAAuB8I,GAEhCF,EAAQ7I,EAAoB,IAE5B8I,EAAQ7I,EAAuB4I,GAE/B8iB,EAAY3rB,EAAoB,KAEhC4rB,EAAY3rB,EAAuB0rB,GqB5jIxC5C,EAAA/oB,EAAA,KrBgkIKgpB,EAA+B/oB,EAAuB8oB,GqB9jI3DxoB,EAAAP,EAAA,KAGayX,eAAa,SAACO,EAAK9X,EAAK+X,GACnC,IAAKA,EAAQ,OAAO,CACpB,IAAMC,GAAUhY,EAAI+X,EAAKtK,GACzB,OAAIuK,KAEF,EAAAzD,EAAArU,SAAM8X,EAASD,IACPA,KAAMC,EAASE,KAAK,KAG5BJ,EAAI5H,KAAK6H,GACT/X,EAAI+X,EAAKtK,IAAMsK,GACPA,OAAMG,KAAK,KAIVvE,eACXgY,SADuB,SACbllB,EADauF,GACiB,GAAdyB,GAAczB,EAArBgB,KAAOS,GAAKsB,EAAS/C,EAAT+C,MACvB/B,EAAOvG,EAAM+gB,YAAY/Z,IAC/B,EAAApN,EAAAqoB,KAAI1b,EAAM,QAAS+B,IAErB6c,eALuB,SAKPnlB,EAAOuG,GACrBvG,EAAMohB,cAAgB7a,EAAKgO,YAC3BvU,EAAMC,aAAc,EAAA6N,EAAArU,SAAMuG,EAAMC,gBAAmBsG,IAErD6e,iBATuB,SASLplB,GAChBA,EAAMC,aAAc,EACpBD,EAAMohB,eAAgB,GAExBiE,WAbuB,SAaXrlB,GACVA,EAAMslB,WAAY,GAEpBC,SAhBuB,SAgBbvlB,GACRA,EAAMslB,WAAY,GAEpBE,YAnBuB,SAmBVxlB,EAAOpC,IAClB,EAAAyE,EAAA5I,SAAKmE,EAAO,SAAC2I,GAAD,MAAUuK,GAAW9Q,EAAMpC,MAAOoC,EAAM+gB,YAAaxa,MAEnEkf,iBAtBuB,SAsBLzlB,EAAOsK,GACvBA,EAAO/D,KAAOvG,EAAM+gB,YAAYzW,EAAO/D,KAAKS,MAInCsG,kBACX8T,eAAe,EACfnhB,aAAa,EACbqlB,WAAW,EACX1nB,SACAmjB,gBAGInjB,GACJoC,MAAOsN,EACPJ,YACA0I,SACErO,UADO,SACI/J,EAAOwJ,GAChBxJ,EAAMqY,UAAUhY,IAAI0kB,kBAAkBhb,WAAWP,OAC9C1I,KAAK,SAACiI,GAAD,MAAU/I,GAAMsY,OAAO,cAAevP,MAEhDoL,eALO,SAKSnU,EALTyI,GAK8B,GAAZtI,GAAYsI,EAAZtI,SACjBC,GAAQ,EAAAuE,EAAA1I,SAAIkE,EAAU,QACtB+nB,GAAiB,EAAAT,EAAAxrB,UAAQ,EAAA0I,EAAA1I,SAAIkE,EAAU,yBAC7CH,GAAMsY,OAAO,cAAelY,GAC5BJ,EAAMsY,OAAO,cAAe4P,IAG5B,EAAArjB,EAAA5I,SAAKkE,EAAU,SAAC2M,GACd9M,EAAMsY,OAAO,mBAAoBxL,MAGnC,EAAAjI,EAAA5I,UAAK,EAAAwrB,EAAAxrB,UAAQ,EAAA0I,EAAA1I,SAAIkE,EAAU,qBAAsB,SAAC2M,GAChD9M,EAAMsY,OAAO,mBAAoBxL,MAGrCuS,OApBO,SAoBCrf,GACNA,EAAMsY,OAAO,oBACbtY,EAAMwB,SAAS,eAAgB,WAC/BxB,EAAMsY,OAAO,wBAAwB,EAAAuM,EAAA5oB,aAEvCksB,UAzBO,SAyBInoB,EAAOooB,GAChB,MAAO,IAAAb,GAAAtrB,QAAY,SAACosB,EAASC,GAC3B,GAAMhQ,GAAStY,EAAMsY,MACrBA,GAAO,cACPtY,EAAMqY,UAAUhY,IAAI0kB,kBAAkB1Y,kBAAkB+b,GACrDtnB,KAAK,SAACyM,GACDA,EAASK,GACXL,EAASvM,OACNF,KAAK,SAACiI,GACLA,EAAK3B,YAAcghB,EACnB9P,EAAO,iBAAkBvP,GACzBuP,EAAO,eAAgBvP,IAGvBuP,EAAO,wBAAwB,EAAAuM,EAAA5oB,SAAyBmsB,IAEpDrf,EAAK6c,OACP5lB,EAAMwB,SAAS,mBAAoBuH,EAAK6c,OAI1C5lB,EAAMwB,SAAS,gBAAiB,WAGhCxB,EAAMqY,UAAUhY,IAAI0kB,kBAAkB5W,aAAarN,KAAK,SAACynB,IACvD,EAAA1jB,EAAA5I,SAAKssB,EAAY,SAACxf,GAAWA,EAAK+B,OAAQ,IAC1C9K,EAAMsY,OAAO,cAAeiQ,KAG1B,gBAAkBlpB,SAA6C,YAAnCA,OAAOgW,aAAaC,YAClDjW,OAAOgW,aAAamT,oBAItBxoB,EAAMqY,UAAUhY,IAAI0kB,kBAAkB9a,eACnCnJ,KAAK,SAACgL,GAAD,MAAawM,GAAO,cAAexM,QAI/CwM,EAAO,YAELgQ,EADsB,MAApB/a,EAAST,OACJ,6BAEA,wCAGXwL,EAAO,YACP+P,MAED1O,MAAM,SAACxV,GACNC,QAAQC,IAAIF,GACZmU,EAAO,YACPgQ,EAAO,gDrB0kIlB1sB,GAAQK,QqBnkIMmE,GrBukIT,SAAUzE,EAAQC,EAASC,GAEhC,YAeA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAbvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,IAET7F,EAAQ6sB,eAAiB7sB,EAAQ8sB,mBAAqB9sB,EAAQ+sB,eAAiB/sB,EAAQgtB,YAAc7d,MAErG,IAAI8F,GAAShV,EAAoB,IAE7BiV,EAAShV,EAAuB+U,GAEhCgY,EAAWhtB,EAAoB,KAE/BitB,EAAWhtB,EAAuB+sB,GsBluI1BD,gBAAc,SAACthB,EAAKyhB,EAAWC,GAC1C,MAAO1hB,GAAI8H,MAAM,EAAG2Z,EAAUE,OAASD,EAAc1hB,EAAI8H,MAAM2Z,EAAUG,MAG9DP,mBAAiB,SAACrhB,EAAK6hB,GAClC,GAAMC,GAAQX,EAAenhB,GACvB+hB,EAAoBX,EAAmBU,EAE7C,QAAO,EAAAtY,EAAA7U,SAAKotB,EAAmB,SAAAthB,GAAA,GAAEkhB,GAAFlhB,EAAEkhB,MAAOC,EAATnhB,EAASmhB,GAAT,OAAkBD,IAASE,GAAOD,EAAMC,KAG5DT,uBAAqB,SAACU,GACjC,OAAO,EAAAN,EAAA7sB,SAAOmtB,EAAO,SAAC9Z,EAAQga,GAC5B,GAAMroB,IACJqoB,OACAL,MAAO,EACPC,IAAKI,EAAK7V,OAGZ,IAAInE,EAAOmE,OAAS,EAAG,CACrB,GAAM8V,GAAWja,EAAOka,KAExBvoB,GAAKgoB,OAASM,EAASL,IACvBjoB,EAAKioB,KAAOK,EAASL,IAErB5Z,EAAOrD,KAAKsd,GAKd,MAFAja,GAAOrD,KAAKhL,GAELqO,QAIEmZ,mBAAiB,SAACnhB,GAE7B,GAAMmiB,GAAQ,KACRC,EAAW,UAEblqB,EAAQ8H,EAAI9H,MAAMiqB,GAGhBL,GAAQ,EAAAN,EAAA7sB,SAAOuD,EAAO,SAAC8P,EAAQga,GACnC,GAAIha,EAAOmE,OAAS,EAAG,CACrB,GAAI8V,GAAWja,EAAOka,MAChBG,EAAUJ,EAAS7hB,MAAMgiB,EAC3BC,KACFJ,EAAWA,EAAS9hB,QAAQiiB,EAAU,IACtCJ,EAAOK,EAAQ,GAAKL,GAEtBha,EAAOrD,KAAKsd,GAId,MAFAja,GAAOrD,KAAKqd,GAELha,MAGT,OAAO8Z,IAGHQ,GACJjB,iBACAD,qBACAD,iBACAG,ctB2uIDhtB,GAAQK,QsBxuIM2tB,GtB4uIT,SAAUjuB,EAAQC,EAASC,GAEhC,YAoBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAlBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIgN,GAAkB5S,EAAoB,KAEtC6S,EAAkB5S,EAAuB2S,GAEzCob,EAAWhuB,EAAoB,KAE/BiuB,EAAYhuB,EAAuB+tB,GAEnCE,EAAUluB,EAAoB,KAE9BmuB,EAAUluB,EAAuBiuB,GuBl0ItCE,EAAApuB,EAAA,IAMMquB,EAAW,SAACC,EAAM7R,GActB,GAAM8R,GAAOjD,SAASiD,KAChB7hB,EAAO4e,SAAS5e,IACtBA,GAAK8hB,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,MACtCjiB,GAAKmiB,YAAYE,EAEjB,IAAInE,OACJ,EAAAuD,EAAA/tB,SAAM,GAAI,SAAC4uB,GACT,GAAMzpB,WAAeypB,EAAE1b,SAAS,IAAI2b,aACpCF,GAAOH,aAAa,QAASrpB,EAC7B,IAAM2pB,GAAQ1rB,OAAO2rB,iBAAiBJ,GAAQK,iBAAiB,QAC/DxE,GAAOrlB,GAAQ2pB,IAGjBzS,EAAO,aAAelX,KAAM,SAAUK,MAAOglB,IAE7Cle,EAAK2iB,YAAYN,EAEjB,IAAMO,GAAUhE,SAASqD,cAAc,QACvCJ,GAAKM,YAAYS,GAGjB5iB,EAAK8hB,MAAMC,QAAU,UAGvBC,GAAMa,iBAAiB,OAAQT,IAG3BtD,EAAY,SAACgE,EAAK/S,GACtB,GAAM8R,GAAOjD,SAASiD,KAChB7hB,EAAO4e,SAAS5e,IACtBA,GAAK8hB,MAAMC,QAAU,MAErB,IAAMa,GAAUhE,SAASqD,cAAc,QACvCJ,GAAKM,YAAYS,EACjB,IAAMG,GAAaH,EAAQI,MAErBC,EAAUH,EAAI3nB,KAAKmL,EAAIwc,EAAI3nB,KAAKoL,EAAIuc,EAAI3nB,KAAKqL,EAAMsc,EAAII,GAAG5c,EAAIwc,EAAII,GAAG3c,EAAIuc,EAAII,GAAG1c,EAClF0X,KACAiF,KAEEC,EAAMH,GAAS,GAAM,EAE3B/E,GAAOgF,IAAK,EAAAxB,EAAAzb,SAAQ6c,EAAII,GAAG5c,EAAGwc,EAAII,GAAG3c,EAAGuc,EAAII,GAAG1c,GAC/C0X,EAAOmF,SAAU,EAAA3B,EAAAzb,UAAS6c,EAAII,GAAG5c,EAAIwc,EAAIQ,GAAGhd,GAAK,GAAIwc,EAAII,GAAG3c,EAAIuc,EAAIQ,GAAG/c,GAAK,GAAIuc,EAAII,GAAG1c,EAAIsc,EAAIQ,GAAG9c,GAAK,GACvG0X,EAAOqF,KAAM,EAAA7B,EAAAzb,SAAQ6c,EAAIQ,GAAGhd,EAAGwc,EAAIQ,GAAG/c,EAAGuc,EAAIQ,GAAG9c,GAChD0X,EAAOsF,MAAP,QAAuBV,EAAIQ,GAAGhd,EAA9B,KAAoCwc,EAAIQ,GAAG/c,EAA3C,KAAiDuc,EAAIQ,GAAG9c,EAAxD,QACA0X,EAAOuF,QAAS,EAAA/B,EAAAzb,SAAQ6c,EAAIQ,GAAGhd,EAAI8c,EAAKN,EAAIQ,GAAG/c,EAAI6c,EAAKN,EAAIQ,GAAG9c,EAAI4c,GACnElF,EAAOwF,MAAP,QAAuBZ,EAAI3nB,KAAKmL,EAAhC,KAAsCwc,EAAI3nB,KAAKoL,EAA/C,KAAqDuc,EAAI3nB,KAAKqL,EAA9D,QACA0X,EAAOoF,IAAK,EAAA5B,EAAAzb,SAAQ6c,EAAI3nB,KAAKmL,EAAGwc,EAAI3nB,KAAKoL,EAAGuc,EAAI3nB,KAAKqL,GACrD0X,EAAOyF,SAAU,EAAAjC,EAAAzb,SAAQ6c,EAAI3nB,KAAKmL,EAAU,EAAN8c,EAASN,EAAI3nB,KAAKoL,EAAU,EAAN6c,EAASN,EAAI3nB,KAAKqL,EAAU,EAAN4c,GAElFlF,EAAA,QAAmB,EAAAwD,EAAAzb,SAAQ6c,EAAI3nB,KAAKmL,EAAU,EAAN8c,EAASN,EAAI3nB,KAAKoL,EAAU,EAAN6c,EAASN,EAAI3nB,KAAKqL,EAAU,EAAN4c,GAEpFlF,EAAO1M,MAAO,EAAAkQ,EAAAzb,SAAQ6c,EAAItR,KAAKlL,EAAGwc,EAAItR,KAAKjL,EAAGuc,EAAItR,KAAKhL,GACvD0X,EAAOjR,MAAO,EAAAyU,EAAAzb,UAAS6c,EAAII,GAAG5c,EAAIwc,EAAI3nB,KAAKmL,GAAK,GAAIwc,EAAII,GAAG3c,EAAIuc,EAAI3nB,KAAKoL,GAAK,GAAIuc,EAAII,GAAG1c,EAAIsc,EAAI3nB,KAAKqL,GAAK,GAE1G0X,EAAOhJ,MAAQ4N,EAAI5N,QAAS,EAAAwM,EAAAzb,SAAQ6c,EAAI5N,MAAM5O,EAAGwc,EAAI5N,MAAM3O,EAAGuc,EAAI5N,MAAM1O,GACxE0X,EAAO/I,KAAO2N,EAAI3N,OAAQ,EAAAuM,EAAAzb,SAAQ6c,EAAI3N,KAAK7O,EAAGwc,EAAI3N,KAAK5O,EAAGuc,EAAI3N,KAAK3O,GACnE0X,EAAO7I,OAASyN,EAAIzN,SAAU,EAAAqM,EAAAzb,SAAQ6c,EAAIzN,OAAO/O,EAAGwc,EAAIzN,OAAO9O,EAAGuc,EAAIzN,OAAO7O,GAC7E0X,EAAO9I,QAAU0N,EAAI1N,UAAW,EAAAsM,EAAAzb,SAAQ6c,EAAI1N,QAAQ9O,EAAGwc,EAAI1N,QAAQ7O,EAAGuc,EAAI1N,QAAQ5O,GAElF0X,EAAO0F,UAAYd,EAAI3N,MAAJ,QAAoB2N,EAAI3N,KAAK7O,EAA7B,KAAmCwc,EAAI3N,KAAK5O,EAA5C,KAAkDuc,EAAI3N,KAAK3O,EAA3D,QAEnB2c,EAAM7N,UAAYwN,EAAIxN,UACtB6N,EAAMpL,YAAc+K,EAAI/K,YACxBoL,EAAM5N,YAAcuN,EAAIvN,YACxB4N,EAAM3N,aAAesN,EAAItN,aACzB2N,EAAM1N,gBAAkBqN,EAAIrN,gBAC5B0N,EAAMzN,cAAgBoN,EAAIpN,cAC1ByN,EAAMxN,iBAAmBmN,EAAInN,iBAE7BoN,EAAWnc,WACXmc,EAAWc,WAAX,WAAgC,EAAAtC,EAAA7tB,SAAewqB,GAAQ4F,OAAO,SAAAtkB,GAAA,GAAAU,IAAA,EAAAiG,EAAAzS,SAAA8L,EAAA,GAAKgQ,GAALtP,EAAA,GAAAA,EAAA,UAAYsP,KAAGjU,IAAI,SAAA6E,GAAA,GAAAE,IAAA,EAAA6F,EAAAzS,SAAA0M,EAAA,GAAE2jB,EAAFzjB,EAAA,GAAKkP,EAALlP,EAAA,cAAiByjB,EAAjB,KAAuBvU,IAAK3L,KAAK,KAAlH,KAA4H,aAC5Hkf,EAAWc,WAAX,WAAgC,EAAAtC,EAAA7tB,SAAeyvB,GAAOW,OAAO,SAAAjjB,GAAA,GAAAG,IAAA,EAAAmF,EAAAzS,SAAAmN,EAAA,GAAK2O,GAALxO,EAAA,GAAAA,EAAA,UAAYwO,KAAGjU,IAAI,SAAA4F,GAAA,GAAAE,IAAA,EAAA8E,EAAAzS,SAAAyN,EAAA,GAAE4iB,EAAF1iB,EAAA,GAAKmO,EAALnO,EAAA,cAAiB0iB,EAAjB,KAAuBvU,EAAvB,OAA8B3L,KAAK,KAAnH,KAA6H,aAC7H7D,EAAK8hB,MAAMC,QAAU,UAErBhS,EAAO,aAAelX,KAAM,SAAUK,MAAOglB,IAC7CnO,EAAO,aAAelX,KAAM,QAASK,MAAOiqB,IAC5CpT,EAAO,aAAelX,KAAM,cAAeK,MAAO4pB,KAG9CjE,EAAY,SAACpY,EAAKsJ,GACtBjZ,OAAOwB,MAAM,uBACVC,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACyrB,GACL,GAAM5qB,GAAQ4qB,EAAOvd,GAAOud,EAAOvd,GAAOud,EAAO,gBAC3CC,GAAQ,EAAAvC,EAAA1b,SAAQ5M,EAAM,IACtB8qB,GAAQ,EAAAxC,EAAA1b,SAAQ5M,EAAM,IACtB+qB,GAAU,EAAAzC,EAAA1b,SAAQ5M,EAAM,IACxBgrB,GAAU,EAAA1C,EAAA1b,SAAQ5M,EAAM,IAExBirB,GAAU,EAAA3C,EAAA1b,SAAQ5M,EAAM,IAAM,WAC9BkrB,GAAY,EAAA5C,EAAA1b,SAAQ5M,EAAM,IAAM,WAChCmrB,GAAW,EAAA7C,EAAA1b,SAAQ5M,EAAM,IAAM,WAC/BorB,GAAa,EAAA9C,EAAA1b,SAAQ5M,EAAM,IAAM,WAEjC0pB,GACJI,GAAIe,EACJX,GAAIY,EACJ/oB,KAAMgpB,EACN3S,KAAM4S,EACNjP,KAAMkP,EACNnP,MAAOqP,EACPlP,OAAQiP,EACRlP,QAASoP,EASN1tB,QAAOskB,aACV0D,EAAUgE,EAAK/S,MAKjB0U,GACJ9C,WACA9C,YACAC,YvB00IDzrB,GAAQK,QuBv0IM+wB,GvB20IT,SAAUrxB,EAAQC,EAASC,GAEhC,YAkCA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhCvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GwBz+IV,IAAAwrB,GAAApxB,EAAA,KxB8+IKqxB,EAAepxB,EAAuBmxB,GwB7+I3CE,EAAAtxB,EAAA,KxBi/IKuxB,EAActxB,EAAuBqxB,GwBh/I1CE,EAAAxxB,EAAA,KxBo/IKyxB,EAAkBxxB,EAAuBuxB,GwBn/I9CE,EAAA1xB,EAAA,KxBu/IK2xB,EAAgB1xB,EAAuByxB,GwBt/I5CE,EAAA5xB,EAAA,KxB0/IK6xB,EAAwB5xB,EAAuB2xB,GwBz/IpDE,EAAA9xB,EAAA,KxB6/IK+xB,EAA4B9xB,EAAuB6xB,GwB5/IxDE,EAAAhyB,EAAA,KxBggJKiyB,EAAehyB,EAAuB+xB,EAI1CjyB,GAAQK,SwBjgJPmF,KAAM,MACN2sB,YACEC,oBACAC,mBACAC,wBACAC,qBACAC,2BACAC,gCACAC,qBAEFrtB,KAAM,kBACJstB,kBAAmB,aAErBC,UACE/rB,YADQ,WACS,MAAOgsB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,aAChDb,WAFQ,WAGN,MAAO6sB,MAAKhsB,YAAYksB,kBAAoBF,KAAKC,OAAOlsB,MAAMlC,OAAOsB,YAEvEgtB,UALQ,WAKO,OAASC,mBAAA,OAA2BJ,KAAKC,OAAOlsB,MAAMlC,OAAOuB,KAApD,MACxBwoB,MANQ,WAMG,OAASwE,mBAAA,OAA2BJ,KAAK7sB,WAAhC,MACpBktB,SAPQ,WAOM,MAAOL,MAAKC,OAAOlsB,MAAMlC,OAAOc,MAC9Cb,KARQ,WAQE,MAAgD,WAAzCkuB,KAAKC,OAAOlsB,MAAMjC,KAAKylB,QAAQxjB,OAChDV,qBATQ,WASkB,MAAO2sB,MAAKC,OAAOlsB,MAAMlC,OAAOwB,sBAC1DG,0BAVQ,WAUuB,MAAOwsB,MAAKC,OAAOlsB,MAAMlC,OAAO2B,4BAEjE8sB,SACEC,cADO,SACQC,GACbR,KAAKF,kBAAoBU,GAE3BC,YAJO,WAKL7vB,OAAO8vB,SAAS,EAAG,IAErB9P,OAPO,WAQLoP,KAAKC,OAAOltB,SAAS,cxByhJrB,SAAU7F,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GyBxkJV,IAAA2tB,GAAAvzB,EAAA,IzB6kJKwzB,EAAevzB,EAAuBszB,GyB5kJ3CE,EAAAzzB,EAAA,KzBglJK0zB,EAASzzB,EAAuBwzB,GyB/kJrCE,EAAA3zB,EAAA,KzBmlJK4zB,EAAqB3zB,EAAuB0zB,GyBjlJ3CE,GACJC,OACE,aACA,OACA,WACA,QAEF1uB,KAPiB,WAQf,OACE2uB,oBACAC,cAAepB,KAAKC,OAAOlsB,MAAMlC,OAAOsmB,SACxCkJ,YAAY,EACZ3d,SAAS,EACT4d,IAAK5I,SAASqD,cAAc,SAGhCuD,YACEiC,sBAEFxB,UACEzZ,KADQ,WAEN,MAAO0a,GAAAxzB,QAAgBod,SAASoV,KAAKwB,WAAWva,WAElDwa,OAJQ,WAKN,MAAOzB,MAAK1b,MAAQ0b,KAAKoB,gBAAkBpB,KAAKqB,YAElDK,QAPQ,WAQN,MAAsB,SAAd1B,KAAK1Z,OAAoB0Z,KAAKwB,WAAWG,QAAyB,YAAd3B,KAAK1Z,MAEnEsb,QAVQ,WAWN,MAAqB,UAAd5B,KAAK6B,MAEdC,UAbQ,WAcN,MAA8D,SAAvDd,EAAAxzB,QAAgBod,SAASoV,KAAKwB,WAAWva,YAGpDqZ,SACEyB,YADO,SAAAzoB,GACgB,GAAT0oB,GAAS1oB,EAAT0oB,MACW,OAAnBA,EAAOC,SACTrxB,OAAOsxB,KAAKF,EAAOtG,KAAM,WAG7ByG,aANO,WAMS,GAAAC,GAAApC,IACVA,MAAKsB,IAAIe,OACXrC,KAAKsB,IAAIe,UAETrC,KAAKtc,SAAU,EACfsc,KAAKsB,IAAIgB,IAAMtC,KAAKwB,WAAWjpB,IAC/BynB,KAAKsB,IAAIe,OAAS,WAChBD,EAAK1e,SAAU,EACf0e,EAAKf,YAAce,EAAKf,ezB4lJjCl0B,GAAQK,QyBrlJMyzB,GzBylJT,SAAU/zB,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G0B3pJV,IAAMuvB,IACJ/vB,KADgB,WAEd,OACEgwB,eAAgB,GAChBjL,QAAS,KACTkL,WAAW,IAGf1C,UACE5tB,SADQ,WAEN,MAAO6tB,MAAKC,OAAOlsB,MAAMjC,KAAKK,WAGlCmuB,SACE/O,OADO,SACCnG,GACN4U,KAAKC,OAAOlsB,MAAMjC,KAAKylB,QAAQ/Z,KAAK,WAAYvI,KAAMmW,GAAU,KAChE4U,KAAKwC,eAAiB,IAExBE,YALO,WAML1C,KAAKyC,WAAazC,KAAKyC,Y1BmqJ5Bt1B,GAAQK,Q0B9pJM+0B,G1BkqJT,SAAUr1B,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIsP,GAAclV,EAAoB,IAElCmV,EAAclV,EAAuBiV,GAErCF,EAAShV,EAAoB,IAE7BiV,EAAShV,EAAuB+U,G2BxsJrCugB,EAAAv1B,EAAA,K3B4sJKw1B,EAAiBv1B,EAAuBs1B,G2BzsJvCE,GACJvD,YACEwD,wBAEF/C,UACEgD,UADQ,WAEN,GAAMhoB,IAAK,EAAAwH,EAAA/U,SAAUwyB,KAAKgD,OAAOzpB,OAAOwB,IAClCrJ,EAAWsuB,KAAKC,OAAOlsB,MAAMrC,SAASoS,YACtCzF,GAAS,EAAAgE,EAAA7U,SAAKkE,GAAWqJ,MAE/B,OAAOsD,K3BktJZlR,GAAQK,Q2B7sJMq1B,G3BitJT,SAAU31B,EAAQC,EAASC,GAEhC,YAwBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAtBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIwP,GAAWpV,EAAoB,KAE/BqV,EAAWpV,EAAuBmV,GAElCygB,EAAW71B,EAAoB,IAE/B81B,EAAW71B,EAAuB41B,GAElC7I,EAAWhtB,EAAoB,KAE/BitB,EAAWhtB,EAAuB+sB,G4BpvJvC7qB,EAAAnC,EAAA,KACA+1B,EAAA/1B,EAAA,I5ByvJKg2B,EAAW/1B,EAAuB81B,G4BvvJjCE,EAA4B,SAACvV,GAEjC,MADAA,IAAe,EAAAoV,EAAA11B,SAAOsgB,EAAc,SAACzP,GAAD,MAAmC,aAAvB,EAAA9O,EAAA4R,YAAW9C,MACpD,EAAAoE,EAAAjV,SAAOsgB,EAAc,OAGxBA,GACJtb,KADmB,WAEjB,OACE8wB,UAAW,OAGfpC,OACE,YACA,eAEFnB,UACE1hB,OADQ,WACI,MAAO2hB,MAAK+C,WACxBjV,aAFQ,QAAAA,KAGN,IAAKkS,KAAK3hB,OACR,OAAO,CAGT,IAAMklB,GAAiBvD,KAAK3hB,OAAOmlB,0BAC7B9xB,EAAWsuB,KAAKC,OAAOlsB,MAAMrC,SAASoS,YACtCgK,GAAe,EAAAoV,EAAA11B,SAAOkE,GAAY8xB,0BAA2BD,GACnE,OAAOF,GAA0BvV,IAEnC2V,QAZQ,WAaN,GAAIC,GAAI,CACR,QAAO,EAAArJ,EAAA7sB,SAAOwyB,KAAKlS,aAAc,SAACjN,EAADvH,GAAyC,GAA/ByB,GAA+BzB,EAA/ByB,GAAI0M,EAA2BnO,EAA3BmO,sBACvCkc,EAAO3iB,OAAOyG,EASpB,OARIkc,KACF9iB,EAAO8iB,GAAQ9iB,EAAO8iB,OACtB9iB,EAAO8iB,GAAMnmB,MACX7K,SAAU+wB,EACV3oB,GAAIA,KAGR2oB,IACO7iB,SAIbye,YACEsE,kBAEFC,QAzCmB,WA0CjB7D,KAAKlkB,qBAEPgoB,OACEd,OAAU,qBAEZ1C,SACExkB,kBADO,WACc,GAAAsmB,GAAApC,IACnB,IAAIA,KAAK3hB,OAAQ,CACf,GAAMklB,GAAiBvD,KAAK3hB,OAAOmlB,yBACnCxD,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBxa,mBAAmBf,GAAIwoB,IAC5DlxB,KAAK,SAACX,GAAD,MAAc0wB,GAAKnC,OAAOltB,SAAS,kBAAoBrB,eAC5DW,KAAK,iBAAM+vB,GAAK2B,aAAa3B,EAAKW,UAAUhoB,UAC1C,CACL,GAAMA,GAAKilB,KAAKgD,OAAOzpB,OAAOwB,EAC9BilB,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBta,aAAajB,OAClD1I,KAAK,SAACgM,GAAD,MAAY+jB,GAAKnC,OAAOltB,SAAS,kBAAoBrB,UAAW2M,OACrEhM,KAAK,iBAAM+vB,GAAKtmB,wBAGvBkoB,WAdO,SAcKjpB,GAEV,MADAA,GAAKiG,OAAOjG,GACLilB,KAAKyD,QAAQ1oB,QAEtBkpB,QAlBO,SAkBElpB,GACP,MAAIilB,MAAK+C,UAAUxe,iBACTxJ,IAAOilB,KAAK+C,UAAUxe,iBAAiBxJ,GAEvCA,IAAOilB,KAAK+C,UAAUhoB,IAGlCgpB,aAzBO,SAyBOhpB,GACZilB,KAAKsD,UAAYtiB,OAAOjG,K5B4wJ7B5N,GAAQK,Q4BvwJMsgB,G5B2wJT,SAAU5gB,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G6Bv2JV,IAAMkxB,IACJhD,OAAS,UACTZ,SACE7hB,aADO,WAEL,GAAM0lB,GAAYvzB,OAAOwzB,QAAQ,4CAC7BD,IACFnE,KAAKC,OAAOltB,SAAS,gBAAkBgI,GAAIilB,KAAK3hB,OAAOtD,OAI7DglB,UACE/rB,YADQ,WACS,MAAOgsB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,aAChDqwB,UAFQ,WAEO,MAAOrE,MAAKhsB,aAAegsB,KAAKhsB,YAAYswB,OAAOC,sBAAwBvE,KAAK3hB,OAAO/D,KAAKS,KAAOilB,KAAKhsB,YAAY+G,K7Bi3JtI5N,GAAQK,Q6B72JM02B,G7Bi3JT,SAAUh3B,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G8Bt4JV,IAAMwxB,IACJtD,OAAQ,SAAU,YAClB1uB,KAFqB,WAGnB,OACEiyB,UAAU,IAGdnE,SACEziB,SADO,WACK,GAAAukB,GAAApC,IACLA,MAAK3hB,OAAOsJ,UAGfqY,KAAKC,OAAOltB,SAAS,cAAegI,GAAIilB,KAAK3hB,OAAOtD,KAFpDilB,KAAKC,OAAOltB,SAAS,YAAagI,GAAIilB,KAAK3hB,OAAOtD,KAIpDilB,KAAKyE,UAAW,EAChBpd,WAAW,WACT+a,EAAKqC,UAAW,GACf,OAGP1E,UACE2E,QADQ,WAEN,OACEC,mBAAoB3E,KAAK3hB,OAAOsJ,UAChCid,YAAa5E,KAAK3hB,OAAOsJ,UACzBkd,eAAgB7E,KAAKyE,Y9Bi5J5Bt3B,GAAQK,Q8B34JMg3B,G9B+4JT,SAAUt3B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G+Bn7JV,IAAA8xB,GAAA13B,EAAA,I/Bw7JK23B,EAAa13B,EAAuBy3B,G+Bv7JnCE,GACJ1F,YACE2F,oBAEFlF,UACErjB,SADQ,WACM,MAAOsjB,MAAKC,OAAOlsB,MAAMrC,SAASwS,UAAU7G,U/Bi8J7DlQ,GAAQK,Q+B77JMw3B,G/Bi8JT,SAAU93B,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GgCh9JV,IAAM4sB,IACJG,UACEmF,6BADQ,WAEN,MAAOlF,MAAKC,OAAOlsB,MAAMlC,OAAOqzB,+BhCu9JrC/3B,GAAQK,QgCl9JMoyB,GhCs9JT,SAAU1yB,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GiCn+JV,IAAMmyB,IACJ3yB,KAAM,kBACJ8H,QACA8qB,WAAW,IAEbrF,UACE1G,UADQ,WACO,MAAO2G,MAAKC,OAAOlsB,MAAMpC,MAAM0nB,WAC9CgM,iBAFQ,WAEc,MAAOrF,MAAKC,OAAOlsB,MAAMlC,OAAOwzB,mBAExD/E,SACE/O,OADO,WACG,GAAA6Q,GAAApC,IACRA,MAAKC,OAAOltB,SAAS,YAAaitB,KAAK1lB,MAAMjI,KAC3C,aACA,SAACqD,GACC0sB,EAAKgD,UAAY1vB,EACjB0sB,EAAK9nB,KAAKC,SAAW,GACrB6nB,EAAK9nB,KAAKE,SAAW,OjCi/J9BrN,GAAQK,QiC1+JM23B,GjC8+JT,SAAUj4B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GkCzgKV,IAAAsyB,GAAAl4B,EAAA,KlC8gKKm4B,EAAyBl4B,EAAuBi4B,GkC5gK/CE,GACJC,QADkB,WACP,GAAArD,GAAApC,KACH1C,EAAQ0C,KAAK0F,IAAIC,cAAc,QAErCrI,GAAMX,iBAAiB,SAAU,SAAArjB,GAAc,GAAZ0oB,GAAY1oB,EAAZ0oB,OAC3B4D,EAAO5D,EAAO6D,MAAM,EAC1BzD,GAAK0D,WAAWF,MAGpBpzB,KATkB,WAUhB,OACEuzB,WAAW,IAGfzF,SACEwF,WADO,SACKF,GACV,GAAMI,GAAOhG,KACPzuB,EAAQyuB,KAAKC,OACbphB,EAAW,GAAIpF,SACrBoF,GAASnF,OAAO,QAASksB,GAEzBI,EAAKC,MAAM,aACXD,EAAKD,WAAY,EAEjBR,EAAA/3B,QAAoBmR,aAAcpN,QAAOsN,aACtCxM,KAAK,SAAC6zB,GACLF,EAAKC,MAAM,WAAYC,GACvBF,EAAKD,WAAY,GAChB,SAACrwB,GACFswB,EAAKC,MAAM,iBACXD,EAAKD,WAAY,KAGvBI,SAnBO,SAmBG9Q,GACJA,EAAE+Q,aAAaP,MAAM7gB,OAAS,IAChCqQ,EAAEgR,iBACFrG,KAAK8F,WAAWzQ,EAAE+Q,aAAaP,MAAM,MAGzCS,SAzBO,SAyBGjR,GACR,GAAIkR,GAAQlR,EAAE+Q,aAAaG,KACvBA,GAAMC,SAAS,SACjBnR,EAAE+Q,aAAaK,WAAa,OAE5BpR,EAAE+Q,aAAaK,WAAa,SAIlCvF,OACE,aAEF4C,OACE4C,UAAa,SAAUC,GAChB3G,KAAK+F,WACR/F,KAAK8F,WAAWa,EAAU,MlCwhKjCx5B,GAAQK,QkClhKMg4B,GlCshKT,SAAUt4B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GmC1lKV,IAAA8xB,GAAA13B,EAAA,InC+lKK23B,EAAa13B,EAAuBy3B,GmC7lKnC8B,GACJ7G,UACErjB,SADQ,WAEN,MAAOsjB,MAAKC,OAAOlsB,MAAMrC,SAASwS,UAAU5G,WAGhDgiB,YACE2F,oBnCqmKH93B,GAAQK,QmCjmKMo5B,GnCqmKT,SAAU15B,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GoCvnKV,IAAMwsB,IACJO,UACE/rB,YADQ,WAEN,MAAOgsB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,aAEjClC,KAJQ,WAKN,MAAOkuB,MAAKC,OAAOlsB,MAAMjC,KAAKylB,UpC8nKnCpqB,GAAQK,QoCznKMgyB,GpC6nKT,SAAUtyB,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GqC7oKV,IAAAmwB,GAAA/1B,EAAA,IrCkpKKg2B,EAAW/1B,EAAuB81B,GqCjpKvCxC,EAAAvzB,EAAA,IrCqpKKwzB,EAAevzB,EAAuBszB,GqCppK3CkG,EAAAz5B,EAAA,IrCwpKK05B,EAAsBz5B,EAAuBw5B,GqCtpK5CjgB,GACJpU,KADmB,WAEjB,OACEu0B,cAAc,IAGlB7F,OACE,gBAEF5B,YACEsE,iBAAQrC,qBAAYyF,2BAEtB1G,SACE2G,mBADO,WAELjH,KAAK+G,cAAgB/G,KAAK+G,erC8pK/B55B,GAAQK,QqCzpKMoZ,GrC6pKT,SAAU1Z,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIiwB,GAAW71B,EAAoB,IAE/B81B,EAAW71B,EAAuB41B,GAElCiE,EAAS95B,EAAoB,KAE7B+5B,EAAS95B,EAAuB65B,GAEhC1kB,EAAWpV,EAAoB,KAE/BqV,EAAWpV,EAAuBmV,GsCtsKvC4kB,EAAAh6B,EAAA,KtC0sKKi6B,EAAiBh6B,EAAuB+5B,GsCtsKvC3H,GACJjtB,KADoB,WAElB,OACE80B,yBAA0B,KAG9BvH,UACE/b,cADQ,WAEN,MAAOgc,MAAKC,OAAOlsB,MAAMrC,SAASsS,eAEpCujB,oBAJQ,WAKN,OAAO,EAAArE,EAAA11B,SAAOwyB,KAAKhc,cAAe,SAAA1K,GAAA,GAAEqN,GAAFrN,EAAEqN,IAAF,QAAaA,KAEjD6gB,qBAPQ,WASN,GAAIC,IAAsB,EAAAhlB,EAAAjV,SAAOwyB,KAAKhc,cAAe,SAAAhK,GAAA,GAAEuM,GAAFvM,EAAEuM,MAAF,QAAeA,EAAOxL,IAE3E,OADA0sB,IAAsB,EAAAhlB,EAAAjV,SAAOi6B,EAAqB,SAC3C,EAAAN,EAAA35B,SAAKi6B,EAAqBzH,KAAKsH,2BAExCI,YAbQ,WAcN,MAAO1H,MAAKuH,oBAAoBviB,SAGpCsa,YACE1Y,wBAEFkd,OACE4D,YADK,SACQC,GACPA,EAAQ,EACV3H,KAAKC,OAAOltB,SAAS,eAArB,IAAyC40B,EAAzC,KAEA3H,KAAKC,OAAOltB,SAAS,eAAgB,MAI3CutB,SACEsH,WADO,WAEL5H,KAAKC,OAAOpW,OAAO,0BAA2BmW,KAAKwH,wBtCqtKxDr6B,GAAQK,QsChtKMiyB,GtCotKT,SAAUvyB,EAAQC,EAASC,GAEhC,YA8CA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GA5CvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAI60B,GAAsBz6B,EAAoB,KAE1C06B,EAAsBz6B,EAAuBw6B,GAE7CE,EAAW36B,EAAoB,KAE/B46B,EAAW36B,EAAuB06B,GAElC9xB,EAAQ7I,EAAoB,IAE5B8I,EAAQ7I,EAAuB4I,GAE/BgyB,EAAW76B,EAAoB,KAE/B86B,EAAW76B,EAAuB46B,GAElChF,EAAW71B,EAAoB,IAE/B81B,EAAW71B,EAAuB41B,GAElCiE,EAAS95B,EAAoB,KAE7B+5B,EAAS95B,EAAuB65B,GuChyKrC5B,EAAAl4B,EAAA,KvCoyKKm4B,EAAyBl4B,EAAuBi4B,GuCnyKrD6C,EAAA/6B,EAAA,KvCuyKKg7B,EAAiB/6B,EAAuB86B,GuCtyK7CpH,EAAA3zB,EAAA,KvC0yKK4zB,EAAqB3zB,EAAuB0zB,GuCzyKjDsH,EAAAj7B,EAAA,KvC6yKKk7B,EAAej7B,EAAuBg7B,GuC1yKrCE,EAAsB,SAAAjvB,EAAqBtF,GAAgB,GAAnCsG,GAAmChB,EAAnCgB,KAAMkM,EAA6BlN,EAA7BkN,WAC9BgiB,0BAAoBhiB,GAExBgiB,GAAcC,QAAQnuB,GAEtBkuB,GAAgB,EAAAR,EAAAx6B,SAAOg7B,EAAe,MACtCA,GAAgB,EAAAN,EAAA16B,SAAOg7B,GAAgBztB,GAAI/G,EAAY+G,IAEvD,IAAIuC,IAAW,EAAApH,EAAA1I,SAAIg7B,EAAe,SAACE,GACjC,UAAWA,EAAUpgB,aAGvB,OAAOhL,GAASK,KAAK,KAAO,KAGxBgrB,GACJzH,OACE,UACA,cACA,cAEF5B,YACEsJ,uBAEFnD,QATqB,WAUnBzF,KAAK6I,OAAO7I,KAAK8I,MAAMC,WAEzBv2B,KAZqB,WAanB,GAAMw2B,GAAShJ,KAAKgD,OAAOiG,MAAM7d,QAC7B8d,EAAaF,GAAU,EAE3B,IAAIhJ,KAAKmJ,QAAS,CAChB,GAAMn1B,GAAcgsB,KAAKC,OAAOlsB,MAAMpC,MAAMqC,WAC5Ck1B,GAAaX,GAAsBjuB,KAAM0lB,KAAKoJ,YAAa5iB,WAAYwZ,KAAKxZ,YAAcxS,GAG5F,OACE0yB,aACA2C,gBAAgB,EAChB3zB,MAAO,KACPwb,SAAS,EACToY,YAAa,EACbxgB,WACEzK,OAAQ6qB,EACRrD,UAEF0D,MAAO,IAGXxJ,UACEyJ,WADQ,WACM,GAAApH,GAAApC,KACNyJ,EAAYzJ,KAAK0J,YAAYC,OAAO,EAC1C,IAAkB,MAAdF,EAAmB,CACrB,GAAMG,IAAe,EAAA1G,EAAA11B,SAAOwyB,KAAKruB,MAAO,SAAC2I,GAAD,MAAWnB,QAAOmB,EAAK3H,KAAO2H,EAAKgO,aAAc+T,cACpFpjB,MAAMmpB,EAAKsH,YAAY/oB,MAAM,GAAG0b,gBACrC,SAAIuN,EAAa5kB,QAAU,KAIpB,EAAA9O,EAAA1I,UAAI,EAAA25B,EAAA35B,SAAKo8B,EAAc,GAAI,SAAA5vB,EAAkD6vB,GAAlD,GAAEvhB,GAAFtO,EAAEsO,YAAa3V,EAAfqH,EAAerH,KAAMm3B,EAArB9vB,EAAqB8vB,0BAArB,QAEhCxhB,gBAAiBA,EACjB3V,KAAMA,EACN2uB,IAAKwI,EACLR,YAAaO,IAAUzH,EAAKkH,eAEzB,GAAkB,MAAdG,EAAmB,CAC5B,GAAyB,MAArBzJ,KAAK0J,YAAuB,MAChC,IAAMK,IAAe,EAAA7G,EAAA11B,SAAOwyB,KAAK5qB,MAAM40B,OAAOhK,KAAKiK,aAAc,SAAC70B,GAAD,MAAWA,GAAMG,UAAU0D,MAAMmpB,EAAKsH,YAAY/oB,MAAM,KACzH,SAAIopB,EAAa/kB,QAAU,KAGpB,EAAA9O,EAAA1I,UAAI,EAAA25B,EAAA35B,SAAKu8B,EAAc,GAAI,SAAA7vB,EAA8B2vB,GAA9B,GAAEt0B,GAAF2E,EAAE3E,UAAWC,EAAb0E,EAAa1E,UAAWK,EAAxBqE,EAAwBrE,GAAxB,QAEhCyS,gBAAiB/S,EAAjB,IACA5C,KAAM,GACNkD,IAAKA,GAAO,GACZyrB,IAAK9rB,EACL8zB,YAAaO,IAAUzH,EAAKkH,eAG9B,OAAO,GAGXI,YAnCQ,WAoCN,OAAQ1J,KAAKkK,iBAAmBrP,MAAQ,IAE1CqP,YAtCQ,WAuCN,GAAMrP,GAAOyN,EAAA96B,QAAW0sB,eAAe8F,KAAKlX,UAAUzK,OAAQ2hB,KAAKuJ,MAAQ,MAC3E,OAAO1O,IAETlpB,MA1CQ,WA2CN,MAAOquB,MAAKC,OAAOlsB,MAAMpC,MAAMA,OAEjCyD,MA7CQ,WA8CN,MAAO4qB,MAAKC,OAAOlsB,MAAMlC,OAAOuD,WAElC60B,YAhDQ,WAiDN,MAAOjK,MAAKC,OAAOlsB,MAAMlC,OAAOo4B,iBAElCE,aAnDQ,WAoDN,MAAOnK,MAAKlX,UAAUzK,OAAO2G,QAE/BolB,kBAtDQ,WAuDN,MAAOpK,MAAKC,OAAOlsB,MAAMlC,OAAOiB,WAElCu3B,qBAzDQ,WA0DN,MAAOrK,MAAKoK,kBAAoB,GAElCE,eA5DQ,WA6DN,MAAOtK,MAAKoK,kBAAoBpK,KAAKmK,cAEvCI,kBA/DQ,WAgEN,MAAOvK,MAAKqK,sBAAyBrK,KAAKmK,aAAenK,KAAKoK,oBAGlE9J,SACEtnB,QADO,SACEuhB,GACPyF,KAAKlX,UAAUzK,OAASiqB,EAAA96B,QAAW2sB,YAAY6F,KAAKlX,UAAUzK,OAAQ2hB,KAAKkK,YAAa3P,EACxF,IAAMzlB,GAAKkrB,KAAK0F,IAAIC,cAAc,WAClC7wB,GAAG01B,QACHxK,KAAKuJ,MAAQ,GAEfkB,iBAPO,SAOWpV,GAChB,GAAMqV,GAAM1K,KAAKwJ,WAAWxkB,QAAU,CACtC,IAAyB,MAArBgb,KAAK0J,cAAuBrU,EAAEsV,SAC9BD,EAAM,EAAG,CACXrV,EAAEgR,gBACF,IAAMuE,GAAY5K,KAAKwJ,WAAWxJ,KAAKsJ,aACjC/O,EAAcqQ,EAAU/0B,KAAQ+0B,EAAUtiB,YAAc,GAC9D0X,MAAKlX,UAAUzK,OAASiqB,EAAA96B,QAAW2sB,YAAY6F,KAAKlX,UAAUzK,OAAQ2hB,KAAKkK,YAAa3P,EACxF,IAAMzlB,GAAKkrB,KAAK0F,IAAIC,cAAc,WAClC7wB,GAAG01B,QACHxK,KAAKuJ,MAAQ,EACbvJ,KAAKsJ,YAAc,IAGvBuB,cArBO,SAqBQxV,GACb,GAAMqV,GAAM1K,KAAKwJ,WAAWxkB,QAAU,CAClC0lB,GAAM,GACRrV,EAAEgR,iBACFrG,KAAKsJ,aAAe,EAChBtJ,KAAKsJ,YAAc,IACrBtJ,KAAKsJ,YAActJ,KAAKwJ,WAAWxkB,OAAS,IAG9Cgb,KAAKsJ,YAAc,GAGvBwB,aAjCO,SAiCOzV,GACZ,GAAMqV,GAAM1K,KAAKwJ,WAAWxkB,QAAU,CACtC,IAAI0lB,EAAM,EAAG,CACX,GAAIrV,EAAE0V,SAAY,MAClB1V,GAAEgR,iBACFrG,KAAKsJ,aAAe,EAChBtJ,KAAKsJ,aAAeoB,IACtB1K,KAAKsJ,YAAc,OAGrBtJ,MAAKsJ,YAAc,GAGvB0B,SA9CO,SAAA5wB,GA8C+B,GAAlB6wB,GAAkB7wB,EAA3B4nB,OAASiJ,cAClBjL,MAAKuJ,MAAQ0B,GAEf9sB,WAjDO,SAiDK2K,GAAW,GAAAoiB,GAAAlL,IACrB,KAAIA,KAAK9O,UACL8O,KAAKqJ,eAAT,CAEA,GAA8B,KAA1BrJ,KAAKlX,UAAUzK,OAAe,CAChC,KAAI2hB,KAAKlX,UAAU+c,MAAM7gB,OAAS,GAIhC,YADAgb,KAAKtqB,MAAQ,4CAFbsqB,MAAKlX,UAAUzK,OAAS,IAO5B2hB,KAAK9O,SAAU,EACfqU,EAAA/3B,QAAa2Q,YACXE,OAAQyK,EAAUzK,OAClB2M,MAAOlC,EAAU+c,MACjBt0B,MAAOyuB,KAAKC,OACZ1hB,kBAAmByhB,KAAKmJ,UACvB92B,KAAK,SAACG,GACP,GAAKA,EAAKkD,MAURw1B,EAAKx1B,MAAQlD,EAAKkD,UAVH,CACfw1B,EAAKpiB,WACHzK,OAAQ,GACRwnB,UAEFqF,EAAKjF,MAAM,SACX,IAAInxB,GAAKo2B,EAAKxF,IAAIC,cAAc,WAChC7wB,GAAG8mB,MAAMuP,OAAS,OAClBD,EAAKx1B,MAAQ,KAIfw1B,EAAKha,SAAU,MAGnBka,aApFO,SAoFOC,GACZrL,KAAKlX,UAAU+c,MAAMroB,KAAK6tB,GAC1BrL,KAAKsL,gBAEPC,gBAxFO,SAwFUF,GACf,GAAIxB,GAAQ7J,KAAKlX,UAAU+c,MAAM2F,QAAQH,EACzCrL,MAAKlX,UAAU+c,MAAMtgB,OAAOskB,EAAO,IAErC4B,cA5FO,WA6FLzL,KAAKqJ,gBAAiB,GAExBiC,aA/FO,WAgGLtL,KAAKqJ,gBAAiB,GAExB/iB,KAlGO,SAkGD+kB,GACJ,MAAOrK,GAAAxzB,QAAgBod,SAASygB,EAASpkB,WAE3CykB,MArGO,SAqGArW,GACDA,EAAEsW,cAAc9F,MAAM7gB,OAAS,IAIjCgb,KAAK0G,WAAarR,EAAEsW,cAAc9F,MAAM,MAG5CM,SA7GO,SA6GG9Q,GACJA,EAAE+Q,aAAaP,MAAM7gB,OAAS,IAChCqQ,EAAEgR,iBACFrG,KAAK0G,UAAYrR,EAAE+Q,aAAaP,QAGpCS,SAnHO,SAmHGjR,GACRA,EAAE+Q,aAAaK,WAAa,QAE9BoC,OAtHO,SAsHCxT,GACN,GAAMuW,GAAc5qB,OAAOpQ,OAAO2rB,iBAAiBlH,EAAE2M,QAAQ,eAAe6J,OAAO,EAAG,IAChF7qB,OAAOpQ,OAAO2rB,iBAAiBlH,EAAE2M,QAAQ,kBAAkB6J,OAAO,EAAG,GAC3ExW,GAAE2M,OAAOpG,MAAMuP,OAAS,OACxB9V,EAAE2M,OAAOpG,MAAMuP,OAAY9V,EAAE2M,OAAO8J,aAAeF,EAAnD,KACuB,KAAnBvW,EAAE2M,OAAOhvB,QACXqiB,EAAE2M,OAAOpG,MAAMuP,OAAS,SAG5BY,WA/HO,WAgIL/L,KAAKtqB,MAAQ,OvC00KlBvI,GAAQK,QuCr0KMm7B,GvCy0KT,SAAUz7B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GwC7kLV,IAAA8xB,GAAA13B,EAAA,IxCklLK23B,EAAa13B,EAAuBy3B,GwCjlLnCkH,GACJ1M,YACE2F,oBAEFlF,UACErjB,SADQ,WACM,MAAOsjB,MAAKC,OAAOlsB,MAAMrC,SAASwS,UAAU3G,oBAE5DsmB,QAPgC,WAQ9B7D,KAAKC,OAAOltB,SAAS,gBAAiB,sBAExCk5B,UAVgC,WAW9BjM,KAAKC,OAAOltB,SAAS,eAAgB,sBxC2lLxC5F,GAAQK,QwCvlLMw+B,GxC2lLT,SAAU9+B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GyChnLV,IAAA8xB,GAAA13B,EAAA,IzCqnLK23B,EAAa13B,EAAuBy3B,GyCpnLnCoH,GACJ5M,YACE2F,oBAEFlF,UACErjB,SADQ,WACM,MAAOsjB,MAAKC,OAAOlsB,MAAMrC,SAASwS,UAAU9G,SAE5DymB,QAPqB,WAQnB7D,KAAKC,OAAOltB,SAAS,gBAAiB,WAExCk5B,UAVqB,WAWnBjM,KAAKC,OAAOltB,SAAS,eAAgB,WzC8nLxC5F,GAAQK,QyCznLM0+B,GzC6nLT,SAAUh/B,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G0CnpLV,IAAM6d,IACJre,KAAM,kBACJ8H,QACA5E,OAAO,EACPy2B,aAAa,IAEftI,QANmB,WAOZ7D,KAAKC,OAAOlsB,MAAMlC,OAAOwzB,mBAAsBrF,KAAKC,OAAOlsB,MAAMpC,MAAMqC,aAC1EgsB,KAAKoM,QAAQ5uB,KAAK,cAGtBuiB,UACEsM,eADQ,WACY,MAAOrM,MAAKC,OAAOlsB,MAAMlC,OAAOy6B,MAEtDhM,SACE/O,OADO,WACG,GAAA6Q,GAAApC,IACRA,MAAKmM,aAAc,EACnBnM,KAAK1lB,KAAKiyB,SAAWvM,KAAK1lB,KAAKC,SAC/BylB,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBjc,SAAS2lB,KAAK1lB,MAAMjI,KAC1D,SAACyM,GACKA,EAASK,IACXijB,EAAKnC,OAAOltB,SAAS,YAAaqvB,EAAK9nB,MACvC8nB,EAAKgK,QAAQ5uB,KAAK,aAClB4kB,EAAK+J,aAAc,IAEnB/J,EAAK+J,aAAc,EACnBrtB,EAASvM,OAAOF,KAAK,SAACG,GACpB4vB,EAAK1sB,MAAQlD,EAAKkD,a1CmqL/BvI,GAAQK,Q0C1pLMqjB,G1C8pLT,SAAU3jB,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G2CvsLV,IAAMw5B,IACJtL,OAAQ,SAAU,YAClB1uB,KAFoB,WAGlB,OACEiyB,UAAU,IAGdnE,SACEriB,QADO,WACI,GAAAmkB,GAAApC,IACJA,MAAK3hB,OAAO2K,UACfgX,KAAKC,OAAOltB,SAAS,WAAYgI,GAAIilB,KAAK3hB,OAAOtD,KAEnDilB,KAAKyE,UAAW,EAChBpd,WAAW,WACT+a,EAAKqC,UAAW,GACf,OAGP1E,UACE2E,QADQ,WAEN,OACE+H,UAAazM,KAAK3hB,OAAO2K,SACzB6b,eAAgB7E,KAAKyE,Y3CktL5Bt3B,GAAQK,Q2C5sLMg/B,G3CgtLT,SAAUt/B,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAI05B,GAASt/B,EAAoB,KAE7Bu/B,EAASt/B,EAAuBq/B,GAEhCzJ,EAAW71B,EAAoB,IAE/B81B,EAAW71B,EAAuB41B,G4C1vLvC2J,EAAAx/B,EAAA,K5C8vLKy/B,EAAmBx/B,EAAuBu/B,G4C3vLzC5e,GACJxb,KADe,WAEb,OACEs6B,qBAAsB9M,KAAKC,OAAOlsB,MAAMlC,OAAOomB,gBAC/C8U,2BAA4B/M,KAAKC,OAAOlsB,MAAMlC,OAAOqmB,sBACrDkJ,cAAepB,KAAKC,OAAOlsB,MAAMlC,OAAOsmB,SACxC6U,gBAAiBhN,KAAKC,OAAOlsB,MAAMlC,OAAOymB,UAAU3a,KAAK,MACzDsvB,cAAejN,KAAKC,OAAOlsB,MAAMlC,OAAOumB,SACxC8U,eAAgBlN,KAAKC,OAAOlsB,MAAMlC,OAAOoe;AACzCkd,kBAAmBnN,KAAKC,OAAOlsB,MAAMlC,OAAOwmB,aAC5C+U,SAAUpN,KAAKC,OAAOlsB,MAAMlC,OAAOu7B,WAGvC9N,YACE+N,yBAEFtN,UACEzlB,KADQ,WAEN,MAAO0lB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,cAGnC8vB,OACEgJ,qBADK,SACiB95B,GACpBgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,kBAAmBK,WAE/D+5B,2BAJK,SAIuB/5B,GAC1BgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,wBAAyBK,WAErEouB,cAPK,SAOUpuB,GACbgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,WAAYK,WAExDi6B,cAVK,SAUUj6B,GACbgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,WAAYK,WAExDk6B,eAbK,SAaWl6B,GACdgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,YAAaK,WAEzDm6B,kBAhBK,SAgBcn6B,GACjBgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,eAAgBK,WAE5Dg6B,gBAnBK,SAmBYh6B,GACfA,GAAQ,EAAAkwB,EAAA11B,SAAOwF,EAAMjC,MAAM,MAAO,SAAC8pB,GAAD,OAAU,EAAA8R,EAAAn/B,SAAKqtB,GAAM7V,OAAS,IAChEgb,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,YAAaK,WAEzDo6B,SAvBK,SAuBKp6B,GACRgtB,KAAKC,OAAOltB,SAAS,aAAeJ,KAAM,WAAYK,Y5CuwL3D7F,GAAQK,Q4ClwLMwgB,G5CswLT,SAAU9gB,EAAQC,EAASC,GAEhC,YA0CA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAxCvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIoP,GAAShV,EAAoB,IAE7BiV,EAAShV,EAAuB+U,GAEhC6gB,EAAW71B,EAAoB,IAE/B81B,EAAW71B,EAAuB41B,G6Cz0LvCqK,EAAAlgC,EAAA,K7C60LKmgC,EAAelgC,EAAuBigC,G6C50L3CE,EAAApgC,EAAA,K7Cg1LKqgC,EAAoBpgC,EAAuBmgC,G6C/0LhDE,EAAAtgC,EAAA,K7Cm1LKugC,EAAmBtgC,EAAuBqgC,G6Cl1L/CE,EAAAxgC,EAAA,K7Cs1LKygC,EAAkBxgC,EAAuBugC,G6Cr1L9CE,EAAA1gC,EAAA,K7Cy1LK2gC,EAAqB1gC,EAAuBygC,G6Cx1LjDjH,EAAAz5B,EAAA,I7C41LK05B,EAAsBz5B,EAAuBw5B,G6C31LlDlG,EAAAvzB,EAAA,I7C+1LKwzB,EAAevzB,EAAuBszB,G6C51LrCiD,GACJjxB,KAAM,SACNuuB,OACE,YACA,aACA,iBACA,UACA,YACA,UACA,UACA,eACA,YACA,kBAEF1uB,KAAM,kBACJw7B,UAAU,EACVC,UAAU,EACVC,SAAS,EACTnH,cAAc,EACdoH,QAAS,KACTC,aAAa,EACbC,aAAa,IAEftO,UACEzH,UADQ,WAEN,MAAO0H,MAAKC,OAAOlsB,MAAMlC,OAAOymB,WAElCL,gBAJQ,WAKN,MAAQ+H,MAAKC,OAAOlsB,MAAMlC,OAAOomB,kBAAoB+H,KAAKsO,gBACvDtO,KAAKC,OAAOlsB,MAAMlC,OAAOqmB,uBAAyB8H,KAAKsO,gBAE5DrwB,QARQ,WAQK,QAAS+hB,KAAK+C,UAAUxe,kBACrCgqB,UATQ,WASO,MAAOvO,MAAK+C,UAAUzoB,KAAK3H,MAC1C0L,OAVQ,WAWN,MAAI2hB,MAAK/hB,QACA+hB,KAAK+C,UAAUxe,iBAEfyb,KAAK+C,WAGhByL,SAjBQ,WAkBN,QAASxO,KAAKC,OAAOlsB,MAAMpC,MAAMqC,aAEnCy6B,aApBQ,WAqBN,GAAMvF,GAAalJ,KAAK3hB,OAAOpJ,KAAKy5B,cAC9BC,GAAO,EAAAzL,EAAA11B,SAAOwyB,KAAK1H,UAAW,SAACsW,GACnC,MAAO1F,GAAW2F,SAASD,EAASF,gBAGtC,OAAOC,IAETtyB,MA5BQ,WA4BG,OAAQ2jB,KAAKkO,UAAYlO,KAAK3hB,OAAO/D,KAAK+B,OAAS2jB,KAAKyO,aAAazpB,OAAS,IACzF8pB,QA7BQ,WA6BK,QAAS9O,KAAK3hB,OAAOoJ,uBAClCsnB,UA9BQ,WAgCN,QAAI/O,KAAKiE,WAEGjE,KAAKsO,gBAIVtO,KAAK3hB,OAAOtD,KAAOilB,KAAKsD,WASjC0L,eA/CQ,WAgDN,GAAIhP,KAAKqO,YACP,OAAO,CAET,IAAMY,GAAcjP,KAAK3hB,OAAO6wB,eAAen+B,MAAM,UAAUiU,OAASgb,KAAK3hB,OAAOpJ,KAAK+P,OAAS,EAClG,OAAOiqB,GAAc,IAEvBE,eAtDQ,WAuDN,MAAKnP,MAAKC,OAAOlsB,MAAMlC,OAAOomB,kBAAoB+H,KAAKsO,gBACpDtO,KAAKC,OAAOlsB,MAAMlC,OAAOqmB,uBAAyB8H,KAAKsO,eACjD,OACEtO,KAAKoP,QACP,QAEF,WAGX9P,YACE2B,qBACAuD,yBACAgI,wBACAtI,uBACAyE,yBACA3B,0BACAzF,sBAEFjB,SACE+O,eADO,SACSC,GACd,OAAQA,GACN,IAAK,UACH,MAAO,WACT,KAAK,WACH,MAAO,oBACT,KAAK,SACH,MAAO,eACT,SACE,MAAO,eAGbvN,YAbO,SAAAzoB,GAagB,GAAT0oB,GAAS1oB,EAAT0oB,MACW,UAAnBA,EAAOC,UACTD,EAASA,EAAOuN,YAEK,MAAnBvN,EAAOC,SACTrxB,OAAOsxB,KAAKF,EAAOtG,KAAM,WAG7B8T,eArBO,WAsBLxP,KAAKgO,UAAYhO,KAAKgO,UAExByB,aAxBO,SAwBO10B,GAERilB,KAAKsO,gBACPtO,KAAKiG,MAAM,OAAQlrB,IAGvB20B,eA9BO,WA+BL1P,KAAKiG,MAAM,mBAEb0J,WAjCO,WAkCL3P,KAAKkO,SAAWlO,KAAKkO,SAEvBjH,mBApCO,WAqCLjH,KAAK+G,cAAgB/G,KAAK+G,cAE5B6I,eAvCO,WAwCL5P,KAAKqO,aAAerO,KAAKqO,aAE3BwB,WA1CO,SA0CK90B,EAAI+0B,GAAO,GAAA1N,GAAApC,IACrBA,MAAKoO,aAAc,CACnB,IAAM2B,GAAW/uB,OAAOjG,GAClBrJ,EAAWsuB,KAAKC,OAAOlsB,MAAMrC,SAASoS,WAEvCkc,MAAKmO,QASCnO,KAAKmO,QAAQpzB,KAAOg1B,IAC7B/P,KAAKmO,SAAU,EAAA9rB,EAAA7U,SAAKkE,GAAYqJ,GAAMg1B,MARtC/P,KAAKmO,SAAU,EAAA9rB,EAAA7U,SAAKkE,GAAYqJ,GAAMg1B,IAEjC/P,KAAKmO,SACRnO,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBta,aAAajB,OAAK1I,KAAK,SAACgM,GAC9D+jB,EAAK+L,QAAU9vB,MAOvB2xB,WA5DO,WA6DLhQ,KAAKoO,aAAc,IAGvBtK,OACER,UAAa,SAAUvoB,GAErB,GADAA,EAAKiG,OAAOjG,GACRilB,KAAK3hB,OAAOtD,KAAOA,EAAI,CACzB,GAAIk1B,GAAOjQ,KAAK0F,IAAIwK,uBAChBD,GAAKE,IAAM,IACbv/B,OAAOw/B,SAAS,EAAGH,EAAKE,IAAM,KACrBF,EAAKI,OAASz/B,OAAO0/B,YAAc,IAC5C1/B,OAAOw/B,SAAS,EAAGH,EAAKI,OAASz/B,OAAO0/B,YAAc,O7C81L/DnjC,GAAQK,Q6Cv1LMo2B,G7C21LT,SAAU12B,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G8CxhMV,IAAAmwB,GAAA/1B,EAAA,I9C6hMKg2B,EAAW/1B,EAAuB81B,G8C5hMvCR,EAAAv1B,EAAA,K9CgiMKw1B,EAAiBv1B,EAAuBs1B,G8C9hMvC4N,GACJrP,OAAQ,aACR1uB,KAF2B,WAGzB,OACEy7B,UAAU,IAGd3O,YACEsE,iBACAd,wBAEFxC,SACEoP,eADO,WAEL1P,KAAKiO,UAAYjO,KAAKiO,W9CwiM3B9gC,GAAQK,Q8CniMM+iC,G9CuiMT,SAAUrjC,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,G+CjkMV,IAAMuuB,IACJL,OACE,MACA,iBACA,YAEF1uB,KANiB,WAOf,OACE46B,SAAUpN,KAAKC,OAAOlsB,MAAMlC,OAAOu7B,WAGvCrN,UACE0E,SADQ,WAEN,MAAOzE,MAAKoN,WAA+B,cAAlBpN,KAAK/Y,UAA4B+Y,KAAKsC,IAAIkO,SAAS,WAGhFlQ,SACEmQ,OADO,WAEL,GAAMC,GAAS1Q,KAAK8I,MAAM4H,MACrBA,IACLA,EAAOC,WAAW,MAAMC,UAAU5Q,KAAK8I,MAAMxG,IAAK,EAAG,EAAGoO,EAAOG,MAAOH,EAAOvF,U/CqkMlFh+B,GAAQK,Q+ChkMM+zB,G/CokMT,SAAUr0B,EAAQC,EAASC,GAEhC,YAEA2I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GgDlmMV,IAAAwoB,GAAApuB,EAAA,GhDumMCD,GAAQK,SgDpmMPgF,KADa,WAEX,OACEs+B,mBACAC,SAAU/Q,KAAKC,OAAOlsB,MAAMlC,OAAOqB,MACnC89B,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,KAGxBjO,QAtBa,WAuBX,GAAMmC,GAAOhG,IAEbpvB,QAAOwB,MAAM,uBACVC,KAAK,SAACG,GAAD,MAAUA,GAAKD,SACpBF,KAAK,SAACyrB,GACLkI,EAAK8K,gBAAkBhT,KAG7B2H,QA/Ba,WAgCXzF,KAAKgR,cAAe,EAAAxV,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAOgF,IAC/DgD,KAAKiR,eAAgB,EAAAzV,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAOqF,KAChE2C,KAAKkR,gBAAiB,EAAA1V,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAOoF,IACjE4C,KAAKmR,gBAAiB,EAAA3V,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAO1M,MAEjE0U,KAAKoR,eAAgB,EAAA5V,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAO/I,MAChE+Q,KAAKqR,gBAAiB,EAAA7V,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAOhJ,OACjEgR,KAAKsR,iBAAkB,EAAA9V,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAO7I,QAClE6Q,KAAKuR,kBAAmB,EAAA/V,EAAA3b,YAAWmgB,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAO9I,SAEnE8Q,KAAKwR,eAAiBxR,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAM7N,WAAa,EAClE4Q,KAAKyR,iBAAmBzR,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAMpL,aAAe,EACtEmO,KAAK0R,iBAAmB1R,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAM5N,aAAe,GACtE2Q,KAAK2R,kBAAoB3R,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAM3N,cAAgB,EACxE0Q,KAAK4R,qBAAuB5R,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAM1N,iBAAmB,GAC9EyQ,KAAK8R,mBAAqB9R,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAMzN,eAAiB,EAC1EwQ,KAAK6R,sBAAwB7R,KAAKC,OAAOlsB,MAAMlC,OAAOorB,MAAMxN,kBAAoB,GAElF6Q,SACEyR,eADO,YAEA/R,KAAKgR,eAAiBhR,KAAKiR,gBAAkBjR,KAAKmR,cAIvD,IAAMpwB,GAAM,SAACH,GACX,GAAMC,GAAS,4CAA4CC,KAAKF,EAChE,OAAOC,IACLT,EAAGnN,SAAS4N,EAAO,GAAI,IACvBR,EAAGpN,SAAS4N,EAAO,GAAI,IACvBP,EAAGrN,SAAS4N,EAAO,GAAI,KACrB,MAEAkd,EAAQhd,EAAIif,KAAKgR,cACjBgB,EAASjxB,EAAIif,KAAKiR,eAClBhT,EAAUld,EAAIif,KAAKkR,gBACnBhT,EAAUnd,EAAIif,KAAKmR,gBAEnBc,EAASlxB,EAAIif,KAAKoR,eAClBc,EAAUnxB,EAAIif,KAAKqR,gBACnBc,EAAWpxB,EAAIif,KAAKsR,iBACpBc,EAAYrxB,EAAIif,KAAKuR,iBAEvBxT,IAASiU,GAAU9T,GACrB8B,KAAKC,OAAOltB,SAAS,aACnBJ,KAAM,cACNK,OACEoqB,GAAI4U,EACJhV,GAAIe,EACJ9oB,KAAMgpB,EACN3S,KAAM4S,EACNjP,KAAMgjB,EACNjjB,MAAOkjB,EACP/iB,OAAQgjB,EACRjjB,QAASkjB,EACThjB,UAAW4Q,KAAKwR,eAChB3f,YAAamO,KAAKyR,iBAClBpiB,YAAa2Q,KAAK0R,iBAClBpiB,aAAc0Q,KAAK2R,kBACnBpiB,gBAAiByQ,KAAK4R,qBACtBpiB,cAAewQ,KAAK8R,mBACpBriB,iBAAkBuQ,KAAK6R,2BAKjC/N,OACEiN,SADK,WAEH/Q,KAAKgR,aAAehR,KAAK+Q,SAAS,GAClC/Q,KAAKiR,cAAgBjR,KAAK+Q,SAAS,GACnC/Q,KAAKkR,eAAiBlR,KAAK+Q,SAAS,GACpC/Q,KAAKmR,eAAiBnR,KAAK+Q,SAAS,GACpC/Q,KAAKoR,cAAgBpR,KAAK+Q,SAAS,GACnC/Q,KAAKsR,gBAAkBtR,KAAK+Q,SAAS,GACrC/Q,KAAKqR,eAAiBrR,KAAK+Q,SAAS,GACpC/Q,KAAKuR,iBAAmBvR,KAAK+Q,SAAS,OhD2mMtC,SAAU7jC,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GiD5tMV,IAAA8xB,GAAA13B,EAAA,IjDiuMK23B,EAAa13B,EAAuBy3B,GiD/tMnCuN,GACJxO,QADkB,WAEhB7D,KAAKC,OAAOpW,OAAO,iBAAmBnN,SAAU,QAChDsjB,KAAKC,OAAOltB,SAAS,iBAAmBmK,IAAO8iB,KAAK9iB,OAEtDoiB,YACE2F,oBAEFlF,UACE7iB,IADQ,WACC,MAAO8iB,MAAKgD,OAAOzpB,OAAO2D,KACnCR,SAFQ,WAEM,MAAOsjB,MAAKC,OAAOlsB,MAAMrC,SAASwS,UAAUhH,MAE5D4mB,OACE5mB,IADK,WAEH8iB,KAAKC,OAAOpW,OAAO,iBAAmBnN,SAAU,QAChDsjB,KAAKC,OAAOltB,SAAS,iBAAmBmK,IAAO8iB,KAAK9iB,QAGxD+uB,UAlBkB,WAmBhBjM,KAAKC,OAAOltB,SAAS,eAAgB,QjD4uMxC5F,GAAQK,QiDxuMM6kC,GjD4uMT,SAAUnlC,EAAQC,EAASC,GAEhC,YAsBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GApBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GkD1wMV,IAAAmwB,GAAA/1B,EAAA,IlD+wMKg2B,EAAW/1B,EAAuB81B,GkD9wMvC9Y,EAAAjd,EAAA,KlDkxMKkd,EAA4Bjd,EAAuBgd,GkDjxMxDioB,EAAAllC,EAAA,KlDqxMKmlC,EAA2BllC,EAAuBilC,GkDpxMvDE,EAAAplC,EAAA,KlDwxMKqlC,EAAcplC,EAAuBmlC,GkDtxMpCvN,GACJ/D,OACE,WACA,eACA,QACA,SACA,OAEF1uB,KARe,WASb,OACEkgC,QAAQ,IAGZ3S,UACE4S,cADQ,WACW,MAAO3S,MAAKC,OAAOlsB,MAAMrC,SAASgE,OACrDiO,UAFQ,WAGN,MAAOqc,MAAKtjB,SAASiH,WAEvBtG,QALQ,WAMN,MAAO2iB,MAAKtjB,SAASW,SAEvBuG,QARQ,WASN,MAAOoc,MAAKtjB,SAASkH,SAEvBL,eAXQ,WAYN,MAAOyc,MAAKtjB,SAAS6G,gBAEvBqvB,kBAdQ,WAeN,MAAkC,KAA9B5S,KAAKtjB,SAASmH,YACT,GAEP,KAAYmc,KAAKzc,eAAjB,MAIN+b,YACEsE,iBACAiP,+BACAC,oBAEFjP,QAxCe,WAyCb,GAAMtyB,GAAQyuB,KAAKC,OACbtnB,EAAcpH,EAAMwC,MAAMpC,MAAMqC,YAAY2E,YAC5CiN,EAA2D,IAAzCoa,KAAKtjB,SAAS2G,gBAAgB2B,MAEtDpU,QAAO+rB,iBAAiB,SAAUqD,KAAK+S,YAEvCzoB,EAAA9c,QAAgBwe,gBACdza,QACAoH,cACA+D,SAAUsjB,KAAKgT,aACfptB,kBACA5I,OAAQgjB,KAAKhjB,OACbE,IAAK8iB,KAAK9iB,MAIc,SAAtB8iB,KAAKgT,eACPhT,KAAKxkB,eACLwkB,KAAKtkB,mBAGTuwB,UA9De,WA+Dbr7B,OAAOqiC,oBAAoB,SAAUjT,KAAK+S,YAC1C/S,KAAKC,OAAOpW,OAAO,cAAgBnN,SAAUsjB,KAAKgT,aAAchgC,OAAO,KAEzEstB,SACE5X,gBADO,WAE6B,IAA9BsX,KAAKtjB,SAASmH,aAChBmc,KAAKC,OAAOpW,OAAO,iBAAmBnN,SAAUsjB,KAAKgT,eACrDhT,KAAKC,OAAOpW,OAAO,cAAgBnN,SAAUsjB,KAAKgT,aAAcj4B,GAAI,IACpEilB,KAAKkT,uBAELlT,KAAKC,OAAOpW,OAAO,mBAAqBnN,SAAUsjB,KAAKgT,eACvDhT,KAAK0S,QAAS,IAGlBQ,mBAXO,WAWe,GAAA9Q,GAAApC,KACdzuB,EAAQyuB,KAAKC,OACbtnB,EAAcpH,EAAMwC,MAAMpC,MAAMqC,YAAY2E,WAClDpH,GAAMsY,OAAO,cAAgBnN,SAAUsjB,KAAKgT,aAAchgC,OAAO,IACjEsX,EAAA9c,QAAgBwe,gBACdza,QACAoH,cACA+D,SAAUsjB,KAAKgT,aACf9sB,OAAO,EACPN,iBAAiB,EACjB5I,OAAQgjB,KAAKhjB,OACbE,IAAK8iB,KAAK9iB,MACT7K,KAAK,iBAAMd,GAAMsY,OAAO,cAAgBnN,SAAU0lB,EAAK4Q,aAAchgC,OAAO,OAEjF0I,eAzBO,WAyBW,GAAAwvB,GAAAlL,KACVjlB,EAAKilB,KAAKhjB,MAChBgjB,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkB5a,gBAAiBX,OACtD1I,KAAK,SAACsR,GAAD,MAAeunB,GAAKjL,OAAOltB,SAAS,gBAAkB4Q,iBAEhEnI,aA9BO,WA8BS,GAAA23B,GAAAnT,KACRjlB,EAAKilB,KAAKhjB,MAChBgjB,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkB9a,cAAeT,OACpD1I,KAAK,SAACgL,GAAD,MAAa81B,GAAKlT,OAAOltB,SAAS,cAAgBsK,eAE5D01B,WAnCO,SAmCK1d,GACV,GAAM+d,GAAY1a,SAAS5e,KAAKo2B,wBAC1B/E,EAAS3qB,KAAK6yB,IAAID,EAAUjI,QAAUiI,EAAUv+B,EAClDmrB,MAAKtjB,SAASgH,WAAY,GAC1Bsc,KAAKC,OAAOlsB,MAAMlC,OAAOumB,UACzB4H,KAAK0F,IAAI4N,aAAe,GACvB1iC,OAAO0/B,YAAc1/B,OAAO2iC,aAAiBpI,EAAS,KACzDnL,KAAKkT,uBAIXpP,OACEvgB,eADK,SACWokB,GACT3H,KAAKC,OAAOlsB,MAAMlC,OAAOoe,WAG1B0X,EAAQ,IAEN/2B,OAAO2iC,YAAc,KAAOvT,KAAK0S,OACnC1S,KAAKtX,kBAELsX,KAAK0S,QAAS,KlDoyMvBvlC,GAAQK,QkD7xMMy3B,GlDiyMT,SAAU/3B,EAAQC,EAASC,GAEhC,YAUA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GARvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GmD56MV,IAAA6zB,GAAAz5B,EAAA,InDi7MK05B,EAAsBz5B,EAAuBw5B,GmD/6M5CiM,GACJ5R,OACE,OACA,eAEF1uB,KALe,WAMb,OACEu0B,cAAc,IAGlBzH,YACE0H,2BAEF1G,SACE2G,mBADO,WAELjH,KAAK+G,cAAgB/G,KAAK+G,enDs7M/B55B,GAAQK,QmDj7MMslC,GnDq7MT,SAAU5lC,EAAQC,EAASC,GAEhC,YAYA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAVvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GoDh9MV,IAAA2tB,GAAAvzB,EAAA,IpDq9MKwzB,EAAevzB,EAAuBszB,GoDp9M3CnF,EAAApuB,EAAA,GpD09MCD,GAAQK,SoDv9MP0zB,OAAS,OAAQ,WAAY,WAAY,WACzCnB,UACEyT,aADQ,WAEN,GAAMlX,GAAQ0D,KAAKC,OAAOlsB,MAAMlC,OAAOmmB,OAAOgF,EAC9C,IAAIV,EAAO,CACT,GAAMvb,IAAM,EAAAya,EAAA1b,SAAQwc,GACdmX,UAAoBjzB,KAAKkzB,MAAM3yB,EAAIX,GAAnC,KAA0CI,KAAKkzB,MAAM3yB,EAAIV,GAAzD,KAAgEG,KAAKkzB,MAAM3yB,EAAIT,GAA/E,OAMN,OALA3K,SAAQC,IAAImL,GACZpL,QAAQC,KAAI,OACHoqB,KAAK1lB,KAAKq5B,YADP,kCAEoBF,EAFpB,KAEkCA,EAFlC,KAGV91B,KAAK,QAELi2B,uBAAwBpzB,KAAKkzB,MAAc,IAAR3yB,EAAIX,GAAvC,KAAqDI,KAAKkzB,MAAc,IAAR3yB,EAAIV,GAApE,KAAkFG,KAAKkzB,MAAc,IAAR3yB,EAAIT,GAAjG,IACAuzB,iBAAiB,8BACeJ,EADf,KAC6BA,EAD7B,WAERzT,KAAK1lB,KAAKq5B,YAFF,KAGfh2B,KAAK,SAIbm2B,YApBQ,WAqBN,MAAO9T,MAAK1lB,KAAKS,KAAOilB,KAAKC,OAAOlsB,MAAMpC,MAAMqC,YAAY+G,IAE9Dg5B,aAvBQ,WAyBN,GAAMC,GAAY,GAAIC,KAAIjU,KAAK1lB,KAAK8N,sBACpC,OAAU4rB,GAAUE,SAApB,KAAiCF,EAAUG,KAA3C,iBAEF3F,SA5BQ,WA6BN,MAAOxO,MAAKC,OAAOlsB,MAAMpC,MAAMqC,aAEjCogC,SA/BQ,WAgCN,GAAMC,GAAO7zB,KAAKC,MAAM,GAAI6zB,MAAS,GAAIA,MAAKtU,KAAK1lB,KAAKi6B,aAAjC,MACvB,OAAO/zB,MAAKg0B,MAAMxU,KAAK1lB,KAAKm6B,eAAiBJ,KAGjD/U,YACEiC,sBAEFjB,SACEzlB,WADO,WAEL,GAAMtJ,GAAQyuB,KAAKC,MACnB1uB,GAAMwC,MAAMnC,IAAI0kB,kBAAkBzb,WAAWmlB,KAAK1lB,KAAKS,IACpD1I,KAAK,SAACqiC,GAAD,MAAkBnjC,GAAMsY,OAAO,eAAgB6qB,OAEzD15B,aANO,WAOL,GAAMzJ,GAAQyuB,KAAKC,MACnB1uB,GAAMwC,MAAMnC,IAAI0kB,kBAAkBtb,aAAaglB,KAAK1lB,KAAKS,IACtD1I,KAAK,SAACsiC,GAAD,MAAoBpjC,GAAMsY,OAAO,eAAgB8qB,OAE3Dz5B,UAXO,WAYL,GAAM3J,GAAQyuB,KAAKC,MACnB1uB,GAAMwC,MAAMnC,IAAI0kB,kBAAkBpb,UAAU8kB,KAAK1lB,KAAKS,IACnD1I,KAAK,SAACuiC,GAAD,MAAiBrjC,GAAMsY,OAAO,eAAgB+qB,OAExDx5B,YAhBO,WAiBL,GAAM7J,GAAQyuB,KAAKC,MACnB1uB,GAAMwC,MAAMnC,IAAI0kB,kBAAkBlb,YAAY4kB,KAAK1lB,KAAKS,IACrD1I,KAAK,SAACwiC,GAAD,MAAmBtjC,GAAMsY,OAAO,eAAgBgrB,OAE1DlF,WArBO,WAsBL,GAAMp+B,GAAQyuB,KAAKC,MACnB1uB,GAAMsY,OAAO,YAAavP,KAAM0lB,KAAK1lB,KAAM+B,OAAQ2jB,KAAK1lB,KAAK+B,QAC7D9K,EAAMwC,MAAMnC,IAAI0kB,kBAAkBpa,YAAY8jB,KAAK1lB,OAErD+O,eA1BO,SA0BSC,GACd,GAAI0W,KAAK8U,SAAU,CACjB,GAAMvjC,GAAQyuB,KAAKC,MACnB1uB,GAAMsY,OAAO,kBAAoBP,WpD69MnC,SAAUpc,EAAQC,GAEvB,YAEA4I,QAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GqD3iNV,IAAM0sB,IACJltB,KAAM,kBACJ+H,SAAU+B,OACVmlB,QAAQ,EACR/rB,OAAO,EACPgO,SAAS,IAEX4c,SACEyU,SADO,SACGx6B,GAAU,GAAA6nB,GAAApC,IAClBzlB,GAA2B,MAAhBA,EAAS,GAAaA,EAASoG,MAAM,GAAKpG,EACrDylB,KAAKtc,SAAU,EACfsc,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkB5b,gBAAgBH,GACrDlI,KAAK,SAACiI,GACL8nB,EAAK1e,SAAU,EACf0e,EAAKX,QAAS,EACTnnB,EAAK5E,MAIR0sB,EAAK1sB,OAAQ,GAHb0sB,EAAKnC,OAAOpW,OAAO,eAAgBvP,IACnC8nB,EAAKgK,QAAQ5uB,MAAM7K,KAAM,eAAgB4G,QAASwB,GAAIT,EAAKS,UAMnEonB,aAhBO,WAiBLnC,KAAKyB,QAAUzB,KAAKyB,QAEtBuT,aAnBO,WAoBLhV,KAAKtqB,OAAQ,IrDqjNlBvI,GAAQK,QqDhjNMkyB,GrDojNT,SAAUxyB,EAAQC,EAASC,GAEhC,YAkBA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAhBvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GsDzlNV,IAAAiiC,GAAA7nC,EAAA,KtD8lNK8nC,EAAe7nC,EAAuB4nC,GsD7lN3CnH,EAAA1gC,EAAA,KtDimNK2gC,EAAqB1gC,EAAuBygC,GsDhmNjDjH,EAAAz5B,EAAA,ItDomNK05B,EAAsBz5B,EAAuBw5B,GsDlmN5CtH,GACJQ,UACEzlB,KADQ,WACE,MAAO0lB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,cAE3CsrB,YACE6F,oBACAwD,yBACA3B,2BtD4mNH75B,GAAQK,QsDxmNM+xB,GtD4mNT,SAAUryB,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GuDhoNV,IAAA6zB,GAAAz5B,EAAA,IvDqoNK05B,EAAsBz5B,EAAuBw5B,GuDpoNlD/B,EAAA13B,EAAA,IvDwoNK23B,EAAa13B,EAAuBy3B,GuDtoNnCqQ,GACJtR,QADkB,WAEhB7D,KAAKC,OAAOpW,OAAO,iBAAmBnN,SAAU,SAChDsjB,KAAKC,OAAOltB,SAAS,iBAAkB,OAAQitB,KAAKhjB,SAC/CgjB,KAAKC,OAAOlsB,MAAMpC,MAAMmjB,YAAYkL,KAAKhjB,SAC5CgjB,KAAKC,OAAOltB,SAAS,YAAaitB,KAAKhjB,SAG3CivB,UARkB,WAShBjM,KAAKC,OAAOltB,SAAS,eAAgB,SAEvCgtB,UACErjB,SADQ,WACM,MAAOsjB,MAAKC,OAAOlsB,MAAMrC,SAASwS,UAAU5J,MAC1D0C,OAFQ,WAGN,MAAOgjB,MAAKgD,OAAOzpB,OAAOwB,IAE5BT,KALQ,WAMN,MAAI0lB,MAAKtjB,SAAShL,SAAS,GAClBsuB,KAAKtjB,SAAShL,SAAS,GAAG4I,KAE1B0lB,KAAKC,OAAOlsB,MAAMpC,MAAMmjB,YAAYkL,KAAKhjB,UAAW,IAIjE8mB,OACE9mB,OADK,WAEHgjB,KAAKC,OAAOpW,OAAO,iBAAmBnN,SAAU,SAChDsjB,KAAKC,OAAOltB,SAAS,iBAAkB,OAAQitB,KAAKhjB,WAGxDsiB,YACE0H,0BACA/B,oBvDipNH93B,GAAQK,QuD7oNM2nC,GvDipNT,SAAUjoC,EAAQC,EAASC,GAEhC,YAcA,SAASC,GAAuBC,GAAO,MAAOA,IAAOA,EAAIC,WAAaD,GAAQE,QAASF,GAZvFyI,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GAGT,IAAIoiC,GAAahoC,EAAoB,KAEjCioC,EAAchoC,EAAuB+nC,GwDlsN1CxI,EAAAx/B,EAAA,KxDssNKy/B,EAAmBx/B,EAAuBu/B,GwDpsNzC0I,GACJ9iC,KADmB,WAEjB,OACE+iC,QAASvV,KAAKC,OAAOlsB,MAAMpC,MAAMqC,YAAYrB,KAC7C6iC,OAAQxV,KAAKC,OAAOlsB,MAAMpC,MAAMqC,YAAYyhC,YAC5CC,WAAY,KACZC,mBAAmB,EACnBC,iBAAiB,EACjBC,qBAAqB,EACrB9P,YAAa,GAAO,GAAO,GAAO,GAClC+P,UAAY,KAAM,KAAM,MACxBC,iBAAiB,EACjBC,kCAAmC,GACnCC,oBAAoB,EACpBC,sBAAwB,GAAI,GAAI,IAChCC,iBAAiB,EACjBC,qBAAqB,IAGzB9W,YACE+N,yBAEFtN,UACEzlB,KADQ,WAEN,MAAO0lB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,aAEjCqiC,eAJQ,WAKN,MAAOrW,MAAKC,OAAOlsB,MAAMlC,OAAOwkC,iBAGpC/V,SACEnmB,cADO,WACU,GAAAioB,GAAApC,KACTrtB,EAAOqtB,KAAKuV,QACZE,EAAczV,KAAKwV,MACzBxV,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBnc,eAAeZ,QAAS5G,OAAM8iC,iBAAepjC,KAAK,SAACiI,GACpFA,EAAK5E,QACR0sB,EAAKnC,OAAOpW,OAAO,eAAgBvP,IACnC8nB,EAAKnC,OAAOpW,OAAO,iBAAkBvP,OAI3CwrB,WAXO,SAWKwQ,EAAMjhB,GAAG,GAAA6V,GAAAlL,KACb4F,EAAOvQ,EAAE2M,OAAO6D,MAAM,EAC5B,IAAKD,EAAL,CAEA,GAAM2Q,GAAS,GAAIC,WACnBD,GAAOlU,OAAS,SAAA/oB,GAAc,GAAZ0oB,GAAY1oB,EAAZ0oB,OACVV,EAAMU,EAAOnhB,MACnBqqB,GAAK4K,SAASQ,GAAQhV,EACtB4J,EAAKuL,gBAEPF,EAAOG,cAAc9Q,KAEvB+Q,aAvBO,WAuBS,GAAAxD,GAAAnT,IACd,IAAKA,KAAK8V,SAAS,GAAnB,CAEA,GAAIxU,GAAMtB,KAAK8V,SAAS,GAEpBc,EAAU,GAAIC,OACdC,SAAOC,SAAOC,SAAOC,QACzBL,GAAQtU,IAAMhB,EACVsV,EAAQzL,OAASyL,EAAQ/F,OAC3BiG,EAAQ,EACRE,EAAQJ,EAAQ/F,MAChBkG,EAAQv2B,KAAKkzB,OAAOkD,EAAQzL,OAASyL,EAAQ/F,OAAS,GACtDoG,EAAQL,EAAQ/F,QAEhBkG,EAAQ,EACRE,EAAQL,EAAQzL,OAChB2L,EAAQt2B,KAAKkzB,OAAOkD,EAAQ/F,MAAQ+F,EAAQzL,QAAU,GACtD6L,EAAQJ,EAAQzL,QAElBnL,KAAK+F,UAAU,IAAK,EACpB/F,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBjd,cAAcE,QAAS+nB,MAAKwV,QAAOC,QAAOC,QAAOC,WAAS5kC,KAAK,SAACiI,GACjGA,EAAK5E,QACRy9B,EAAKlT,OAAOpW,OAAO,eAAgBvP,IACnC64B,EAAKlT,OAAOpW,OAAO,iBAAkBvP,GACrC64B,EAAK2C,SAAS,GAAK,MAErB3C,EAAKpN,UAAU,IAAK,MAGxBmR,aApDO,WAoDS,GAAAC,GAAAnX,IACd,IAAKA,KAAK8V,SAAS,GAAnB,CAEA,GAAIsB,GAASpX,KAAK8V,SAAS,GAEvBc,EAAU,GAAIC,OAEdQ,SAAYC,SAAazG,SAAO1F,QACpCyL,GAAQtU,IAAM8U,EACdvG,EAAQ+F,EAAQ/F,MAChB1F,EAASyL,EAAQzL,OACjBkM,EAAa,EACbC,EAAc,EACdtX,KAAK+F,UAAU,IAAK,EACpB/F,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBrc,cAAcV,QAAS69B,SAAQC,aAAYC,cAAazG,QAAO1F,YAAU94B,KAAK,SAACG,GACrH,IAAKA,EAAKkD,MAAO,CACf,GAAI6hC,GAAQC,KAAKC,OAAM,EAAApC,EAAA7nC,SAAe2pC,EAAKlX,OAAOlsB,MAAMpC,MAAMqC,aAC9DujC,GAAM5D,YAAcnhC,EAAK+F,IACzB4+B,EAAKlX,OAAOpW,OAAO,eAAgB0tB,IACnCJ,EAAKlX,OAAOpW,OAAO,iBAAkB0tB,GACrCJ,EAAKrB,SAAS,GAAK,KAErBqB,EAAKpR,UAAU,IAAK,MAIxB2R,SA9EO,WA8EK,GAAAC,GAAA3X,IACV,IAAKA,KAAK8V,SAAS,GAAnB,CACA,GAAIxU,GAAMtB,KAAK8V,SAAS,GAEpBc,EAAU,GAAIC,OACdC,SAAOC,SAAOC,SAAOC,QACzBL,GAAQtU,IAAMhB,EACdwV,EAAQ,EACRC,EAAQ,EACRC,EAAQJ,EAAQ/F,MAChBoG,EAAQL,EAAQ/F,MAChB7Q,KAAK+F,UAAU,IAAK,EACpB/F,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBvc,UAAUR,QAAS+nB,MAAKwV,QAAOC,QAAOC,QAAOC,WAAS5kC,KAAK,SAACG,GAClG,IAAKA,EAAKkD,MAAO,CACf,GAAI6hC,GAAQC,KAAKC,OAAM,EAAApC,EAAA7nC,SAAemqC,EAAK1X,OAAOlsB,MAAMpC,MAAMqC,aAC9DujC,GAAMrX,iBAAmB1tB,EAAK+F,IAC9Bo/B,EAAK1X,OAAOpW,OAAO,eAAgB0tB,IACnCI,EAAK1X,OAAOpW,OAAO,iBAAkB0tB,GACrCI,EAAK7B,SAAS,GAAK,KAErB6B,EAAK5R,UAAU,IAAK,MAGxB6R,cArGO,WAqGU,GAAAC,GAAA7X,IACfA,MAAK+F,UAAU,IAAK,CACpB,IAAM2P,GAAa1V,KAAK0V,UACxB1V,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBrX,cAAc1F,OAAQm8B,IAC3DrjC,KAAK,SAACgM,GACDA,EACFw5B,EAAKjC,iBAAkB,EAEvBiC,EAAKlC,mBAAoB,EAE3BkC,EAAK9R,UAAU,IAAK,KAM1B+R,aArHO,SAqHOnmC,EAAOomC,GAEnB,GAAIC,GAAgBrmC,EAAM0D,IAAI,SAAUiF,GAOtC,MALIA,IAAQA,EAAK29B,WAGf39B,EAAKgO,aAAe,IAAM4vB,SAASC,UAE9B79B,EAAKgO,cACX3K,KAAK,MAEJy6B,EAAiB1f,SAASqD,cAAc,IAC5Cqc,GAAepc,aAAa,OAAQ,iCAAmCjjB,mBAAmBi/B,IAC1FI,EAAepc,aAAa,WAAY+b,GACxCK,EAAexc,MAAMC,QAAU,OAC/BnD,SAAS5e,KAAKmiB,YAAYmc,GAC1BA,EAAeC,QACf3f,SAAS5e,KAAK2iB,YAAY2b,IAE5BE,cAzIO,WAyIU,GAAAC,GAAAvY,IACfA,MAAK6V,qBAAsB,EAC3B7V,KAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBACnB9a,cAAcT,GAAIilB,KAAKC,OAAOlsB,MAAMpC,MAAMqC,YAAY+G,KACtD1I,KAAK,SAACmmC,GACLD,EAAKT,aAAaU,EAAY,kBAGpCC,iBAjJO,WAmJL,GAAI55B,GAAW,GAAIpF,SACnBoF,GAASnF,OAAO,OAAQsmB,KAAK8I,MAAM4P,WAAW7S,MAAM,IACpD7F,KAAK0V,WAAa72B,GAEpB85B,gBAvJO,WAwJL3Y,KAAK4V,iBAAkB,EACvB5V,KAAK2V,mBAAoB,GAE3BiD,cA3JO,WA4JL5Y,KAAK+V,iBAAkB,GAEzB32B,cA9JO,WA8JU,GAAAy5B,GAAA7Y,IACfA,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBlX,eAAe5E,SAAUwlB,KAAKgW,oCACnE3jC,KAAK,SAACC,GACc,YAAfA,EAAI+L,QACNw6B,EAAK5Y,OAAOltB,SAAS,UACrB8lC,EAAKzM,QAAQ5uB,KAAK,cAElBq7B,EAAK5C,mBAAqB3jC,EAAIoD,SAItC4J,eAzKO,WAyKW,GAAAw5B,GAAA9Y,KACVzmB,GACJiB,SAAUwlB,KAAKkW,qBAAqB,GACpC12B,YAAawgB,KAAKkW,qBAAqB,GACvCz2B,wBAAyBugB,KAAKkW,qBAAqB,GAErDlW,MAAKC,OAAOlsB,MAAMnC,IAAI0kB,kBAAkBhX,eAAe/F,GACpDlH,KAAK,SAACC,GACc,YAAfA,EAAI+L,QACNy6B,EAAK3C,iBAAkB,EACvB2C,EAAK1C,qBAAsB,IAE3B0C,EAAK3C,iBAAkB,EACvB2C,EAAK1C,oBAAsB9jC,EAAIoD,WxDuuN1CvI,GAAQK,QwDhuNM8nC,GxDouNT,SAAUpoC,EAAQC,GAEvB,YyDn8ND,SAAS4rC,GAAiBC,EAAOC,EAAOC,EAAOC,GAC7C,GACIC,GADAznC,EAAQsnC,EAAMI,IAEdxP,EAAQ,EACRyP,EAAS94B,KAAKkzB,MAAsB,GAAhBlzB,KAAK84B,SAC7B,KAAKF,EAAKE,EAAQF,EAAKznC,EAAMqT,OAAQo0B,GAAU,GAAI,CACjD,GAAI9+B,EACJA,GAAO3I,EAAMynC,EACb,IAAI9X,EAEFA,GADEhnB,EAAKyM,KACDzM,EAAKyM,KAEL,iBAER,IAAIpU,GAAO2H,EAAKi/B,KAiChB,IAhCc,IAAV1P,GACFmP,EAAMQ,KAAOlY,EACb0X,EAAMS,MAAQ9mC,EACdqmC,EAAM/Y,OAAOlsB,MAAMnC,IAAI0kB,kBAAkB5b,gBAAgB/H,GACtDN,KAAK,SAACqnC,GACAA,EAAahkC,QAChBsjC,EAAM/Y,OAAOpW,OAAO,eAAgB6vB,IACpCV,EAAMW,IAAMD,EAAa3+B,OAGZ,IAAV8uB,GACTmP,EAAMY,KAAOtY,EACb0X,EAAMa,MAAQlnC,EACdqmC,EAAM/Y,OAAOlsB,MAAMnC,IAAI0kB,kBAAkB5b,gBAAgB/H,GACtDN,KAAK,SAACqnC,GACAA,EAAahkC,QAChBsjC,EAAM/Y,OAAOpW,OAAO,eAAgB6vB,IACpCV,EAAMc,IAAMJ,EAAa3+B,OAGZ,IAAV8uB,IACTmP,EAAMe,KAAOzY,EACb0X,EAAMgB,MAAQrnC,EACdqmC,EAAM/Y,OAAOlsB,MAAMnC,IAAI0kB,kBAAkB5b,gBAAgB/H,GACtDN,KAAK,SAACqnC,GACAA,EAAahkC,QAChBsjC,EAAM/Y,OAAOpW,OAAO,eAAgB6vB,IACpCV,EAAMiB,IAAMP,EAAa3+B,OAIjC8uB,GAAgB,EACZA,EAAQ,EACV,OAKN,QAASqQ,GAAgBlB,GACvB,GAAI1+B,GAAO0+B,EAAM/Y,OAAOlsB,MAAMpC,MAAMqC,YAAYsU,WAChD,IAAIhO,EAAM,CACR0+B,EAAMS,MAAQ,aACdT,EAAMa,MAAQ,aACdb,EAAMgB,MAAQ,YACd,IAEIzhC,GAFA47B,EAAOvjC,OAAOsnC,SAASC,SACvB7kC,EAAsB0lC,EAAM/Y,OAAOlsB,MAAMlC,OAAOyB,mBAEpDiF,GAAMjF,EAAoB0F,QAAQ,YAAaD,mBAAmBo7B,IAClE57B,EAAMA,EAAIS,QAAQ,YAAaD,mBAAmBuB,IAClD1J,OAAOwB,MAAMmG,GAAMlE,KAAM,SAAShC,KAAK,SAAUyM,GAC/C,MAAIA,GAASK,GACJL,EAASvM,QAEhBymC,EAAMS,MAAQ,GACdT,EAAMa,MAAQ,GACdb,EAAMgB,MAAQ,GAFdhB,UAID3mC,KAAK,SAAU4mC,GAChBF,EAAgBC,EAAOC,EAAO9E,EAAM75B,MzD43NzCvE,OAAOC,eAAe7I,EAAS,cAC7B6F,OAAO,GyDx3NV,IAAM2sB,IACJntB,KAAM,kBACJgnC,KAAM,kBACNC,MAAO,GACPE,IAAK,EACLC,KAAM,kBACNC,MAAO,GACPC,IAAK,EACLC,KAAM,kBACNC,MAAO,GACPC,IAAK,IAEPla,UACEzlB,KAAM,WACJ,MAAO0lB,MAAKC,OAAOlsB,MAAMpC,MAAMqC,YAAYsU,aAE7C6xB,QAAS,WACP,GAGI5hC,GAHA47B,EAAOvjC,OAAOsnC,SAASC,SACvB79B,EAAO0lB,KAAK1lB,KACZ/G,EAAkBysB,KAAKC,OAAOlsB,MAAMlC,OAAO0B,eAI/C,OAFAgF,GAAMhF,EAAgByF,QAAQ,YAAaD,mBAAmBo7B,IAC9D57B,EAAMA,EAAIS,QAAQ,YAAaD,mBAAmBuB,KAGpDjH,qBAbQ,WAcN,MAAO2sB,MAAKC,OAAOlsB,MAAMlC,OAAOwB,uBAGpCywB,OACExpB,KAAM,SAAUA,EAAM8/B,GAChBpa,KAAK3sB,sBACP6mC,EAAela,QAIrByF,QACE,WACMzF,KAAK3sB,sBACP6mC,EAAela,OzD28NtB7yB,GAAQK,QyDt8NMmyB,GzDy8NN,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,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,SAAUzyB,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,G0D9xOxBD,EAAAC,SAAA,gH1DoyOM,SAAUD,EAAQC,G2DpyOxBD,EAAAC,SAAA,oE3DyyOS,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,CACA,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,G4D/8OjCF,EAAAC,QAAAC,EAAAitC,EAAA,+B5Do9OS,CACA,CAEH,SAAUntC,EAAQC,EAASC,G6Dr9OjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S7D89OM,SAAUD,EAAQC,EAASC,G8D3+OjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S9Do/OM,SAAUD,EAAQC,EAASC,G+DjgPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S/D0gPM,SAAUD,EAAQC,EAASC,GgEzhPjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,ShEgiPM,SAAUD,EAAQC,EAASC,GiEziPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SjEkjPM,SAAUD,EAAQC,EAASC,GkE/jPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SlEwkPM,SAAUD,EAAQC,EAASC,GmEvlPjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SnE8lPM,SAAUD,EAAQC,EAASC,GoEvmPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SpEgnPM,SAAUD,EAAQC,EAASC,GqE7nPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SrEsoPM,SAAUD,EAAQC,EAASC,GsEnpPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,StE4pPM,SAAUD,EAAQC,EAASC,GuE3qPjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SvEkrPM,SAAUD,EAAQC,EAASC,GwE3rPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SxEosPM,SAAUD,EAAQC,EAASC,GyEntPjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SzE0tPM,SAAUD,EAAQC,EAASC,G0EnuPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S1E4uPM,SAAUD,EAAQC,EAASC,G2E3vPjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S3EkwPM,SAAUD,EAAQC,EAASC,G4E7wPjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S5EoxPM,SAAUD,EAAQC,EAASC,G6E7xPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S7EsyPM,SAAUD,EAAQC,EAASC,G8EnzPjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S9E4zPM,SAAUD,EAAQC,EAASC,G+Ez0PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,S/Ek1PM,SAAUD,EAAQC,EAASC,GgF/1PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,ShFw2PM,SAAUD,EAAQC,EAASC,GiFv3PjC,GAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SjF83PM,SAAUD,EAAQC,EAASC,GkFv4PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SlFg5PM,SAAUD,EAAQC,EAASC,GmF75PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SnFs6PM,SAAUD,EAAQC,EAASC,GoFn7PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SpF47PM,SAAUD,EAAQC,EAASC,GqFz8PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SrFk9PM,SAAUD,EAAQC,EAASC,GsF/9PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,StFw+PM,SAAUD,EAAQC,EAASC,GuFr/PjCA,EAAA,IAEA,IAAA0I,GAAA1I,EAAA,GAEAA,EAAA,KAEAA,EAAA,KAEA,KAEA,KAGAF,GAAAC,QAAA2I,EAAA3I,SvF8/PM,SAAUD,EAAQC,GwF7gQxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,EAAA5S,gBAAA4S,EAAAQ,KAAAR,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAA,YAAAG,EAAA,UACHE,YAAA,cACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA1S,WAAAoT,OAGGV,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGL,EAAAW,GAAAX,EAAA,8BAAAlzB,GACH,MAAAqzB,GAAA,OACAnlC,IAAA8R,EAAAb,OAAAxL,GACA4/B,YAAA,eACAO,OACAC,QAAA/zB,EAAAT,QAEK8zB,EAAA,gBACLW,OACAh0B,mBAEK,WAEJi0B,qBxFmhQK,SAAUnuC,EAAQC,GyFnjQxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,2BACA/e,MAAA0e,EAAA,aACAc,OACArgC,GAAA,aAEG0/B,EAAA,OACHE,YAAA,8BACGF,EAAA,OACHE,YAAA,cACGL,EAAAxG,YAUAwG,EAAAQ,KAVAL,EAAA,eACHa,aACAC,MAAA,QACAC,aAAA,QAEAJ,OACAxnC,GAAA,oBAEG6mC,EAAA,KACHE,YAAA,4BACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHa,aACAC,MAAA,QACAC,aAAA,QAEAJ,OACA1f,KAAA4e,EAAAhgC,KAAA8N,sBACA4Z,OAAA,YAEGyY,EAAA,KACHE,YAAA,iCACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,cACGF,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAhgC,KAAAS,QAIG0/B,EAAA,cACHE,YAAA,SACAS,OACA9Y,IAAAgY,EAAAhgC,KAAAwvB,+BAEG,GAAAwQ,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,YACAS,OACAt0B,MAAAwzB,EAAAhgC,KAAA3H,QAEG2nC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhgC,KAAA3H,SAAA2nC,EAAAM,GAAA,KAAAH,EAAA,eACHE,YAAA,mBACAS,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAhgC,KAAAS,QAIG0/B,EAAA,QAAAH,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAhgC,KAAAgO,gBAAAgyB,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,aACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAlG,UAAA,IAAAkG,EAAAO,GAAAP,EAAAS,GAAA,mCAAAT,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,sBACGL,EAAAhgC,KAAA4S,aAAAotB,EAAA9L,SAAAiM,EAAA,OACHE,YAAA,cACGL,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,0CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,SAAAG,EAAA,OACHE,YAAA,WACGL,EAAAhgC,KAAA,UAAAmgC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACA/iB,IACAygB,MAAAiC,EAAAt/B,gBAEGs/B,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,8CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAhgC,KAAA6S,UAIAmtB,EAAAQ,KAJAL,EAAA,QAAAA,EAAA,UACH7iB,IACAygB,MAAAiC,EAAAz/B,cAEGy/B,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,6CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,OACHE,YAAA,SACGL,EAAAhgC,KAAA,MAAAmgC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACA/iB,IACAygB,MAAAiC,EAAA3K,cAEG2K,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,0CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAhgC,KAAA+B,MAIAi+B,EAAAQ,KAJAL,EAAA,QAAAA,EAAA,UACH7iB,IACAygB,MAAAiC,EAAA3K,cAEG2K,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,2CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,MAAAN,EAAA9L,UAAA8L,EAAAhgC,KAAA29B,SAAAwC,EAAA,OACHE,YAAA,kBACGF,EAAA,QACHW,OACAvhC,OAAA,OACA0M,OAAA+zB,EAAAvG,gBAEG0G,EAAA,SACHW,OACA90B,KAAA,SACA3T,KAAA,YAEA8oC,UACAzoC,MAAAsnC,EAAAhgC,KAAAgO,eAEGgyB,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA90B,KAAA,SACA3T,KAAA,UACAK,MAAA,MAEGsnC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,gBACAS,OACA/C,MAAA,YAEGiC,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,oDAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAxG,aAAAwG,EAAA9L,SAAAiM,EAAA,OACHE,YAAA,UACGL,EAAAhgC,KAAA,mBAAAmgC,EAAA,QAAAA,EAAA,UACHE,YAAA,UACA/iB,IACAygB,MAAAiC,EAAAl/B,eAEGk/B,EAAAM,GAAA,mBAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAhgC,KAAAohC,mBAIApB,EAAAQ,KAJAL,EAAA,QAAAA,EAAA,UACH7iB,IACAygB,MAAAiC,EAAAp/B,aAEGo/B,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,EAAAxF,YAEG2F,EAAA,OACHE,YAAA,aACAO,OACAnK,SAAA,aAAAuJ,EAAAvJ,UAEAnZ,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAjxB,eAAA,gBAGGoxB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhgC,KAAAm6B,gBAAA,KAAAgG,EAAA,UAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAO,OACAnK,SAAA,YAAAuJ,EAAAvJ,UAEAnZ,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAjxB,eAAA,eAGGoxB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhgC,KAAAshC,oBAAAtB,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,aACAO,OACAnK,SAAA,cAAAuJ,EAAAvJ,UAEAnZ,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAjxB,eAAA,iBAGGoxB,EAAA,MAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhgC,KAAAuhC,wBAAAvB,EAAAM,GAAA,KAAAN,EAAAwB,QAAAxB,EAAAQ,KAAAL,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhgC,KAAAm7B,qBACF4F,qBzFyjQK,SAAUnuC,EAAQC,G0FpuQxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,mBAAAD,EAAA12B,QAAA62B,EAAA,OACAE,YAAA,iCACGF,EAAA,OACHE,YAAA,mCACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAxzB,OAAA,YAAAwzB,EAAAM,GAAA,KAAAN,EAAA59B,SAAA6G,eAAA,IAAA+2B,EAAA3H,cAAA8H,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA5xB,gBAAAsyB,OAGGV,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAO,GAAAP,EAAA1H,mBAAA,YAAA0H,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,cAAAG,EAAA,OACHE,YAAA,6BACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,qBAGGiU,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,MAAAN,EAAA59B,SAAA6G,eAAA,IAAA+2B,EAAA3H,cAAA8H,EAAA,OACHE,YAAA,gBACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,qBAGGiU,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAW,GAAAX,EAAA59B,SAAA,yBAAA2B,GACH,MAAAo8B,GAAA,0BACAnlC,IAAA+I,EAAAtD,GACA4/B,YAAA,gBACAS,OACArY,UAAA1kB,UAGGi8B,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAA59B,SAAAgH,QAYA+2B,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAA,SAdAH,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAApH,yBAGGuH,EAAA,OACHE,YAAA,qDACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,iCAEA,aAAAT,EAAA12B,QAAA62B,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,aACAnlC,IAAAymC,EAAAhhC,GACAqgC,OACA9gC,KAAAyhC,EACAC,aAAA,YAGG,WAAA1B,EAAA12B,QAAA62B,EAAA,OACHE,YAAA;GACGF,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,aACAnlC,IAAA2mC,EAAAlhC,GACAqgC,OACA9gC,KAAA2hC,EACAD,aAAA,YAGG1B,EAAAQ,MACFO,qB1F0uQK,SAAUnuC,EAAQC,G2Fx0QxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,qBACGF,EAAA,QACH7iB,IACArG,OAAA,SAAAypB,GACAA,EAAA3U,iBACAiU,EAAAn8B,WAAAm8B,EAAAxxB,eAGG2xB,EAAA,OACHE,YAAA,eACGF,EAAA,YACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAxxB,UAAA,OACAszB,WAAA,qBAEAC,IAAA,WACA1B,YAAA,eACAS,OACAkB,YAAAhC,EAAAS,GAAA,uBACAwB,KAAA,KAEAd,UACAzoC,MAAAsnC,EAAAxxB,UAAA,QAEA8O,IACAygB,MAAAiC,EAAAtP,SACAwR,OAAAlC,EAAAtP,SAAA,SAAAgQ,GACA,iBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,WAAA1B,EAAA1lC,OACA0lC,EAAArQ,YACA2P,GAAAn8B,WAAAm8B,EAAAxxB,WAFuF,OAIvF6zB,SAAA,SAAA3B,GACA,gBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,UAAA1B,EAAA1lC,SACAglC,GAAAxP,aAAAkQ,GADsF,MAE/E,SAAAA,GACP,gBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,QAAA1B,EAAA1lC,SACAglC,GAAAzP,cAAAmQ,GADoF,MAE7E,SAAAA,GACP,iBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,QAAA1B,EAAA1lC,OACA0lC,EAAAjQ,aACAuP,GAAAzP,cAAAmQ,GAFoF,MAG7E,SAAAA,GACP,gBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,QAAA1B,EAAA1lC,SACAglC,GAAAxP,aAAAkQ,GADoF,MAE7E,SAAAA,GACP,gBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,WAAA1B,EAAA1lC,SACAglC,GAAA7P,iBAAAuQ,GADuF,MAEhF,SAAAA,GACP,iBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,WAAA1B,EAAA1lC,OACA0lC,EAAA4B,YACAtC,GAAAn8B,WAAAm8B,EAAAxxB,WAFuF,OAIvF+zB,KAAAvC,EAAAnU,SACA2W,SAAA,SAAA9B,GACAA,EAAA3U,iBACAiU,EAAAhU,SAAA0U,IAEA1d,OAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAxxB,UAAA,SAAAkyB,EAAAhZ,OAAAhvB,QACOsnC,EAAAzR,QACP6C,MAAA4O,EAAA5O,WAEG4O,EAAAM,GAAA,KAAAN,EAAA,WAAAG,EAAA,OACHa,aACA2B,SAAA,cAEGxC,EAAA,OACHE,YAAA,sBACGL,EAAAW,GAAAX,EAAA,oBAAA1P,GACH,MAAA6P,GAAA,OACA7iB,IACAygB,MAAA,SAAA2C,GACAV,EAAAthC,QAAA4xB,EAAA/0B,KAAA+0B,EAAAtiB,YAAA,SAGKmyB,EAAA,OACLE,YAAA,eACAO,OACA5R,YAAAsB,EAAAtB,eAEKsB,EAAA,IAAA6P,EAAA,QAAAA,EAAA,OACLW,OACA9Y,IAAAsI,EAAAtJ,SAEKmZ,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAjQ,EAAA/0B,QAAAykC,EAAAM,GAAA,KAAAH,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAjQ,EAAAtiB,cAAAmyB,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAjQ,EAAAj4B,oBACF2nC,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGF,EAAA,gBACHW,OACA8B,aAAA5C,EAAA5T,WAEA9O,IACAmO,UAAAuU,EAAA7O,cACA0R,SAAA7C,EAAAlP,aACAgS,gBAAA9C,EAAAhP,gBAEGgP,EAAAM,GAAA,KAAAN,EAAA,kBAAAG,EAAA,KACHE,YAAA,UACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhQ,mBAAAgQ,EAAA,qBAAAG,EAAA,KACHE,YAAA,UACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAhQ,mBAAAgQ,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,EAAAjR,eACA/iB,KAAA,YAEGg0B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAA,oBAAAN,EAAAO,GAAAP,EAAA5kC,OAAA,cAAA+kC,EAAA,KACHE,YAAA,cACA/iB,IACAygB,MAAAiC,EAAAvO,gBAEGuO,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGL,EAAAW,GAAAX,EAAAxxB,UAAA,eAAA8c,GACH,MAAA6U,GAAA,OACAE,YAAA,sCACKF,EAAA,KACLE,YAAA,iBACA/iB,IACAygB,MAAA,SAAA2C,GACAV,EAAA/O,gBAAA3F,OAGK0U,EAAAM,GAAA,eAAAN,EAAAh0B,KAAAsf,GAAA6U,EAAA,OACLE,YAAA,yBACAS,OACA9Y,IAAAsD,EAAAze,SAEKmzB,EAAAQ,KAAAR,EAAAM,GAAA,eAAAN,EAAAh0B,KAAAsf,GAAA6U,EAAA,SACLW,OACA9Y,IAAAsD,EAAAze,MACAm2B,SAAA,MAEKhD,EAAAQ,KAAAR,EAAAM,GAAA,eAAAN,EAAAh0B,KAAAsf,GAAA6U,EAAA,SACLW,OACA9Y,IAAAsD,EAAAze,MACAm2B,SAAA,MAEKhD,EAAAQ,KAAAR,EAAAM,GAAA,iBAAAN,EAAAh0B,KAAAsf,GAAA6U,EAAA,KACLW,OACA1f,KAAAkK,EAAAze,SAEKmzB,EAAAM,GAAAN,EAAAO,GAAAjV,EAAArtB,QAAA+hC,EAAAQ,eAEJO,qB3F80QK,SAAUnuC,EAAQC,G4F/+QxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAArU,MAAA,sBAGGqU,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,YACGL,EAAAW,GAAAX,EAAA,sBAAAj8B,GACH,MAAAo8B,GAAA,UACAnlC,IAAA+I,EAAAtD,GACA4/B,YAAA,gBACAS,OACAmC,eAAAjD,EAAAkD,YACAza,UAAA1kB,EACAo/B,YAAA,EACAxZ,QAAAqW,EAAArW,QAAA5lB,EAAAtD,IACAuzB,gBAAA,EACAhL,UAAAgX,EAAAhX,UACAG,QAAA6W,EAAAtW,WAAA3lB,EAAAtD,KAEA6c,IACA8lB,KAAApD,EAAAvW,wBAICsX,qB5Fq/QK,SAAUnuC,EAAQC,G6F9hRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAt0B,MAAAwzB,EAAAp9B,IACAR,SAAA49B,EAAA59B,SACAihC,gBAAA,MACAzgC,IAAAo9B,EAAAp9B,QAGCm+B,qB7FoiRK,SAAUnuC,EAAQC,G8F7iRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,SAAAG,EAAA,OAAAA,EAAA,KACAE,YAAA,yBACAO,MAAAZ,EAAA5V,QACA9M,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAr8B,cAGGq8B,EAAAM,GAAA,KAAAN,EAAAj8B,OAAAu/B,WAAA,EAAAnD,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAj8B,OAAAu/B,eAAAtD,EAAAQ,OAAAL,EAAA,OAAAA,EAAA,KACHE,YAAA,eACAO,MAAAZ,EAAA5V,UACG4V,EAAAM,GAAA,KAAAN,EAAAj8B,OAAAu/B,WAAA,EAAAnD,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAj8B,OAAAu/B,eAAAtD,EAAAQ,QACFO,qB9FmjRK,SAAUnuC,EAAQC,G+FjkRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAt0B,MAAAwzB,EAAAS,GAAA,gBACAr+B,SAAA49B,EAAA59B,SACAihC,gBAAA,eAGCtC,qB/FukRK,SAAUnuC,EAAQC,GgG/kRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAt0B,MAAAwzB,EAAAS,GAAA,YACAr+B,SAAA49B,EAAA59B,SACAihC,gBAAA,wBAGCtC,qBhGqlRK,SAAUnuC,EAAQC,GiG7lRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAva,MAAAyC,UA6EGgY,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,wBACGF,EAAA,OACHE,YAAA,mDACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA6C,kBACA7C,EAAA3U,iBACAiU,EAAA5X,YAAAsY,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,8CACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA6C,kBACA7C,EAAA3U,iBACAiU,EAAA5X,YAAAsY,OAGGP,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,aAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAN,EAAA,KACHE,YAAA,cACAW,aACAC,MAAA,eAEGjB,EAAAM,GAAA,KAAAH,EAAA,OACHyB,aACAvpC,KAAA,cACAwpC,QAAA,kBAEAxB,YAAA,eACGL,EAAAW,GAAAX,EAAA,kBAAAlvB,GACH,MAAAqvB,GAAA,OACAnlC,IAAA8V,EAAArQ,GACA4/B,YAAA,iBACKF,EAAA,QACLE,YAAA,gBACKF,EAAA,OACLW,OACA9Y,IAAAlX,EAAA0yB,OAAA1vB,YAEKksB,EAAAM,GAAA,KAAAH,EAAA,OACLE,YAAA,iBACKF,EAAA,eACLE,YAAA,YACAS,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAqQ,EAAA0yB,OAAA/iC,QAIKu/B,EAAAM,GAAA,iBAAAN,EAAAO,GAAAzvB,EAAA0yB,OAAAvjC,UAAA,kBAAA+/B,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,QACLE,YAAA,cACKL,EAAAM,GAAA,iBAAAN,EAAAO,GAAAzvB,EAAAnW,MAAA,2BACFqlC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,YACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,sBACAS,OACAmB,KAAA,KAEAd,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA4kB,MAAA,SAAAxB,GACA,gBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,WAAA1B,EAAA1lC,SACAglC,GAAA/oB,OAAA+oB,EAAA9X,gBADuF,MAGvFlF,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA9X,eAAAwY,EAAAhZ,OAAAhvB,kBAqBCqoC,qBjGmmRK,SAAUnuC,EAAQC,GkGnsRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,QACAE,YAAA,0BACGL,EAAA,MAAAG,EAAA,QACHE,YAAA,gBACGF,EAAA,KACHE,YAAA,+BACA/iB,IACAygB,MAAAiC,EAAAtF,gBAEGsF,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,OACA1f,KAAA,OAEG+e,EAAA,KACHE,YAAA,kCACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACA2U,EAAA6C,kBACAvD,EAAAnY,aAAA6Y,SAGGP,EAAA,QAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,SACA8B,WAAA,aAEAzB,YAAA,oBACAS,OACAkB,YAAAhC,EAAAS,GAAA,oBACAhgC,GAAA,oBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,UAEA1iB,IACA4kB,MAAA,SAAAxB,GACA,gBAAAA,KAAAV,EAAAmC,GAAAzB,EAAA0B,QAAA,WAAA1B,EAAA1lC,SACAglC,GAAAvF,SAAAuF,EAAA//B,UADuF,MAGvF+iB,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA//B,SAAAygC,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,+BACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACA2U,EAAA6C,kBACAvD,EAAAnY,aAAA6Y,YAICK,qBlGysRK,SAAUnuC,EAAQC,GmGtwRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAH,EAAA,SAAAG,EAAA,gBACAW,OACAoC,aAAA,EACAza,UAAAuX,EAAAvX,WAEAnL,IACA8X,eAAA4K,EAAA5K,kBAEG4K,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAArM,SAUAqM,EAAAQ,KAVAL,EAAA,UACHW,OACAqC,YAAA,EACAnP,gBAAA,EACArK,SAAA,EACAlB,UAAAuX,EAAAvX,WAEAnL,IACA8X,eAAA4K,EAAA5K,mBAEG,IACF2L,qBnG4wRK,SAAUnuC,EAAQC,GoGhyRxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,aACA/iB,IACArG,OAAA,SAAAypB,GACAA,EAAA3U,iBACAiU,EAAA/oB,OAAA+oB,EAAAhgC,UAGGmgC,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,SACA8hC,WAAA,kBAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAjhB,UACAte,GAAA,WACAuhC,YAAA,aAEAb,UACAzoC,MAAAsnC,EAAAhgC,KAAA,UAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,WAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,SACA8hC,WAAA,kBAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAjhB,UACAte,GAAA,WACAuL,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAAhgC,KAAA,UAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,WAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,iBACGF,EAAA,OAAAH,EAAA,iBAAAG,EAAA,eACHE,YAAA,WACAS,OACAxnC,IACAjB,KAAA,mBAGG2nC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAQ,MAAA,GAAAR,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAAjhB,UACA/S,KAAA,YAEGg0B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uBAAAT,EAAAM,GAAA,KAAAN,EAAA,UAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAAlV,gBAAAkV,EAAAQ,YACFO,qBpGsyRK,SAAUnuC,EAAQC,GqGn4RxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,oBACA/iB,IACArG,OAAA,SAAAypB,GACAA,EAAA3U,iBACAiU,EAAA/oB,OAAA+oB,EAAAhgC,UAGGmgC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,SACA8hC,WAAA,kBAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAnO,YACApxB,GAAA,WACAuhC,YAAA,aAEAb,UACAzoC,MAAAsnC,EAAAhgC,KAAA,UAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,WAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,SACA8hC,WAAA,kBAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAnO,YACApxB,GAAA,WACAuhC,YAAA,qBAEAb,UACAzoC,MAAAsnC,EAAAhgC,KAAA,UAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,WAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,WAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,MACA8hC,WAAA,eAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAnO,YACApxB,GAAA,QACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAAhgC,KAAA,OAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,QAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,SAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,IACA8hC,WAAA,aAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAnO,YACApxB,GAAA,OAEA0gC,UACAzoC,MAAAsnC,EAAAhgC,KAAA,KAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,MAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,SACA8hC,WAAA,kBAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAnO,YACApxB,GAAA,WACAuL,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAAhgC,KAAA,UAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,WAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,SACHW,OACA2C,IAAA,2BAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAAhgC,KAAA,QACA8hC,WAAA,iBAEAzB,YAAA,eACAS,OACAiC,SAAA/C,EAAAnO,YACApxB,GAAA,wBACAuL,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAAhgC,KAAA,SAEAsd,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAAhgC,KAAA,UAAA0gC,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAAnO,YACA7lB,KAAA,YAEGg0B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,0BAAAT,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,mBACAc,UACAuC,UAAA1D,EAAAO,GAAAP,EAAAjO,qBAEGiO,EAAAM,GAAA,KAAAN,EAAA,MAAAG,EAAA,OACHE,YAAA,eACGF,EAAA,OACHE,YAAA,gBACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA5kC,YAAA4kC,EAAAQ,YACFO,qBrGy4RK,SAAUnuC,EAAQC,GsGrlSxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OAAAH,EAAA,KAAAG,EAAA,OACAE,YAAA,qCACGF,EAAA,qBACHW,OACA9gC,KAAAggC,EAAAhgC,KACAw6B,UAAA,EACA/D,SAAAuJ,EAAA59B,SAAAkH,YAEG,GAAA02B,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,YACHW,OACAt0B,MAAAwzB,EAAAS,GAAA,+BACAr+B,SAAA49B,EAAA59B,SACAihC,gBAAA,OACAM,UAAA3D,EAAAt9B,WAEG,IACFq+B,qBtG2lSK,SAAUnuC,EAAQC,GuG5mSxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,gBAAAD,EAAAzY,KAAA4Y,EAAA,gBAAAH,EAAAh0B,KAAAm0B,EAAA,KACAE,YAAA,cACAS,OACApZ,OAAA,SACAtG,KAAA4e,EAAA9Y,WAAAjpB,OAEG+hC,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAh2B,KAAA,YAAAg2B,EAAAO,GAAAP,EAAAh0B,KAAA+V,eAAA,OAAAie,EAAAQ,OAAAL,EAAA,OACHyB,aACAvpC,KAAA,OACAwpC,QAAA,SACAnpC,OAAAsnC,EAAA5Y,QACA0a,WAAA,aAEAzB,YAAA,aACAO,OAAAgD,GACAx6B,QAAA42B,EAAA52B,QACAy6B,mBAAA7D,EAAA1Y,QACAE,UAAAwY,EAAAxY,WACKoc,EAAA5D,EAAAh0B,OAAA,EAAA43B,KACF5D,EAAA,OAAAG,EAAA,KACHE,YAAA,mBACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAnY,mBAGGsY,EAAA,OACHnlC,IAAAglC,EAAAnZ,UACAia,OACA9Y,IAAAgY,EAAAnZ,eAEGmZ,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAh2B,MAAAg2B,EAAAlZ,gBAAAkZ,EAAA7Y,OAAAgZ,EAAA,OACHE,YAAA,UACGF,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAnY,mBAGGmY,EAAAM,GAAA,YAAAN,EAAAQ,KAAAR,EAAAM,GAAA,eAAAN,EAAAh0B,MAAAg0B,EAAA7Y,OAeA6Y,EAAAQ,KAfAL,EAAA,KACHE,YAAA,mBACAS,OACA1f,KAAA4e,EAAA9Y,WAAAjpB,IACAypB,OAAA,YAEGyY,EAAA,cACHS,OACAkD,MAAA9D,EAAA1Y,SAEAwZ,OACAiD,eAAA,cACAp3B,SAAAqzB,EAAA9Y,WAAAva,SACAqb,IAAAgY,EAAA9Y,WAAA8c,iBAAAhE,EAAA9Y,WAAAjpB,QAEG,GAAA+hC,EAAAM,GAAA,eAAAN,EAAAh0B,MAAAg0B,EAAA7Y,OASA6Y,EAAAQ,KATAL,EAAA,SACHS,OACAkD,MAAA9D,EAAA1Y,SAEAwZ,OACA9Y,IAAAgY,EAAA9Y,WAAAjpB,IACA+kC,SAAA,GACAiB,KAAA,MAEGjE,EAAAM,GAAA,eAAAN,EAAAh0B,KAAAm0B,EAAA,SACHW,OACA9Y,IAAAgY,EAAA9Y,WAAAjpB,IACA+kC,SAAA,MAEGhD,EAAAQ,KAAAR,EAAAM,GAAA,cAAAN,EAAAh0B,MAAAg0B,EAAA9Y,WAAAG,OAAA8Y,EAAA,OACHE,YAAA,SACA/iB,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAvY,YAAAiZ,OAGGV,EAAA9Y,WAAA,UAAAiZ,EAAA,OACHE,YAAA,UACGF,EAAA,OACHW,OACA9Y,IAAAgY,EAAA9Y,WAAAgd,eAEGlE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,SACGF,EAAA,MAAAA,EAAA,KACHW,OACA1f,KAAA4e,EAAA9Y,WAAAjpB,OAEG+hC,EAAAM,GAAAN,EAAAO,GAAAP,EAAA9Y,WAAAG,OAAA7a,YAAAwzB,EAAAM,GAAA,KAAAH,EAAA,OACHgB,UACAuC,UAAA1D,EAAAO,GAAAP,EAAA9Y,WAAAG,OAAA8c,mBAEGnE,EAAAQ,MACH,IAAAoD,IACC7C,qBvGknSK,SAAUnuC,EAAQC,GwGttSxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACA7e,MAAA0e,EAAA,MACAc,OACArgC,GAAA,SAEG0/B,EAAA,OACHE,YAAA,YACAS,OACArgC,GAAA,OAEA6c,IACAygB,MAAA,SAAA2C,GACAV,EAAA7Z,kBAGGga,EAAA,OACHE,YAAA,YACA/e,MAAA0e,EAAA,YACGG,EAAA,OACHE,YAAA,SACGF,EAAA,eACHW,OACAxnC,IACAjB,KAAA,WAGG2nC,EAAAM,GAAAN,EAAAO,GAAAP,EAAAja,cAAA,GAAAia,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,eACGF,EAAA,eACHE,YAAA,aACGL,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eAGG8nC,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA1pB,OAAAoqB,OAGGP,EAAA,KACHE,YAAA,uBACAS,OACAt0B,MAAAwzB,EAAAS,GAAA,qBAEGT,EAAAQ,MAAA,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,YACAS,OACArgC,GAAA,aAEG0/B,EAAA,OACHE,YAAA,mBACGF,EAAA,UACH7iB,IACAygB,MAAA,SAAA2C,GACAV,EAAA/Z,cAAA,eAGG+Z,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,UACH7iB,IACAygB,MAAA,SAAA2C,GACAV,EAAA/Z,cAAA,gBAGG+Z,EAAAM,GAAA,gBAAAN,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACAO,OACAwD,gBAAA,WAAApE,EAAAxa,qBAEG2a,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,EAAAtmC,aAAAsmC,EAAAjnC,qBAAAonC,EAAA,uBAAAH,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,iBAAAH,EAAAQ,MAAA,SAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,OACAO,OACAwD,gBAAA,YAAApE,EAAAxa,qBAEG2a,EAAA,cACHW,OACAzoC,KAAA,UAEG8nC,EAAA,yBAAAH,EAAAM,GAAA,KAAAN,EAAAtmC,aAAAsmC,EAAAxoC,KAAA2oC,EAAA,cACHE,YAAA,gCACGL,EAAAQ,MAAA,IACFO,qBxG4tSK,SAAUnuC,EAAQC,GyG5zSxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,eACA/iB,IACAilB,MAAA,SAAA7B,GACAA,EAAA3U,kBACOiU,EAAAnU,UACP2W,SAAA,SAAA9B,GACAA,EAAA3U,iBACAiU,EAAAhU,SAAA0U,OAGGP,EAAA,SACHE,YAAA,oBACGL,EAAA,UAAAG,EAAA,KACHE,YAAA,4BACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAvU,UAEAuU,EAAAQ,KAFAL,EAAA,KACHE,YAAA,gBACGL,EAAAM,GAAA,KAAAH,EAAA,SACHa,aACA2B,SAAA,QACA9M,IAAA,UAEAiL,OACA90B,KAAA,eAGC+0B,qBzGk0SK,SAAUnuC,EAAQC,G0G71SxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAt0B,MAAAwzB,EAAAS,GAAA,iBACAr+B,SAAA49B,EAAA59B,SACAihC,gBAAA,aAGCtC,qB1Gm2SK,SAAUnuC,EAAQC,G2G32SxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,mBAAAD,EAAAlzB,aAAAd,KAAAm0B,EAAA,UACAW,OACAhM,SAAA,EACArM,UAAAuX,EAAAlzB,aAAA/I,UAEGo8B,EAAA,OACHE,YAAA,gBACGF,EAAA,KACHE,YAAA,mBACAS,OACA1f,KAAA4e,EAAAlzB,aAAAb,OAAAjM,KAAA8N,uBAEAwP,IACA+mB,SAAA,SAAA3D,GACAA,EAAA6C,kBACA7C,EAAA3U,iBACAiU,EAAArT,mBAAA+T,OAGGP,EAAA,cACHE,YAAA,iBACAS,OACA9Y,IAAAgY,EAAAlzB,aAAAb,OAAAjM,KAAAwvB,+BAEG,GAAAwQ,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,uBACGL,EAAA,aAAAG,EAAA,OACHE,YAAA,mCACGF,EAAA,qBACHW,OACA9gC,KAAAggC,EAAAlzB,aAAAb,OAAAjM,KACAw6B,UAAA,MAEG,GAAAwF,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,oBACGF,EAAA,QACHE,YAAA,WACAS,OACAt0B,MAAA,IAAAwzB,EAAAlzB,aAAAb,OAAAjM,KAAAgO,eAEGgyB,EAAAM,GAAAN,EAAAO,GAAAP,EAAAlzB,aAAAb,OAAAjM,KAAA3H,SAAA2nC,EAAAM,GAAA,kBAAAN,EAAAlzB,aAAAd,KAAAm0B,EAAA,QAAAA,EAAA,KACHE,YAAA,qBACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,gBAAAN,EAAAlzB,aAAAd,KAAAm0B,EAAA,QAAAA,EAAA,KACHE,YAAA,wBACGL,EAAAM,GAAA,KAAAH,EAAA,SAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,gBAAAN,EAAAlzB,aAAAd,KAAAm0B,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,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAlzB,aAAA/I,OAAAtD,QAIG0/B,EAAA,WACHW,OACAx+B,MAAA09B,EAAAlzB,aAAAb,OAAAguB,WACAqK,cAAA,QAEG,SAAAtE,EAAAM,GAAA,gBAAAN,EAAAlzB,aAAAd,KAAAm0B,EAAA,OACHE,YAAA,gBACGF,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAlzB,aAAAb,OAAAjM,KAAAS,QAIGu/B,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAlzB,aAAAb,OAAAjM,KAAAgO,iBAAA,GAAAmyB,EAAA,UACHE,YAAA,QACAS,OACAhM,SAAA,EACArM,UAAAuX,EAAAlzB,aAAA/I,OACAwgC,WAAA,MAEG,MACFxD,qB3Gi3SK,SAAUnuC,EAAQC,G4Gr8SxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,gBACAW,OACAoC,aAAA,EACAza,UAAAuX,EAAAvX,cAGCsY,qB5G28SK,SAAUnuC,EAAQC,G6Gl9SxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,cACAO,OACAzW,SAAA6V,EAAA7V,YAEG6V,EAAA,SAAAG,EAAA,UACH4B,IAAA,WACG/B,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACH4B,IAAA,MACAjB,OACA9Y,IAAAgY,EAAAhY,IACA+b,eAAA/D,EAAA+D,gBAEAzmB,IACAknB,KAAAxE,EAAA7J,aAGC4K,qB7Gw9SK,SAAUnuC,EAAQC,G8G1+SxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,YACAO,QACA6D,oBAAAzE,EAAAvL,YAEAiQ,sBAAA1E,EAAAiD,mBAEGjD,EAAAj+B,QAAAi+B,EAAA2E,cAAAxE,EAAA,OACHE,YAAA,iCACGF,EAAA,SAAAA,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAj8B,OAAA/D,KAAAS,QAIGu/B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAj8B,OAAA/D,KAAAgO,iBAAA,GAAAgyB,EAAAM,GAAA,KAAAH,EAAA,SACHE,YAAA,cACGL,EAAAM,GAAAN,EAAAO,GAAAP,EAAA7L,aAAA9wB,KAAA,UAAA28B,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,SACAS,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA3K,WAAAqL,OAGGP,EAAA,KACHE,YAAA,uBACGL,EAAAr8B,UAAAq8B,EAAAuE,UAAApE,EAAA,OACHE,YAAA,iCACGL,EAAA,QAAAG,EAAA,cACHE,YAAA,SACAS,OACA9Y,IAAAgY,EAAAvX,UAAAzoB,KAAAwvB,8BAEGwQ,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,qBACGF,EAAA,KACHa,aACA4D,cAAA,QAEA9D,OACA1f,KAAA4e,EAAAvX,UAAAzoB,KAAA8N,sBACAtB,MAAA,IAAAwzB,EAAAvX,UAAAzoB,KAAAgO,eAEGgyB,EAAAM,GAAAN,EAAAO,GAAAP,EAAA/L,cAAA+L,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,OACA1f,KAAA4e,EAAAj8B,OAAA/D,KAAA8N,uBAEAwP,IACA+mB,SAAA,SAAA3D,GACAA,EAAA6C,kBACA7C,EAAA3U,iBACAiU,EAAArT,mBAAA+T,OAGGP,EAAA,cACHE,YAAA,SACAO,OACAiE,iBAAA7E,EAAAlL,SAEAgM,OACA9Y,IAAAgY,EAAAj8B,OAAA/D,KAAAwvB,+BAEG,KAAAwQ,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,gBACGL,EAAA,aAAAG,EAAA,OACHE,YAAA,wBACGF,EAAA,qBACHW,OACA9gC,KAAAggC,EAAAj8B,OAAA/D,KACAw6B,UAAA,MAEG,GAAAwF,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,EAAAj8B,OAAA/D,KAAA3H,SAAA2nC,EAAAM,GAAA,KAAAH,EAAA,QACHE,YAAA,UACGF,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAj8B,OAAA/D,KAAAS,QAIGu/B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAj8B,OAAA/D,KAAAgO,gBAAAgyB,EAAAM,GAAA,KAAAN,EAAAj8B,OAAA,wBAAAo8B,EAAA,QACHE,YAAA,qBACGF,EAAA,KACHE,YAAA,oBACGL,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAj8B,OAAA+gC,yBAIG9E,EAAAM,GAAA,yBAAAN,EAAAO,GAAAP,EAAAj8B,OAAAghC,yBAAA,8BAAA/E,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAxL,UAAAwL,EAAA2E,aAAAxE,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA7K,aAAA6K,EAAAj8B,OAAAoJ,2BAGGgzB,EAAA,KACHE,YAAA,aACA/iB,IACA0nB,WAAA,SAAAtE,GACAV,EAAAzK,WAAAyK,EAAAj8B,OAAAoJ,sBAAAuzB,IAEAuE,SAAA,SAAAvE,GACAV,EAAAtK,mBAGGsK,EAAAQ,MAAA,KAAAR,EAAAM,GAAA,KAAAN,EAAAhM,iBAAAgM,EAAA2E,aAAAxE,EAAA,MACHE,YAAA,YACGL,EAAA7W,QAAA,OAAAgX,EAAA,SAAAH,EAAAM,GAAA,cAAAN,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAW,GAAAX,EAAA,iBAAArB,GACH,MAAAwB,GAAA,SACAE,YAAA,eACKF,EAAA,KACLW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA7K,aAAAwJ,EAAAl+B,KAEAukC,WAAA,SAAAtE,GACAV,EAAAzK,WAAAoJ,EAAAl+B,GAAAigC,IAEAuE,SAAA,SAAAvE,GACAV,EAAAtK,iBAGKsK,EAAAM,GAAAN,EAAAO,GAAA5B,EAAAtmC,MAAA,YACF,GAAA2nC,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,wBACGF,EAAA,eACHE,YAAA,UACAS,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAj8B,OAAAtD,QAIG0/B,EAAA,WACHW,OACAx+B,MAAA09B,EAAAj8B,OAAAk2B,WACAqK,cAAA,OAEG,GAAAtE,EAAAM,GAAA,KAAAN,EAAAj8B,OAAA,WAAAo8B,EAAA,QAAAA,EAAA,KACHS,MAAAZ,EAAAjL,eAAAiL,EAAAj8B,OAAAixB,gBACGgL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAj8B,OAAA45B,SAQAqC,EAAAQ,KARAL,EAAA,KACHE,YAAA,aACAS,OACA1f,KAAA4e,EAAAj8B,OAAAmhC,aACAxd,OAAA,YAEGyY,EAAA,KACHE,YAAA,oBACGL,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA5K,eAAAsL,OAGGP,EAAA,KACHE,YAAA,yBACGL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,QAAAG,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA3K,WAAAqL,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,EACAlc,UAAAuX,EAAAnM,QACAiB,SAAA,KAEGqL,EAAA,OACHE,YAAA,0CACGF,EAAA,KACHE,YAAA,+BACG,GAAAL,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,yBACAO,OACAuE,cAAAnF,EAAAtL,kBAEGsL,EAAA,eAAAG,EAAA,KACHE,YAAA,oBACAO,OACAwE,4BAAApF,EAAAvL,WAEAqM,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA1K,eAAAoL,OAGGV,EAAAM,GAAA,eAAAN,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,4BACAc,UACAuC,UAAA1D,EAAAO,GAAAP,EAAAj8B,OAAA6wB,iBAEAtX,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAvY,YAAAiZ,OAGGV,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,KACHE,YAAA,sBACAS,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA1K,eAAAoL,OAGGV,EAAAM,GAAA,eAAAN,EAAAQ,OAAAR,EAAAM,GAAA,KAAAN,EAAAj8B,OAAA,YAAAo8B,EAAA,OACHE,YAAA,0BACGL,EAAAW,GAAAX,EAAAj8B,OAAA,qBAAAmjB,GACH,MAAAiZ,GAAA,cACAnlC,IAAAksB,EAAAzmB,GACAqgC,OACAvZ,KAAAyY,EAAAnL,eACAwQ,YAAArF,EAAAj8B,OAAAtD,GACAuJ,KAAAg2B,EAAAj8B,OAAAiG,KACAkd,mBAGG8Y,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAuE,WAAAvE,EAAA2E,aA+BA3E,EAAAQ,KA/BAL,EAAA,OACHE,YAAA,8BACGL,EAAA,SAAAG,EAAA,OAAAA,EAAA,KACHW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA9K,eAAAwL,OAGGP,EAAA,KACHE,YAAA,aACAO,OACA0E,oBAAAtF,EAAAtM,gBAEGsM,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,kBACHW,OACA5M,SAAA8L,EAAA9L,SACAnwB,OAAAi8B,EAAAj8B,UAEGi8B,EAAAM,GAAA,KAAAH,EAAA,mBACHW,OACA5M,SAAA8L,EAAA9L,SACAnwB,OAAAi8B,EAAAj8B,UAEGi8B,EAAAM,GAAA,KAAAH,EAAA,iBACHW,OACA/8B,OAAAi8B,EAAAj8B,WAEG,OAAAi8B,EAAAM,GAAA,KAAAN,EAAA,SAAAG,EAAA,OACHE,YAAA,cACGF,EAAA,OACHE,YAAA,eACGL,EAAAM,GAAA,KAAAH,EAAA,oBACHE,YAAA,aACAS,OACAyE,WAAAvF,EAAAj8B,OAAAtD,GACAyL,WAAA8zB,EAAAj8B,OAAAmI,WACA4iB,YAAAkR,EAAAj8B,OAAA/D,MAEAsd,IACAkoB,OAAAxF,EAAA9K,mBAEG,GAAA8K,EAAAQ,OAAA,IACFO,qB9Gg/SK,SAAUnuC,EAAQC,G+GlzTxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,EAAApV,wCAGCmW,qB/GwzTK,SAAUnuC,EAAQC,GgHp0TxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,YACAW,OACAt0B,MAAAwzB,EAAAS,GAAA,gBACAr+B,SAAA49B,EAAA59B,SACAihC,gBAAA,cAGCtC,qBhH00TK,SAAUnuC,EAAQC,GiHl1TxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,QACA8B,WAAA,YAEAzB,YAAA,eACAS,OACArgC,GAAA,YAEA0gC,UACAzoC,MAAAsnC,EAAA,SAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA/E,QAAAyF,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oBAAAT,EAAAM,GAAA,KAAAH,EAAA,YACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,OACA8B,WAAA,WAEAzB,YAAA,MACAc,UACAzoC,MAAAsnC,EAAA,QAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA9E,OAAAwF,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACAS,OACAiC,SAAA/C,EAAA/E,QAAAvwB,QAAA,GAEA4S,IACAygB,MAAAiC,EAAAngC,iBAEGmgC,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,OACA9Y,IAAAgY,EAAAhgC,KAAAwvB,8BAEGwQ,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,+BAAAT,EAAAM,GAAA,KAAAN,EAAAxE,SAAA,GAAA2E,EAAA,OACHE,YAAA,aACAS,OACA9Y,IAAAgY,EAAAxE,SAAA,MAEGwE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHW,OACA90B,KAAA,QAEAsR,IACAmoB,OAAA,SAAA/E,GACAV,EAAAxU,WAAA,EAAAkV,SAGGV,EAAAM,GAAA,KAAAN,EAAAvU,UAAA,GAAA0U,EAAA,KACHE,YAAA,4BACGL,EAAAxE,SAAA,GAAA2E,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,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,OACA9Y,IAAAgY,EAAAhgC,KAAAq5B,eAEG2G,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,uCAAAT,EAAAM,GAAA,KAAAN,EAAAxE,SAAA,GAAA2E,EAAA,OACHE,YAAA,SACAS,OACA9Y,IAAAgY,EAAAxE,SAAA,MAEGwE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHW,OACA90B,KAAA,QAEAsR,IACAmoB,OAAA,SAAA/E,GACAV,EAAAxU,WAAA,EAAAkV,SAGGV,EAAAM,GAAA,KAAAN,EAAAvU,UAAA,GAAA0U,EAAA,KACHE,YAAA,uCACGL,EAAAxE,SAAA,GAAA2E,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,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,OACA9Y,IAAAgY,EAAAxE,SAAA,MAEGwE,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,SACHW,OACA90B,KAAA,QAEAsR,IACAmoB,OAAA,SAAA/E,GACAV,EAAAxU,WAAA,EAAAkV,SAGGV,EAAAM,GAAA,KAAAN,EAAAvU,UAAA,GAAA0U,EAAA,KACHE,YAAA,uCACGL,EAAAxE,SAAA,GAAA2E,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,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;AACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAApE,qBAAA,GACAkG,WAAA,4BAEAhB,OACA90B,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAApE,qBAAA,IAEAte,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAApE,qBAAA,EAAA8E,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAApE,qBAAA,GACAkG,WAAA,4BAEAhB,OACA90B,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAApE,qBAAA,IAEAte,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAApE,qBAAA,EAAA8E,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OAAAA,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAApE,qBAAA,GACAkG,WAAA,4BAEAhB,OACA90B,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAApE,qBAAA,IAEAte,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,WACAzC,EAAA0C,KAAA1C,EAAApE,qBAAA,EAAA8E,EAAAhZ,OAAAhvB,aAGGsnC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,MAAAiC,EAAAh7B,kBAEGg7B,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,QACHuF,OACAhtC,MAAAsnC,EAAA,iBACA2F,SAAA,SAAAC,GACA5F,EAAA6F,iBAAAD,GAEA9D,WAAA,sBAEG3B,EAAA,SACH4B,IAAA,aACAjB,OACA90B,KAAA,QAEAsR,IACAmoB,OAAAzF,EAAA7B,sBAEG6B,EAAAM,GAAA,KAAAN,EAAAvU,UAAA,GAAA0U,EAAA,KACHE,YAAA,uCACGF,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,MAAAiC,EAAA1C,iBAEG0C,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,sBAAAT,EAAAM,GAAA,KAAAN,EAAA,gBAAAG,EAAA,OAAAA,EAAA,KACHE,YAAA,aACA/iB,IACAygB,MAAAiC,EAAA3B,mBAEG2B,EAAAM,GAAA,KAAAH,EAAA,KAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,mCAAAT,EAAA,kBAAAG,EAAA,OAAAA,EAAA,KACHE,YAAA,aACA/iB,IACAygB,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,kBACA/iB,IACAygB,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,kCACA8B,WAAA,sCAEAhB,OACA90B,KAAA,YAEAm1B,UACAzoC,MAAAsnC,EAAA,mCAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAtE,kCAAAgF,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,kBACA/iB,IACAygB,MAAAiC,EAAAl7B,iBAEGk7B,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,kBACA/iB,IACAygB,MAAAiC,EAAA1B,iBAEG0B,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,6BACFM,qBjHw1TK,SAAUnuC,EAAQC,GkHzmUxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,UAAAG,EAAA,OAAAA,EAAA,KACAW,OACA1f,KAAA,KAEA9D,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAA77B,mBAGGg8B,EAAA,KACHE,YAAA,kCACGL,EAAAQ,MACFO,qBlH+mUK,SAAUnuC,EAAQC,GmH7nUxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,UACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,SACA8B,WAAA,aAEAzB,YAAA,iBACAS,OACArgC,GAAA,kBAEA6c,IACAmoB,OAAA,SAAA/E,GACA,GAAAoF,GAAAl7B,MAAAm7B,UAAAziB,OAAA0iB,KAAAtF,EAAAhZ,OAAAxpB,QAAA,SAAA+nC,GACA,MAAAA,GAAAxP,WACS17B,IAAA,SAAAkrC,GACT,GAAAhgC,GAAA,UAAAggC,KAAAC,OAAAD,EAAAvtC,KACA,OAAAuN,IAEA+5B,GAAAvJ,SAAAiK,EAAAhZ,OAAAye,SAAAL,IAAA,MAGG9F,EAAAW,GAAAX,EAAA,yBAAA1e,GACH,MAAA6e,GAAA,UACAgB,UACAzoC,MAAA4oB,KAEK0e,EAAAM,GAAAN,EAAAO,GAAAjf,EAAA,UACF0e,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,aACA8B,WAAA,iBAEAzB,YAAA,iBACAS,OACArgC,GAAA,UACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,cAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAtJ,aAAAgK,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,aACA8B,WAAA,iBAEAzB,YAAA,iBACAS,OACArgC,GAAA,YACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,cAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAtJ,aAAAgK,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,cACA8B,WAAA,kBAEAzB,YAAA,iBACAS,OACArgC,GAAA,UACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,eAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAArJ,cAAA+J,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,cACA8B,WAAA,kBAEAzB,YAAA,iBACAS,OACArgC,GAAA,YACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,eAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAArJ,cAAA+J,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,iBACAS,OACArgC,GAAA,YACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAApJ,eAAA8J,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,iBACAS,OACArgC,GAAA,cACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAApJ,eAAA8J,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,iBACAS,OACArgC,GAAA,YACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAnJ,eAAA6J,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,iBACAS,OACArgC,GAAA,cACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAnJ,eAAA6J,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,cACA8B,WAAA,kBAEAzB,YAAA,iBACAS,OACArgC,GAAA,WACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,eAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAlJ,cAAA4J,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,cACA8B,WAAA,kBAEAzB,YAAA,iBACAS,OACArgC,GAAA,aACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,eAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAlJ,cAAA4J,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,iBACAS,OACArgC,GAAA,YACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAjJ,eAAA2J,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,iBACAS,OACArgC,GAAA,cACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAjJ,eAAA2J,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,gBACA8B,WAAA,oBAEAzB,YAAA,iBACAS,OACArgC,GAAA,aACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,iBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAhJ,gBAAA0J,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,gBACA8B,WAAA,oBAEAzB,YAAA,iBACAS,OACArgC,GAAA,eACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,iBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAhJ,gBAAA0J,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,iBACA8B,WAAA,qBAEAzB,YAAA,iBACAS,OACArgC,GAAA,cACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,kBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA/I,iBAAAyJ,EAAAhZ,OAAAhvB,WAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,iBACA8B,WAAA,qBAEAzB,YAAA,iBACAS,OACArgC,GAAA,gBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,kBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA/I,iBAAAyJ,EAAAhZ,OAAAhvB,eAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,kBACAS,OACArgC,GAAA,YACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAA9I,eAAAwJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAzB,YAAA,kBACAS,OACArgC,GAAA,cACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,gBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA9I,eAAAwJ,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,iBACA8B,WAAA,qBAEAzB,YAAA,kBACAS,OACArgC,GAAA,cACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,kBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAA7I,iBAAAuJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,iBACA8B,WAAA,qBAEAzB,YAAA,kBACAS,OACArgC,GAAA,gBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,kBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA7I,iBAAAuJ,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,iBACA8B,WAAA,qBAEAzB,YAAA,kBACAS,OACArgC,GAAA,cACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,kBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAA5I,iBAAAsJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,iBACA8B,WAAA,qBAEAzB,YAAA,kBACAS,OACArgC,GAAA,gBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,kBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA5I,iBAAAsJ,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,kBACA8B,WAAA,sBAEAzB,YAAA,kBACAS,OACArgC,GAAA,eACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,mBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAA3I,kBAAAqJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,kBACA8B,WAAA,sBAEAzB,YAAA,kBACAS,OACArgC,GAAA,iBACAuL,KAAA,SAEAm1B,UACAzoC,MAAAsnC,EAAA,mBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA3I,kBAAAqJ,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,qBACA8B,WAAA,yBAEAzB,YAAA,kBACAS,OACArgC,GAAA,kBACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,sBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAA1I,qBAAAoJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,qBACA8B,WAAA,yBAEAzB,YAAA,kBACAS,OACArgC,GAAA,oBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,sBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAA1I,qBAAAoJ,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,sBACA8B,WAAA,0BAEAzB,YAAA,kBACAS,OACArgC,GAAA,oBACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,uBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAAzI,sBAAAmJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,sBACA8B,WAAA,0BAEAzB,YAAA,kBACAS,OACArgC,GAAA,qBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,uBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAzI,sBAAAmJ,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,mBACA8B,WAAA,uBAEAzB,YAAA,kBACAS,OACArgC,GAAA,gBACAuL,KAAA,QACA+sB,IAAA,MAEAoI,UACAzoC,MAAAsnC,EAAA,oBAEA1iB,IACA8oB,IAAA,SAAA1F,GACAV,EAAAxI,mBAAAkJ,EAAAhZ,OAAAhvB,UAGGsnC,EAAAM,GAAA,KAAAH,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,mBACA8B,WAAA,uBAEAzB,YAAA,kBACAS,OACArgC,GAAA,kBACAuL,KAAA,QAEAm1B,UACAzoC,MAAAsnC,EAAA,oBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAxI,mBAAAkJ,EAAAhZ,OAAAhvB,eAGGsnC,EAAAM,GAAA,KAAAH,EAAA,OACH7e,OACA+kB,cAAArG,EAAA9I,eAAA,KACAoP,gBAAAtG,EAAA7I,iBAAA,KACAoP,gBAAAvG,EAAA5I,iBAAA,KACAoP,iBAAAxG,EAAA3I,kBAAA,KACAoP,oBAAAzG,EAAA1I,qBAAA,KACAoP,kBAAA1G,EAAAxI,mBAAA,KACAmP,qBAAA3G,EAAAzI,sBAAA,QAEG4I,EAAA,OACHE,YAAA,gBACGF,EAAA,OACHE,YAAA,gBACA/e,OACAslB,mBAAA5G,EAAArJ,cACA3U,MAAAge,EAAApJ,kBAEGoJ,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,mCACA/e,OACAslB,mBAAA5G,EAAAtJ,aACA1U,MAAAge,EAAApJ,kBAEGuJ,EAAA,OACHE,YAAA,SACA/e,OACAulB,gBAAA7G,EAAA3I,kBAAA,QAEG2I,EAAAM,GAAA,uCAAAN,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,aAAAN,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,mDAAAH,EAAA,KACH7e,OACAU,MAAAge,EAAAnJ,kBAEGmJ,EAAAM,GAAA,sBAAAN,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,aACA/e,OACAU,MAAAge,EAAAjJ,kBAEGiJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,eACA/e,OACAU,MAAAge,EAAAhJ,mBAEGgJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,cACA/e,OACAU,MAAAge,EAAAlJ,iBAEGkJ,EAAAM,GAAA,KAAAH,EAAA,KACHE,YAAA,YACA/e,OACAU,MAAAge,EAAA/I,oBAEG+I,EAAAM,GAAA,KAAAH,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACA/e,OACAslB,mBAAA5G,EAAArJ,cACA3U,MAAAge,EAAApJ,kBAEGoJ,EAAAM,GAAA,kBAAAN,EAAAM,GAAA,KAAAH,EAAA,UACHE,YAAA,MACA/iB,IACAygB,MAAAiC,EAAAvI,kBAEGuI,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,wBACFM,qBnHmoUK,SAAUnuC,EAAQC,GoH38VxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAD,GAAA,SAAAG,EAAA,OAAAA,EAAA,KACAE,YAAA,6BACAO,MAAAZ,EAAA5V,QACA9M,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAAz8B,eAGGy8B,EAAAM,GAAA,KAAAN,EAAAj8B,OAAAqJ,SAAA,EAAA+yB,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAj8B,OAAAqJ,aAAA4yB,EAAAQ,OAAAL,EAAA,OAAAA,EAAA,KACHE,YAAA,kBACAO,MAAAZ,EAAA5V,UACG4V,EAAAM,GAAA,KAAAN,EAAAj8B,OAAAqJ,SAAA,EAAA+yB,EAAA,QAAAH,EAAAM,GAAAN,EAAAO,GAAAP,EAAAj8B,OAAAqJ,aAAA4yB,EAAAQ,QACFO,qBpHi9VK,SAAUnuC,EAAQC,GqH/9VxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,YACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,gBACA8B,WAAA,oBAEAhB,OACArgC,GAAA,aAEA0gC,UACAzoC,MAAAsnC,EAAA,iBAEA1iB,IACA0F,MAAA,SAAA0d,GACAA,EAAAhZ,OAAA+a,YACAzC,EAAAtN,gBAAAgO,EAAAhZ,OAAAhvB,aAGGsnC,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,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,qBACA8B,WAAA,yBAEAhB,OACA90B,KAAA,WACAvL,GAAA,mBAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAAxN,sBAAAwN,EAAAgH,GAAAhH,EAAAxN,qBAAA,SAAAwN,EAAA,sBAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAAxN,qBACA0U,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAAxN,qBAAAyU,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAAxN,qBAAAyU,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAAxN,qBAAA2U,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,qBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,yCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,2BACA8B,WAAA,+BAEAhB,OACA90B,KAAA,WACAvL,GAAA,yBAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAAvN,4BAAAuN,EAAAgH,GAAAhH,EAAAvN,2BAAA,SAAAuN,EAAA,4BAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAAvN,2BACAyU,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAAvN,2BAAAwU,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAAvN,2BAAAwU,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAAvN,2BAAA0U,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,2BAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4CAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,cACA8B,WAAA,kBAEAhB,OACA90B,KAAA,WACAvL,GAAA,YAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAAlZ,eAAAkZ,EAAAgH,GAAAhH,EAAAlZ,cAAA,SAAAkZ,EAAA,eAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAAlZ,cACAogB,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAAlZ,cAAAmgB,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAAlZ,cAAAmgB,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAAlZ,cAAAqgB,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,oCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,cACA8B,WAAA,kBAEAhB,OACA90B,KAAA,WACAvL,GAAA,YAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAArN,eAAAqN,EAAAgH,GAAAhH,EAAArN,cAAA,SAAAqN,EAAA,eAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAArN,cACAuU,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAArN,cAAAsU,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAArN,cAAAsU,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAArN,cAAAwU,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,2BAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,eACA8B,WAAA,mBAEAhB,OACA90B,KAAA,WACAvL,GAAA,aAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAApN,gBAAAoN,EAAAgH,GAAAhH,EAAApN,eAAA,SAAAoN,EAAA,gBAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAApN,eACAsU,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAApN,eAAAqU,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAApN,eAAAqU,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAApN,eAAAuU,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,eAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,4BAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,kBACA8B,WAAA,sBAEAhB,OACA90B,KAAA,WACAvL,GAAA,gBAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAAnN,mBAAAmN,EAAAgH,GAAAhH,EAAAnN,kBAAA,SAAAmN,EAAA,mBAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAAnN,kBACAqU,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAAnN,kBAAAoU,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAAnN,kBAAAoU,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAAnN,kBAAAsU,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,kBAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,SACHyB,aACAvpC,KAAA,QACAwpC,QAAA,UACAnpC,MAAAsnC,EAAA,SACA8B,WAAA,aAEAhB,OACA90B,KAAA,WACAvL,GAAA,YAEA0gC,UACA2F,QAAAl8B,MAAAm8B,QAAA/G,EAAAlN,UAAAkN,EAAAgH,GAAAhH,EAAAlN,SAAA,SAAAkN,EAAA,UAEA1iB,IACAmoB,OAAA,SAAA/E,GACA,GAAAuG,GAAAjH,EAAAlN,SACAoU,EAAAxG,EAAAhZ,OACAyf,IAAAD,EAAAJ,OACA,IAAAl8B,MAAAm8B,QAAAE,GAAA,CACA,GAAArB,GAAA,KACAwB,EAAApH,EAAAgH,GAAAC,EAAArB,EACAsB,GAAAJ,QACAM,EAAA,IAAApH,EAAAlN,SAAAmU,EAAAvX,QAAAkW,KAEAwB,GAAA,IAAApH,EAAAlN,SAAAmU,EAAA5gC,MAAA,EAAA+gC,GAAA1X,OAAAuX,EAAA5gC,MAAA+gC,EAAA,SAGApH,GAAAlN,SAAAqU,MAIGnH,EAAAM,GAAA,KAAAH,EAAA,SACHW,OACA2C,IAAA,cAEGzD,EAAAM,GAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCACFM,qBrHq+VK,SAAUnuC,EAAQC,GsHpwWxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,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,OACAxnC,GAAA,mBAEG0mC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAA,YAAAG,EAAA,MAAAA,EAAA,eACHW,OACAxnC,IACAjB,KAAA,WACA4G,QACAgB,SAAA+/B,EAAAtmC,YAAAsU,iBAIGgyB,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,qCAAAT,EAAAQ,KAAAR,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,eACHW,OACAxnC,GAAA,kBAEG0mC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,sCAAAT,EAAAM,GAAA,KAAAH,EAAA,MAAAA,EAAA,eACHW,OACAxnC,GAAA,eAEG0mC,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCACFM,qBtH0wWK,SAAUnuC,EAAQC,GuHryWxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,wBACGF,EAAA,OACHE,YAAA,0CACGL,EAAAqH,GAAA,GAAArH,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,6BACGF,EAAA,KAAAA,EAAA,OACHW,OACA9Y,IAAAgY,EAAAd,QAEGc,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAX,SAIGW,EAAAM,GAAAN,EAAAO,GAAAP,EAAAb,UAAAgB,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHW,OACA9Y,IAAAgY,EAAAV,QAEGU,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAR,SAIGQ,EAAAM,GAAAN,EAAAO,GAAAP,EAAAT,UAAAY,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHW,OACA9Y,IAAAgY,EAAAP,QAEGO,EAAAM,GAAA,KAAAH,EAAA,eACHW,OACAxnC,IACAjB,KAAA,eACA4G,QACAwB,GAAAu/B,EAAAL,SAIGK,EAAAM,GAAAN,EAAAO,GAAAP,EAAAN,UAAAS,EAAA,MAAAH,EAAAM,GAAA,KAAAH,EAAA,OACHW,OACA9Y,IAAAgY,EAAAra,OAAAlsB,MAAAlC,OAAAuB,QAEGknC,EAAAM,GAAA,KAAAH,EAAA,KACHW,OACA1f,KAAA4e,EAAAH,QACAnY,OAAA,YAEGsY,EAAAM,GAAA,qBACFS,iBAAA,WAA+B,GAAAf,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CACvE,OAAAE,GAAA,OACAE,YAAA,4DACGF,EAAA,OACHE,YAAA,UACGL,EAAAM,GAAA,2CvH4yWG,SAAU1tC,EAAQC,GwHz2WxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,eACGL,EAAA,KAAAG,EAAA,OACHE,YAAA,sBACAW,aACAsG,SAAA,aAEGnH,EAAA,qBACHW,OACA9gC,KAAAggC,EAAAhgC,KACAw6B,UAAA,EACAgH,SAAA,KAEGxB,EAAAM,GAAA,KAAAH,EAAA,OACHE,YAAA,iBACGL,EAAA,KAAAG,EAAA,oBAAAH,EAAAQ,MAAA,OAAAR,EAAAQ,KAAAR,EAAAM,GAAA,KAAAN,EAAAhgC,KAAAggC,EAAAQ,KAAAL,EAAA,mBACFY,qBxH+2WK,SAAUnuC,EAAQC,GyHh4WxBD,EAAAC,SAAgB4H,OAAA,WAAmB,GAAAulC,GAAAta,KAAaua,EAAAD,EAAAE,eAA0BC,EAAAH,EAAAI,MAAAD,IAAAF,CAC1E,OAAAE,GAAA,OACAE,YAAA,SACGF,EAAA,KACHW,OACA1f,KAAA,OAEG+e,EAAA,OACHE,YAAA,SACAS,OACA9Y,IAAAgY,EAAAhgC,KAAA0M,mBAEA4Q,IACAygB,MAAA,SAAA2C,GACAA,EAAA3U,iBACAiU,EAAArT,mBAAA+T,SAGGV,EAAAM,GAAA,KAAAN,EAAA,aAAAG,EAAA,OACHE,YAAA,aACGF,EAAA,qBACHW,OACA9gC,KAAAggC,EAAAhgC,KACAw6B,UAAA,MAEG,GAAA2F,EAAA,OACHE,YAAA,yBACGF,EAAA,OACHE,YAAA,YACAS,OACAt0B,MAAAwzB,EAAAhgC,KAAA3H,QAEG2nC,EAAAM,GAAA,WAAAN,EAAAO,GAAAP,EAAAhgC,KAAA3H,MAAA,aAAA2nC,EAAAvT,cAAAuT,EAAA0B,aAAA1B,EAAAhgC,KAAA4S,YAAAutB,EAAA,QACHE,YAAA,gBACGL,EAAAM,GAAA,eAAAN,EAAAO,GAAAP,EAAAS,GAAA,wCAAAT,EAAAQ,OAAAR,EAAAM,GAAA,KAAAH,EAAA,KACHW,OACA1f,KAAA4e,EAAAhgC,KAAA8N,sBACA4Z,OAAA,WAEGyY,EAAA,OACHE,YAAA,qBACGL,EAAAM,GAAA,IAAAN,EAAAO,GAAAP,EAAAhgC,KAAAgO,uBACF+yB","file":"static/js/app.13c0bda10eb515cdf8ed.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__(215);\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__(529);\n\t\n\tvar _vueRouter2 = _interopRequireDefault(_vueRouter);\n\t\n\tvar _vuex = __webpack_require__(532);\n\t\n\tvar _vuex2 = _interopRequireDefault(_vuex);\n\t\n\tvar _App = __webpack_require__(468);\n\t\n\tvar _App2 = _interopRequireDefault(_App);\n\t\n\tvar _public_timeline = __webpack_require__(483);\n\t\n\tvar _public_timeline2 = _interopRequireDefault(_public_timeline);\n\t\n\tvar _public_and_external_timeline = __webpack_require__(482);\n\t\n\tvar _public_and_external_timeline2 = _interopRequireDefault(_public_and_external_timeline);\n\t\n\tvar _friends_timeline = __webpack_require__(474);\n\t\n\tvar _friends_timeline2 = _interopRequireDefault(_friends_timeline);\n\t\n\tvar _tag_timeline = __webpack_require__(488);\n\t\n\tvar _tag_timeline2 = _interopRequireDefault(_tag_timeline);\n\t\n\tvar _conversationPage = __webpack_require__(471);\n\t\n\tvar _conversationPage2 = _interopRequireDefault(_conversationPage);\n\t\n\tvar _mentions = __webpack_require__(478);\n\t\n\tvar _mentions2 = _interopRequireDefault(_mentions);\n\t\n\tvar _user_profile = __webpack_require__(492);\n\t\n\tvar _user_profile2 = _interopRequireDefault(_user_profile);\n\t\n\tvar _settings = __webpack_require__(486);\n\t\n\tvar _settings2 = _interopRequireDefault(_settings);\n\t\n\tvar _registration = __webpack_require__(484);\n\t\n\tvar _registration2 = _interopRequireDefault(_registration);\n\t\n\tvar _user_settings = __webpack_require__(493);\n\t\n\tvar _user_settings2 = _interopRequireDefault(_user_settings);\n\t\n\tvar _statuses = __webpack_require__(103);\n\t\n\tvar _statuses2 = _interopRequireDefault(_statuses);\n\t\n\tvar _users = __webpack_require__(173);\n\t\n\tvar _users2 = _interopRequireDefault(_users);\n\t\n\tvar _api = __webpack_require__(170);\n\t\n\tvar _api2 = _interopRequireDefault(_api);\n\t\n\tvar _config = __webpack_require__(172);\n\t\n\tvar _config2 = _interopRequireDefault(_config);\n\t\n\tvar _chat = __webpack_require__(171);\n\t\n\tvar _chat2 = _interopRequireDefault(_chat);\n\t\n\tvar _vueTimeago = __webpack_require__(531);\n\t\n\tvar _vueTimeago2 = _interopRequireDefault(_vueTimeago);\n\t\n\tvar _vueI18n = __webpack_require__(467);\n\t\n\tvar _vueI18n2 = _interopRequireDefault(_vueI18n);\n\t\n\tvar _persisted_state = __webpack_require__(169);\n\t\n\tvar _persisted_state2 = _interopRequireDefault(_persisted_state);\n\t\n\tvar _messages = __webpack_require__(168);\n\t\n\tvar _messages2 = _interopRequireDefault(_messages);\n\t\n\tvar _vueChatScroll = __webpack_require__(466);\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__(298),\n\t 'ja': __webpack_require__(299)\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\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 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: '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__(274)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(202),\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/* 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__(273)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(204),\n\t /* template */\n\t __webpack_require__(496),\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__(533);\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\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 var form = new FormData();\n\t\n\t (0, _each3.default)(params, function (value, key) {\n\t if (key === 'description' || 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 fetchUser = function fetchUser(_ref10) {\n\t var id = _ref10.id,\n\t credentials = _ref10.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(_ref11) {\n\t var id = _ref11.id,\n\t credentials = _ref11.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(_ref12) {\n\t var id = _ref12.id,\n\t credentials = _ref12.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(_ref13) {\n\t var username = _ref13.username,\n\t credentials = _ref13.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 fetchConversation = function fetchConversation(_ref14) {\n\t var id = _ref14.id,\n\t credentials = _ref14.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(_ref15) {\n\t var id = _ref15.id,\n\t credentials = _ref15.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(_ref16) {\n\t var id = _ref16.id,\n\t credentials = _ref16.credentials,\n\t _ref16$muted = _ref16.muted,\n\t muted = _ref16$muted === undefined ? true : _ref16$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(_ref17) {\n\t var timeline = _ref17.timeline,\n\t credentials = _ref17.credentials,\n\t _ref17$since = _ref17.since,\n\t since = _ref17$since === undefined ? false : _ref17$since,\n\t _ref17$until = _ref17.until,\n\t until = _ref17$until === undefined ? false : _ref17$until,\n\t _ref17$userId = _ref17.userId,\n\t userId = _ref17$userId === undefined ? false : _ref17$userId,\n\t _ref17$tag = _ref17.tag,\n\t tag = _ref17$tag === undefined ? false : _ref17$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(_ref18) {\n\t var id = _ref18.id,\n\t credentials = _ref18.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(_ref19) {\n\t var id = _ref19.id,\n\t credentials = _ref19.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(_ref20) {\n\t var id = _ref20.id,\n\t credentials = _ref20.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(_ref21) {\n\t var credentials = _ref21.credentials,\n\t status = _ref21.status,\n\t mediaIds = _ref21.mediaIds,\n\t inReplyToStatusId = _ref21.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 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(_ref22) {\n\t var id = _ref22.id,\n\t credentials = _ref22.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(_ref23) {\n\t var formData = _ref23.formData,\n\t credentials = _ref23.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(_ref24) {\n\t var params = _ref24.params,\n\t credentials = _ref24.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(_ref25) {\n\t var credentials = _ref25.credentials,\n\t password = _ref25.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(_ref26) {\n\t var credentials = _ref26.credentials,\n\t password = _ref26.password,\n\t newPassword = _ref26.newPassword,\n\t newPasswordConfirmation = _ref26.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(_ref27) {\n\t var credentials = _ref27.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};\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__(287)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(197),\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/* 65 */\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__(199),\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/* 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__(217);\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__(441);\n\t\n\tvar _minBy3 = _interopRequireDefault(_minBy2);\n\t\n\tvar _maxBy2 = __webpack_require__(439);\n\t\n\tvar _maxBy3 = _interopRequireDefault(_maxBy2);\n\t\n\tvar _flatten2 = __webpack_require__(431);\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__(448);\n\t\n\tvar _slice3 = _interopRequireDefault(_slice2);\n\t\n\tvar _remove2 = __webpack_require__(447);\n\t\n\tvar _remove3 = _interopRequireDefault(_remove2);\n\t\n\tvar _includes2 = __webpack_require__(435);\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 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\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 };\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 _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, 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__(424);\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__(180),\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/* 166 */\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__(191),\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/* 167 */\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__(200),\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/* 168 */\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 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 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 },\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 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 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 },\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 },\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 },\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 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 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 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 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 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 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 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 ses abonnements',\n\t import_followers_from_a_csv_file: 'Importer ses 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 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 },\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 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 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 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 },\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 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 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 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 },\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 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 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 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};\n\t\n\texports.default = messages;\n\n/***/ }),\n/* 169 */\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__(221);\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__(451);\n\t\n\tvar _throttle3 = _interopRequireDefault(_throttle2);\n\t\n\texports.default = createPersistedState;\n\t\n\tvar _lodash = __webpack_require__(312);\n\t\n\tvar _lodash2 = _interopRequireDefault(_lodash);\n\t\n\tvar _objectPath = __webpack_require__(460);\n\t\n\tvar _objectPath2 = _interopRequireDefault(_objectPath);\n\t\n\tvar _localforage = __webpack_require__(300);\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/* 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 _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__(461);\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 },\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 },\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 }\n\t};\n\t\n\texports.default = api;\n\n/***/ }),\n/* 171 */\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/* 172 */\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__(175);\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/* 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\texports.defaultState = exports.mutations = exports.mergeOrAdd = undefined;\n\t\n\tvar _promise = __webpack_require__(216);\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__(426);\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/* 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.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/* 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 _slicedToArray2 = __webpack_require__(108);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _entries = __webpack_require__(214);\n\t\n\tvar _entries2 = _interopRequireDefault(_entries);\n\t\n\tvar _times2 = __webpack_require__(452);\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/* 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 _user_panel = __webpack_require__(491);\n\t\n\tvar _user_panel2 = _interopRequireDefault(_user_panel);\n\t\n\tvar _nav_panel = __webpack_require__(479);\n\t\n\tvar _nav_panel2 = _interopRequireDefault(_nav_panel);\n\t\n\tvar _notifications = __webpack_require__(481);\n\t\n\tvar _notifications2 = _interopRequireDefault(_notifications);\n\t\n\tvar _user_finder = __webpack_require__(490);\n\t\n\tvar _user_finder2 = _interopRequireDefault(_user_finder);\n\t\n\tvar _who_to_follow_panel = __webpack_require__(494);\n\t\n\tvar _who_to_follow_panel2 = _interopRequireDefault(_who_to_follow_panel);\n\t\n\tvar _instance_specific_panel = __webpack_require__(475);\n\t\n\tvar _instance_specific_panel2 = _interopRequireDefault(_instance_specific_panel);\n\t\n\tvar _chat_panel = __webpack_require__(470);\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/* 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 _stillImage = __webpack_require__(65);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _nsfw = __webpack_require__(465);\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/* 178 */\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/* 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\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/* 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 _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/* 181 */\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/* 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 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/* 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 _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/* 184 */\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/* 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 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/* 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 _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/* 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 _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/* 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 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/* 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 _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/* 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 _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__(480);\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/* 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 _toConsumableArray2 = __webpack_require__(220);\n\t\n\tvar _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2);\n\t\n\tvar _uniqBy2 = __webpack_require__(456);\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__(446);\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__(477);\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__(174);\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'],\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 },\n\t caret: 0\n\t };\n\t },\n\t\n\t computed: {\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 },\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 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 };\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 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 }\n\t};\n\t\n\texports.default = PostStatusForm;\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 _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/* 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 _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/* 194 */\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/* 195 */\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/* 196 */\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__(455);\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/* 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 _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__(469);\n\t\n\tvar _attachment2 = _interopRequireDefault(_attachment);\n\t\n\tvar _favorite_button = __webpack_require__(473);\n\t\n\tvar _favorite_button2 = _interopRequireDefault(_favorite_button);\n\t\n\tvar _retweet_button = __webpack_require__(485);\n\t\n\tvar _retweet_button2 = _interopRequireDefault(_retweet_button);\n\t\n\tvar _delete_button = __webpack_require__(472);\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/* 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 _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/* 199 */\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/* 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 _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/* 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__(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/* 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 _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__(487);\n\t\n\tvar _status_or_conversation2 = _interopRequireDefault(_status_or_conversation);\n\t\n\tvar _user_card = __webpack_require__(489);\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/* 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 _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'],\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 }\n\t};\n\t\n\texports.default = UserCard;\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 _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/* 205 */\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/* 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 _login_form = __webpack_require__(476);\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/* 207 */\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/* 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__(213);\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 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 this.$store.state.api.backendInteractor.updateProfile({ params: { name: name, description: description } }).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/* 209 */\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/* 210 */,\n/* 211 */,\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/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 273 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\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\tmodule.exports = [\"now\",[\"%ss\",\"%ss\"],[\"%smin\",\"%smin\"],[\"%sh\",\"%sh\"],[\"%sd\",\"%sd\"],[\"%sw\",\"%sw\"],[\"%smo\",\"%smo\"],[\"%sy\",\"%sy\"]]\n\n/***/ }),\n/* 299 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n/***/ }),\n/* 300 */,\n/* 301 */,\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/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__.p + \"static/img/nsfw.50fd83c.png\";\n\n/***/ }),\n/* 466 */,\n/* 467 */,\n/* 468 */\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__(176),\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/* 469 */\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__(177),\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/* 470 */\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__(178),\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/* 471 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(179),\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/* 472 */\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__(181),\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/* 473 */\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__(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/* 474 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(183),\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/* 475 */\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__(184),\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/* 476 */\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__(185),\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/* 477 */\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__(186),\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/* 478 */\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__(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/* 479 */\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__(188),\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/* 480 */\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__(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/* 481 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(272)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(190),\n\t /* template */\n\t __webpack_require__(495),\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\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(192),\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/* 483 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(193),\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/* 484 */\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__(194),\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/* 485 */\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__(195),\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/* 486 */\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__(196),\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/* 487 */\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__(198),\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/* 488 */\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__(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/* 489 */\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__(203),\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/* 490 */\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__(205),\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/* 491 */\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__(206),\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/* 492 */\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__(207),\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/* 493 */\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__(208),\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/* 494 */\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__(209),\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/* 495 */\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/* 496 */\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._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/* 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 (_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/* 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: \"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 }, [_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.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/* 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 _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/* 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('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/* 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 (_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/* 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('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/* 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.$t('nav.twkn'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'publicAndExternal'\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 (!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/* 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('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/* 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('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/* 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 _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\": \"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\": \"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/* 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('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/* 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.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/* 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 (_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/* 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 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/* 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', {\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/* 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 _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/* 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 (_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/* 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('conversation', {\n\t attrs: {\n\t \"collapsable\": false,\n\t \"statusoid\": _vm.statusoid\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('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/* 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', {\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 },\n\t on: {\n\t \"posted\": _vm.toggleReplying\n\t }\n\t })], 1) : _vm._e()]], 2)\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('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/* 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('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/* 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: \"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('h3', [_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('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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_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/* 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 (_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/* 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', [_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/* 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 (_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/* 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: \"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/* 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: \"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(\" \"), _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/* 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 _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/* 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: \"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/* 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: \"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))])])])])\n\t},staticRenderFns: []}\n\n/***/ })\n]);\n\n\n// WEBPACK FOOTER //\n// static/js/app.13c0bda10eb515cdf8ed.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'\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} = 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 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: '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'\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 const form = new FormData()\n\n each(params, (value, key) => {\n if (key === 'description' || /* Always include description, because it might be empty */\n 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 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 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, 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 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}\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 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\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 }\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, media = [], inReplyToStatusId = undefined }) => {\n const mediaIds = map(media, 'id')\n\n return apiService.postStatus({credentials: store.state.users.currentUser.credentials, status, 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","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 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 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 },\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 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 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 },\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 },\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 },\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 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 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 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 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 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 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 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 ses abonnements',\n import_followers_from_a_csv_file: 'Importer ses 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 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 },\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 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 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 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 },\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 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 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 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 },\n notifications: {\n notifications: 'Уведомления',\n read: 'Прочесть',\n followed_you: 'начал(а) читать вас',\n favorited_you: 'нравится ваш статус',\n repeated_you: 'повторил(а) ваш статус'\n },\n login: {\n login: 'Войти',\n username: 'Имя пользователя',\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 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 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}\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 },\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 },\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 }\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 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 ],\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 },\n caret: 0\n }\n },\n computed: {\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 },\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 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 }\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 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 }\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 ],\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 }\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 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 this.$store.state.api.backendInteractor.updateProfile({params: {name, description}}).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 = 298\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 = 299\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 = 465\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 = 468\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 = 469\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 = 470\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 = 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-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 = 472\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 = 473\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 = 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-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 = 475\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 = 476\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 = 477\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 = 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-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 = 479\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 = 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-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 = 481\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 = 482\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 = 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-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 = 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-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 = 485\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 = 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-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 = 487\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 = 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-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 = 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-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 = 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-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 = 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-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 = 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-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 = 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-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 = 494\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 = 495\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._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 = 496\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 = 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: \"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 }, [_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.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 = 498\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 = 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('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 = 500\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 = 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('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 = 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.$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 = 503\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 = 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('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 = 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('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 = 506\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\": \"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\": \"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 = 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('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 = 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.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 = 509\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 = 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 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 = 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', {\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 = 512\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 = 513\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 = 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('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 = 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('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 = 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', {\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 },\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 = 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('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 = 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('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 = 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: \"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('h3', [_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('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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_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('h3', [_vm._v(_vm._s(_vm.$t('settings.follow_export_processing')))])]), _vm._v(\" \"), _c('hr'), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h3', [_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 = 520\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 = 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', [_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 = 522\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 = 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: \"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 = 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: \"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(\" \"), _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 = 525\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 = 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: \"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 = 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: \"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))])])])])\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 = 528\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 new file mode 100644 index 000000000..c9bc901d2 --- /dev/null +++ b/priv/static/static/js/app.de965bb2a0a8bffbeafa.js @@ -0,0 +1,8 @@ +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 new file mode 100644 index 000000000..c6af67cc7 --- /dev/null +++ b/priv/static/static/js/app.de965bb2a0a8bffbeafa.js.map @@ -0,0 +1 @@ +{"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.16ab7851cdbf730f9cbc.js b/priv/static/static/js/manifest.16ab7851cdbf730f9cbc.js deleted file mode 100644 index e0b409bb5..000000000 --- a/priv/static/static/js/manifest.16ab7851cdbf730f9cbc.js +++ /dev/null @@ -1,2 +0,0 @@ -!function(e){function t(a){if(r[a])return r[a].exports;var n=r[a]={exports:{},id:a,loaded:!1};return e[a].call(n.exports,n,n.exports,t),n.loaded=!0,n.exports}var a=window.webpackJsonp;window.webpackJsonp=function(c,o){for(var p,l,s=0,i=[];s 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/* 3 */\n/***/ (function(module, exports) {\n\n\tvar core = module.exports = { version: '2.5.3' };\n\tif (typeof __e == 'number') __e = core; // eslint-disable-line no-undef\n\n\n/***/ }),\n/* 4 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar store = __webpack_require__(77)('wks');\n\tvar uid = __webpack_require__(50);\n\tvar Symbol = __webpack_require__(5).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/* 5 */\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/* 6 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar global = __webpack_require__(5);\n\tvar core = __webpack_require__(3);\n\tvar ctx = __webpack_require__(14);\n\tvar hide = __webpack_require__(15);\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 && key in exports) 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__(341),\n\t baseMatchesProperty = __webpack_require__(342),\n\t identity = __webpack_require__(40),\n\t isArray = __webpack_require__(2),\n\t property = __webpack_require__(445);\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__(151);\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__(110);\n\tvar toPrimitive = __webpack_require__(79);\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__(23)(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__(29);\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__(33);\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\tvar isFunction = __webpack_require__(97),\n\t isLength = __webpack_require__(98);\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/* 17 */\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/* 18 */\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/* 19 */\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__(111);\n\tvar defined = __webpack_require__(68);\n\tmodule.exports = function (it) {\n\t return IObject(defined(it));\n\t};\n\n\n/***/ }),\n/* 20 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Symbol = __webpack_require__(36),\n\t getRawTag = __webpack_require__(378),\n\t objectToString = __webpack_require__(408);\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__(336),\n\t getValue = __webpack_require__(381);\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__(453);\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/***/ (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/* 24 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {};\n\n\n/***/ }),\n/* 25 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\tvar $at = __webpack_require__(254)(true);\n\t\n\t// 21.1.3.27 String.prototype[@@iterator]()\n\t__webpack_require__(71)(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/* 26 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseGetTag = __webpack_require__(20),\n\t isObjectLike = __webpack_require__(17);\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/* 27 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseToString = __webpack_require__(144);\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/* 28 */,\n/* 29 */\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/* 30 */\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/* 31 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar ctx = __webpack_require__(14);\n\tvar call = __webpack_require__(114);\n\tvar isArrayIter = __webpack_require__(112);\n\tvar anObject = __webpack_require__(12);\n\tvar toLength = __webpack_require__(48);\n\tvar getIterFn = __webpack_require__(82);\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/* 32 */\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__(119);\n\tvar enumBugKeys = __webpack_require__(70);\n\t\n\tmodule.exports = Object.keys || function keys(O) {\n\t return $keys(O, enumBugKeys);\n\t};\n\n\n/***/ }),\n/* 33 */\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/* 34 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar def = __webpack_require__(11).f;\n\tvar has = __webpack_require__(18);\n\tvar TAG = __webpack_require__(4)('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/* 35 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t__webpack_require__(259);\n\tvar global = __webpack_require__(5);\n\tvar hide = __webpack_require__(15);\n\tvar Iterators = __webpack_require__(24);\n\tvar TO_STRING_TAG = __webpack_require__(4)('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/* 36 */\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/* 37 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isSymbol = __webpack_require__(26);\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/* 38 */\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/* 39 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar arrayFilter = __webpack_require__(88),\n\t baseFilter = __webpack_require__(136),\n\t baseIteratee = __webpack_require__(7),\n\t isArray = __webpack_require__(2);\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/* 40 */\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/* 41 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar arrayLikeKeys = __webpack_require__(131),\n\t baseKeys = __webpack_require__(338),\n\t isArrayLike = __webpack_require__(16);\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/* 42 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar arrayMap = __webpack_require__(53),\n\t baseIteratee = __webpack_require__(7),\n\t baseMap = __webpack_require__(141),\n\t isArray = __webpack_require__(2);\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/* 43 */,\n/* 44 */,\n/* 45 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// getting tag from 19.1.3.6 Object.prototype.toString()\n\tvar cof = __webpack_require__(30);\n\tvar TAG = __webpack_require__(4)('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/* 46 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = true;\n\n\n/***/ }),\n/* 47 */\n/***/ (function(module, exports) {\n\n\texports.f = {}.propertyIsEnumerable;\n\n\n/***/ }),\n/* 48 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 7.1.15 ToLength\n\tvar toInteger = __webpack_require__(78);\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/* 49 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 7.1.13 ToObject(argument)\n\tvar defined = __webpack_require__(68);\n\tmodule.exports = function (it) {\n\t return Object(defined(it));\n\t};\n\n\n/***/ }),\n/* 50 */\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/* 51 */\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/* 52 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar listCacheClear = __webpack_require__(393),\n\t listCacheDelete = __webpack_require__(394),\n\t listCacheGet = __webpack_require__(395),\n\t listCacheHas = __webpack_require__(396),\n\t listCacheSet = __webpack_require__(397);\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/* 53 */\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/* 54 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar eq = __webpack_require__(38);\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/* 55 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseForOwn = __webpack_require__(328),\n\t createBaseEach = __webpack_require__(367);\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/* 56 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseFindIndex = __webpack_require__(137),\n\t baseIsNaN = __webpack_require__(335),\n\t strictIndexOf = __webpack_require__(420);\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/* 57 */\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/* 58 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isKeyable = __webpack_require__(391);\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/* 59 */\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 length = length == null ? MAX_SAFE_INTEGER : length;\n\t return !!length &&\n\t (typeof value == 'number' || reIsUint.test(value)) &&\n\t (value > -1 && value % 1 == 0 && value < length);\n\t}\n\t\n\tmodule.exports = isIndex;\n\n\n/***/ }),\n/* 60 */\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/* 61 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__(432);\n\n\n/***/ }),\n/* 62 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar createFind = __webpack_require__(371),\n\t findIndex = __webpack_require__(430);\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/* 63 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseIsArguments = __webpack_require__(332),\n\t isObjectLike = __webpack_require__(17);\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/* 64 */,\n/* 65 */,\n/* 66 */,\n/* 67 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = function (it, Constructor, name, forbiddenField) {\n\t if (!(it instanceof Constructor) || (forbiddenField !== undefined && forbiddenField in it)) {\n\t throw TypeError(name + ': incorrect invocation!');\n\t } return it;\n\t};\n\n\n/***/ }),\n/* 68 */\n/***/ (function(module, exports) {\n\n\t// 7.2.1 RequireObjectCoercible(argument)\n\tmodule.exports = function (it) {\n\t if (it == undefined) throw TypeError(\"Can't call method on \" + it);\n\t return it;\n\t};\n\n\n/***/ }),\n/* 69 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isObject = __webpack_require__(10);\n\tvar document = __webpack_require__(5).document;\n\t// typeof document.createElement is 'object' in old IE\n\tvar is = isObject(document) && isObject(document.createElement);\n\tmodule.exports = function (it) {\n\t return is ? document.createElement(it) : {};\n\t};\n\n\n/***/ }),\n/* 70 */\n/***/ (function(module, exports) {\n\n\t// IE 8- don't enum bug keys\n\tmodule.exports = (\n\t 'constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf'\n\t).split(',');\n\n\n/***/ }),\n/* 71 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\tvar LIBRARY = __webpack_require__(46);\n\tvar $export = __webpack_require__(6);\n\tvar redefine = __webpack_require__(122);\n\tvar hide = __webpack_require__(15);\n\tvar has = __webpack_require__(18);\n\tvar Iterators = __webpack_require__(24);\n\tvar $iterCreate = __webpack_require__(244);\n\tvar setToStringTag = __webpack_require__(34);\n\tvar getPrototypeOf = __webpack_require__(249);\n\tvar ITERATOR = __webpack_require__(4)('iterator');\n\tvar BUGGY = !([].keys && 'next' in [].keys()); // Safari has buggy iterators w/o `next`\n\tvar FF_ITERATOR = '@@iterator';\n\tvar KEYS = 'keys';\n\tvar VALUES = 'values';\n\t\n\tvar returnThis = function () { return this; };\n\t\n\tmodule.exports = function (Base, NAME, Constructor, next, DEFAULT, IS_SET, FORCED) {\n\t $iterCreate(Constructor, NAME, next);\n\t var getMethod = function (kind) {\n\t if (!BUGGY && kind in proto) return proto[kind];\n\t switch (kind) {\n\t case KEYS: return function keys() { return new Constructor(this, kind); };\n\t case VALUES: return function values() { return new Constructor(this, kind); };\n\t } return function entries() { return new Constructor(this, kind); };\n\t };\n\t var TAG = NAME + ' Iterator';\n\t var DEF_VALUES = DEFAULT == VALUES;\n\t var VALUES_BUG = false;\n\t var proto = Base.prototype;\n\t var $native = proto[ITERATOR] || proto[FF_ITERATOR] || DEFAULT && proto[DEFAULT];\n\t var $default = (!BUGGY && $native) || getMethod(DEFAULT);\n\t var $entries = DEFAULT ? !DEF_VALUES ? $default : getMethod('entries') : undefined;\n\t var $anyNative = NAME == 'Array' ? proto.entries || $native : $native;\n\t var methods, key, IteratorPrototype;\n\t // Fix native\n\t if ($anyNative) {\n\t IteratorPrototype = getPrototypeOf($anyNative.call(new Base()));\n\t if (IteratorPrototype !== Object.prototype && IteratorPrototype.next) {\n\t // Set @@toStringTag to native iterators\n\t setToStringTag(IteratorPrototype, TAG, true);\n\t // fix for some old engines\n\t if (!LIBRARY && !has(IteratorPrototype, ITERATOR)) hide(IteratorPrototype, ITERATOR, returnThis);\n\t }\n\t }\n\t // fix Array#{values, @@iterator}.name in V8 / FF\n\t if (DEF_VALUES && $native && $native.name !== VALUES) {\n\t VALUES_BUG = true;\n\t $default = function values() { return $native.call(this); };\n\t }\n\t // Define iterator\n\t if ((!LIBRARY || FORCED) && (BUGGY || VALUES_BUG || !proto[ITERATOR])) {\n\t hide(proto, ITERATOR, $default);\n\t }\n\t // Plug for library\n\t Iterators[NAME] = $default;\n\t Iterators[TAG] = returnThis;\n\t if (DEFAULT) {\n\t methods = {\n\t values: DEF_VALUES ? $default : getMethod(VALUES),\n\t keys: IS_SET ? $default : getMethod(KEYS),\n\t entries: $entries\n\t };\n\t if (FORCED) for (key in methods) {\n\t if (!(key in proto)) redefine(proto, key, methods[key]);\n\t } else $export($export.P + $export.F * (BUGGY || VALUES_BUG), NAME, methods);\n\t }\n\t return methods;\n\t};\n\n\n/***/ }),\n/* 72 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar META = __webpack_require__(50)('meta');\n\tvar isObject = __webpack_require__(10);\n\tvar has = __webpack_require__(18);\n\tvar setDesc = __webpack_require__(11).f;\n\tvar id = 0;\n\tvar isExtensible = Object.isExtensible || function () {\n\t return true;\n\t};\n\tvar FREEZE = !__webpack_require__(23)(function () {\n\t return isExtensible(Object.preventExtensions({}));\n\t});\n\tvar setMeta = function (it) {\n\t setDesc(it, META, { value: {\n\t i: 'O' + ++id, // object ID\n\t w: {} // weak collections IDs\n\t } });\n\t};\n\tvar fastKey = function (it, create) {\n\t // return primitive with prefix\n\t if (!isObject(it)) return typeof it == 'symbol' ? it : (typeof it == 'string' ? 'S' : 'P') + it;\n\t if (!has(it, META)) {\n\t // can't set metadata to uncaught frozen object\n\t if (!isExtensible(it)) return 'F';\n\t // not necessary to add metadata\n\t if (!create) return 'E';\n\t // add missing metadata\n\t setMeta(it);\n\t // return object ID\n\t } return it[META].i;\n\t};\n\tvar getWeak = function (it, create) {\n\t if (!has(it, META)) {\n\t // can't set metadata to uncaught frozen object\n\t if (!isExtensible(it)) return true;\n\t // not necessary to add metadata\n\t if (!create) return false;\n\t // add missing metadata\n\t setMeta(it);\n\t // return hash weak collections IDs\n\t } return it[META].w;\n\t};\n\t// add metadata on freeze-family methods calling\n\tvar onFreeze = function (it) {\n\t if (FREEZE && meta.NEED && isExtensible(it) && !has(it, META)) setMeta(it);\n\t return it;\n\t};\n\tvar meta = module.exports = {\n\t KEY: META,\n\t NEED: false,\n\t fastKey: fastKey,\n\t getWeak: getWeak,\n\t onFreeze: onFreeze\n\t};\n\n\n/***/ }),\n/* 73 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t'use strict';\n\t// 25.4.1.5 NewPromiseCapability(C)\n\tvar aFunction = __webpack_require__(29);\n\t\n\tfunction PromiseCapability(C) {\n\t var resolve, reject;\n\t this.promise = new C(function ($$resolve, $$reject) {\n\t if (resolve !== undefined || reject !== undefined) throw TypeError('Bad Promise constructor');\n\t resolve = $$resolve;\n\t reject = $$reject;\n\t });\n\t this.resolve = aFunction(resolve);\n\t this.reject = aFunction(reject);\n\t}\n\t\n\tmodule.exports.f = function (C) {\n\t return new PromiseCapability(C);\n\t};\n\n\n/***/ }),\n/* 74 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 19.1.2.2 / 15.2.3.5 Object.create(O [, Properties])\n\tvar anObject = __webpack_require__(12);\n\tvar dPs = __webpack_require__(246);\n\tvar enumBugKeys = __webpack_require__(70);\n\tvar IE_PROTO = __webpack_require__(76)('IE_PROTO');\n\tvar Empty = function () { /* empty */ };\n\tvar PROTOTYPE = 'prototype';\n\t\n\t// Create object with fake `null` prototype: use iframe Object with cleared prototype\n\tvar createDict = function () {\n\t // Thrash, waste and sodomy: IE GC bug\n\t var iframe = __webpack_require__(69)('iframe');\n\t var i = enumBugKeys.length;\n\t var lt = '<';\n\t var gt = '>';\n\t var iframeDocument;\n\t iframe.style.display = 'none';\n\t __webpack_require__(109).appendChild(iframe);\n\t iframe.src = 'javascript:'; // eslint-disable-line no-script-url\n\t // createDict = iframe.contentWindow.Object;\n\t // html.removeChild(iframe);\n\t iframeDocument = iframe.contentWindow.document;\n\t iframeDocument.open();\n\t iframeDocument.write(lt + 'script' + gt + 'document.F=Object' + lt + '/script' + gt);\n\t iframeDocument.close();\n\t createDict = iframeDocument.F;\n\t while (i--) delete createDict[PROTOTYPE][enumBugKeys[i]];\n\t return createDict();\n\t};\n\t\n\tmodule.exports = Object.create || function create(O, Properties) {\n\t var result;\n\t if (O !== null) {\n\t Empty[PROTOTYPE] = anObject(O);\n\t result = new Empty();\n\t Empty[PROTOTYPE] = null;\n\t // add \"__proto__\" for Object.getPrototypeOf polyfill\n\t result[IE_PROTO] = O;\n\t } else result = createDict();\n\t return Properties === undefined ? result : dPs(result, Properties);\n\t};\n\n\n/***/ }),\n/* 75 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar hide = __webpack_require__(15);\n\tmodule.exports = function (target, src, safe) {\n\t for (var key in src) {\n\t if (safe && target[key]) target[key] = src[key];\n\t else hide(target, key, src[key]);\n\t } return target;\n\t};\n\n\n/***/ }),\n/* 76 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar shared = __webpack_require__(77)('keys');\n\tvar uid = __webpack_require__(50);\n\tmodule.exports = function (key) {\n\t return shared[key] || (shared[key] = uid(key));\n\t};\n\n\n/***/ }),\n/* 77 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar global = __webpack_require__(5);\n\tvar SHARED = '__core-js_shared__';\n\tvar store = global[SHARED] || (global[SHARED] = {});\n\tmodule.exports = function (key) {\n\t return store[key] || (store[key] = {});\n\t};\n\n\n/***/ }),\n/* 78 */\n/***/ (function(module, exports) {\n\n\t// 7.1.4 ToInteger\n\tvar ceil = Math.ceil;\n\tvar floor = Math.floor;\n\tmodule.exports = function (it) {\n\t return isNaN(it = +it) ? 0 : (it > 0 ? floor : ceil)(it);\n\t};\n\n\n/***/ }),\n/* 79 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t// 7.1.1 ToPrimitive(input [, PreferredType])\n\tvar isObject = __webpack_require__(10);\n\t// instead of the ES6 spec version, we didn't implement @@toPrimitive case\n\t// and the second argument - flag - preferred type is a string\n\tmodule.exports = function (it, S) {\n\t if (!isObject(it)) return it;\n\t var fn, val;\n\t if (S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it))) return val;\n\t if (typeof (fn = it.valueOf) == 'function' && !isObject(val = fn.call(it))) return val;\n\t if (!S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it))) return val;\n\t throw TypeError(\"Can't convert object to primitive value\");\n\t};\n\n\n/***/ }),\n/* 80 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar global = __webpack_require__(5);\n\tvar core = __webpack_require__(3);\n\tvar LIBRARY = __webpack_require__(46);\n\tvar wksExt = __webpack_require__(81);\n\tvar defineProperty = __webpack_require__(11).f;\n\tmodule.exports = function (name) {\n\t var $Symbol = core.Symbol || (core.Symbol = LIBRARY ? {} : global.Symbol || {});\n\t if (name.charAt(0) != '_' && !(name in $Symbol)) defineProperty($Symbol, name, { value: wksExt.f(name) });\n\t};\n\n\n/***/ }),\n/* 81 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\texports.f = __webpack_require__(4);\n\n\n/***/ }),\n/* 82 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar classof = __webpack_require__(45);\n\tvar ITERATOR = __webpack_require__(4)('iterator');\n\tvar Iterators = __webpack_require__(24);\n\tmodule.exports = __webpack_require__(3).getIteratorMethod = function (it) {\n\t if (it != undefined) return it[ITERATOR]\n\t || it['@@iterator']\n\t || Iterators[classof(it)];\n\t};\n\n\n/***/ }),\n/* 83 */\n/***/ (function(module, exports) {\n\n\n\n/***/ }),\n/* 84 */\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/* 85 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar getNative = __webpack_require__(21),\n\t root = __webpack_require__(8);\n\t\n\t/* Built-in method references that are verified to be native. */\n\tvar Map = getNative(root, 'Map');\n\t\n\tmodule.exports = Map;\n\n\n/***/ }),\n/* 86 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar mapCacheClear = __webpack_require__(398),\n\t mapCacheDelete = __webpack_require__(399),\n\t mapCacheGet = __webpack_require__(400),\n\t mapCacheHas = __webpack_require__(401),\n\t mapCacheSet = __webpack_require__(402);\n\t\n\t/**\n\t * Creates a map cache object to store key-value pairs.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\tfunction MapCache(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 `MapCache`.\n\tMapCache.prototype.clear = mapCacheClear;\n\tMapCache.prototype['delete'] = mapCacheDelete;\n\tMapCache.prototype.get = mapCacheGet;\n\tMapCache.prototype.has = mapCacheHas;\n\tMapCache.prototype.set = mapCacheSet;\n\t\n\tmodule.exports = MapCache;\n\n\n/***/ }),\n/* 87 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar ListCache = __webpack_require__(52),\n\t stackClear = __webpack_require__(415),\n\t stackDelete = __webpack_require__(416),\n\t stackGet = __webpack_require__(417),\n\t stackHas = __webpack_require__(418),\n\t stackSet = __webpack_require__(419);\n\t\n\t/**\n\t * Creates a stack cache object to store key-value pairs.\n\t *\n\t * @private\n\t * @constructor\n\t * @param {Array} [entries] The key-value pairs to cache.\n\t */\n\tfunction Stack(entries) {\n\t var data = this.__data__ = new ListCache(entries);\n\t this.size = data.size;\n\t}\n\t\n\t// Add methods to `Stack`.\n\tStack.prototype.clear = stackClear;\n\tStack.prototype['delete'] = stackDelete;\n\tStack.prototype.get = stackGet;\n\tStack.prototype.has = stackHas;\n\tStack.prototype.set = stackSet;\n\t\n\tmodule.exports = Stack;\n\n\n/***/ }),\n/* 88 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * A specialized version of `_.filter` for arrays without support for\n\t * iteratee shorthands.\n\t *\n\t * @private\n\t * @param {Array} [array] The array to iterate over.\n\t * @param {Function} predicate The function invoked per iteration.\n\t * @returns {Array} Returns the new filtered array.\n\t */\n\tfunction arrayFilter(array, predicate) {\n\t var index = -1,\n\t length = array == null ? 0 : array.length,\n\t resIndex = 0,\n\t result = [];\n\t\n\t while (++index < length) {\n\t var value = array[index];\n\t if (predicate(value, index, array)) {\n\t result[resIndex++] = value;\n\t }\n\t }\n\t return result;\n\t}\n\t\n\tmodule.exports = arrayFilter;\n\n\n/***/ }),\n/* 89 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar defineProperty = __webpack_require__(149);\n\t\n\t/**\n\t * The base implementation of `assignValue` and `assignMergeValue` without\n\t * value checks.\n\t *\n\t * @private\n\t * @param {Object} object The object to modify.\n\t * @param {string} key The key of the property to assign.\n\t * @param {*} value The value to assign.\n\t */\n\tfunction baseAssignValue(object, key, value) {\n\t if (key == '__proto__' && defineProperty) {\n\t defineProperty(object, key, {\n\t 'configurable': true,\n\t 'enumerable': true,\n\t 'value': value,\n\t 'writable': true\n\t });\n\t } else {\n\t object[key] = value;\n\t }\n\t}\n\t\n\tmodule.exports = baseAssignValue;\n\n\n/***/ }),\n/* 90 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar castPath = __webpack_require__(91),\n\t toKey = __webpack_require__(37);\n\t\n\t/**\n\t * The base implementation of `_.get` without support for default values.\n\t *\n\t * @private\n\t * @param {Object} object The object to query.\n\t * @param {Array|string} path The path of the property to get.\n\t * @returns {*} Returns the resolved value.\n\t */\n\tfunction baseGet(object, path) {\n\t path = castPath(path, object);\n\t\n\t var index = 0,\n\t length = path.length;\n\t\n\t while (object != null && index < length) {\n\t object = object[toKey(path[index++])];\n\t }\n\t return (index && index == length) ? object : undefined;\n\t}\n\t\n\tmodule.exports = baseGet;\n\n\n/***/ }),\n/* 91 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isArray = __webpack_require__(2),\n\t isKey = __webpack_require__(93),\n\t stringToPath = __webpack_require__(421),\n\t toString = __webpack_require__(27);\n\t\n\t/**\n\t * Casts `value` to a path array if it's not one.\n\t *\n\t * @private\n\t * @param {*} value The value to inspect.\n\t * @param {Object} [object] The object to query keys on.\n\t * @returns {Array} Returns the cast property path array.\n\t */\n\tfunction castPath(value, object) {\n\t if (isArray(value)) {\n\t return value;\n\t }\n\t return isKey(value, object) ? [value] : stringToPath(toString(value));\n\t}\n\t\n\tmodule.exports = castPath;\n\n\n/***/ }),\n/* 92 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar eq = __webpack_require__(38),\n\t isArrayLike = __webpack_require__(16),\n\t isIndex = __webpack_require__(59),\n\t isObject = __webpack_require__(9);\n\t\n\t/**\n\t * Checks if the given arguments are from an iteratee call.\n\t *\n\t * @private\n\t * @param {*} value The potential iteratee value argument.\n\t * @param {*} index The potential iteratee index or key argument.\n\t * @param {*} object The potential iteratee object argument.\n\t * @returns {boolean} Returns `true` if the arguments are from an iteratee call,\n\t * else `false`.\n\t */\n\tfunction isIterateeCall(value, index, object) {\n\t if (!isObject(object)) {\n\t return false;\n\t }\n\t var type = typeof index;\n\t if (type == 'number'\n\t ? (isArrayLike(object) && isIndex(index, object.length))\n\t : (type == 'string' && index in object)\n\t ) {\n\t return eq(object[index], value);\n\t }\n\t return false;\n\t}\n\t\n\tmodule.exports = isIterateeCall;\n\n\n/***/ }),\n/* 93 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar isArray = __webpack_require__(2),\n\t isSymbol = __webpack_require__(26);\n\t\n\t/** Used to match property names within property paths. */\n\tvar reIsDeepProp = /\\.|\\[(?:[^[\\]]*|([\"'])(?:(?!\\1)[^\\\\]|\\\\.)*?\\1)\\]/,\n\t reIsPlainProp = /^\\w*$/;\n\t\n\t/**\n\t * Checks if `value` is a property name and not a property path.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @param {Object} [object] The object to query keys on.\n\t * @returns {boolean} Returns `true` if `value` is a property name, else `false`.\n\t */\n\tfunction isKey(value, object) {\n\t if (isArray(value)) {\n\t return false;\n\t }\n\t var type = typeof value;\n\t if (type == 'number' || type == 'symbol' || type == 'boolean' ||\n\t value == null || isSymbol(value)) {\n\t return true;\n\t }\n\t return reIsPlainProp.test(value) || !reIsDeepProp.test(value) ||\n\t (object != null && value in Object(object));\n\t}\n\t\n\tmodule.exports = isKey;\n\n\n/***/ }),\n/* 94 */\n/***/ (function(module, exports) {\n\n\t/** Used for built-in method references. */\n\tvar objectProto = Object.prototype;\n\t\n\t/**\n\t * Checks if `value` is likely a prototype object.\n\t *\n\t * @private\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a prototype, else `false`.\n\t */\n\tfunction isPrototype(value) {\n\t var Ctor = value && value.constructor,\n\t proto = (typeof Ctor == 'function' && Ctor.prototype) || objectProto;\n\t\n\t return value === proto;\n\t}\n\t\n\tmodule.exports = isPrototype;\n\n\n/***/ }),\n/* 95 */\n/***/ (function(module, exports) {\n\n\t/**\n\t * Converts `set` to an array of its values.\n\t *\n\t * @private\n\t * @param {Object} set The set to convert.\n\t * @returns {Array} Returns the values.\n\t */\n\tfunction setToArray(set) {\n\t var index = -1,\n\t result = Array(set.size);\n\t\n\t set.forEach(function(value) {\n\t result[++index] = value;\n\t });\n\t return result;\n\t}\n\t\n\tmodule.exports = setToArray;\n\n\n/***/ }),\n/* 96 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t/* WEBPACK VAR INJECTION */(function(module) {var root = __webpack_require__(8),\n\t stubFalse = __webpack_require__(450);\n\t\n\t/** Detect free variable `exports`. */\n\tvar freeExports = typeof exports == 'object' && exports && !exports.nodeType && exports;\n\t\n\t/** Detect free variable `module`. */\n\tvar freeModule = freeExports && typeof module == 'object' && module && !module.nodeType && module;\n\t\n\t/** Detect the popular CommonJS extension `module.exports`. */\n\tvar moduleExports = freeModule && freeModule.exports === freeExports;\n\t\n\t/** Built-in value references. */\n\tvar Buffer = moduleExports ? root.Buffer : undefined;\n\t\n\t/* Built-in method references for those with the same name as other `lodash` methods. */\n\tvar nativeIsBuffer = Buffer ? Buffer.isBuffer : undefined;\n\t\n\t/**\n\t * Checks if `value` is a buffer.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 4.3.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a buffer, else `false`.\n\t * @example\n\t *\n\t * _.isBuffer(new Buffer(2));\n\t * // => true\n\t *\n\t * _.isBuffer(new Uint8Array(2));\n\t * // => false\n\t */\n\tvar isBuffer = nativeIsBuffer || stubFalse;\n\t\n\tmodule.exports = isBuffer;\n\t\n\t/* WEBPACK VAR INJECTION */}.call(exports, __webpack_require__(102)(module)))\n\n/***/ }),\n/* 97 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseGetTag = __webpack_require__(20),\n\t isObject = __webpack_require__(9);\n\t\n\t/** `Object#toString` result references. */\n\tvar asyncTag = '[object AsyncFunction]',\n\t funcTag = '[object Function]',\n\t genTag = '[object GeneratorFunction]',\n\t proxyTag = '[object Proxy]';\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 if (!isObject(value)) {\n\t return false;\n\t }\n\t // The use of `Object#toString` avoids issues with the `typeof` operator\n\t // in Safari 9 which returns 'object' for typed arrays and other constructors.\n\t var tag = baseGetTag(value);\n\t return tag == funcTag || tag == genTag || tag == asyncTag || tag == proxyTag;\n\t}\n\t\n\tmodule.exports = isFunction;\n\n\n/***/ }),\n/* 98 */\n/***/ (function(module, exports) {\n\n\t/** Used as references for various `Number` constants. */\n\tvar MAX_SAFE_INTEGER = 9007199254740991;\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\tmodule.exports = isLength;\n\n\n/***/ }),\n/* 99 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseIsTypedArray = __webpack_require__(337),\n\t baseUnary = __webpack_require__(145),\n\t nodeUtil = __webpack_require__(407);\n\t\n\t/* Node.js helper references. */\n\tvar nodeIsTypedArray = nodeUtil && nodeUtil.isTypedArray;\n\t\n\t/**\n\t * Checks if `value` is classified as a typed array.\n\t *\n\t * @static\n\t * @memberOf _\n\t * @since 3.0.0\n\t * @category Lang\n\t * @param {*} value The value to check.\n\t * @returns {boolean} Returns `true` if `value` is a typed array, else `false`.\n\t * @example\n\t *\n\t * _.isTypedArray(new Uint8Array);\n\t * // => true\n\t *\n\t * _.isTypedArray([]);\n\t * // => false\n\t */\n\tvar isTypedArray = nodeIsTypedArray ? baseUnary(nodeIsTypedArray) : baseIsTypedArray;\n\t\n\tmodule.exports = isTypedArray;\n\n\n/***/ }),\n/* 100 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar baseFlatten = __webpack_require__(138),\n\t baseOrderBy = __webpack_require__(345),\n\t baseRest = __webpack_require__(142),\n\t isIterateeCall = __webpack_require__(92);\n\t\n\t/**\n\t * Creates an array of elements, sorted in ascending order by the results of\n\t * running each element in a collection thru each iteratee. This method\n\t * performs a stable sort, that is, it preserves the original sort order of\n\t * equal elements. The iteratees are invoked with one argument: (value).\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|Function[])} [iteratees=[_.identity]]\n\t * The iteratees to sort by.\n\t * @returns {Array} Returns the new sorted array.\n\t * @example\n\t *\n\t * var users = [\n\t * { 'user': 'fred', 'age': 48 },\n\t * { 'user': 'barney', 'age': 36 },\n\t * { 'user': 'fred', 'age': 40 },\n\t * { 'user': 'barney', 'age': 34 }\n\t * ];\n\t *\n\t * _.sortBy(users, [function(o) { return o.user; }]);\n\t * // => objects for [['barney', 36], ['barney', 34], ['fred', 48], ['fred', 40]]\n\t *\n\t * _.sortBy(users, ['user', 'age']);\n\t * // => objects for [['barney', 34], ['barney', 36], ['fred', 40], ['fred', 48]]\n\t */\n\tvar sortBy = baseRest(function(collection, iteratees) {\n\t if (collection == null) {\n\t return [];\n\t }\n\t var length = iteratees.length;\n\t if (length > 1 && isIterateeCall(collection, iteratees[0], iteratees[1])) {\n\t iteratees = [];\n\t } else if (length > 2 && isIterateeCall(iteratees[0], iteratees[1], iteratees[2])) {\n\t iteratees = [iteratees[0]];\n\t }\n\t return baseOrderBy(collection, baseFlatten(iteratees, 1), []);\n\t});\n\t\n\tmodule.exports = sortBy;\n\n\n/***/ }),\n/* 101 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t/* WEBPACK VAR INJECTION */(function(global, setImmediate) {/*!\n\t * Vue.js v2.5.13\n\t * (c) 2014-2017 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, faster than native\n\t */\n\tfunction bind (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 // record original fn length\n\t boundFn._length = fn.length;\n\t return boundFn\n\t}\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\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 && 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$1 = 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$1++;\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, deep) {\n\t var componentOptions = vnode.componentOptions;\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 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 if (deep) {\n\t if (vnode.children) {\n\t cloned.children = cloneVNodes(vnode.children, true);\n\t }\n\t if (componentOptions && componentOptions.children) {\n\t componentOptions.children = cloneVNodes(componentOptions.children, true);\n\t }\n\t }\n\t return cloned\n\t}\n\t\n\tfunction cloneVNodes (vnodes, deep) {\n\t var len = vnodes.length;\n\t var res = new Array(len);\n\t for (var i = 0; i < len; i++) {\n\t res[i] = cloneVNode(vnodes[i], deep);\n\t }\n\t return res\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 'push',\n\t 'pop',\n\t 'shift',\n\t 'unshift',\n\t 'splice',\n\t 'sort',\n\t 'reverse'\n\t].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 * By default, when a reactive property is set, the new value is\n\t * also converted to become reactive. However when passing down props,\n\t * we don't want to force conversion because the value may be a nested value\n\t * under a frozen data structure. Converting it would defeat the optimization.\n\t */\n\tvar observerState = {\n\t shouldConvert: true\n\t};\n\t\n\t/**\n\t * Observer class that are attached to each observed\n\t * object. Once attached, the observer converts target\n\t * object's property keys into getter/setters that\n\t * collect dependencies and dispatches 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], 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 observerState.shouldConvert &&\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 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 (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 (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 // handle boolean props\n\t if (isType(Boolean, prop.type)) {\n\t if (absent && !hasOwn(prop, 'default')) {\n\t value = false;\n\t } else if (!isType(String, prop.type) && (value === '' || value === hyphenate(key))) {\n\t value = true;\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 prevShouldConvert = observerState.shouldConvert;\n\t observerState.shouldConvert = true;\n\t observe(value);\n\t observerState.shouldConvert = prevShouldConvert;\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 isType (type, fn) {\n\t if (!Array.isArray(fn)) {\n\t return getType(fn) === getType(type)\n\t }\n\t for (var i = 0, len = fn.length; i < len; i++) {\n\t if (getType(fn[i]) === getType(type)) {\n\t return true\n\t }\n\t }\n\t /* istanbul ignore next */\n\t return false\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 micro and macro tasks.\n\t// In < 2.4 we used micro tasks everywhere, but there are some scenarios where\n\t// micro tasks have too high a priority and fires 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 micro task 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 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' &&\n\t Proxy.toString().match(/native code/);\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)) {\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.