diff --git a/.gitignore b/.gitignore index 72fe2ce43..04c61ede7 100644 --- a/.gitignore +++ b/.gitignore @@ -25,6 +25,7 @@ erl_crash.dump # secrets files as long as you replace their contents by environment # variables. /config/*.secret.exs +/config/generated_config.exs # Database setup file, some may forget to delete it /config/setup_db.psql diff --git a/README.md b/README.md index c9053285b..9d1feaae5 100644 --- a/README.md +++ b/README.md @@ -10,15 +10,14 @@ For clients it supports both the [GNU Social API with Qvitter extensions](https: Client applications that are committed to supporting Pleroma: -* Mastalab (Android) -* Tusky (Android) -* Twidere (Android) +* Mastalab (Android, Streaming Ready) +* Tusky (Android, No Streaming) +* Twidere (Android, No Streaming) * Mast (iOS) * Amaroq (iOS) Client applications that are known to work well: -* Pawoo (Android + iOS) * Tootdon (Android + iOS) * Tootle (iOS) * Whalebird (Windows + Mac + Linux) diff --git a/config/config.exs b/config/config.exs index 8b42a5351..c272ef34a 100644 --- a/config/config.exs +++ b/config/config.exs @@ -115,7 +115,7 @@ config :logger, :ex_syslogger, level: :debug, ident: "Pleroma", - format: "$date $time $metadata[$level] $message", + format: "$metadata[$level] $message", metadata: [:request_id] config :mime, :types, %{ diff --git a/docs/config.md b/docs/config.md index e042d216f..ba6807760 100644 --- a/docs/config.md +++ b/docs/config.md @@ -100,6 +100,26 @@ config :pleroma, Pleroma.Mailer, ## :logger * `backends`: `:console` is used to send logs to stdout, `{ExSyslogger, :ex_syslogger}` to log to syslog + +An example to enable ONLY ExSyslogger (f/ex in ``prod.secret.exs``) with info and debug suppressed: +``` +config :logger, + backends: [{ExSyslogger, :ex_syslogger}] + +config :logger, :ex_syslogger, + level: :warn +``` + +Another example, keeping console output and adding the pid to syslog output: +``` +config :logger, + backends: [:console, {ExSyslogger, :ex_syslogger}] + +config :logger, :ex_syslogger, + level: :warn, + option: [:pid, :ndelay] +``` + See: [logger’s documentation](https://hexdocs.pm/logger/Logger.html) and [ex_syslogger’s documentation](https://hexdocs.pm/ex_syslogger/) diff --git a/lib/pleroma/html.ex b/lib/pleroma/html.ex index bf5daa948..b4a4742ee 100644 --- a/lib/pleroma/html.ex +++ b/lib/pleroma/html.ex @@ -59,6 +59,8 @@ defp generate_scrubber_signature(scrubbers) do end) end + def extract_first_external_url(_, nil), do: {:error, "No content"} + def extract_first_external_url(object, content) do key = "URL|#{object.id}" diff --git a/lib/pleroma/user/info.ex b/lib/pleroma/user/info.ex index c6c923aac..9d8779fab 100644 --- a/lib/pleroma/user/info.ex +++ b/lib/pleroma/user/info.ex @@ -23,6 +23,7 @@ defmodule Pleroma.User.Info do field(:ap_enabled, :boolean, default: false) field(:is_moderator, :boolean, default: false) field(:is_admin, :boolean, default: false) + field(:show_role, :boolean, default: true) field(:keys, :string, default: nil) field(:settings, :map, default: nil) field(:magic_key, :string, default: nil) @@ -30,7 +31,8 @@ defmodule Pleroma.User.Info do field(:topic, :string, default: nil) field(:hub, :string, default: nil) field(:salmon, :string, default: nil) - field(:hide_network, :boolean, default: false) + field(:hide_followers, :boolean, default: false) + field(:hide_follows, :boolean, default: false) field(:pinned_activities, {:array, :string}, default: []) # Found in the wild @@ -143,8 +145,10 @@ def profile_update(info, params) do :no_rich_text, :default_scope, :banner, - :hide_network, - :background + :hide_follows, + :hide_followers, + :background, + :show_role ]) end @@ -194,7 +198,8 @@ def admin_api_update(info, params) do info |> cast(params, [ :is_moderator, - :is_admin + :is_admin, + :show_role ]) end diff --git a/lib/pleroma/web/activity_pub/activity_pub.ex b/lib/pleroma/web/activity_pub/activity_pub.ex index 4635e7fcd..b33912721 100644 --- a/lib/pleroma/web/activity_pub/activity_pub.ex +++ b/lib/pleroma/web/activity_pub/activity_pub.ex @@ -521,7 +521,7 @@ defp restrict_actor(query, %{"actor_id" => actor_id}) do defp restrict_actor(query, _), do: query defp restrict_type(query, %{"type" => type}) when is_binary(type) do - restrict_type(query, %{"type" => [type]}) + from(activity in query, where: fragment("?->>'type' = ?", activity.data, ^type)) end defp restrict_type(query, %{"type" => type}) do diff --git a/lib/pleroma/web/activity_pub/activity_pub_controller.ex b/lib/pleroma/web/activity_pub/activity_pub_controller.ex index 4dea6ab83..2cdf132e2 100644 --- a/lib/pleroma/web/activity_pub/activity_pub_controller.ex +++ b/lib/pleroma/web/activity_pub/activity_pub_controller.ex @@ -198,6 +198,14 @@ def relay(conn, _params) do end end + def whoami(%{assigns: %{user: %User{} = user}} = conn, _params) do + conn + |> put_resp_header("content-type", "application/activity+json") + |> json(UserView.render("user.json", %{user: user})) + end + + def whoami(_conn, _params), do: {:error, :not_found} + def read_inbox(%{assigns: %{user: user}} = conn, %{"nickname" => nickname} = params) do if nickname == user.nickname do conn diff --git a/lib/pleroma/web/activity_pub/transmogrifier.ex b/lib/pleroma/web/activity_pub/transmogrifier.ex index 43725c3db..7151efdeb 100644 --- a/lib/pleroma/web/activity_pub/transmogrifier.ex +++ b/lib/pleroma/web/activity_pub/transmogrifier.ex @@ -313,6 +313,8 @@ def fix_tag(%{"tag" => %{"type" => "Hashtag", "name" => hashtag} = tag} = object |> Map.put("tag", combined) end + def fix_tag(%{"tag" => %{} = tag} = object), do: Map.put(object, "tag", [tag]) + def fix_tag(object), do: object # content map usually only has one language so this will do for now. diff --git a/lib/pleroma/web/activity_pub/views/user_view.ex b/lib/pleroma/web/activity_pub/views/user_view.ex index dcf681b6d..43ec2010d 100644 --- a/lib/pleroma/web/activity_pub/views/user_view.ex +++ b/lib/pleroma/web/activity_pub/views/user_view.ex @@ -86,7 +86,7 @@ def render("following.json", %{user: user, page: page}) do query = from(user in query, select: [:ap_id]) following = Repo.all(query) - collection(following, "#{user.ap_id}/following", page, !user.info.hide_network) + collection(following, "#{user.ap_id}/following", page, !user.info.hide_follows) |> Map.merge(Utils.make_json_ld_header()) end @@ -99,7 +99,7 @@ def render("following.json", %{user: user}) do "id" => "#{user.ap_id}/following", "type" => "OrderedCollection", "totalItems" => length(following), - "first" => collection(following, "#{user.ap_id}/following", 1, !user.info.hide_network) + "first" => collection(following, "#{user.ap_id}/following", 1, !user.info.hide_follows) } |> Map.merge(Utils.make_json_ld_header()) end @@ -109,7 +109,7 @@ def render("followers.json", %{user: user, page: page}) do query = from(user in query, select: [:ap_id]) followers = Repo.all(query) - collection(followers, "#{user.ap_id}/followers", page, !user.info.hide_network) + collection(followers, "#{user.ap_id}/followers", page, !user.info.hide_followers) |> Map.merge(Utils.make_json_ld_header()) end @@ -122,7 +122,7 @@ def render("followers.json", %{user: user}) do "id" => "#{user.ap_id}/followers", "type" => "OrderedCollection", "totalItems" => length(followers), - "first" => collection(followers, "#{user.ap_id}/followers", 1, !user.info.hide_network) + "first" => collection(followers, "#{user.ap_id}/followers", 1, !user.info.hide_followers) } |> Map.merge(Utils.make_json_ld_header()) end @@ -239,6 +239,8 @@ def collection(collection, iri, page, show_items \\ true, total \\ nil) do if offset < total do Map.put(map, "next", "#{iri}?page=#{page + 1}") + else + map end end end diff --git a/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex b/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex index 00b39d76b..a93f4297b 100644 --- a/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex +++ b/lib/pleroma/web/mastodon_api/mastodon_api_controller.ex @@ -621,7 +621,7 @@ def followers(%{assigns: %{user: for_user}} = conn, %{"id" => id}) do followers = cond do for_user && user.id == for_user.id -> followers - user.info.hide_network -> [] + user.info.hide_followers -> [] true -> followers end @@ -637,7 +637,7 @@ def following(%{assigns: %{user: for_user}} = conn, %{"id" => id}) do followers = cond do for_user && user.id == for_user.id -> followers - user.info.hide_network -> [] + user.info.hide_follows -> [] true -> followers end diff --git a/lib/pleroma/web/mastodon_api/views/status_view.ex b/lib/pleroma/web/mastodon_api/views/status_view.ex index d1b11d4f1..a227d742d 100644 --- a/lib/pleroma/web/mastodon_api/views/status_view.ex +++ b/lib/pleroma/web/mastodon_api/views/status_view.ex @@ -182,18 +182,24 @@ def render("status.json", _) do end def render("card.json", %{rich_media: rich_media, page_url: page_url}) do + page_url_data = URI.parse(page_url) + page_url_data = if rich_media[:url] != nil do - URI.merge(URI.parse(page_url), URI.parse(rich_media[:url])) + URI.merge(page_url_data, URI.parse(rich_media[:url])) else - page_url + page_url_data end page_url = page_url_data |> to_string image_url = - URI.merge(page_url_data, URI.parse(rich_media[:image])) - |> to_string + if rich_media[:image] != nil do + URI.merge(page_url_data, URI.parse(rich_media[:image])) + |> to_string + else + nil + end site_name = rich_media[:site_name] || page_url_data.host diff --git a/lib/pleroma/web/rich_media/parser.ex b/lib/pleroma/web/rich_media/parser.ex index 32dec9887..38f1cdeec 100644 --- a/lib/pleroma/web/rich_media/parser.ex +++ b/lib/pleroma/web/rich_media/parser.ex @@ -54,22 +54,12 @@ defp check_parsed_data(data) do {:error, "Found metadata was invalid or incomplete: #{inspect(data)}"} end - defp string_is_valid_unicode(data) when is_binary(data) do - data - |> :unicode.characters_to_binary() - |> clean_string() - end - - defp string_is_valid_unicode(data), do: {:ok, data} - - defp clean_string({:error, _, _}), do: {:error, "Invalid data"} - defp clean_string(data), do: {:ok, data} - defp clean_parsed_data(data) do data - |> Enum.reject(fn {_, val} -> - case string_is_valid_unicode(val) do - {:ok, _} -> false + |> Enum.reject(fn {key, val} -> + with {:ok, _} <- Jason.encode(%{key => val}) do + false + else _ -> true end end) diff --git a/lib/pleroma/web/router.ex b/lib/pleroma/web/router.ex index 3f9759ca9..5b5627ce8 100644 --- a/lib/pleroma/web/router.ex +++ b/lib/pleroma/web/router.ex @@ -456,6 +456,7 @@ defmodule Pleroma.Web.Router do scope "/", Pleroma.Web.ActivityPub do pipe_through([:activitypub_client]) + get("/api/ap/whoami", ActivityPubController, :whoami) get("/users/:nickname/inbox", ActivityPubController, :read_inbox) post("/users/:nickname/outbox", ActivityPubController, :update_outbox) end diff --git a/lib/pleroma/web/twitter_api/twitter_api_controller.ex b/lib/pleroma/web/twitter_api/twitter_api_controller.ex index 3064d61ea..b781d981f 100644 --- a/lib/pleroma/web/twitter_api/twitter_api_controller.ex +++ b/lib/pleroma/web/twitter_api/twitter_api_controller.ex @@ -24,7 +24,7 @@ def verify_credentials(%{assigns: %{user: user}} = conn, _params) do conn |> put_view(UserView) - |> render("show.json", %{user: user, token: token}) + |> render("show.json", %{user: user, token: token, for: user}) end def status_update(%{assigns: %{user: user}} = conn, %{"status" => _} = status_data) do @@ -503,7 +503,7 @@ def followers(%{assigns: %{user: for_user}} = conn, params) do followers = cond do for_user && user.id == for_user.id -> followers - user.info.hide_network -> [] + user.info.hide_followers -> [] true -> followers end @@ -523,7 +523,7 @@ def friends(%{assigns: %{user: for_user}} = conn, params) do friends = cond do for_user && user.id == for_user.id -> friends - user.info.hide_network -> [] + user.info.hide_follows -> [] true -> friends end @@ -618,7 +618,7 @@ def raw_empty_array(conn, _params) do defp build_info_cng(user, params) do info_params = - ["no_rich_text", "locked", "hide_network"] + ["no_rich_text", "locked", "hide_followers", "hide_follows", "show_role"] |> Enum.reduce(%{}, fn key, res -> if value = params[key] do Map.put(res, key, value == "true") diff --git a/lib/pleroma/web/twitter_api/views/user_view.ex b/lib/pleroma/web/twitter_api/views/user_view.ex index 15682db8f..cc53dfbc2 100644 --- a/lib/pleroma/web/twitter_api/views/user_view.ex +++ b/lib/pleroma/web/twitter_api/views/user_view.ex @@ -108,7 +108,8 @@ defp do_render("user.json", %{user: user = %User{}} = assigns) do "locked" => user.info.locked, "default_scope" => user.info.default_scope, "no_rich_text" => user.info.no_rich_text, - "hide_network" => user.info.hide_network, + "hide_followers" => user.info.hide_followers, + "hide_follows" => user.info.hide_follows, "fields" => fields, # Pleroma extension @@ -118,6 +119,12 @@ defp do_render("user.json", %{user: user = %User{}} = assigns) do } } + data = + if(user.info.is_admin || user.info.is_moderator, + do: maybe_with_role(data, user, for_user), + else: data + ) + if assigns[:token] do Map.put(data, "token", token_string(assigns[:token])) else @@ -125,6 +132,20 @@ defp do_render("user.json", %{user: user = %User{}} = assigns) do end end + defp maybe_with_role(data, %User{id: id} = user, %User{id: id}) do + Map.merge(data, %{"role" => role(user), "show_role" => user.info.show_role}) + end + + defp maybe_with_role(data, %User{info: %{show_role: true}} = user, _user) do + Map.merge(data, %{"role" => role(user)}) + end + + defp maybe_with_role(data, _, _), do: data + + defp role(%User{info: %{:is_admin => true}}), do: "admin" + defp role(%User{info: %{:is_moderator => true}}), do: "moderator" + defp role(_), do: "member" + defp image_url(%{"url" => [%{"href" => href} | _]}), do: href defp image_url(_), do: nil diff --git a/priv/repo/migrations/20190203185340_split_hide_network.exs b/priv/repo/migrations/20190203185340_split_hide_network.exs new file mode 100644 index 000000000..9c44e8aff --- /dev/null +++ b/priv/repo/migrations/20190203185340_split_hide_network.exs @@ -0,0 +1,12 @@ +defmodule Pleroma.Repo.Migrations.SplitHideNetwork do + use Ecto.Migration + + def up do + execute("UPDATE users SET info = jsonb_set(info, '{hide_network}'::text[], 'false'::jsonb) WHERE NOT(info::jsonb ? 'hide_network')") + execute("UPDATE users SET info = jsonb_set(info, '{hide_followings}'::text[], info->'hide_network')") + execute("UPDATE users SET info = jsonb_set(info, '{hide_followers}'::text[], info->'hide_network')") + end + + def down do + end +end diff --git a/priv/repo/migrations/20190204200237_add_correct_dm_index.exs b/priv/repo/migrations/20190204200237_add_correct_dm_index.exs new file mode 100644 index 000000000..558732cd2 --- /dev/null +++ b/priv/repo/migrations/20190204200237_add_correct_dm_index.exs @@ -0,0 +1,30 @@ +defmodule Pleroma.Repo.Migrations.AddCorrectDMIndex do + use Ecto.Migration + @disable_ddl_transaction true + + def up do + drop_if_exists( + index(:activities, ["activity_visibility(actor, recipients, data)"], + name: :activities_visibility_index + ) + ) + + create( + index(:activities, ["activity_visibility(actor, recipients, data)", "id DESC NULLS LAST"], + name: :activities_visibility_index, + concurrently: true, + where: "data->>'type' = 'Create'" + ) + ) + end + + def down do + drop( + index(:activities, ["activity_visibility(actor, recipients, data)", "id DESC"], + name: :activities_visibility_index, + concurrently: true, + where: "data->>'type' = 'Create'" + ) + ) + end +end diff --git a/priv/static/index.html b/priv/static/index.html index 5884184de..b316d5c1d 100644 --- a/priv/static/index.html +++ b/priv/static/index.html @@ -1 +1 @@ -
20},longSubject:function(){return this.status.summary.length>900},isReply:function(){return!(!this.status.in_reply_to_status_id||!this.status.in_reply_to_user_id)},replyToName:function(){var e=this.$store.state.users.usersObject[this.status.in_reply_to_user_id];return e?e.screen_name:this.status.in_reply_to_screen_name},hideReply:function(){if("all"===this.$store.state.config.replyVisibility)return!1;if(this.inlineExpanded||this.expanded||this.inConversation||!this.isReply)return!1;if(this.status.user.id===this.$store.state.users.currentUser.id)return!1;if("retweet"===this.status.type)return!1;for(var e="following"===this.$store.state.config.replyVisibility,t=0;t 20;\n\t },\n\t longSubject: function longSubject() {\n\t return this.status.summary.length > 900;\n\t },\n\t isReply: function isReply() {\n\t return !!(this.status.in_reply_to_status_id && this.status.in_reply_to_user_id);\n\t },\n\t replyToName: function replyToName() {\n\t var user = this.$store.state.users.usersObject[this.status.in_reply_to_user_id];\n\t if (user) {\n\t return user.screen_name;\n\t } else {\n\t return this.status.in_reply_to_screen_name;\n\t }\n\t },\n\t hideReply: function hideReply() {\n\t if (this.$store.state.config.replyVisibility === 'all') {\n\t return false;\n\t }\n\t if (this.inlineExpanded || this.expanded || this.inConversation || !this.isReply) {\n\t return false;\n\t }\n\t if (this.status.user.id === this.$store.state.users.currentUser.id) {\n\t return false;\n\t }\n\t if (this.status.type === 'retweet') {\n\t return false;\n\t }\n\t var checkFollowing = this.$store.state.config.replyVisibility === 'following';\n\t for (var i = 0; i < this.status.attentions.length; ++i) {\n\t if (this.status.user.id === this.status.attentions[i].id) {\n\t continue;\n\t }\n\t if (checkFollowing && this.status.attentions[i].following) {\n\t return false;\n\t }\n\t if (this.status.attentions[i].id === this.$store.state.users.currentUser.id) {\n\t return false;\n\t }\n\t }\n\t return this.status.attentions.length > 0;\n\t },\n\t hideSubjectStatus: function hideSubjectStatus() {\n\t if (this.tallStatus && !this.localCollapseSubjectDefault) {\n\t return false;\n\t }\n\t return !this.expandingSubject && this.status.summary;\n\t },\n\t hideTallStatus: function hideTallStatus() {\n\t if (this.status.summary && this.localCollapseSubjectDefault) {\n\t return false;\n\t }\n\t if (this.showingTall) {\n\t return false;\n\t }\n\t return this.tallStatus;\n\t },\n\t showingMore: function showingMore() {\n\t return this.tallStatus && this.showingTall || this.status.summary && this.expandingSubject;\n\t },\n\t nsfwClickthrough: function nsfwClickthrough() {\n\t if (!this.status.nsfw) {\n\t return false;\n\t }\n\t if (this.status.summary && this.localCollapseSubjectDefault) {\n\t return false;\n\t }\n\t return true;\n\t },\n\t replySubject: function replySubject() {\n\t if (!this.status.summary) return '';\n\t var behavior = typeof this.$store.state.config.subjectLineBehavior === 'undefined' ? this.$store.state.instance.subjectLineBehavior : this.$store.state.config.subjectLineBehavior;\n\t var startsWithRe = this.status.summary.match(/^re[: ]/i);\n\t if (behavior !== 'noop' && startsWithRe || behavior === 'masto') {\n\t return this.status.summary;\n\t } else if (behavior === 'email') {\n\t return 're: '.concat(this.status.summary);\n\t } else if (behavior === 'noop') {\n\t return '';\n\t }\n\t },\n\t attachmentSize: function attachmentSize() {\n\t if (this.$store.state.config.hideAttachments && !this.inConversation || this.$store.state.config.hideAttachmentsInConv && this.inConversation || this.status.attachments.length > this.maxAttachments) {\n\t return 'hide';\n\t } else if (this.compact) {\n\t return 'small';\n\t }\n\t return 'normal';\n\t },\n\t galleryTypes: function galleryTypes() {\n\t if (this.attachmentSize === 'hide') {\n\t return [];\n\t }\n\t return this.$store.state.config.playVideosInModal ? ['image', 'video'] : ['image'];\n\t },\n\t galleryAttachments: function galleryAttachments() {\n\t var _this = this;\n\t\n\t return this.status.attachments.filter(function (file) {\n\t return _file_type2.default.fileMatchesSomeType(_this.galleryTypes, file);\n\t });\n\t },\n\t nonGalleryAttachments: function nonGalleryAttachments() {\n\t var _this2 = this;\n\t\n\t return this.status.attachments.filter(function (file) {\n\t return !_file_type2.default.fileMatchesSomeType(_this2.galleryTypes, file);\n\t });\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 UserAvatar: _user_avatar2.default,\n\t Gallery: _gallery2.default,\n\t LinkPreview: _linkPreview2.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(event) {\n\t var target = event.target;\n\t\n\t if (target.tagName === 'SPAN') {\n\t target = target.parentNode;\n\t }\n\t if (target.tagName === 'A') {\n\t if (target.className.match(/mention/)) {\n\t var href = target.getAttribute('href');\n\t var attn = this.status.attentions.find(function (attn) {\n\t return (0, _mention_matcher.mentionMatchesUrl)(attn, href);\n\t });\n\t if (attn) {\n\t event.stopPropagation();\n\t event.preventDefault();\n\t var link = this.generateUserProfileLink(attn.id, attn.screen_name);\n\t this.$router.push(link);\n\t return;\n\t }\n\t }\n\t window.open(target.href, '_blank');\n\t }\n\t },\n\t toggleReplying: function toggleReplying() {\n\t this.replying = !this.replying;\n\t },\n\t gotoOriginal: function gotoOriginal(id) {\n\t if (this.inConversation) {\n\t this.$emit('goto', id);\n\t }\n\t },\n\t toggleExpanded: function toggleExpanded() {\n\t this.$emit('toggleExpanded');\n\t },\n\t toggleMute: function toggleMute() {\n\t this.unmuted = !this.unmuted;\n\t },\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t },\n\t toggleShowMore: function toggleShowMore() {\n\t if (this.showingTall) {\n\t this.showingTall = false;\n\t } else if (this.expandingSubject && this.status.summary) {\n\t this.expandingSubject = false;\n\t } else if (this.hideTallStatus) {\n\t this.showingTall = true;\n\t } else if (this.hideSubjectStatus && this.status.summary) {\n\t this.expandingSubject = true;\n\t }\n\t },\n\t replyEnter: function replyEnter(id, event) {\n\t var _this3 = this;\n\t\n\t this.showPreview = true;\n\t var targetId = 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 _this3.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 generateUserProfileLink: function generateUserProfileLink(id, name) {\n\t return (0, _user_profile_link_generator2.default)(id, name, this.$store.state.instance.restrictedNicknames);\n\t },\n\t setMedia: function setMedia() {\n\t var _this4 = this;\n\t\n\t var attachments = this.attachmentSize === 'hide' ? this.status.attachments : this.galleryAttachments;\n\t return function () {\n\t return _this4.$store.dispatch('setMedia', attachments);\n\t };\n\t }\n\t },\n\t watch: {\n\t 'highlight': function highlight(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 - 100);\n\t } else if (rect.height >= window.innerHeight - 50) {\n\t window.scrollBy(0, rect.top - 100);\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 filters: {\n\t capitalize: function capitalize(str) {\n\t return str.charAt(0).toUpperCase() + str.slice(1);\n\t }\n\t }\n\t};\n\t\n\texports.default = Status;\n\n/***/ }),\n/* 270 */\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__(79);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _conversation = __webpack_require__(196);\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/* 271 */\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', 'imageLoadError'],\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 var width = this.$refs.src.naturalWidth;\n\t var height = this.$refs.src.naturalHeight;\n\t canvas.width = width;\n\t canvas.height = height;\n\t canvas.getContext('2d').drawImage(this.$refs.src, 0, 0, width, height);\n\t },\n\t onError: function onError() {\n\t this.imageLoadError && this.imageLoadError();\n\t }\n\t }\n\t};\n\t\n\texports.default = StillImage;\n\n/***/ }),\n/* 272 */\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 _isNan = __webpack_require__(62);\n\t\n\tvar _isNan2 = _interopRequireDefault(_isNan);\n\t\n\tvar _set2 = __webpack_require__(130);\n\t\n\tvar _set3 = _interopRequireDefault(_set2);\n\t\n\tvar _assign = __webpack_require__(31);\n\t\n\tvar _assign2 = _interopRequireDefault(_assign);\n\t\n\tvar _keys = __webpack_require__(43);\n\t\n\tvar _keys2 = _interopRequireDefault(_keys);\n\t\n\tvar _values = __webpack_require__(291);\n\t\n\tvar _values2 = _interopRequireDefault(_values);\n\t\n\tvar _toConsumableArray2 = __webpack_require__(44);\n\t\n\tvar _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2);\n\t\n\tvar _slicedToArray2 = __webpack_require__(16);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _entries = __webpack_require__(63);\n\t\n\tvar _entries2 = _interopRequireDefault(_entries);\n\t\n\tvar _color_convert = __webpack_require__(41);\n\t\n\tvar _vue = __webpack_require__(15);\n\t\n\tvar _style_setter = __webpack_require__(61);\n\t\n\tvar _color_input = __webpack_require__(195);\n\t\n\tvar _color_input2 = _interopRequireDefault(_color_input);\n\t\n\tvar _range_input = __webpack_require__(621);\n\t\n\tvar _range_input2 = _interopRequireDefault(_range_input);\n\t\n\tvar _opacity_input = __webpack_require__(201);\n\t\n\tvar _opacity_input2 = _interopRequireDefault(_opacity_input);\n\t\n\tvar _shadow_control = __webpack_require__(625);\n\t\n\tvar _shadow_control2 = _interopRequireDefault(_shadow_control);\n\t\n\tvar _font_control = __webpack_require__(608);\n\t\n\tvar _font_control2 = _interopRequireDefault(_font_control);\n\t\n\tvar _contrast_ratio = __webpack_require__(600);\n\t\n\tvar _contrast_ratio2 = _interopRequireDefault(_contrast_ratio);\n\t\n\tvar _tab_switcher = __webpack_require__(81);\n\t\n\tvar _tab_switcher2 = _interopRequireDefault(_tab_switcher);\n\t\n\tvar _preview = __webpack_require__(628);\n\t\n\tvar _preview2 = _interopRequireDefault(_preview);\n\t\n\tvar _export_import = __webpack_require__(604);\n\t\n\tvar _export_import2 = _interopRequireDefault(_export_import);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar v1OnlyNames = ['bg', 'fg', 'text', 'link', 'cRed', 'cGreen', 'cBlue', 'cOrange'].map(function (_) {\n\t return _ + 'ColorLocal';\n\t});\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\n\t previewShadows: {},\n\t previewColors: {},\n\t previewRadii: {},\n\t previewFonts: {},\n\t\n\t shadowsInvalid: true,\n\t colorsInvalid: true,\n\t radiiInvalid: true,\n\t\n\t keepColor: false,\n\t keepShadows: false,\n\t keepOpacity: false,\n\t keepRoundness: false,\n\t keepFonts: false,\n\t\n\t textColorLocal: '',\n\t linkColorLocal: '',\n\t\n\t bgColorLocal: '',\n\t bgOpacityLocal: undefined,\n\t\n\t fgColorLocal: '',\n\t fgTextColorLocal: undefined,\n\t fgLinkColorLocal: undefined,\n\t\n\t btnColorLocal: undefined,\n\t btnTextColorLocal: undefined,\n\t btnOpacityLocal: undefined,\n\t\n\t inputColorLocal: undefined,\n\t inputTextColorLocal: undefined,\n\t inputOpacityLocal: undefined,\n\t\n\t panelColorLocal: undefined,\n\t panelTextColorLocal: undefined,\n\t panelLinkColorLocal: undefined,\n\t panelFaintColorLocal: undefined,\n\t panelOpacityLocal: undefined,\n\t\n\t topBarColorLocal: undefined,\n\t topBarTextColorLocal: undefined,\n\t topBarLinkColorLocal: undefined,\n\t\n\t alertErrorColorLocal: undefined,\n\t\n\t badgeOpacityLocal: undefined,\n\t badgeNotificationColorLocal: undefined,\n\t\n\t borderColorLocal: undefined,\n\t borderOpacityLocal: undefined,\n\t\n\t faintColorLocal: undefined,\n\t faintOpacityLocal: undefined,\n\t faintLinkColorLocal: undefined,\n\t\n\t cRedColorLocal: '',\n\t cBlueColorLocal: '',\n\t cGreenColorLocal: '',\n\t cOrangeColorLocal: '',\n\t\n\t shadowSelected: undefined,\n\t shadowsLocal: {},\n\t fontsLocal: {},\n\t\n\t btnRadiusLocal: '',\n\t inputRadiusLocal: '',\n\t checkboxRadiusLocal: '',\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 (0, _style_setter.getThemes)().then(function (themesComplete) {\n\t self.availableStyles = themesComplete;\n\t });\n\t },\n\t mounted: function mounted() {\n\t this.normalizeLocalState(this.$store.state.config.customTheme);\n\t if (typeof this.shadowSelected === 'undefined') {\n\t this.shadowSelected = this.shadowsAvailable[0];\n\t }\n\t },\n\t\n\t computed: {\n\t selectedVersion: function selectedVersion() {\n\t return Array.isArray(this.selected) ? 1 : 2;\n\t },\n\t currentColors: function currentColors() {\n\t return {\n\t bg: this.bgColorLocal,\n\t text: this.textColorLocal,\n\t link: this.linkColorLocal,\n\t\n\t fg: this.fgColorLocal,\n\t fgText: this.fgTextColorLocal,\n\t fgLink: this.fgLinkColorLocal,\n\t\n\t panel: this.panelColorLocal,\n\t panelText: this.panelTextColorLocal,\n\t panelLink: this.panelLinkColorLocal,\n\t panelFaint: this.panelFaintColorLocal,\n\t\n\t input: this.inputColorLocal,\n\t inputText: this.inputTextColorLocal,\n\t\n\t topBar: this.topBarColorLocal,\n\t topBarText: this.topBarTextColorLocal,\n\t topBarLink: this.topBarLinkColorLocal,\n\t\n\t btn: this.btnColorLocal,\n\t btnText: this.btnTextColorLocal,\n\t\n\t alertError: this.alertErrorColorLocal,\n\t badgeNotification: this.badgeNotificationColorLocal,\n\t\n\t faint: this.faintColorLocal,\n\t faintLink: this.faintLinkColorLocal,\n\t border: this.borderColorLocal,\n\t\n\t cRed: this.cRedColorLocal,\n\t cBlue: this.cBlueColorLocal,\n\t cGreen: this.cGreenColorLocal,\n\t cOrange: this.cOrangeColorLocal\n\t };\n\t },\n\t currentOpacity: function currentOpacity() {\n\t return {\n\t bg: this.bgOpacityLocal,\n\t btn: this.btnOpacityLocal,\n\t input: this.inputOpacityLocal,\n\t panel: this.panelOpacityLocal,\n\t topBar: this.topBarOpacityLocal,\n\t border: this.borderOpacityLocal,\n\t faint: this.faintOpacityLocal\n\t };\n\t },\n\t currentRadii: function currentRadii() {\n\t return {\n\t btn: this.btnRadiusLocal,\n\t input: this.inputRadiusLocal,\n\t checkbox: this.checkboxRadiusLocal,\n\t panel: this.panelRadiusLocal,\n\t avatar: this.avatarRadiusLocal,\n\t avatarAlt: this.avatarAltRadiusLocal,\n\t tooltip: this.tooltipRadiusLocal,\n\t attachment: this.attachmentRadiusLocal\n\t };\n\t },\n\t preview: function preview() {\n\t return (0, _style_setter.composePreset)(this.previewColors, this.previewRadii, this.previewShadows, this.previewFonts);\n\t },\n\t previewTheme: function previewTheme() {\n\t if (!this.preview.theme.colors) return { colors: {}, opacity: {}, radii: {}, shadows: {}, fonts: {} };\n\t return this.preview.theme;\n\t },\n\t previewContrast: function previewContrast() {\n\t if (!this.previewTheme.colors.bg) return {};\n\t var colors = this.previewTheme.colors;\n\t var opacity = this.previewTheme.opacity;\n\t if (!colors.bg) return {};\n\t var hints = function hints(ratio) {\n\t return {\n\t text: ratio.toPrecision(3) + ':1',\n\t\n\t aa: ratio >= 4.5,\n\t aaa: ratio >= 7,\n\t\n\t laa: ratio >= 3,\n\t laaa: ratio >= 4.5\n\t };\n\t };\n\t\n\t var fgs = {\n\t text: (0, _color_convert.hex2rgb)(colors.text),\n\t panelText: (0, _color_convert.hex2rgb)(colors.panelText),\n\t panelLink: (0, _color_convert.hex2rgb)(colors.panelLink),\n\t btnText: (0, _color_convert.hex2rgb)(colors.btnText),\n\t topBarText: (0, _color_convert.hex2rgb)(colors.topBarText),\n\t inputText: (0, _color_convert.hex2rgb)(colors.inputText),\n\t\n\t link: (0, _color_convert.hex2rgb)(colors.link),\n\t topBarLink: (0, _color_convert.hex2rgb)(colors.topBarLink),\n\t\n\t red: (0, _color_convert.hex2rgb)(colors.cRed),\n\t green: (0, _color_convert.hex2rgb)(colors.cGreen),\n\t blue: (0, _color_convert.hex2rgb)(colors.cBlue),\n\t orange: (0, _color_convert.hex2rgb)(colors.cOrange)\n\t };\n\t\n\t var bgs = {\n\t bg: (0, _color_convert.hex2rgb)(colors.bg),\n\t btn: (0, _color_convert.hex2rgb)(colors.btn),\n\t panel: (0, _color_convert.hex2rgb)(colors.panel),\n\t topBar: (0, _color_convert.hex2rgb)(colors.topBar),\n\t input: (0, _color_convert.hex2rgb)(colors.input),\n\t alertError: (0, _color_convert.hex2rgb)(colors.alertError),\n\t badgeNotification: (0, _color_convert.hex2rgb)(colors.badgeNotification)\n\t };\n\t\n\t var ratios = {\n\t bgText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.text), fgs.text),\n\t bgLink: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.link), fgs.link),\n\t bgRed: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.red), fgs.red),\n\t bgGreen: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.green), fgs.green),\n\t bgBlue: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.blue), fgs.blue),\n\t bgOrange: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.orange), fgs.orange),\n\t\n\t tintText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, 0.5, fgs.panelText), fgs.text),\n\t\n\t panelText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.panel, opacity.panel, fgs.panelText), fgs.panelText),\n\t panelLink: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.panel, opacity.panel, fgs.panelLink), fgs.panelLink),\n\t\n\t btnText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.btn, opacity.btn, fgs.btnText), fgs.btnText),\n\t\n\t inputText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.input, opacity.input, fgs.inputText), fgs.inputText),\n\t\n\t topBarText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.topBar, opacity.topBar, fgs.topBarText), fgs.topBarText),\n\t topBarLink: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.topBar, opacity.topBar, fgs.topBarLink), fgs.topBarLink)\n\t };\n\t\n\t return (0, _entries2.default)(ratios).reduce(function (acc, _ref) {\n\t var _ref2 = (0, _slicedToArray3.default)(_ref, 2),\n\t k = _ref2[0],\n\t v = _ref2[1];\n\t\n\t acc[k] = hints(v);return acc;\n\t }, {});\n\t },\n\t previewRules: function previewRules() {\n\t if (!this.preview.rules) return '';\n\t return [].concat((0, _toConsumableArray3.default)((0, _values2.default)(this.preview.rules)), ['color: var(--text)', 'font-family: var(--interfaceFont, sans-serif)']).join(';');\n\t },\n\t shadowsAvailable: function shadowsAvailable() {\n\t return (0, _keys2.default)(this.previewTheme.shadows).sort();\n\t },\n\t\n\t currentShadowOverriden: {\n\t get: function get() {\n\t return !!this.currentShadow;\n\t },\n\t set: function set(val) {\n\t if (val) {\n\t (0, _vue.set)(this.shadowsLocal, this.shadowSelected, this.currentShadowFallback.map(function (_) {\n\t return (0, _assign2.default)({}, _);\n\t }));\n\t } else {\n\t (0, _vue.delete)(this.shadowsLocal, this.shadowSelected);\n\t }\n\t }\n\t },\n\t currentShadowFallback: function currentShadowFallback() {\n\t return this.previewTheme.shadows[this.shadowSelected];\n\t },\n\t\n\t currentShadow: {\n\t get: function get() {\n\t return this.shadowsLocal[this.shadowSelected];\n\t },\n\t set: function set(v) {\n\t (0, _vue.set)(this.shadowsLocal, this.shadowSelected, v);\n\t }\n\t },\n\t themeValid: function themeValid() {\n\t return !this.shadowsInvalid && !this.colorsInvalid && !this.radiiInvalid;\n\t },\n\t exportedTheme: function exportedTheme() {\n\t var saveEverything = !this.keepFonts && !this.keepShadows && !this.keepOpacity && !this.keepRoundness && !this.keepColor;\n\t\n\t var theme = {};\n\t\n\t if (this.keepFonts || saveEverything) {\n\t theme.fonts = this.fontsLocal;\n\t }\n\t if (this.keepShadows || saveEverything) {\n\t theme.shadows = this.shadowsLocal;\n\t }\n\t if (this.keepOpacity || saveEverything) {\n\t theme.opacity = this.currentOpacity;\n\t }\n\t if (this.keepColor || saveEverything) {\n\t theme.colors = this.currentColors;\n\t }\n\t if (this.keepRoundness || saveEverything) {\n\t theme.radii = this.currentRadii;\n\t }\n\t\n\t return {\n\t _pleroma_theme_version: 2, theme: theme\n\t };\n\t }\n\t },\n\t components: {\n\t ColorInput: _color_input2.default,\n\t OpacityInput: _opacity_input2.default,\n\t RangeInput: _range_input2.default,\n\t ContrastRatio: _contrast_ratio2.default,\n\t ShadowControl: _shadow_control2.default,\n\t FontControl: _font_control2.default,\n\t TabSwitcher: _tab_switcher2.default,\n\t Preview: _preview2.default,\n\t ExportImport: _export_import2.default\n\t },\n\t methods: {\n\t setCustomTheme: function setCustomTheme() {\n\t this.$store.dispatch('setOption', {\n\t name: 'customTheme',\n\t value: {\n\t shadows: this.shadowsLocal,\n\t fonts: this.fontsLocal,\n\t opacity: this.currentOpacity,\n\t colors: this.currentColors,\n\t radii: this.currentRadii\n\t }\n\t });\n\t },\n\t onImport: function onImport(parsed) {\n\t if (parsed._pleroma_theme_version === 1) {\n\t this.normalizeLocalState(parsed, 1);\n\t } else if (parsed._pleroma_theme_version === 2) {\n\t this.normalizeLocalState(parsed.theme, 2);\n\t }\n\t },\n\t importValidator: function importValidator(parsed) {\n\t var version = parsed._pleroma_theme_version;\n\t return version >= 1 || version <= 2;\n\t },\n\t clearAll: function clearAll() {\n\t var state = this.$store.state.config.customTheme;\n\t var version = state.colors ? 2 : 'l1';\n\t this.normalizeLocalState(this.$store.state.config.customTheme, version);\n\t },\n\t clearV1: function clearV1() {\n\t var _this = this;\n\t\n\t (0, _keys2.default)(this.$data).filter(function (_) {\n\t return _.endsWith('ColorLocal') || _.endsWith('OpacityLocal');\n\t }).filter(function (_) {\n\t return !v1OnlyNames.includes(_);\n\t }).forEach(function (key) {\n\t (0, _vue.set)(_this.$data, key, undefined);\n\t });\n\t },\n\t clearRoundness: function clearRoundness() {\n\t var _this2 = this;\n\t\n\t (0, _keys2.default)(this.$data).filter(function (_) {\n\t return _.endsWith('RadiusLocal');\n\t }).forEach(function (key) {\n\t (0, _vue.set)(_this2.$data, key, undefined);\n\t });\n\t },\n\t clearOpacity: function clearOpacity() {\n\t var _this3 = this;\n\t\n\t (0, _keys2.default)(this.$data).filter(function (_) {\n\t return _.endsWith('OpacityLocal');\n\t }).forEach(function (key) {\n\t (0, _vue.set)(_this3.$data, key, undefined);\n\t });\n\t },\n\t clearShadows: function clearShadows() {\n\t this.shadowsLocal = {};\n\t },\n\t clearFonts: function clearFonts() {\n\t this.fontsLocal = {};\n\t },\n\t normalizeLocalState: function normalizeLocalState(input) {\n\t var _this4 = this;\n\t\n\t var version = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0;\n\t\n\t var colors = input.colors || input;\n\t var radii = input.radii || input;\n\t var opacity = input.opacity;\n\t var shadows = input.shadows || {};\n\t var fonts = input.fonts || {};\n\t\n\t if (version === 0) {\n\t if (input.version) version = input.version;\n\t\n\t if (typeof colors.text === 'undefined' && typeof colors.fg !== 'undefined') {\n\t version = 1;\n\t }\n\t\n\t if (typeof colors.text !== 'undefined' && typeof colors.fg !== 'undefined') {\n\t version = 2;\n\t }\n\t }\n\t\n\t if (version === 1) {\n\t this.fgColorLocal = (0, _color_convert.rgb2hex)(colors.btn);\n\t this.textColorLocal = (0, _color_convert.rgb2hex)(colors.fg);\n\t }\n\t\n\t if (!this.keepColor) {\n\t this.clearV1();\n\t var keys = new _set3.default(version !== 1 ? (0, _keys2.default)(colors) : []);\n\t if (version === 1 || version === 'l1') {\n\t keys.add('bg').add('link').add('cRed').add('cBlue').add('cGreen').add('cOrange');\n\t }\n\t\n\t keys.forEach(function (key) {\n\t _this4[key + 'ColorLocal'] = (0, _color_convert.rgb2hex)(colors[key]);\n\t });\n\t }\n\t\n\t if (!this.keepRoundness) {\n\t this.clearRoundness();\n\t (0, _entries2.default)(radii).forEach(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 var key = k.endsWith('Radius') ? k.split('Radius')[0] : k;\n\t _this4[key + 'RadiusLocal'] = v;\n\t });\n\t }\n\t\n\t if (!this.keepShadows) {\n\t this.clearShadows();\n\t this.shadowsLocal = shadows;\n\t this.shadowSelected = this.shadowsAvailable[0];\n\t }\n\t\n\t if (!this.keepFonts) {\n\t this.clearFonts();\n\t this.fontsLocal = fonts;\n\t }\n\t\n\t if (opacity && !this.keepOpacity) {\n\t this.clearOpacity();\n\t (0, _entries2.default)(opacity).forEach(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 if (typeof v === 'undefined' || v === null || (0, _isNan2.default)(v)) return;\n\t _this4[k + 'OpacityLocal'] = v;\n\t });\n\t }\n\t }\n\t },\n\t watch: {\n\t currentRadii: function currentRadii() {\n\t try {\n\t this.previewRadii = (0, _style_setter.generateRadii)({ radii: this.currentRadii });\n\t this.radiiInvalid = false;\n\t } catch (e) {\n\t this.radiiInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t\n\t shadowsLocal: {\n\t handler: function handler() {\n\t try {\n\t this.previewShadows = (0, _style_setter.generateShadows)({ shadows: this.shadowsLocal });\n\t this.shadowsInvalid = false;\n\t } catch (e) {\n\t this.shadowsInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t\n\t deep: true\n\t },\n\t fontsLocal: {\n\t handler: function handler() {\n\t try {\n\t this.previewFonts = (0, _style_setter.generateFonts)({ fonts: this.fontsLocal });\n\t this.fontsInvalid = false;\n\t } catch (e) {\n\t this.fontsInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t\n\t deep: true\n\t },\n\t currentColors: function currentColors() {\n\t try {\n\t this.previewColors = (0, _style_setter.generateColors)({\n\t opacity: this.currentOpacity,\n\t colors: this.currentColors\n\t });\n\t this.colorsInvalid = false;\n\t } catch (e) {\n\t this.colorsInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t currentOpacity: function currentOpacity() {\n\t try {\n\t this.previewColors = (0, _style_setter.generateColors)({\n\t opacity: this.currentOpacity,\n\t colors: this.currentColors\n\t });\n\t } catch (e) {\n\t console.warn(e);\n\t }\n\t },\n\t selected: function selected() {\n\t if (this.selectedVersion === 1) {\n\t if (!this.keepRoundness) {\n\t this.clearRoundness();\n\t }\n\t\n\t if (!this.keepShadows) {\n\t this.clearShadows();\n\t }\n\t\n\t if (!this.keepOpacity) {\n\t this.clearOpacity();\n\t }\n\t\n\t if (!this.keepColor) {\n\t this.clearV1();\n\t\n\t this.bgColorLocal = this.selected[1];\n\t this.fgColorLocal = this.selected[2];\n\t this.textColorLocal = this.selected[3];\n\t this.linkColorLocal = this.selected[4];\n\t this.cRedColorLocal = this.selected[5];\n\t this.cGreenColorLocal = this.selected[6];\n\t this.cBlueColorLocal = this.selected[7];\n\t this.cOrangeColorLocal = this.selected[8];\n\t }\n\t } else if (this.selectedVersion >= 2) {\n\t this.normalizeLocalState(this.selected.theme, 2);\n\t }\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 273 */\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__(29);\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/* 274 */\n/***/ (function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar TermsOfServicePanel = {\n\t computed: {\n\t content: function content() {\n\t return this.$store.state.instance.tos;\n\t }\n\t }\n\t};\n\t\n\texports.default = TermsOfServicePanel;\n\n/***/ }),\n/* 275 */\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 _throttle2 = __webpack_require__(580);\n\t\n\tvar _throttle3 = _interopRequireDefault(_throttle2);\n\t\n\tvar _status = __webpack_require__(79);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _timeline_fetcherService = __webpack_require__(128);\n\t\n\tvar _timeline_fetcherService2 = _interopRequireDefault(_timeline_fetcherService);\n\t\n\tvar _status_or_conversation = __webpack_require__(627);\n\t\n\tvar _status_or_conversation2 = _interopRequireDefault(_status_or_conversation);\n\t\n\tvar _user_card = __webpack_require__(39);\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', 'embedded'],\n\t data: function data() {\n\t return {\n\t paused: false,\n\t unfocused: false,\n\t bottomedOut: 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 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 classes: function classes() {\n\t return {\n\t root: ['timeline'].concat(!this.embedded ? ['panel', 'panel-default'] : []),\n\t header: ['timeline-heading'].concat(!this.embedded ? ['panel-heading'] : []),\n\t body: ['timeline-body'].concat(!this.embedded ? ['panel-body'] : []),\n\t footer: ['timeline-footer'].concat(!this.embedded ? ['panel-footer'] : [])\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 mounted: function mounted() {\n\t if (typeof document.hidden !== 'undefined') {\n\t document.addEventListener('visibilitychange', this.handleVisibilityChange, false);\n\t this.unfocused = document.hidden;\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t window.removeEventListener('scroll', this.scrollLoad);\n\t if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false);\n\t this.$store.commit('setLoading', { timeline: this.timelineName, value: false });\n\t },\n\t\n\t methods: {\n\t showNewStatuses: function showNewStatuses() {\n\t if (this.timeline.flushMarker !== 0) {\n\t this.$store.commit('clearTimeline', { timeline: this.timelineName });\n\t this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 });\n\t this.fetchOlderStatuses();\n\t } else {\n\t this.$store.commit('showNewStatuses', { timeline: this.timelineName });\n\t this.paused = false;\n\t }\n\t },\n\t\n\t fetchOlderStatuses: (0, _throttle3.default)(function () {\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 (statuses) {\n\t store.commit('setLoading', { timeline: _this.timelineName, value: false });\n\t if (statuses.length === 0) {\n\t _this.bottomedOut = true;\n\t }\n\t });\n\t }, 1000, undefined),\n\t scrollLoad: function scrollLoad(e) {\n\t var bodyBRect = document.body.getBoundingClientRect();\n\t var height = Math.max(bodyBRect.height, -bodyBRect.y);\n\t if (this.timeline.loading === false && this.$store.state.config.autoLoad && this.$el.offsetHeight > 0 && window.innerHeight + window.pageYOffset >= height - 750) {\n\t this.fetchOlderStatuses();\n\t }\n\t },\n\t handleVisibilityChange: function handleVisibilityChange() {\n\t this.unfocused = document.hidden;\n\t }\n\t },\n\t watch: {\n\t newStatusCount: function newStatusCount(count) {\n\t if (!this.$store.state.config.streaming) {\n\t return;\n\t }\n\t if (count > 0) {\n\t if (window.pageYOffset < 15 && !this.paused && !(this.unfocused && this.$store.state.config.pauseOnUnfocused)) {\n\t this.showNewStatuses();\n\t } else {\n\t this.paused = true;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Timeline;\n\n/***/ }),\n/* 276 */\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__(122);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar UserAvatar = {\n\t props: ['src', 'betterShadow', 'compact'],\n\t data: function data() {\n\t return {\n\t showPlaceholder: false\n\t };\n\t },\n\t\n\t components: {\n\t StillImage: _stillImage2.default\n\t },\n\t computed: {\n\t imgSrc: function imgSrc() {\n\t return this.showPlaceholder ? '/images/avi.png' : this.src;\n\t }\n\t },\n\t methods: {\n\t imageLoadError: function imageLoadError() {\n\t this.showPlaceholder = true;\n\t }\n\t }\n\t};\n\t\n\texports.default = UserAvatar;\n\n/***/ }),\n/* 277 */\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__(40);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _user_avatar = __webpack_require__(80);\n\t\n\tvar _user_avatar2 = _interopRequireDefault(_user_avatar);\n\t\n\tvar _user_profile_link_generator = __webpack_require__(30);\n\t\n\tvar _user_profile_link_generator2 = _interopRequireDefault(_user_profile_link_generator);\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 UserAvatar: _user_avatar2.default\n\t },\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t }\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 userProfileLink: function userProfileLink(user) {\n\t return (0, _user_profile_link_generator2.default)(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames);\n\t }\n\t }\n\t};\n\t\n\texports.default = UserCard;\n\n/***/ }),\n/* 278 */\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__(16);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _promise = __webpack_require__(32);\n\t\n\tvar _promise2 = _interopRequireDefault(_promise);\n\t\n\tvar _user_avatar = __webpack_require__(80);\n\t\n\tvar _user_avatar2 = _interopRequireDefault(_user_avatar);\n\t\n\tvar _color_convert = __webpack_require__(41);\n\t\n\tvar _user_profile_link_generator = __webpack_require__(30);\n\t\n\tvar _user_profile_link_generator2 = _interopRequireDefault(_user_profile_link_generator);\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 data: function data() {\n\t return {\n\t followRequestInProgress: false,\n\t followRequestSent: false,\n\t hideUserStatsLocal: typeof this.$store.state.config.hideUserStats === 'undefined' ? this.$store.state.instance.hideUserStats : this.$store.state.config.hideUserStats,\n\t betterShadow: this.$store.state.interface.browserSupport.cssFilter\n\t };\n\t },\n\t\n\t computed: {\n\t headingStyle: function headingStyle() {\n\t var color = this.$store.state.config.customTheme.colors ? this.$store.state.config.customTheme.colors.bg : this.$store.state.config.colors.bg;\n\t\n\t if (color) {\n\t var rgb = typeof color === 'string' ? (0, _color_convert.hex2rgb)(color) : color;\n\t var tintColor = 'rgba(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ', .5)';\n\t\n\t var gradient = [[tintColor, this.hideBio ? '60%' : ''], this.hideBio ? [color, '100%'] : [tintColor, '']].map(function (_) {\n\t return _.join(' ');\n\t }).join(', ');\n\t\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, ' + gradient + ')', 'url(' + this.user.cover_photo + ')'].join(', ')\n\t };\n\t }\n\t },\n\t isOtherUser: function isOtherUser() {\n\t return this.user.id !== this.$store.state.users.currentUser.id;\n\t },\n\t subscribeUrl: function subscribeUrl() {\n\t var serverUrl = new URL(this.user.statusnet_profile_url);\n\t return serverUrl.protocol + '//' + serverUrl.host + '/main/ostatus';\n\t },\n\t loggedIn: function loggedIn() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t dailyAvg: function dailyAvg() {\n\t var days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000));\n\t return Math.round(this.user.statuses_count / days);\n\t },\n\t\n\t userHighlightType: {\n\t get: function get() {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t return data && data.type || 'disabled';\n\t },\n\t set: function set(type) {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t if (type !== 'disabled') {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: data && data.color || '#FFFFFF', type: type });\n\t } else {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined });\n\t }\n\t }\n\t },\n\t userHighlightColor: {\n\t get: function get() {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t return data && data.color;\n\t },\n\t set: function set(color) {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: color });\n\t }\n\t }\n\t },\n\t components: {\n\t UserAvatar: _user_avatar2.default\n\t },\n\t methods: {\n\t followUser: function followUser() {\n\t var _this = this;\n\t\n\t var store = this.$store;\n\t this.followRequestInProgress = true;\n\t store.state.api.backendInteractor.followUser(this.user.id).then(function (followedUser) {\n\t return store.commit('addNewUsers', [followedUser]);\n\t }).then(function () {\n\t if (_this.user.locked) {\n\t _this.followRequestInProgress = false;\n\t _this.followRequestSent = true;\n\t return;\n\t }\n\t\n\t if (_this.user.following) {\n\t _this.followRequestInProgress = false;\n\t return;\n\t }\n\t\n\t var fetchUser = function fetchUser(attempt) {\n\t return new _promise2.default(function (resolve, reject) {\n\t setTimeout(function () {\n\t store.state.api.backendInteractor.fetchUser({ id: _this.user.id }).then(function (user) {\n\t return store.commit('addNewUsers', [user]);\n\t }).then(function () {\n\t return resolve([_this.user.following, attempt]);\n\t }).catch(function (e) {\n\t return reject(e);\n\t });\n\t }, 500);\n\t }).then(function (_ref) {\n\t var _ref2 = (0, _slicedToArray3.default)(_ref, 2),\n\t following = _ref2[0],\n\t attempt = _ref2[1];\n\t\n\t if (!following && attempt <= 3) {\n\t return fetchUser(++attempt);\n\t } else {\n\t return following;\n\t }\n\t });\n\t };\n\t\n\t return fetchUser(1).then(function (following) {\n\t if (following) {\n\t _this.followRequestInProgress = false;\n\t } else {\n\t _this.followRequestInProgress = false;\n\t _this.followRequestSent = true;\n\t }\n\t });\n\t });\n\t },\n\t unfollowUser: function unfollowUser() {\n\t var _this2 = this;\n\t\n\t var store = this.$store;\n\t this.followRequestInProgress = true;\n\t store.state.api.backendInteractor.unfollowUser(this.user.id).then(function (unfollowedUser) {\n\t return store.commit('addNewUsers', [unfollowedUser]);\n\t }).then(function () {\n\t _this2.followRequestInProgress = false;\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 linkClicked: function linkClicked(_ref3) {\n\t var target = _ref3.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 userProfileLink: function userProfileLink(user) {\n\t return (0, _user_profile_link_generator2.default)(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames);\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 279 */\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 this.$router.push({ name: 'user-search', query: { query: username } });\n\t },\n\t toggleHidden: function toggleHidden() {\n\t this.hidden = !this.hidden;\n\t this.$emit('toggled', this.hidden);\n\t }\n\t }\n\t};\n\t\n\texports.default = UserFinder;\n\n/***/ }),\n/* 280 */\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__(199);\n\t\n\tvar _login_form2 = _interopRequireDefault(_login_form);\n\t\n\tvar _post_status_form = __webpack_require__(202);\n\t\n\tvar _post_status_form2 = _interopRequireDefault(_post_status_form);\n\t\n\tvar _user_card_content = __webpack_require__(40);\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/* 281 */\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__(40);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _user_card = __webpack_require__(39);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tvar _timeline = __webpack_require__(29);\n\t\n\tvar _timeline2 = _interopRequireDefault(_timeline);\n\t\n\tvar _follow_list = __webpack_require__(606);\n\t\n\tvar _follow_list2 = _interopRequireDefault(_follow_list);\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.commit('clearTimeline', { timeline: 'favorites' });\n\t this.$store.commit('clearTimeline', { timeline: 'media' });\n\t this.$store.dispatch('startFetching', ['user', this.fetchBy]);\n\t this.$store.dispatch('startFetching', ['media', this.fetchBy]);\n\t this.startFetchFavorites();\n\t if (!this.user.id) {\n\t this.$store.dispatch('fetchUser', this.fetchBy);\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t this.cleanUp(this.userId);\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 favorites: function favorites() {\n\t return this.$store.state.statuses.timelines.favorites;\n\t },\n\t media: function media() {\n\t return this.$store.state.statuses.timelines.media;\n\t },\n\t userId: function userId() {\n\t return this.$route.params.id || this.user.id;\n\t },\n\t userName: function userName() {\n\t return this.$route.params.name || this.user.screen_name;\n\t },\n\t isUs: function isUs() {\n\t return this.userId && this.$store.state.users.currentUser.id && this.userId === this.$store.state.users.currentUser.id;\n\t },\n\t userInStore: function userInStore() {\n\t if (this.isExternal) {\n\t return this.$store.getters.userById(this.userId);\n\t }\n\t return this.$store.getters.userByName(this.userName);\n\t },\n\t user: function user() {\n\t if (this.timeline.statuses[0]) {\n\t return this.timeline.statuses[0].user;\n\t }\n\t if (this.userInStore) {\n\t return this.userInStore;\n\t }\n\t return {};\n\t },\n\t fetchBy: function fetchBy() {\n\t return this.isExternal ? this.userId : this.userName;\n\t },\n\t isExternal: function isExternal() {\n\t return this.$route.name === 'external-user-profile';\n\t }\n\t },\n\t methods: {\n\t startFetchFavorites: function startFetchFavorites() {\n\t if (this.isUs) {\n\t this.$store.dispatch('startFetching', ['favorites', this.fetchBy]);\n\t }\n\t },\n\t startUp: function startUp() {\n\t this.$store.dispatch('startFetching', ['user', this.fetchBy]);\n\t this.$store.dispatch('startFetching', ['media', this.fetchBy]);\n\t\n\t this.startFetchFavorites();\n\t },\n\t cleanUp: function cleanUp() {\n\t this.$store.dispatch('stopFetching', 'user');\n\t this.$store.dispatch('stopFetching', 'favorites');\n\t this.$store.dispatch('stopFetching', 'media');\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.commit('clearTimeline', { timeline: 'favorites' });\n\t this.$store.commit('clearTimeline', { timeline: 'media' });\n\t }\n\t },\n\t watch: {\n\t userName: function userName() {\n\t if (this.isExternal) {\n\t return;\n\t }\n\t this.cleanUp();\n\t this.startUp();\n\t },\n\t userId: function userId() {\n\t if (!this.isExternal) {\n\t return;\n\t }\n\t this.cleanUp();\n\t this.startUp();\n\t }\n\t },\n\t components: {\n\t UserCardContent: _user_card_content2.default,\n\t UserCard: _user_card2.default,\n\t Timeline: _timeline2.default,\n\t FollowList: _follow_list2.default\n\t }\n\t};\n\t\n\texports.default = UserProfile;\n\n/***/ }),\n/* 282 */\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__(39);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tvar _user_search = __webpack_require__(226);\n\t\n\tvar _user_search2 = _interopRequireDefault(_user_search);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar userSearch = {\n\t components: {\n\t UserCard: _user_card2.default\n\t },\n\t props: ['query'],\n\t data: function data() {\n\t return {\n\t username: '',\n\t users: []\n\t };\n\t },\n\t mounted: function mounted() {\n\t this.search(this.query);\n\t },\n\t\n\t watch: {\n\t query: function query(newV) {\n\t this.search(newV);\n\t }\n\t },\n\t methods: {\n\t newQuery: function newQuery(query) {\n\t this.$router.push({ name: 'user-search', query: { query: query } });\n\t },\n\t search: function search(query) {\n\t var _this = this;\n\t\n\t if (!query) {\n\t this.users = [];\n\t return;\n\t }\n\t _user_search2.default.search({ query: query, store: this.$store }).then(function (res) {\n\t _this.users = res;\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = userSearch;\n\n/***/ }),\n/* 283 */\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__(84);\n\t\n\tvar _stringify2 = _interopRequireDefault(_stringify);\n\t\n\tvar _unescape2 = __webpack_require__(585);\n\t\n\tvar _unescape3 = _interopRequireDefault(_unescape2);\n\t\n\tvar _tab_switcher = __webpack_require__(81);\n\t\n\tvar _tab_switcher2 = _interopRequireDefault(_tab_switcher);\n\t\n\tvar _style_switcher = __webpack_require__(203);\n\t\n\tvar _style_switcher2 = _interopRequireDefault(_style_switcher);\n\t\n\tvar _file_size_format = __webpack_require__(126);\n\t\n\tvar _file_size_format2 = _interopRequireDefault(_file_size_format);\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: (0, _unescape3.default)(this.$store.state.users.currentUser.description),\n\t newLocked: this.$store.state.users.currentUser.locked,\n\t newNoRichText: this.$store.state.users.currentUser.no_rich_text,\n\t newDefaultScope: this.$store.state.users.currentUser.default_scope,\n\t hideFollowings: this.$store.state.users.currentUser.hide_followings,\n\t hideFollowers: this.$store.state.users.currentUser.hide_followers,\n\t followList: null,\n\t followImportError: false,\n\t followsImported: false,\n\t enableFollowsExport: true,\n\t avatarUploading: false,\n\t bannerUploading: false,\n\t backgroundUploading: false,\n\t followListUploading: false,\n\t avatarPreview: null,\n\t bannerPreview: null,\n\t backgroundPreview: null,\n\t avatarUploadError: null,\n\t bannerUploadError: null,\n\t backgroundUploadError: null,\n\t deletingAccount: false,\n\t deleteAccountConfirmPasswordInput: '',\n\t deleteAccountError: false,\n\t changePasswordInputs: ['', '', ''],\n\t changedPassword: false,\n\t changePasswordError: false,\n\t activeTab: 'profile'\n\t };\n\t },\n\t\n\t components: {\n\t StyleSwitcher: _style_switcher2.default,\n\t TabSwitcher: _tab_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.instance.pleromaBackend;\n\t },\n\t scopeOptionsEnabled: function scopeOptionsEnabled() {\n\t return this.$store.state.instance.scopeOptionsEnabled;\n\t },\n\t vis: function vis() {\n\t return {\n\t public: { selected: this.newDefaultScope === 'public' },\n\t unlisted: { selected: this.newDefaultScope === 'unlisted' },\n\t private: { selected: this.newDefaultScope === 'private' },\n\t direct: { selected: this.newDefaultScope === 'direct' }\n\t };\n\t }\n\t },\n\t methods: {\n\t updateProfile: function updateProfile() {\n\t var _this = this;\n\t\n\t var name = this.newName;\n\t var description = this.newBio;\n\t var locked = this.newLocked;\n\t\n\t var default_scope = this.newDefaultScope;\n\t var no_rich_text = this.newNoRichText;\n\t var hide_followings = this.hideFollowings;\n\t var hide_followers = this.hideFollowers;\n\t\n\t this.$store.state.api.backendInteractor.updateProfile({\n\t params: {\n\t name: name,\n\t description: description,\n\t locked: locked,\n\t\n\t default_scope: default_scope,\n\t no_rich_text: no_rich_text,\n\t hide_followings: hide_followings,\n\t hide_followers: hide_followers\n\t } }).then(function (user) {\n\t if (!user.error) {\n\t _this.$store.commit('addNewUsers', [user]);\n\t _this.$store.commit('setCurrentUser', user);\n\t }\n\t });\n\t },\n\t changeVis: function changeVis(visibility) {\n\t this.newDefaultScope = visibility;\n\t },\n\t uploadFile: function uploadFile(slot, e) {\n\t var _this2 = this;\n\t\n\t var file = e.target.files[0];\n\t if (!file) {\n\t return;\n\t }\n\t if (file.size > this.$store.state.instance[slot + 'limit']) {\n\t var filesize = _file_size_format2.default.fileSizeFormat(file.size);\n\t var allowedsize = _file_size_format2.default.fileSizeFormat(this.$store.state.instance[slot + 'limit']);\n\t this[slot + 'UploadError'] = this.$t('upload.error.base') + ' ' + this.$t('upload.error.file_too_big', { filesize: filesize.num, filesizeunit: filesize.unit, allowedsize: allowedsize.num, allowedsizeunit: allowedsize.unit });\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[slot + 'Preview'] = img;\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.avatarPreview) {\n\t return;\n\t }\n\t\n\t var img = this.avatarPreview;\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.avatarUploading = 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.avatarPreview = null;\n\t } else {\n\t _this3.avatarUploadError = _this3.$t('upload.error.base') + user.error;\n\t }\n\t _this3.avatarUploading = false;\n\t });\n\t },\n\t clearUploadError: function clearUploadError(slot) {\n\t this[slot + 'UploadError'] = null;\n\t },\n\t submitBanner: function submitBanner() {\n\t var _this4 = this;\n\t\n\t if (!this.bannerPreview) {\n\t return;\n\t }\n\t\n\t var banner = this.bannerPreview;\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.bannerUploading = 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.bannerPreview = null;\n\t } else {\n\t _this4.bannerUploadError = _this4.$t('upload.error.base') + data.error;\n\t }\n\t _this4.bannerUploading = false;\n\t });\n\t },\n\t submitBg: function submitBg() {\n\t var _this5 = this;\n\t\n\t if (!this.backgroundPreview) {\n\t return;\n\t }\n\t var img = this.backgroundPreview;\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.backgroundUploading = 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.backgroundPreview = null;\n\t } else {\n\t _this5.backgroundUploadError = _this5.$t('upload.error.base') + data.error;\n\t }\n\t _this5.backgroundUploading = false;\n\t });\n\t },\n\t importFollows: function importFollows() {\n\t var _this6 = this;\n\t\n\t this.followListUploading = 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.followListUploading = 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 setTimeout(function () {\n\t _this7.enableFollowsExport = true;\n\t }, 2000);\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({ name: 'root' });\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 _this9.logout();\n\t } else {\n\t _this9.changedPassword = false;\n\t _this9.changePasswordError = res.error;\n\t }\n\t });\n\t },\n\t activateTab: function activateTab(tabName) {\n\t this.activeTab = tabName;\n\t },\n\t logout: function logout() {\n\t this.$store.dispatch('logout');\n\t this.$router.replace('/');\n\t }\n\t }\n\t};\n\t\n\texports.default = UserSettings;\n\n/***/ }),\n/* 284 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar VideoAttachment = {\n\t props: ['attachment', 'controls'],\n\t data: function data() {\n\t return {\n\t loopVideo: this.$store.state.config.loopVideo\n\t };\n\t },\n\t\n\t methods: {\n\t onVideoDataLoad: function onVideoDataLoad(e) {\n\t var target = e.srcElement || e.target;\n\t if (typeof target.webkitAudioDecodedByteCount !== 'undefined') {\n\t if (target.webkitAudioDecodedByteCount > 0) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t } else if (typeof target.mozHasAudio !== 'undefined') {\n\t if (target.mozHasAudio) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t } else if (typeof target.audioTracks !== 'undefined') {\n\t if (target.audioTracks.length > 0) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = VideoAttachment;\n\n/***/ }),\n/* 285 */\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__(22);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tvar _user_card = __webpack_require__(39);\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 WhoToFollow = {\n\t components: {\n\t UserCard: _user_card2.default\n\t },\n\t data: function data() {\n\t return {\n\t users: []\n\t };\n\t },\n\t mounted: function mounted() {\n\t this.getWhoToFollow();\n\t },\n\t\n\t methods: {\n\t showWhoToFollow: function showWhoToFollow(reply) {\n\t var _this = this;\n\t\n\t reply.forEach(function (i, index) {\n\t var user = {\n\t id: 0,\n\t name: i.display_name,\n\t screen_name: i.acct,\n\t profile_image_url: i.avatar || '/images/avi.png'\n\t };\n\t _this.users.push(user);\n\t\n\t _this.$store.state.api.backendInteractor.externalProfile(user.screen_name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t _this.$store.commit('addNewUsers', [externalUser]);\n\t user.id = externalUser.id;\n\t }\n\t });\n\t });\n\t },\n\t getWhoToFollow: function getWhoToFollow() {\n\t var _this2 = this;\n\t\n\t var credentials = this.$store.state.users.currentUser.credentials;\n\t if (credentials) {\n\t _apiService2.default.suggestions({ credentials: credentials }).then(function (reply) {\n\t _this2.showWhoToFollow(reply);\n\t });\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = WhoToFollow;\n\n/***/ }),\n/* 286 */\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 _shuffle2 = __webpack_require__(574);\n\t\n\tvar _shuffle3 = _interopRequireDefault(_shuffle2);\n\t\n\tvar _apiService = __webpack_require__(22);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tvar _user_profile_link_generator = __webpack_require__(30);\n\t\n\tvar _user_profile_link_generator2 = _interopRequireDefault(_user_profile_link_generator);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction showWhoToFollow(panel, reply) {\n\t var shuffled = (0, _shuffle3.default)(reply);\n\t\n\t panel.usersToFollow.forEach(function (toFollow, index) {\n\t var user = shuffled[index];\n\t var img = user.avatar || '/images/avi.png';\n\t var name = user.acct;\n\t\n\t toFollow.img = img;\n\t toFollow.name = name;\n\t\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 toFollow.id = externalUser.id;\n\t }\n\t });\n\t });\n\t}\n\t\n\tfunction getWhoToFollow(panel) {\n\t var credentials = panel.$store.state.users.currentUser.credentials;\n\t if (credentials) {\n\t panel.usersToFollow.forEach(function (toFollow) {\n\t toFollow.name = 'Loading...';\n\t });\n\t _apiService2.default.suggestions({ credentials: credentials }).then(function (reply) {\n\t showWhoToFollow(panel, reply);\n\t });\n\t }\n\t}\n\t\n\tvar WhoToFollowPanel = {\n\t data: function data() {\n\t return {\n\t usersToFollow: new Array(3).fill().map(function (x) {\n\t return {\n\t img: '/images/avi.png',\n\t name: '',\n\t id: 0\n\t };\n\t })\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 suggestionsEnabled: function suggestionsEnabled() {\n\t return this.$store.state.instance.suggestionsEnabled;\n\t }\n\t },\n\t methods: {\n\t userProfileLink: function userProfileLink(id, name) {\n\t return (0, _user_profile_link_generator2.default)(id, name, this.$store.state.instance.restrictedNicknames);\n\t }\n\t },\n\t watch: {\n\t user: function user(_user, oldUser) {\n\t if (this.suggestionsEnabled) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t },\n\t mounted: function mounted() {\n\t if (this.suggestionsEnabled) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t};\n\t\n\texports.default = WhoToFollowPanel;\n\n/***/ }),\n/* 287 */,\n/* 288 */,\n/* 289 */,\n/* 290 */,\n/* 291 */,\n/* 292 */,\n/* 293 */,\n/* 294 */,\n/* 295 */,\n/* 296 */,\n/* 297 */,\n/* 298 */,\n/* 299 */,\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/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 355 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 356 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 357 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 358 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 359 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 360 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 361 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 362 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 363 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 364 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 365 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 366 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 367 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 368 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 369 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 370 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 371 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 372 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 373 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 374 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 375 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 376 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 377 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 378 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 379 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 380 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 381 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 382 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 383 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 384 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 385 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 386 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 387 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 388 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 389 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 390 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 391 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 392 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 393 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 394 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 395 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 396 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 397 */,\n/* 398 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"الدردشة\"},\"features_panel\":{\"chat\":\"الدردشة\",\"gopher\":\"غوفر\",\"media_proxy\":\"بروكسي الوسائط\",\"scope_options\":\"\",\"text_limit\":\"الحد الأقصى للنص\",\"title\":\"الميّزات\",\"who_to_follow\":\"للمتابعة\"},\"finder\":{\"error_fetching_user\":\"خطأ أثناء جلب صفحة المستخدم\",\"find_user\":\"البحث عن مستخدِم\"},\"general\":{\"apply\":\"تطبيق\",\"submit\":\"إرسال\"},\"login\":{\"login\":\"تسجيل الدخول\",\"logout\":\"الخروج\",\"password\":\"الكلمة السرية\",\"placeholder\":\"مثال lain\",\"register\":\"انشاء حساب\",\"username\":\"إسم المستخدم\"},\"nav\":{\"chat\":\"الدردشة المحلية\",\"friend_requests\":\"طلبات المتابَعة\",\"mentions\":\"الإشارات\",\"public_tl\":\"الخيط الزمني العام\",\"timeline\":\"الخيط الزمني\",\"twkn\":\"كافة الشبكة المعروفة\"},\"notifications\":{\"broken_favorite\":\"منشور مجهول، جارٍ البحث عنه…\",\"favorited_you\":\"أعجِب بمنشورك\",\"followed_you\":\"يُتابعك\",\"load_older\":\"تحميل الإشعارات الأقدم\",\"notifications\":\"الإخطارات\",\"read\":\"مقروء!\",\"repeated_you\":\"شارَك منشورك\"},\"post_status\":{\"account_not_locked_warning\":\"\",\"account_not_locked_warning_link\":\"مقفل\",\"attachments_sensitive\":\"اعتبر المرفقات كلها كمحتوى حساس\",\"content_type\":{\"plain_text\":\"نص صافٍ\"},\"content_warning\":\"الموضوع (اختياري)\",\"default\":\"وصلت للتوّ إلى لوس أنجلس.\",\"direct_warning\":\"\",\"posting\":\"النشر\",\"scope\":{\"direct\":\"\",\"private\":\"\",\"public\":\"علني - يُنشر على الخيوط الزمنية العمومية\",\"unlisted\":\"غير مُدرَج - لا يُنشَر على الخيوط الزمنية العمومية\"}},\"registration\":{\"bio\":\"السيرة الذاتية\",\"email\":\"عنوان البريد الإلكتروني\",\"fullname\":\"الإسم المعروض\",\"password_confirm\":\"تأكيد الكلمة السرية\",\"registration\":\"التسجيل\",\"token\":\"رمز الدعوة\"},\"settings\":{\"attachmentRadius\":\"المُرفَقات\",\"attachments\":\"المُرفَقات\",\"autoload\":\"\",\"avatar\":\"الصورة الرمزية\",\"avatarAltRadius\":\"الصور الرمزية (الإشعارات)\",\"avatarRadius\":\"الصور الرمزية\",\"background\":\"الخلفية\",\"bio\":\"السيرة الذاتية\",\"btnRadius\":\"الأزرار\",\"cBlue\":\"أزرق (الرد، المتابَعة)\",\"cGreen\":\"أخضر (إعادة النشر)\",\"cOrange\":\"برتقالي (مفضلة)\",\"cRed\":\"أحمر (إلغاء)\",\"change_password\":\"تغيير كلمة السر\",\"change_password_error\":\"وقع هناك خلل أثناء تعديل كلمتك السرية.\",\"changed_password\":\"تم تغيير كلمة المرور بنجاح!\",\"collapse_subject\":\"\",\"confirm_new_password\":\"تأكيد كلمة السر الجديدة\",\"current_avatar\":\"صورتك الرمزية الحالية\",\"current_password\":\"كلمة السر الحالية\",\"current_profile_banner\":\"الرأسية الحالية لصفحتك الشخصية\",\"data_import_export_tab\":\"تصدير واستيراد البيانات\",\"default_vis\":\"أسلوب العرض الافتراضي\",\"delete_account\":\"حذف الحساب\",\"delete_account_description\":\"حذف حسابك و كافة منشوراتك نهائيًا.\",\"delete_account_error\":\"\",\"delete_account_instructions\":\"يُرجى إدخال كلمتك السرية أدناه لتأكيد عملية حذف الحساب.\",\"export_theme\":\"حفظ النموذج\",\"filtering\":\"التصفية\",\"filtering_explanation\":\"سيتم إخفاء كافة المنشورات التي تحتوي على هذه الكلمات، كلمة واحدة في كل سطر\",\"follow_export\":\"تصدير الاشتراكات\",\"follow_export_button\":\"تصدير الاشتراكات كملف csv\",\"follow_export_processing\":\"التصدير جارٍ، سوف يُطلَب منك تنزيل ملفك بعد حين\",\"follow_import\":\"استيراد الاشتراكات\",\"follow_import_error\":\"خطأ أثناء استيراد المتابِعين\",\"follows_imported\":\"\",\"foreground\":\"الأمامية\",\"general\":\"الإعدادات العامة\",\"hide_attachments_in_convo\":\"إخفاء المرفقات على المحادثات\",\"hide_attachments_in_tl\":\"إخفاء المرفقات على الخيط الزمني\",\"hide_post_stats\":\"\",\"hide_user_stats\":\"\",\"import_followers_from_a_csv_file\":\"\",\"import_theme\":\"تحميل نموذج\",\"inputRadius\":\"\",\"instance_default\":\"\",\"interfaceLanguage\":\"لغة الواجهة\",\"invalid_theme_imported\":\"\",\"limited_availability\":\"غير متوفر على متصفحك\",\"links\":\"الروابط\",\"lock_account_description\":\"\",\"loop_video\":\"\",\"loop_video_silent_only\":\"\",\"name\":\"الاسم\",\"name_bio\":\"الاسم والسيرة الذاتية\",\"new_password\":\"كلمة السر الجديدة\",\"no_rich_text_description\":\"\",\"notification_visibility\":\"نوع الإشعارات التي تريد عرضها\",\"notification_visibility_follows\":\"يتابع\",\"notification_visibility_likes\":\"الإعجابات\",\"notification_visibility_mentions\":\"الإشارات\",\"notification_visibility_repeats\":\"\",\"nsfw_clickthrough\":\"\",\"panelRadius\":\"\",\"pause_on_unfocused\":\"\",\"presets\":\"النماذج\",\"profile_background\":\"خلفية الصفحة الشخصية\",\"profile_banner\":\"رأسية الصفحة الشخصية\",\"profile_tab\":\"الملف الشخصي\",\"radii_help\":\"\",\"replies_in_timeline\":\"الردود على الخيط الزمني\",\"reply_link_preview\":\"\",\"reply_visibility_all\":\"عرض كافة الردود\",\"reply_visibility_following\":\"\",\"reply_visibility_self\":\"\",\"saving_err\":\"خطأ أثناء حفظ الإعدادات\",\"saving_ok\":\"تم حفظ الإعدادات\",\"security_tab\":\"الأمان\",\"set_new_avatar\":\"اختيار صورة رمزية جديدة\",\"set_new_profile_background\":\"اختيار خلفية جديدة للملف الشخصي\",\"set_new_profile_banner\":\"اختيار رأسية جديدة للصفحة الشخصية\",\"settings\":\"الإعدادات\",\"stop_gifs\":\"\",\"streaming\":\"\",\"text\":\"النص\",\"theme\":\"المظهر\",\"theme_help\":\"\",\"tooltipRadius\":\"\",\"user_settings\":\"إعدادات المستخدم\",\"values\":{\"false\":\"لا\",\"true\":\"نعم\"}},\"timeline\":{\"collapse\":\"\",\"conversation\":\"محادثة\",\"error_fetching\":\"خطأ أثناء جلب التحديثات\",\"load_older\":\"تحميل المنشورات القديمة\",\"no_retweet_hint\":\"\",\"repeated\":\"\",\"show_new\":\"عرض الجديد\",\"up_to_date\":\"تم تحديثه\"},\"user_card\":{\"approve\":\"قبول\",\"block\":\"حظر\",\"blocked\":\"تم حظره!\",\"deny\":\"رفض\",\"follow\":\"اتبع\",\"followees\":\"\",\"followers\":\"مُتابِعون\",\"following\":\"\",\"follows_you\":\"يتابعك!\",\"mute\":\"كتم\",\"muted\":\"تم كتمه\",\"per_day\":\"في اليوم\",\"remote_follow\":\"مُتابَعة عن بُعد\",\"statuses\":\"المنشورات\"},\"user_profile\":{\"timeline_title\":\"الخيط الزمني للمستخدم\"},\"who_to_follow\":{\"more\":\"المزيد\",\"who_to_follow\":\"للمتابعة\"}}\n\n/***/ }),\n/* 399 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Xat\"},\"features_panel\":{\"chat\":\"Xat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy per multimèdia\",\"scope_options\":\"Opcions d'abast i visibilitat\",\"text_limit\":\"Límit de text\",\"title\":\"Funcionalitats\",\"who_to_follow\":\"A qui seguir\"},\"finder\":{\"error_fetching_user\":\"No s'ha pogut carregar l'usuari/a\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Aplica\",\"submit\":\"Desa\"},\"login\":{\"login\":\"Inicia sessió\",\"logout\":\"Tanca la sessió\",\"password\":\"Contrasenya\",\"placeholder\":\"p.ex.: Maria\",\"register\":\"Registra't\",\"username\":\"Nom d'usuari/a\"},\"nav\":{\"chat\":\"Xat local públic\",\"friend_requests\":\"Soŀlicituds de connexió\",\"mentions\":\"Mencions\",\"public_tl\":\"Flux públic del node\",\"timeline\":\"Flux personal\",\"twkn\":\"Flux de la xarxa coneguda\"},\"notifications\":{\"broken_favorite\":\"No es coneix aquest estat. S'està cercant.\",\"favorited_you\":\"ha marcat un estat teu\",\"followed_you\":\"ha començat a seguir-te\",\"load_older\":\"Carrega més notificacions\",\"notifications\":\"Notificacions\",\"read\":\"Read!\",\"repeated_you\":\"ha repetit el teu estat\"},\"post_status\":{\"account_not_locked_warning\":\"El teu compte no està {0}. Qualsevol persona pot seguir-te per llegir les teves entrades reservades només a seguidores.\",\"account_not_locked_warning_link\":\"bloquejat\",\"attachments_sensitive\":\"Marca l'adjunt com a delicat\",\"content_type\":{\"plain_text\":\"Text pla\"},\"content_warning\":\"Assumpte (opcional)\",\"default\":\"Em sento…\",\"direct_warning\":\"Aquesta entrada només serà visible per les usuràries que etiquetis\",\"posting\":\"Publicació\",\"scope\":{\"direct\":\"Directa - Publica només per les usuàries etiquetades\",\"private\":\"Només seguidors/es - Publica només per comptes que et segueixin\",\"public\":\"Pública - Publica als fluxos públics\",\"unlisted\":\"Silenciosa - No la mostris en fluxos públics\"}},\"registration\":{\"bio\":\"Presentació\",\"email\":\"Correu\",\"fullname\":\"Nom per mostrar\",\"password_confirm\":\"Confirma la contrasenya\",\"registration\":\"Registra't\",\"token\":\"Codi d'invitació\"},\"settings\":{\"attachmentRadius\":\"Adjunts\",\"attachments\":\"Adjunts\",\"autoload\":\"Recarrega automàticament en arribar a sota de tot.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars en les notificacions\",\"avatarRadius\":\"Avatars\",\"background\":\"Fons de pantalla\",\"bio\":\"Presentació\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (respon, segueix)\",\"cGreen\":\"Verd (republica)\",\"cOrange\":\"Taronja (marca com a preferit)\",\"cRed\":\"Vermell (canceŀla)\",\"change_password\":\"Canvia la contrasenya\",\"change_password_error\":\"No s'ha pogut canviar la contrasenya\",\"changed_password\":\"S'ha canviat la contrasenya\",\"collapse_subject\":\"Replega les entrades amb títol\",\"confirm_new_password\":\"Confirma la nova contrasenya\",\"current_avatar\":\"L'avatar actual\",\"current_password\":\"La contrasenya actual\",\"current_profile_banner\":\"El fons de perfil actual\",\"data_import_export_tab\":\"Importa o exporta dades\",\"default_vis\":\"Abast per defecte de les entrades\",\"delete_account\":\"Esborra el compte\",\"delete_account_description\":\"Esborra permanentment el teu compte i tots els missatges\",\"delete_account_error\":\"No s'ha pogut esborrar el compte. Si continua el problema, contacta amb l'administració del node\",\"delete_account_instructions\":\"Confirma que vols esborrar el compte escrivint la teva contrasenya aquí sota\",\"export_theme\":\"Desa el tema\",\"filtering\":\"Filtres\",\"filtering_explanation\":\"Es silenciaran totes les entrades que continguin aquestes paraules. Separa-les per línies\",\"follow_export\":\"Exporta la llista de contactes\",\"follow_export_button\":\"Exporta tots els comptes que segueixes a un fitxer CSV\",\"follow_export_processing\":\"S'està processant la petició. Aviat podràs descarregar el fitxer\",\"follow_import\":\"Importa els contactes\",\"follow_import_error\":\"No s'ha pogut importar els contactes\",\"follows_imported\":\"S'han importat els contactes. Trigaran una estoneta en ser processats.\",\"foreground\":\"Primer pla\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Amaga els adjunts en les converses\",\"hide_attachments_in_tl\":\"Amaga els adjunts en el flux d'entrades\",\"import_followers_from_a_csv_file\":\"Importa els contactes des d'un fitxer CSV\",\"import_theme\":\"Carrega un tema\",\"inputRadius\":\"Caixes d'entrada de text\",\"instance_default\":\"(default: {value})\",\"interfaceLanguage\":\"Llengua de la interfície\",\"invalid_theme_imported\":\"No s'ha entès l'arxiu carregat perquè no és un tema vàlid de Pleroma. No s'ha fet cap canvi als temes actuals.\",\"limited_availability\":\"No està disponible en aquest navegador\",\"links\":\"Enllaços\",\"lock_account_description\":\"Restringeix el teu compte només a seguidores aprovades.\",\"loop_video\":\"Reprodueix els vídeos en bucle\",\"loop_video_silent_only\":\"Reprodueix en bucles només els vídeos sense so (com els \\\"GIF\\\" de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom i presentació\",\"new_password\":\"Contrasenya nova\",\"notification_visibility\":\"Notifica'm quan algú\",\"notification_visibility_follows\":\"Comença a seguir-me\",\"notification_visibility_likes\":\"Marca com a preferida una entrada meva\",\"notification_visibility_mentions\":\"Em menciona\",\"notification_visibility_repeats\":\"Republica una entrada meva\",\"no_rich_text_description\":\"Neteja el formatat de text de totes les entrades\",\"nsfw_clickthrough\":\"Amaga el contingut NSFW darrer d'una imatge clicable\",\"panelRadius\":\"Panells\",\"pause_on_unfocused\":\"Pausa la reproducció en continu quan la pestanya perdi el focus\",\"presets\":\"Temes\",\"profile_background\":\"Fons de pantalla\",\"profile_banner\":\"Fons de perfil\",\"profile_tab\":\"Perfil\",\"radii_help\":\"Configura l'arrodoniment de les vores (en píxels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Mostra el missatge citat en passar el ratolí per sobre de l'enllaç de resposta\",\"reply_visibility_all\":\"Mostra totes les respostes\",\"reply_visibility_following\":\"Mostra només les respostes a entrades meves o d'usuàries que jo segueixo\",\"reply_visibility_self\":\"Mostra només les respostes a entrades meves\",\"saving_err\":\"No s'ha pogut desar la configuració\",\"saving_ok\":\"S'ha desat la configuració\",\"security_tab\":\"Seguretat\",\"set_new_avatar\":\"Canvia l'avatar\",\"set_new_profile_background\":\"Canvia el fons de pantalla\",\"set_new_profile_banner\":\"Canvia el fons del perfil\",\"settings\":\"Configuració\",\"stop_gifs\":\"Anima els GIF només en passar-hi el ratolí per sobre\",\"streaming\":\"Carrega automàticament entrades noves quan estigui a dalt de tot\",\"text\":\"Text\",\"theme\":\"Tema\",\"theme_help\":\"Personalitza els colors del tema. Escriu-los en format RGB hexadecimal (#rrggbb)\",\"tooltipRadius\":\"Missatges sobreposats\",\"user_settings\":\"Configuració personal\",\"values\":{\"false\":\"no\",\"true\":\"sí\"}},\"timeline\":{\"collapse\":\"Replega\",\"conversation\":\"Conversa\",\"error_fetching\":\"S'ha produït un error en carregar les entrades\",\"load_older\":\"Carrega entrades anteriors\",\"no_retweet_hint\":\"L'entrada és només per a seguidores o és \\\"directa\\\", i per tant no es pot republicar\",\"repeated\":\"republicat\",\"show_new\":\"Mostra els nous\",\"up_to_date\":\"Actualitzat\"},\"user_card\":{\"approve\":\"Aprova\",\"block\":\"Bloqueja\",\"blocked\":\"Bloquejat!\",\"deny\":\"Denega\",\"follow\":\"Segueix\",\"followees\":\"Segueixo\",\"followers\":\"Seguidors/es\",\"following\":\"Seguint!\",\"follows_you\":\"Et segueix!\",\"mute\":\"Silencia\",\"muted\":\"Silenciat\",\"per_day\":\"per dia\",\"remote_follow\":\"Seguiment remot\",\"statuses\":\"Estats\"},\"user_profile\":{\"timeline_title\":\"Flux personal\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"A qui seguir\"}}\n\n/***/ }),\n/* 400 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media Proxy\",\"scope_options\":\"Reichweitenoptionen\",\"text_limit\":\"Textlimit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Fehler beim Suchen des Benutzers\",\"find_user\":\"Finde Benutzer\"},\"general\":{\"apply\":\"Anwenden\",\"submit\":\"Absenden\"},\"login\":{\"login\":\"Anmelden\",\"description\":\"Mit OAuth anmelden\",\"logout\":\"Abmelden\",\"password\":\"Passwort\",\"placeholder\":\"z.B. lain\",\"register\":\"Registrieren\",\"username\":\"Benutzername\"},\"nav\":{\"back\":\"Zurück\",\"chat\":\"Lokaler Chat\",\"friend_requests\":\"Followanfragen\",\"mentions\":\"Erwähnungen\",\"dms\":\"Direktnachrichten\",\"public_tl\":\"Öffentliche Zeitleiste\",\"timeline\":\"Zeitleiste\",\"twkn\":\"Das gesamte bekannte Netzwerk\",\"user_search\":\"Benutzersuche\",\"preferences\":\"Voreinstellungen\"},\"notifications\":{\"broken_favorite\":\"Unbekannte Nachricht, suche danach...\",\"favorited_you\":\"favorisierte deine Nachricht\",\"followed_you\":\"folgt dir\",\"load_older\":\"Ältere Benachrichtigungen laden\",\"notifications\":\"Benachrichtigungen\",\"read\":\"Gelesen!\",\"repeated_you\":\"wiederholte deine Nachricht\"},\"post_status\":{\"new_status\":\"Neuen Status veröffentlichen\",\"account_not_locked_warning\":\"Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.\",\"account_not_locked_warning_link\":\"gesperrt\",\"attachments_sensitive\":\"Anhänge als heikel markieren\",\"content_type\":{\"plain_text\":\"Nur Text\"},\"content_warning\":\"Betreff (optional)\",\"default\":\"Sitze gerade im Hofbräuhaus.\",\"direct_warning\":\"Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.\",\"posting\":\"Veröffentlichen\",\"scope\":{\"direct\":\"Direkt - Beitrag nur an erwähnte Profile\",\"private\":\"Nur Follower - Beitrag nur für Follower sichtbar\",\"public\":\"Öffentlich - Beitrag an öffentliche Zeitleisten\",\"unlisted\":\"Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Angezeigter Name\",\"password_confirm\":\"Passwort bestätigen\",\"registration\":\"Registrierung\",\"token\":\"Einladungsschlüssel\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Zum Erstellen eines neuen Captcha auf das Bild klicken.\",\"validations\":{\"username_required\":\"darf nicht leer sein\",\"fullname_required\":\"darf nicht leer sein\",\"email_required\":\"darf nicht leer sein\",\"password_required\":\"darf nicht leer sein\",\"password_confirmation_required\":\"darf nicht leer sein\",\"password_confirmation_match\":\"sollte mit dem Passwort identisch sein.\"}},\"settings\":{\"attachmentRadius\":\"Anhänge\",\"attachments\":\"Anhänge\",\"autoload\":\"Aktiviere automatisches Laden von älteren Beiträgen beim scrollen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatare (Benachrichtigungen)\",\"avatarRadius\":\"Avatare\",\"background\":\"Hintergrund\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blau (Antworten, Folgt dir)\",\"cGreen\":\"Grün (Retweet)\",\"cOrange\":\"Orange (Favorisieren)\",\"cRed\":\"Rot (Abbrechen)\",\"change_password\":\"Passwort ändern\",\"change_password_error\":\"Es gab ein Problem bei der Änderung des Passworts.\",\"changed_password\":\"Passwort erfolgreich geändert!\",\"collapse_subject\":\"Beiträge mit Betreff einklappen\",\"composing\":\"Verfassen\",\"confirm_new_password\":\"Neues Passwort bestätigen\",\"current_avatar\":\"Dein derzeitiger Avatar\",\"current_password\":\"Aktuelles Passwort\",\"current_profile_banner\":\"Der derzeitige Banner deines Profils\",\"data_import_export_tab\":\"Datenimport/-export\",\"default_vis\":\"Standard-Sichtbarkeitsumfang\",\"delete_account\":\"Account löschen\",\"delete_account_description\":\"Lösche deinen Account und alle deine Nachrichten unwiderruflich.\",\"delete_account_error\":\"Es ist ein Fehler beim Löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.\",\"delete_account_instructions\":\"Tippe dein Passwort unten in das Feld ein, um die Löschung deines Accounts zu bestätigen.\",\"export_theme\":\"Farbschema speichern\",\"filtering\":\"Filtern\",\"filtering_explanation\":\"Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.\",\"follow_export\":\"Follower exportieren\",\"follow_export_button\":\"Exportiere deine Follows in eine csv-Datei\",\"follow_export_processing\":\"In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.\",\"follow_import\":\"Followers importieren\",\"follow_import_error\":\"Fehler beim importieren der Follower\",\"follows_imported\":\"Followers importiert! Die Bearbeitung kann eine Zeit lang dauern.\",\"foreground\":\"Vordergrund\",\"general\":\"Allgemein\",\"hide_attachments_in_convo\":\"Anhänge in Unterhaltungen ausblenden\",\"hide_attachments_in_tl\":\"Anhänge in der Zeitleiste ausblenden\",\"hide_isp\":\"Instanz-spezifisches Panel ausblenden\",\"preload_images\":\"Bilder vorausladen\",\"hide_post_stats\":\"Beitragsstatistiken verbergen (z.B. die Anzahl der Favoriten)\",\"hide_user_stats\":\"Benutzerstatistiken verbergen (z.B. die Anzahl der Follower)\",\"import_followers_from_a_csv_file\":\"Importiere Follower, denen du folgen möchtest, aus einer CSV-Datei\",\"import_theme\":\"Farbschema laden\",\"inputRadius\":\"Eingabefelder\",\"checkboxRadius\":\"Auswahlfelder\",\"instance_default\":\"(Standard: {value})\",\"instance_default_simple\":\"(Standard)\",\"interface\":\"Oberfläche\",\"interfaceLanguage\":\"Sprache der Oberfläche\",\"invalid_theme_imported\":\"Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.\",\"limited_availability\":\"In deinem Browser nicht verfügbar\",\"links\":\"Links\",\"lock_account_description\":\"Sperre deinen Account, um neue Follower zu genehmigen oder abzulehnen\",\"loop_video\":\"Videos wiederholen\",\"loop_video_silent_only\":\"Nur Videos ohne Ton wiederholen (z.B. Mastodons \\\"gifs\\\")\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"Neues Passwort\",\"notification_visibility\":\"Benachrichtigungstypen, die angezeigt werden sollen\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Favoriten\",\"notification_visibility_mentions\":\"Erwähnungen\",\"notification_visibility_repeats\":\"Wiederholungen\",\"no_rich_text_description\":\"Rich-Text Formatierungen von allen Beiträgen entfernen\",\"hide_followings_description\":\"Zeige nicht, wem ich folge\",\"hide_followers_description\":\"Zeige nicht, wer mir folgt\",\"nsfw_clickthrough\":\"Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Streaming pausieren, wenn das Tab nicht fokussiert ist\",\"presets\":\"Voreinstellungen\",\"profile_background\":\"Profilhintergrund\",\"profile_banner\":\"Profilbanner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Kantenrundung (in Pixel) der Oberfläche anpassen\",\"replies_in_timeline\":\"Antworten in der Zeitleiste\",\"reply_link_preview\":\"Antwortlink-Vorschau beim Überfahren mit der Maus aktivieren\",\"reply_visibility_all\":\"Alle Antworten zeigen\",\"reply_visibility_following\":\"Zeige nur Antworten an mich oder an Benutzer, denen ich folge\",\"reply_visibility_self\":\"Nur Antworten an mich anzeigen\",\"saving_err\":\"Fehler beim Speichern der Einstellungen\",\"saving_ok\":\"Einstellungen gespeichert\",\"security_tab\":\"Sicherheit\",\"scope_copy\":\"Reichweite beim Antworten übernehmen (Direktnachrichten werden immer kopiert)\",\"set_new_avatar\":\"Setze einen neuen Avatar\",\"set_new_profile_background\":\"Setze einen neuen Hintergrund für dein Profil\",\"set_new_profile_banner\":\"Setze einen neuen Banner für dein Profil\",\"settings\":\"Einstellungen\",\"subject_input_always_show\":\"Betreff-Feld immer anzeigen\",\"subject_line_behavior\":\"Betreff beim Antworten kopieren\",\"subject_line_email\":\"Wie Email: \\\"re: Betreff\\\"\",\"subject_line_mastodon\":\"Wie Mastodon: unverändert kopieren\",\"subject_line_noop\":\"Nicht kopieren\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Aktiviere automatisches Laden (Streaming) von neuen Beiträgen\",\"text\":\"Text\",\"theme\":\"Farbschema\",\"theme_help\":\"Benutze HTML-Farbcodes (#rrggbb) um dein Farbschema anzupassen\",\"theme_help_v2_1\":\"Du kannst auch die Farben und die Deckkraft bestimmter Komponenten überschreiben, indem du das Kontrollkästchen umschaltest. Verwende die Schaltfläche \\\"Alle löschen\\\", um alle Überschreibungen zurückzusetzen.\",\"theme_help_v2_2\":\"Unter einigen Einträgen befinden sich Symbole für Hintergrund-/Textkontrastindikatoren, für detaillierte Informationen fahre mit der Maus darüber. Bitte beachte, dass bei der Verwendung von Transparenz Kontrastindikatoren den schlechtest möglichen Fall darstellen.\",\"tooltipRadius\":\"Tooltips/Warnungen\",\"user_settings\":\"Benutzereinstellungen\",\"values\":{\"false\":\"nein\",\"true\":\"Ja\"},\"notifications\":\"Benachrichtigungen\",\"enable_web_push_notifications\":\"Web-Pushbenachrichtigungen aktivieren\",\"style\":{\"switcher\":{\"keep_color\":\"Farben beibehalten\",\"keep_shadows\":\"Schatten beibehalten\",\"keep_opacity\":\"Deckkraft beibehalten\",\"keep_roundness\":\"Abrundungen beibehalten\",\"keep_fonts\":\"Schriften beibehalten\",\"save_load_hint\":\"Die \\\"Beibehalten\\\"-Optionen behalten die aktuell eingestellten Optionen beim Auswählen oder Laden von Designs bei, sie speichern diese Optionen auch beim Exportieren eines Designs. Wenn alle Kontrollkästchen deaktiviert sind, wird beim Exportieren des Designs alles gespeichert.\",\"reset\":\"Zurücksetzen\",\"clear_all\":\"Alles leeren\",\"clear_opacity\":\"Deckkraft leeren\"},\"common\":{\"color\":\"Farbe\",\"opacity\":\"Deckkraft\",\"contrast\":{\"hint\":\"Das Kontrastverhältnis ist {ratio}, es {level} {context}\",\"level\":{\"aa\":\"entspricht Level AA Richtlinie (minimum)\",\"aaa\":\"entspricht Level AAA Richtlinie (empfohlen)\",\"bad\":\"entspricht keiner Richtlinien zur Barrierefreiheit\"},\"context\":{\"18pt\":\"für großen (18pt+) Text\",\"text\":\"für Text\"}}},\"common_colors\":{\"_tab_label\":\"Allgemein\",\"main\":\"Allgemeine Farben\",\"foreground_hint\":\"Siehe Reiter \\\"Erweitert\\\" für eine detailliertere Einstellungen\",\"rgbo\":\"Symbole, Betonungen, Kennzeichnungen\"},\"advanced_colors\":{\"_tab_label\":\"Erweitert\",\"alert\":\"Warnhinweis-Hintergrund\",\"alert_error\":\"Fehler\",\"badge\":\"Kennzeichnungs-Hintergrund\",\"badge_notification\":\"Benachrichtigung\",\"panel_header\":\"Panel-Kopf\",\"top_bar\":\"Obere Leiste\",\"borders\":\"Rahmen\",\"buttons\":\"Schaltflächen\",\"inputs\":\"Eingabefelder\",\"faint_text\":\"Verblasster Text\"},\"radii\":{\"_tab_label\":\"Abrundungen\"},\"shadows\":{\"_tab_label\":\"Schatten und Beleuchtung\",\"component\":\"Komponente\",\"override\":\"Überschreiben\",\"shadow_id\":\"Schatten #{value}\",\"blur\":\"Unschärfe\",\"spread\":\"Streuung\",\"inset\":\"Einsatz\",\"hint\":\"Für Schatten kannst du auch --variable als Farbwert verwenden, um CSS3-Variablen zu verwenden. Bitte beachte, dass die Einstellung der Deckkraft in diesem Fall nicht funktioniert.\",\"filter_hint\":{\"always_drop_shadow\":\"Achtung, dieser Schatten verwendet immer {0}, wenn der Browser dies unterstützt.\",\"drop_shadow_syntax\":\"{0} unterstützt Parameter {1} und Schlüsselwort {2} nicht.\",\"avatar_inset\":\"Bitte beachte, dass die Kombination von eingesetzten und nicht eingesetzten Schatten auf Avataren zu unerwarteten Ergebnissen bei transparenten Avataren führen kann.\",\"spread_zero\":\"Schatten mit einer Streuung > 0 erscheinen so, als ob sie auf Null gesetzt wären.\",\"inset_classic\":\"Eingesetzte Schatten werden mit {0} verwendet\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel-Kopf\",\"topBar\":\"Obere Leiste\",\"avatar\":\"Benutzer-Avatar (in der Profilansicht)\",\"avatarStatus\":\"Benutzer-Avatar (in der Beitragsanzeige)\",\"popup\":\"Dialogfenster und Hinweistexte\",\"button\":\"Schaltfläche\",\"buttonHover\":\"Schaltfläche (hover)\",\"buttonPressed\":\"Schaltfläche (gedrückt)\",\"buttonPressedHover\":\"Schaltfläche (gedrückt+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Schriften\",\"help\":\"Wähl die Schriftart, die für Elemente der Benutzeroberfläche verwendet werden soll. Für \\\" Benutzerdefiniert\\\" musst du den genauen Schriftnamen eingeben, wie er im System angezeigt wird.\",\"components\":{\"interface\":\"Oberfläche\",\"input\":\"Eingabefelder\",\"post\":\"Beitragstext\",\"postCode\":\"Dicktengleicher Text in einem Beitrag (Rich-Text)\"},\"family\":\"Schriftname\",\"size\":\"Größe (in px)\",\"weight\":\"Gewicht (Dicke)\",\"custom\":\"Benutzerdefiniert\"},\"preview\":{\"header\":\"Vorschau\",\"content\":\"Inhalt\",\"error\":\"Beispielfehler\",\"button\":\"Schaltfläche\",\"text\":\"Ein Haufen mehr von {0} und {1}\",\"mono\":\"Inhalt\",\"input\":\"Sitze gerade im Hofbräuhaus.\",\"faint_link\":\"Hilfreiche Anleitung\",\"fine_print\":\"Lies unser {0}, um nichts Nützliches zu lernen!\",\"header_faint\":\"Das ist in Ordnung\",\"checkbox\":\"Ich habe die Allgemeinen Geschäftsbedingungen überflogen\",\"link\":\"ein netter kleiner Link\"}}},\"timeline\":{\"collapse\":\"Einklappen\",\"conversation\":\"Unterhaltung\",\"error_fetching\":\"Fehler beim Laden\",\"load_older\":\"Lade ältere Beiträge\",\"no_retweet_hint\":\"Der Beitrag ist als nur-für-Follower oder als Direktnachricht markiert und kann nicht wiederholt werden.\",\"repeated\":\"wiederholte\",\"show_new\":\"Zeige Neuere\",\"up_to_date\":\"Aktuell\"},\"user_card\":{\"approve\":\"Genehmigen\",\"block\":\"Blockieren\",\"blocked\":\"Blockiert!\",\"deny\":\"Ablehnen\",\"follow\":\"Folgen\",\"follow_sent\":\"Anfrage gesendet!\",\"follow_progress\":\"Anfragen…\",\"follow_again\":\"Anfrage erneut senden?\",\"follow_unfollow\":\"Folgen beenden\",\"followees\":\"Folgt\",\"followers\":\"Followers\",\"following\":\"Folgst du!\",\"follows_you\":\"Folgt dir!\",\"its_you\":\"Das bist du!\",\"mute\":\"Stummschalten\",\"muted\":\"Stummgeschaltet\",\"per_day\":\"pro Tag\",\"remote_follow\":\"Folgen\",\"statuses\":\"Beiträge\"},\"user_profile\":{\"timeline_title\":\"Beiträge\"},\"who_to_follow\":{\"more\":\"Mehr\",\"who_to_follow\":\"Wem soll ich folgen\"},\"tool_tip\":{\"media_upload\":\"Medien hochladen\",\"repeat\":\"Wiederholen\",\"reply\":\"Antworten\",\"favorite\":\"Favorisieren\",\"user_settings\":\"Benutzereinstellungen\"},\"upload\":{\"error\":{\"base\":\"Hochladen fehlgeschlagen.\",\"file_too_big\":\"Datei ist zu groß [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Bitte versuche es später erneut\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 401 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Scope options\",\"text_limit\":\"Text limit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Error fetching user\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Apply\",\"submit\":\"Submit\",\"more\":\"More\",\"generic_error\":\"An error occured\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in with OAuth\",\"logout\":\"Log out\",\"password\":\"Password\",\"placeholder\":\"e.g. lain\",\"register\":\"Register\",\"username\":\"Username\"},\"nav\":{\"about\":\"About\",\"back\":\"Back\",\"chat\":\"Local Chat\",\"friend_requests\":\"Follow Requests\",\"mentions\":\"Mentions\",\"dms\":\"Direct Messages\",\"public_tl\":\"Public Timeline\",\"timeline\":\"Timeline\",\"twkn\":\"The Whole Known Network\",\"user_search\":\"User Search\",\"who_to_follow\":\"Who to follow\",\"preferences\":\"Preferences\"},\"notifications\":{\"broken_favorite\":\"Unknown status, searching for it...\",\"favorited_you\":\"favorited your status\",\"followed_you\":\"followed you\",\"load_older\":\"Load older notifications\",\"notifications\":\"Notifications\",\"read\":\"Read!\",\"repeated_you\":\"repeated your status\",\"no_more_notifications\":\"No more notifications\"},\"post_status\":{\"new_status\":\"Post new status\",\"account_not_locked_warning\":\"Your account is not {0}. Anyone can follow you to view your follower-only posts.\",\"account_not_locked_warning_link\":\"locked\",\"attachments_sensitive\":\"Mark attachments as sensitive\",\"content_type\":{\"plain_text\":\"Plain text\"},\"content_warning\":\"Subject (optional)\",\"default\":\"Just landed in L.A.\",\"direct_warning\":\"This post will only be visible to all the mentioned users.\",\"posting\":\"Posting\",\"scope\":{\"direct\":\"Direct - Post to mentioned users only\",\"private\":\"Followers-only - Post to followers only\",\"public\":\"Public - Post to public timelines\",\"unlisted\":\"Unlisted - Do not post to public timelines\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Display name\",\"password_confirm\":\"Password confirmation\",\"registration\":\"Registration\",\"token\":\"Invite token\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Click the image to get a new captcha\",\"validations\":{\"username_required\":\"cannot be left blank\",\"fullname_required\":\"cannot be left blank\",\"email_required\":\"cannot be left blank\",\"password_required\":\"cannot be left blank\",\"password_confirmation_required\":\"cannot be left blank\",\"password_confirmation_match\":\"should be the same as password\"}},\"settings\":{\"attachmentRadius\":\"Attachments\",\"attachments\":\"Attachments\",\"autoload\":\"Enable automatic loading when scrolled to the bottom\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Background\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blue (Reply, follow)\",\"cGreen\":\"Green (Retweet)\",\"cOrange\":\"Orange (Favorite)\",\"cRed\":\"Red (Cancel)\",\"change_password\":\"Change Password\",\"change_password_error\":\"There was an issue changing your password.\",\"changed_password\":\"Password changed successfully!\",\"collapse_subject\":\"Collapse posts with subjects\",\"composing\":\"Composing\",\"confirm_new_password\":\"Confirm new password\",\"current_avatar\":\"Your current avatar\",\"current_password\":\"Current password\",\"current_profile_banner\":\"Your current profile banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Default visibility scope\",\"delete_account\":\"Delete Account\",\"delete_account_description\":\"Permanently delete your account and all your messages.\",\"delete_account_error\":\"There was an issue deleting your account. If this persists please contact your instance administrator.\",\"delete_account_instructions\":\"Type your password in the input below to confirm account deletion.\",\"avatar_size_instruction\":\"The recommended minimum size for avatar images is 150x150 pixels.\",\"export_theme\":\"Save preset\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"All statuses containing these words will be muted, one per line\",\"follow_export\":\"Follow export\",\"follow_export_button\":\"Export your follows to a csv file\",\"follow_export_processing\":\"Processing, you'll soon be asked to download your file\",\"follow_import\":\"Follow import\",\"follow_import_error\":\"Error importing followers\",\"follows_imported\":\"Follows imported! Processing them will take a while.\",\"foreground\":\"Foreground\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Hide attachments in conversations\",\"hide_attachments_in_tl\":\"Hide attachments in timeline\",\"hide_isp\":\"Hide instance-specific panel\",\"preload_images\":\"Preload images\",\"use_one_click_nsfw\":\"Open NSFW attachments with just one click\",\"hide_post_stats\":\"Hide post statistics (e.g. the number of favorites)\",\"hide_user_stats\":\"Hide user statistics (e.g. the number of followers)\",\"import_followers_from_a_csv_file\":\"Import follows from a csv file\",\"import_theme\":\"Load preset\",\"inputRadius\":\"Input fields\",\"checkboxRadius\":\"Checkboxes\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface language\",\"invalid_theme_imported\":\"The selected file is not a supported Pleroma theme. No changes to your theme were made.\",\"limited_availability\":\"Unavailable in your browser\",\"links\":\"Links\",\"lock_account_description\":\"Restrict your account to approved followers only\",\"loop_video\":\"Loop videos\",\"loop_video_silent_only\":\"Loop only videos without sound (i.e. Mastodon's \\\"gifs\\\")\",\"play_videos_in_modal\":\"Play videos directly in the media viewer\",\"use_contain_fit\":\"Don't crop the attachment in thumbnails\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"New password\",\"notification_visibility\":\"Types of notifications to show\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Mentions\",\"notification_visibility_repeats\":\"Repeats\",\"no_rich_text_description\":\"Strip rich text formatting from all posts\",\"hide_followings_description\":\"Don't show who I'm following\",\"hide_followers_description\":\"Don't show who's following me\",\"nsfw_clickthrough\":\"Enable clickthrough NSFW attachment hiding\",\"panelRadius\":\"Panels\",\"pause_on_unfocused\":\"Pause streaming when tab is not focused\",\"presets\":\"Presets\",\"profile_background\":\"Profile Background\",\"profile_banner\":\"Profile Banner\",\"profile_tab\":\"Profile\",\"radii_help\":\"Set up interface edge rounding (in pixels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Enable reply-link preview on mouse hover\",\"reply_visibility_all\":\"Show all replies\",\"reply_visibility_following\":\"Only show replies directed at me or users I'm following\",\"reply_visibility_self\":\"Only show replies directed at me\",\"saving_err\":\"Error saving settings\",\"saving_ok\":\"Settings saved\",\"security_tab\":\"Security\",\"scope_copy\":\"Copy scope when replying (DMs are always copied)\",\"set_new_avatar\":\"Set new avatar\",\"set_new_profile_background\":\"Set new profile background\",\"set_new_profile_banner\":\"Set new profile banner\",\"settings\":\"Settings\",\"subject_input_always_show\":\"Always show subject field\",\"subject_line_behavior\":\"Copy subject when replying\",\"subject_line_email\":\"Like email: \\\"re: subject\\\"\",\"subject_line_mastodon\":\"Like mastodon: copy as is\",\"subject_line_noop\":\"Do not copy\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Enable automatic streaming of new posts when scrolled to the top\",\"text\":\"Text\",\"theme\":\"Theme\",\"theme_help\":\"Use hex color codes (#rrggbb) to customize your color theme.\",\"theme_help_v2_1\":\"You can also override certain component's colors and opacity by toggling the checkbox, use \\\"Clear all\\\" button to clear all overrides.\",\"theme_help_v2_2\":\"Icons underneath some entries are background/text contrast indicators, hover over for detailed info. Please keep in mind that when using transparency contrast indicators show the worst possible case.\",\"tooltipRadius\":\"Tooltips/alerts\",\"user_settings\":\"User Settings\",\"values\":{\"false\":\"no\",\"true\":\"yes\"},\"notifications\":\"Notifications\",\"enable_web_push_notifications\":\"Enable web push notifications\",\"style\":{\"switcher\":{\"keep_color\":\"Keep colors\",\"keep_shadows\":\"Keep shadows\",\"keep_opacity\":\"Keep opacity\",\"keep_roundness\":\"Keep roundness\",\"keep_fonts\":\"Keep fonts\",\"save_load_hint\":\"\\\"Keep\\\" options preserve currently set options when selecting or loading themes, it also stores said options when exporting a theme. When all checkboxes unset, exporting theme will save everything.\",\"reset\":\"Reset\",\"clear_all\":\"Clear all\",\"clear_opacity\":\"Clear opacity\"},\"common\":{\"color\":\"Color\",\"opacity\":\"Opacity\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, it {level} {context}\",\"level\":{\"aa\":\"meets Level AA guideline (minimal)\",\"aaa\":\"meets Level AAA guideline (recommended)\",\"bad\":\"doesn't meet any accessibility guidelines\"},\"context\":{\"18pt\":\"for large (18pt+) text\",\"text\":\"for text\"}}},\"common_colors\":{\"_tab_label\":\"Common\",\"main\":\"Common colors\",\"foreground_hint\":\"See \\\"Advanced\\\" tab for more detailed control\",\"rgbo\":\"Icons, accents, badges\"},\"advanced_colors\":{\"_tab_label\":\"Advanced\",\"alert\":\"Alert background\",\"alert_error\":\"Error\",\"badge\":\"Badge background\",\"badge_notification\":\"Notification\",\"panel_header\":\"Panel header\",\"top_bar\":\"Top bar\",\"borders\":\"Borders\",\"buttons\":\"Buttons\",\"inputs\":\"Input fields\",\"faint_text\":\"Faded text\"},\"radii\":{\"_tab_label\":\"Roundness\"},\"shadows\":{\"_tab_label\":\"Shadow and lighting\",\"component\":\"Component\",\"override\":\"Override\",\"shadow_id\":\"Shadow #{value}\",\"blur\":\"Blur\",\"spread\":\"Spread\",\"inset\":\"Inset\",\"hint\":\"For shadows you can also use --variable as a color value to use CSS3 variables. Please note that setting opacity won't work in this case.\",\"filter_hint\":{\"always_drop_shadow\":\"Warning, this shadow always uses {0} when browser supports it.\",\"drop_shadow_syntax\":\"{0} does not support {1} parameter and {2} keyword.\",\"avatar_inset\":\"Please note that combining both inset and non-inset shadows on avatars might give unexpected results with transparent avatars.\",\"spread_zero\":\"Shadows with spread > 0 will appear as if it was set to zero\",\"inset_classic\":\"Inset shadows will be using {0}\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel header\",\"topBar\":\"Top bar\",\"avatar\":\"User avatar (in profile view)\",\"avatarStatus\":\"User avatar (in post display)\",\"popup\":\"Popups and tooltips\",\"button\":\"Button\",\"buttonHover\":\"Button (hover)\",\"buttonPressed\":\"Button (pressed)\",\"buttonPressedHover\":\"Button (pressed+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Fonts\",\"help\":\"Select font to use for elements of UI. For \\\"custom\\\" you have to enter exact font name as it appears in system.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Input fields\",\"post\":\"Post text\",\"postCode\":\"Monospaced text in a post (rich text)\"},\"family\":\"Font name\",\"size\":\"Size (in px)\",\"weight\":\"Weight (boldness)\",\"custom\":\"Custom\"},\"preview\":{\"header\":\"Preview\",\"content\":\"Content\",\"error\":\"Example error\",\"button\":\"Button\",\"text\":\"A bunch of more {0} and {1}\",\"mono\":\"content\",\"input\":\"Just landed in L.A.\",\"faint_link\":\"helpful manual\",\"fine_print\":\"Read our {0} to learn nothing useful!\",\"header_faint\":\"This is fine\",\"checkbox\":\"I have skimmed over terms and conditions\",\"link\":\"a nice lil' link\"}}},\"timeline\":{\"collapse\":\"Collapse\",\"conversation\":\"Conversation\",\"error_fetching\":\"Error fetching updates\",\"load_older\":\"Load older statuses\",\"no_retweet_hint\":\"Post is marked as followers-only or direct and cannot be repeated\",\"repeated\":\"repeated\",\"show_new\":\"Show new\",\"up_to_date\":\"Up-to-date\",\"no_more_statuses\":\"No more statuses\"},\"user_card\":{\"approve\":\"Approve\",\"block\":\"Block\",\"blocked\":\"Blocked!\",\"deny\":\"Deny\",\"favorites\":\"Favorites\",\"follow\":\"Follow\",\"follow_sent\":\"Request sent!\",\"follow_progress\":\"Requesting…\",\"follow_again\":\"Send request again?\",\"follow_unfollow\":\"Stop following\",\"followees\":\"Following\",\"followers\":\"Followers\",\"following\":\"Following!\",\"follows_you\":\"Follows you!\",\"its_you\":\"It's you!\",\"media\":\"Media\",\"mute\":\"Mute\",\"muted\":\"Muted\",\"per_day\":\"per day\",\"remote_follow\":\"Remote follow\",\"statuses\":\"Statuses\"},\"user_profile\":{\"timeline_title\":\"User Timeline\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"Who to follow\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Repeat\",\"reply\":\"Reply\",\"favorite\":\"Favorite\",\"user_settings\":\"User Settings\"},\"upload\":{\"error\":{\"base\":\"Upload failed.\",\"file_too_big\":\"File too big [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Try again later\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 402 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Babilejo\"},\"finder\":{\"error_fetching_user\":\"Eraro alportante uzanton\",\"find_user\":\"Trovi uzanton\"},\"general\":{\"apply\":\"Apliki\",\"submit\":\"Sendi\"},\"login\":{\"login\":\"Ensaluti\",\"logout\":\"Elsaluti\",\"password\":\"Pasvorto\",\"placeholder\":\"ekz. lain\",\"register\":\"Registriĝi\",\"username\":\"Salutnomo\"},\"nav\":{\"chat\":\"Loka babilejo\",\"mentions\":\"Mencioj\",\"public_tl\":\"Publika tempolinio\",\"timeline\":\"Tempolinio\",\"twkn\":\"La tuta konata reto\"},\"notifications\":{\"favorited_you\":\"ŝatis vian staton\",\"followed_you\":\"ekabonis vin\",\"notifications\":\"Sciigoj\",\"read\":\"Legite!\",\"repeated_you\":\"ripetis vian staton\"},\"post_status\":{\"default\":\"Ĵus alvenis al la Universala Kongreso!\",\"posting\":\"Afiŝante\"},\"registration\":{\"bio\":\"Priskribo\",\"email\":\"Retpoŝtadreso\",\"fullname\":\"Vidiga nomo\",\"password_confirm\":\"Konfirmo de pasvorto\",\"registration\":\"Registriĝo\"},\"settings\":{\"attachmentRadius\":\"Kunsendaĵoj\",\"attachments\":\"Kunsendaĵoj\",\"autoload\":\"Ŝalti memfaran ŝarĝadon ĉe subo de paĝo\",\"avatar\":\"Profilbildo\",\"avatarAltRadius\":\"Profilbildoj (sciigoj)\",\"avatarRadius\":\"Profilbildoj\",\"background\":\"Fono\",\"bio\":\"Priskribo\",\"btnRadius\":\"Butonoj\",\"cBlue\":\"Blua (Respondo, abono)\",\"cGreen\":\"Verda (Kunhavigo)\",\"cOrange\":\"Oranĝa (Ŝato)\",\"cRed\":\"Ruĝa (Nuligo)\",\"current_avatar\":\"Via nuna profilbildo\",\"current_profile_banner\":\"Via nuna profila rubando\",\"filtering\":\"Filtrado\",\"filtering_explanation\":\"Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie\",\"follow_import\":\"Abona enporto\",\"follow_import_error\":\"Eraro enportante abonojn\",\"follows_imported\":\"Abonoj enportiĝis! Traktado daŭros iom.\",\"foreground\":\"Malfono\",\"hide_attachments_in_convo\":\"Kaŝi kunsendaĵojn en interparoloj\",\"hide_attachments_in_tl\":\"Kaŝi kunsendaĵojn en tempolinio\",\"import_followers_from_a_csv_file\":\"Enporti abonojn el CSV-dosiero\",\"links\":\"Ligiloj\",\"name\":\"Nomo\",\"name_bio\":\"Nomo kaj priskribo\",\"nsfw_clickthrough\":\"Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj\",\"panelRadius\":\"Paneloj\",\"presets\":\"Antaŭagordoj\",\"profile_background\":\"Profila fono\",\"profile_banner\":\"Profila rubando\",\"radii_help\":\"Agordi fasadan rondigon de randoj (rastrumere)\",\"reply_link_preview\":\"Ŝalti respond-ligilan antaŭvidon dum ŝvebo\",\"set_new_avatar\":\"Agordi novan profilbildon\",\"set_new_profile_background\":\"Agordi novan profilan fonon\",\"set_new_profile_banner\":\"Agordi novan profilan rubandon\",\"settings\":\"Agordoj\",\"stop_gifs\":\"Movi GIF-bildojn dum ŝvebo\",\"streaming\":\"Ŝalti memfaran fluigon de novaj afiŝoj ĉe la supro de la paĝo\",\"text\":\"Teksto\",\"theme\":\"Etoso\",\"theme_help\":\"Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran etoson.\",\"tooltipRadius\":\"Ŝpruchelpiloj/avertoj\",\"user_settings\":\"Uzantaj agordoj\"},\"timeline\":{\"collapse\":\"Maletendi\",\"conversation\":\"Interparolo\",\"error_fetching\":\"Eraro dum ĝisdatigo\",\"load_older\":\"Montri pli malnovajn statojn\",\"repeated\":\"ripetata\",\"show_new\":\"Montri novajn\",\"up_to_date\":\"Ĝisdata\"},\"user_card\":{\"block\":\"Bari\",\"blocked\":\"Barita!\",\"follow\":\"Aboni\",\"followees\":\"Abonatoj\",\"followers\":\"Abonantoj\",\"following\":\"Abonanta!\",\"follows_you\":\"Abonas vin!\",\"mute\":\"Silentigi\",\"muted\":\"Silentigitaj\",\"per_day\":\"tage\",\"remote_follow\":\"Fore aboni\",\"statuses\":\"Statoj\"},\"user_profile\":{\"timeline_title\":\"Uzanta tempolinio\"}}\n\n/***/ }),\n/* 403 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Opciones del alcance de la visibilidad\",\"text_limit\":\"Límite de carácteres\",\"title\":\"Características\",\"who_to_follow\":\"A quién seguir\"},\"finder\":{\"error_fetching_user\":\"Error al buscar usuario\",\"find_user\":\"Encontrar usuario\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\",\"more\":\"Más\",\"generic_error\":\"Ha ocurrido un error\"},\"login\":{\"login\":\"Identificación\",\"description\":\"Identificación con OAuth\",\"logout\":\"Salir\",\"password\":\"Contraseña\",\"placeholder\":\"p.ej. lain\",\"register\":\"Registrar\",\"username\":\"Usuario\"},\"nav\":{\"about\":\"Sobre\",\"back\":\"Volver\",\"chat\":\"Chat Local\",\"friend_requests\":\"Solicitudes de amistad\",\"mentions\":\"Menciones\",\"dms\":\"Mensajes Directo\",\"public_tl\":\"Línea Temporal Pública\",\"timeline\":\"Línea Temporal\",\"twkn\":\"Toda La Red Conocida\",\"user_search\":\"Búsqueda de Usuarios\",\"who_to_follow\":\"A quién seguir\",\"preferences\":\"Preferencias\"},\"notifications\":{\"broken_favorite\":\"Estado desconocido, buscándolo...\",\"favorited_you\":\"le gusta tu estado\",\"followed_you\":\"empezó a seguirte\",\"load_older\":\"Cargar notificaciones antiguas\",\"notifications\":\"Notificaciones\",\"read\":\"¡Leído!\",\"repeated_you\":\"repite tu estado\",\"no_more_notifications\":\"No hay más notificaciones\"},\"post_status\":{\"new_status\":\"Post new status\",\"account_not_locked_warning\":\"Tu cuenta no está {0}. Cualquiera puede seguirte y leer las entradas para Solo-Seguidores.\",\"account_not_locked_warning_link\":\"bloqueada\",\"attachments_sensitive\":\"Contenido sensible\",\"content_type\":{\"plain_text\":\"Texto Plano\"},\"content_warning\":\"Tema (opcional)\",\"default\":\"Acabo de aterrizar en L.A.\",\"direct_warning\":\"Esta entrada solo será visible para los usuarios mencionados.\",\"posting\":\"Publicando\",\"scope\":{\"direct\":\"Directo - Solo para los usuarios mencionados.\",\"private\":\"Solo-Seguidores - Solo tus seguidores leeran la entrada\",\"public\":\"Público - Entradas visibles en las Líneas Temporales Públicas\",\"unlisted\":\"Sin Listar - Entradas no visibles en las Líneas Temporales Públicas\"}},\"registration\":{\"bio\":\"Biografía\",\"email\":\"Correo electrónico\",\"fullname\":\"Nombre a mostrar\",\"password_confirm\":\"Confirmación de contraseña\",\"registration\":\"Registro\",\"token\":\"Token de invitación\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Click en la imagen para obtener un nuevo captca\",\"validations\":{\"username_required\":\"no puede estar vacío\",\"fullname_required\":\"no puede estar vacío\",\"email_required\":\"no puede estar vacío\",\"password_required\":\"no puede estar vacío\",\"password_confirmation_required\":\"no puede estar vacío\",\"password_confirmation_match\":\"la contraseña no coincide\"}},\"settings\":{\"attachmentRadius\":\"Adjuntos\",\"attachments\":\"Adjuntos\",\"autoload\":\"Activar carga automática al llegar al final de la página\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatares (Notificaciones)\",\"avatarRadius\":\"Avatares\",\"background\":\"Fondo\",\"bio\":\"Biografía\",\"btnRadius\":\"Botones\",\"cBlue\":\"Azul (Responder, seguir)\",\"cGreen\":\"Verde (Retweet)\",\"cOrange\":\"Naranja (Favorito)\",\"cRed\":\"Rojo (Cancelar)\",\"change_password\":\"Cambiar contraseña\",\"change_password_error\":\"Hubo un problema cambiando la contraseña.\",\"changed_password\":\"Contraseña cambiada correctamente!\",\"collapse_subject\":\"Colapsar entradas con tema\",\"composing\":\"Redactando\",\"confirm_new_password\":\"Confirmar la nueva contraseña\",\"current_avatar\":\"Tu avatar actual\",\"current_password\":\"Contraseña actual\",\"current_profile_banner\":\"Tu cabecera actual\",\"data_import_export_tab\":\"Importar / Exportar Datos\",\"default_vis\":\"Alcance de visibilidad por defecto\",\"delete_account\":\"Eliminar la cuenta\",\"delete_account_description\":\"Eliminar para siempre la cuenta y todos los mensajes.\",\"delete_account_error\":\"Hubo un error al eliminar tu cuenta. Si el fallo persiste, ponte en contacto con el administrador de tu instancia.\",\"delete_account_instructions\":\"Escribe tu contraseña para confirmar la eliminación de tu cuenta.\",\"avatar_size_instruction\":\"El tamaño mínimo recomendado para el avatar es de 150X150 píxeles.\",\"export_theme\":\"Exportar tema\",\"filtering\":\"Filtros\",\"filtering_explanation\":\"Todos los estados que contengan estas palabras serán silenciados, una por línea\",\"follow_export\":\"Exportar personas que tú sigues\",\"follow_export_button\":\"Exporta tus seguidores a un archivo csv\",\"follow_export_processing\":\"Procesando, en breve se te preguntará para guardar el archivo\",\"follow_import\":\"Importar personas que tú sigues\",\"follow_import_error\":\"Error al importal el archivo\",\"follows_imported\":\"¡Importado! Procesarlos llevará tiempo.\",\"foreground\":\"Primer plano\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Ocultar adjuntos en las conversaciones\",\"hide_attachments_in_tl\":\"Ocultar adjuntos en la línea temporal\",\"hide_isp\":\"Ocultar el panel específico de la instancia\",\"preload_images\":\"Precargar las imágenes\",\"use_one_click_nsfw\":\"Abrir los adjuntos NSFW con un solo click.\",\"hide_post_stats\":\"Ocultar las estadísticas de las entradas (p.ej. el número de favoritos)\",\"hide_user_stats\":\"Ocultar las estadísticas del usuario (p.ej. el número de seguidores)\",\"import_followers_from_a_csv_file\":\"Importar personas que tú sigues apartir de un archivo csv\",\"import_theme\":\"Importar tema\",\"inputRadius\":\"Campos de entrada\",\"checkboxRadius\":\"Casillas de verificación\",\"instance_default\":\"(por defecto: {value})\",\"instance_default_simple\":\"(por defecto)\",\"interface\":\"Interfaz\",\"interfaceLanguage\":\"Idioma\",\"invalid_theme_imported\":\"El archivo importado no es un tema válido de Pleroma. No se han realizado cambios.\",\"limited_availability\":\"No disponible en tu navegador\",\"links\":\"Enlaces\",\"lock_account_description\":\"Restringir el acceso a tu cuenta solo a seguidores admitidos\",\"loop_video\":\"Vídeos en bucle\",\"loop_video_silent_only\":\"Bucle solo en vídeos sin sonido (p.ej. \\\"gifs\\\" de Mastodon)\",\"play_videos_in_modal\":\"Reproducir los vídeos directamente en el visor de medios\",\"use_contain_fit\":\"No recortar los adjuntos en miniaturas\",\"name\":\"Nombre\",\"name_bio\":\"Nombre y Biografía\",\"new_password\":\"Nueva contraseña\",\"notification_visibility\":\"Tipos de notificaciones a mostrar\",\"notification_visibility_follows\":\"Nuevos seguidores\",\"notification_visibility_likes\":\"Me gustan (Likes)\",\"notification_visibility_mentions\":\"Menciones\",\"notification_visibility_repeats\":\"Repeticiones (Repeats)\",\"no_rich_text_description\":\"Eliminar el formato de texto enriquecido de todas las entradas\",\"hide_network_description\":\"No mostrar a quién sigo, ni quién me sigue\",\"nsfw_clickthrough\":\"Activar el clic para ocultar los adjuntos NSFW\",\"panelRadius\":\"Paneles\",\"pause_on_unfocused\":\"Parar la transmisión cuando no estés en foco.\",\"presets\":\"Por defecto\",\"profile_background\":\"Fondo del Perfil\",\"profile_banner\":\"Cabecera del Perfil\",\"profile_tab\":\"Perfil\",\"radii_help\":\"Estable el redondeo de las esquinas del interfaz (en píxeles)\",\"replies_in_timeline\":\"Réplicas en la línea temporal\",\"reply_link_preview\":\"Activar la previsualización del enlace de responder al pasar el ratón por encim\",\"reply_visibility_all\":\"Mostrar todas las réplicas\",\"reply_visibility_following\":\"Solo mostrar réplicas para mí o usuarios a los que sigo\",\"reply_visibility_self\":\"Solo mostrar réplicas para mí\",\"saving_err\":\"Error al guardar los ajustes\",\"saving_ok\":\"Ajustes guardados\",\"security_tab\":\"Seguridad\",\"scope_copy\":\"Copiar la visibilidad cuando contestamos (En los mensajes directos (MDs) siempre se copia)\",\"set_new_avatar\":\"Cambiar avatar\",\"set_new_profile_background\":\"Cambiar fondo del perfil\",\"set_new_profile_banner\":\"Cambiar cabecera del perfil\",\"settings\":\"Ajustes\",\"subject_input_always_show\":\"Mostrar siempre el campo del tema\",\"subject_line_behavior\":\"Copiar el tema en las contestaciones\",\"subject_line_email\":\"Tipo email: \\\"re: tema\\\"\",\"subject_line_mastodon\":\"Tipo mastodon: copiar como es\",\"subject_line_noop\":\"No copiar\",\"stop_gifs\":\"Iniciar GIFs al pasar el ratón\",\"streaming\":\"Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.\",\"theme_help_v2_1\":\"También puede invalidar los colores y la opacidad de ciertos componentes si activa la casilla de verificación, use el botón \\\"Borrar todo\\\" para deshacer los cambios.\",\"theme_help_v2_2\":\"Los iconos debajo de algunas entradas son indicadores de contraste de fondo/texto, desplace el ratón para obtener información detallada. Tenga en cuenta que cuando se utilizan indicadores de contraste de transparencia se muestra el peor caso posible.\",\"tooltipRadius\":\"Información/alertas\",\"user_settings\":\"Ajustes de Usuario\",\"values\":{\"false\":\"no\",\"true\":\"sí\"},\"notifications\":\"Notificaciones\",\"enable_web_push_notifications\":\"Habilitar las notificiaciones en el navegador\",\"style\":{\"switcher\":{\"keep_color\":\"Mantener colores\",\"keep_shadows\":\"Mantener sombras\",\"keep_opacity\":\"Mantener opacidad\",\"keep_roundness\":\"Mantener redondeces\",\"keep_fonts\":\"Mantener fuentes\",\"save_load_hint\":\"Las opciones \\\"Mantener\\\" conservan las opciones configuradas actualmente al seleccionar o cargar temas, también almacena dichas opciones al exportar un tema. Cuando se desactiven todas las casillas de verificación, el tema de exportación lo guardará todo.\",\"reset\":\"Reiniciar\",\"clear_all\":\"Limpiar todo\",\"clear_opacity\":\"Limpiar opacidad\"},\"common\":{\"color\":\"Color\",\"opacity\":\"Opacidad\",\"contrast\":{\"hint\":\"El ratio de contraste es {ratio}. {level} {context}\",\"level\":{\"aa\":\"Cumple con la pauta de nivel AA (mínimo)\",\"aaa\":\"Cumple con la pauta de nivel AAA (recomendado)\",\"bad\":\"No cumple con las pautas de accesibilidad\"},\"context\":{\"18pt\":\"para textos grandes (+18pt)\",\"text\":\"para textos\"}}},\"common_colors\":{\"_tab_label\":\"Común\",\"main\":\"Colores comunes\",\"foreground_hint\":\"Vea la pestaña \\\"Avanzado\\\" para un control más detallado\",\"rgbo\":\"Iconos, acentos, insignias\"},\"advanced_colors\":{\"_tab_label\":\"Avanzado\",\"alert\":\"Fondo de Alertas\",\"alert_error\":\"Error\",\"badge\":\"Fondo de Insignias\",\"badge_notification\":\"Notificaciones\",\"panel_header\":\"Cabecera del panel\",\"top_bar\":\"Barra superior\",\"borders\":\"Bordes\",\"buttons\":\"Botones\",\"inputs\":\"Campos de entrada\",\"faint_text\":\"Texto desvanecido\"},\"radii\":{\"_tab_label\":\"Redondez\"},\"shadows\":{\"_tab_label\":\"Sombra e iluminación\",\"component\":\"Componente\",\"override\":\"Sobreescribir\",\"shadow_id\":\"Sombra #{value}\",\"blur\":\"Difuminar\",\"spread\":\"Cantidad\",\"inset\":\"Insertada\",\"hint\":\"Para las sombras, también puede usar --variable como un valor de color para usar las variables CSS3. Tenga en cuenta que establecer la opacidad no funcionará en este caso.\",\"filter_hint\":{\"always_drop_shadow\":\"Advertencia, esta sombra siempre usa {0} cuando el navegador lo soporta.\",\"drop_shadow_syntax\":\"{0} no soporta el parámetro {1} y la palabra clave {2}.\",\"avatar_inset\":\"Tenga en cuenta que la combinación de sombras insertadas como no-insertadas en los avatares, puede dar resultados inesperados con los avatares transparentes.\",\"spread_zero\":\"Sombras con una cantidad > 0 aparecerá como si estuviera puesto a cero\",\"inset_classic\":\"Las sombras insertadas estarán usando {0}\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Cabecera del panel\",\"topBar\":\"Barra superior\",\"avatar\":\"Avatar del usuario (en la vista del perfil)\",\"avatarStatus\":\"Avatar del usuario (en la vista de la entrada)\",\"popup\":\"Ventanas y textos emergentes (popups & tooltips)\",\"button\":\"Botones\",\"buttonHover\":\"Botón (encima)\",\"buttonPressed\":\"Botón (presionado)\",\"buttonPressedHover\":\"Botón (presionado+encima)\",\"input\":\"Campo de entrada\"}},\"fonts\":{\"_tab_label\":\"Fuentes\",\"help\":\"Seleccione la fuente para utilizar para los elementos de la interfaz de usuario. Para \\\"personalizado\\\", debe ingresar el nombre exacto de la fuente tal como aparece en el sistema.\",\"components\":{\"interface\":\"Interfaz\",\"input\":\"Campos de entrada\",\"post\":\"Texto de publicaciones\",\"postCode\":\"Texto monoespaciado en publicación (texto enriquecido)\"},\"family\":\"Nombre de la fuente\",\"size\":\"Tamaño (en px)\",\"weight\":\"Peso (negrita)\",\"custom\":\"Personalizado\"},\"preview\":{\"header\":\"Vista previa\",\"content\":\"Contenido\",\"error\":\"Ejemplo de error\",\"button\":\"Botón\",\"text\":\"Un montón de {0} y {1}\",\"mono\":\"contenido\",\"input\":\"Acaba de aterrizar en L.A.\",\"faint_link\":\"manual útil\",\"fine_print\":\"¡Lea nuestro {0} para aprender nada útil!\",\"header_faint\":\"Esto está bien\",\"checkbox\":\"He revisado los términos y condiciones\",\"link\":\"un bonito enlace\"}}},\"timeline\":{\"collapse\":\"Colapsar\",\"conversation\":\"Conversación\",\"error_fetching\":\"Error al cargar las actualizaciones\",\"load_older\":\"Cargar actualizaciones anteriores\",\"no_retweet_hint\":\"La publicación está marcada como solo para seguidores o directa y no se puede repetir\",\"repeated\":\"repetida\",\"show_new\":\"Mostrar lo nuevo\",\"up_to_date\":\"Actualizado\",\"no_more_statuses\":\"No hay más estados\"},\"user_card\":{\"approve\":\"Aprovar\",\"block\":\"Bloquear\",\"blocked\":\"¡Bloqueado!\",\"deny\":\"Denegar\",\"favorites\":\"Favoritos\",\"follow\":\"Seguir\",\"follow_sent\":\"¡Solicitud enviada!\",\"follow_progress\":\"Solicitando…\",\"follow_again\":\"¿Enviar solicitud de nuevo?\",\"follow_unfollow\":\"Dejar de seguir\",\"followees\":\"Siguiendo\",\"followers\":\"Seguidores\",\"following\":\"¡Siguiendo!\",\"follows_you\":\"¡Te sigue!\",\"its_you\":\"¡Eres tú!\",\"media\":\"Media\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por día\",\"remote_follow\":\"Seguir\",\"statuses\":\"Estados\"},\"user_profile\":{\"timeline_title\":\"Linea temporal del usuario\"},\"who_to_follow\":{\"more\":\"Más\",\"who_to_follow\":\"A quién seguir\"},\"tool_tip\":{\"media_upload\":\"Subir Medios\",\"repeat\":\"Repetir\",\"reply\":\"Contestar\",\"favorite\":\"Favorito\",\"user_settings\":\"Ajustes de usuario\"},\"upload\":{\"error\":{\"base\":\"Subida fallida.\",\"file_too_big\":\"Archivo demasiado grande [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Inténtalo más tarde\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 404 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"finder\":{\"error_fetching_user\":\"Viga kasutaja leidmisel\",\"find_user\":\"Otsi kasutajaid\"},\"general\":{\"submit\":\"Postita\"},\"login\":{\"login\":\"Logi sisse\",\"logout\":\"Logi välja\",\"password\":\"Parool\",\"placeholder\":\"nt lain\",\"register\":\"Registreeru\",\"username\":\"Kasutajanimi\"},\"nav\":{\"mentions\":\"Mainimised\",\"public_tl\":\"Avalik Ajajoon\",\"timeline\":\"Ajajoon\",\"twkn\":\"Kogu Teadaolev Võrgustik\"},\"notifications\":{\"followed_you\":\"alustas sinu jälgimist\",\"notifications\":\"Teavitused\",\"read\":\"Loe!\"},\"post_status\":{\"default\":\"Just sõitsin elektrirongiga Tallinnast Pääskülla.\",\"posting\":\"Postitan\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"E-post\",\"fullname\":\"Kuvatav nimi\",\"password_confirm\":\"Parooli kinnitamine\",\"registration\":\"Registreerimine\"},\"settings\":{\"attachments\":\"Manused\",\"autoload\":\"Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud\",\"avatar\":\"Profiilipilt\",\"bio\":\"Bio\",\"current_avatar\":\"Sinu praegune profiilipilt\",\"current_profile_banner\":\"Praegune profiilibänner\",\"filtering\":\"Sisu filtreerimine\",\"filtering_explanation\":\"Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.\",\"hide_attachments_in_convo\":\"Peida manused vastlustes\",\"hide_attachments_in_tl\":\"Peida manused ajajoonel\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja Bio\",\"nsfw_clickthrough\":\"Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha\",\"profile_background\":\"Profiilitaust\",\"profile_banner\":\"Profiilibänner\",\"reply_link_preview\":\"Luba algpostituse kuvamine vastustes\",\"set_new_avatar\":\"Vali uus profiilipilt\",\"set_new_profile_background\":\"Vali uus profiilitaust\",\"set_new_profile_banner\":\"Vali uus profiilibänner\",\"settings\":\"Sätted\",\"theme\":\"Teema\",\"user_settings\":\"Kasutaja sätted\"},\"timeline\":{\"conversation\":\"Vestlus\",\"error_fetching\":\"Viga uuenduste laadimisel\",\"load_older\":\"Kuva vanemaid staatuseid\",\"show_new\":\"Näita uusi\",\"up_to_date\":\"Uuendatud\"},\"user_card\":{\"block\":\"Blokeeri\",\"blocked\":\"Blokeeritud!\",\"follow\":\"Jälgi\",\"followees\":\"Jälgitavaid\",\"followers\":\"Jälgijaid\",\"following\":\"Jälgin!\",\"follows_you\":\"Jälgib sind!\",\"mute\":\"Vaigista\",\"muted\":\"Vaigistatud\",\"per_day\":\"päevas\",\"statuses\":\"Staatuseid\"}}\n\n/***/ }),\n/* 405 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media-välityspalvelin\",\"scope_options\":\"Näkyvyyden rajaus\",\"text_limit\":\"Tekstin pituusraja\",\"title\":\"Ominaisuudet\",\"who_to_follow\":\"Seurausehdotukset\"},\"finder\":{\"error_fetching_user\":\"Virhe hakiessa käyttäjää\",\"find_user\":\"Hae käyttäjä\"},\"general\":{\"apply\":\"Aseta\",\"submit\":\"Lähetä\",\"more\":\"Lisää\",\"generic_error\":\"Virhe tapahtui\"},\"login\":{\"login\":\"Kirjaudu sisään\",\"description\":\"Kirjaudu sisään OAuthilla\",\"logout\":\"Kirjaudu ulos\",\"password\":\"Salasana\",\"placeholder\":\"esim. Seppo\",\"register\":\"Rekisteröidy\",\"username\":\"Käyttäjänimi\"},\"nav\":{\"about\":\"Tietoja\",\"back\":\"Takaisin\",\"chat\":\"Paikallinen Chat\",\"friend_requests\":\"Seurauspyynnöt\",\"mentions\":\"Maininnat\",\"dms\":\"Yksityisviestit\",\"public_tl\":\"Julkinen Aikajana\",\"timeline\":\"Aikajana\",\"twkn\":\"Koko Tunnettu Verkosto\",\"user_search\":\"Käyttäjähaku\",\"who_to_follow\":\"Seurausehdotukset\",\"preferences\":\"Asetukset\"},\"notifications\":{\"broken_favorite\":\"Viestiä ei löydetty...\",\"favorited_you\":\"tykkäsi viestistäsi\",\"followed_you\":\"seuraa sinua\",\"load_older\":\"Lataa vanhempia ilmoituksia\",\"notifications\":\"Ilmoitukset\",\"read\":\"Lue!\",\"repeated_you\":\"toisti viestisi\",\"no_more_notifications\":\"Ei enempää ilmoituksia\"},\"post_status\":{\"new_status\":\"Uusi viesti\",\"account_not_locked_warning\":\"Tilisi ei ole {0}. Kuka vain voi seurata sinua nähdäksesi 'vain-seuraajille' -viestisi\",\"account_not_locked_warning_link\":\"lukittu\",\"attachments_sensitive\":\"Merkkaa liitteet arkaluonteisiksi\",\"content_type\":{\"plain_text\":\"Tavallinen teksti\"},\"content_warning\":\"Aihe (valinnainen)\",\"default\":\"Tulin juuri saunasta.\",\"direct_warning\":\"Tämä viesti näkyy vain mainituille käyttäjille.\",\"posting\":\"Lähetetään\",\"scope\":{\"direct\":\"Yksityisviesti - Näkyy vain mainituille käyttäjille\",\"private\":\"Vain-seuraajille - Näkyy vain seuraajillesi\",\"public\":\"Julkinen - Näkyy julkisilla aikajanoilla\",\"unlisted\":\"Listaamaton - Ei näy julkisilla aikajanoilla\"}},\"registration\":{\"bio\":\"Kuvaus\",\"email\":\"Sähköposti\",\"fullname\":\"Koko nimi\",\"password_confirm\":\"Salasanan vahvistaminen\",\"registration\":\"Rekisteröityminen\",\"token\":\"Kutsuvaltuus\",\"captcha\":\"Varmenne\",\"new_captcha\":\"Paina kuvaa saadaksesi uuden varmenteen\",\"validations\":{\"username_required\":\"ei voi olla tyhjä\",\"fullname_required\":\"ei voi olla tyhjä\",\"email_required\":\"ei voi olla tyhjä\",\"password_required\":\"ei voi olla tyhjä\",\"password_confirmation_required\":\"ei voi olla tyhjä\",\"password_confirmation_match\":\"pitää vastata salasanaa\"}},\"settings\":{\"attachmentRadius\":\"Liitteet\",\"attachments\":\"Liitteet\",\"autoload\":\"Lataa vanhempia viestejä automaattisesti ruudun pohjalla\",\"avatar\":\"Profiilikuva\",\"avatarAltRadius\":\"Profiilikuvat (ilmoitukset)\",\"avatarRadius\":\"Profiilikuvat\",\"background\":\"Tausta\",\"bio\":\"Kuvaus\",\"btnRadius\":\"Napit\",\"cBlue\":\"Sininen (Vastaukset, seuraukset)\",\"cGreen\":\"Vihreä (Toistot)\",\"cOrange\":\"Oranssi (Tykkäykset)\",\"cRed\":\"Punainen (Peruminen)\",\"change_password\":\"Vaihda salasana\",\"change_password_error\":\"Virhe vaihtaessa salasanaa.\",\"changed_password\":\"Salasana vaihdettu!\",\"collapse_subject\":\"Minimoi viestit, joille on asetettu aihe\",\"composing\":\"Viestien laatiminen\",\"confirm_new_password\":\"Vahvista uusi salasana\",\"current_avatar\":\"Nykyinen profiilikuvasi\",\"current_password\":\"Nykyinen salasana\",\"current_profile_banner\":\"Nykyinen julisteesi\",\"data_import_export_tab\":\"Tietojen tuonti / vienti\",\"default_vis\":\"Oletusnäkyvyysrajaus\",\"delete_account\":\"Poista tili\",\"delete_account_description\":\"Poista tilisi ja viestisi pysyvästi.\",\"delete_account_error\":\"Virhe poistaessa tiliäsi. Jos virhe jatkuu, ota yhteyttä palvelimesi ylläpitoon.\",\"delete_account_instructions\":\"Syötä salasanasi vahvistaaksesi tilin poiston.\",\"export_theme\":\"Tallenna teema\",\"filtering\":\"Suodatus\",\"filtering_explanation\":\"Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.\",\"follow_export\":\"Seurausten vienti\",\"follow_export_button\":\"Vie seurauksesi CSV-tiedostoon\",\"follow_export_processing\":\"Käsitellään, sinua pyydetään lataamaan tiedosto hetken päästä\",\"follow_import\":\"Seurausten tuonti\",\"follow_import_error\":\"Virhe tuodessa seuraksia\",\"follows_imported\":\"Seuraukset tuotu! Niiden käsittely vie hetken.\",\"foreground\":\"Korostus\",\"general\":\"Yleinen\",\"hide_attachments_in_convo\":\"Piilota liitteet keskusteluissa\",\"hide_attachments_in_tl\":\"Piilota liitteet aikajanalla\",\"hide_isp\":\"Piilota palvelimenkohtainen ruutu\",\"preload_images\":\"Esilataa kuvat\",\"use_one_click_nsfw\":\"Avaa NSFW-liitteet yhdellä painalluksella\",\"hide_post_stats\":\"Piilota viestien statistiikka (esim. tykkäysten määrä)\",\"hide_user_stats\":\"Piilota käyttäjien statistiikka (esim. seuraajien määrä)\",\"import_followers_from_a_csv_file\":\"Tuo seuraukset CSV-tiedostosta\",\"import_theme\":\"Tuo tallennettu teema\",\"inputRadius\":\"Syöttökentät\",\"checkboxRadius\":\"Valintalaatikot\",\"instance_default\":\"(oletus: {value})\",\"instance_default_simple\":\"(oletus)\",\"interface\":\"Käyttöliittymä\",\"interfaceLanguage\":\"Käyttöliittymän kieli\",\"invalid_theme_imported\":\"Tuotu tallennettu teema on epäkelpo, muutoksia ei tehty nykyiseen teemaasi.\",\"limited_availability\":\"Ei saatavilla selaimessasi\",\"links\":\"Linkit\",\"lock_account_description\":\"Vain erikseen hyväksytyt käyttäjät voivat seurata tiliäsi\",\"loop_video\":\"Uudelleentoista videot\",\"loop_video_silent_only\":\"Uudelleentoista ainoastaan äänettömät videot (Video-\\\"giffit\\\")\",\"play_videos_in_modal\":\"Toista videot modaalissa\",\"use_contain_fit\":\"Älä rajaa liitteitä esikatselussa\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja kuvaus\",\"new_password\":\"Uusi salasana\",\"notification_visibility\":\"Ilmoitusten näkyvyys\",\"notification_visibility_follows\":\"Seuraukset\",\"notification_visibility_likes\":\"Tykkäykset\",\"notification_visibility_mentions\":\"Maininnat\",\"notification_visibility_repeats\":\"Toistot\",\"no_rich_text_description\":\"Älä näytä tekstin muotoilua.\",\"hide_network_description\":\"Älä näytä seurauksiani tai seuraajiani\",\"nsfw_clickthrough\":\"Piilota NSFW liitteet klikkauksen taakse\",\"panelRadius\":\"Ruudut\",\"pause_on_unfocused\":\"Pysäytä automaattinen viestien näyttö välilehden ollessa pois fokuksesta\",\"presets\":\"Valmiit teemat\",\"profile_background\":\"Taustakuva\",\"profile_banner\":\"Juliste\",\"profile_tab\":\"Profiili\",\"radii_help\":\"Aseta reunojen pyöristys (pikseleinä)\",\"replies_in_timeline\":\"Keskustelut aikajanalla\",\"reply_link_preview\":\"Keskusteluiden vastauslinkkien esikatselu\",\"reply_visibility_all\":\"Näytä kaikki vastaukset\",\"reply_visibility_following\":\"Näytä vain vastaukset minulle tai seuraamilleni käyttäjille\",\"reply_visibility_self\":\"Näytä vain vastaukset minulle\",\"saving_err\":\"Virhe tallentaessa asetuksia\",\"saving_ok\":\"Asetukset tallennettu\",\"security_tab\":\"Tietoturva\",\"scope_copy\":\"Kopioi näkyvyysrajaus vastatessa (Yksityisviestit aina kopioivat)\",\"set_new_avatar\":\"Aseta uusi profiilikuva\",\"set_new_profile_background\":\"Aseta uusi taustakuva\",\"set_new_profile_banner\":\"Aseta uusi juliste\",\"settings\":\"Asetukset\",\"subject_input_always_show\":\"Näytä aihe-kenttä\",\"subject_line_behavior\":\"Aihe-kentän kopiointi\",\"subject_line_email\":\"Kuten sähköposti: \\\"re: aihe\\\"\",\"subject_line_mastodon\":\"Kopioi sellaisenaan\",\"subject_line_noop\":\"Älä kopioi\",\"stop_gifs\":\"Toista giffit vain kohdistaessa\",\"streaming\":\"Näytä uudet viestit automaattisesti ollessasi ruudun huipulla\",\"text\":\"Teksti\",\"theme\":\"Teema\",\"theme_help\":\"Käytä heksadesimaalivärejä muokataksesi väriteemaasi.\",\"theme_help_v2_1\":\"Voit asettaa tiettyjen osien värin tai läpinäkyvyyden täyttämällä valintalaatikon, käytä \\\"Tyhjennä kaikki\\\"-nappia tyhjentääksesi kaiken.\",\"theme_help_v2_2\":\"Ikonit kenttien alla ovat kontrasti-indikaattoreita, lisätietoa kohdistamalla. Käyttäessä läpinäkyvyyttä ne näyttävät pahimman skenaarion.\",\"tooltipRadius\":\"Ohje- tai huomioviestit\",\"user_settings\":\"Käyttäjän asetukset\",\"values\":{\"false\":\"pois päältä\",\"true\":\"päällä\"}},\"timeline\":{\"collapse\":\"Sulje\",\"conversation\":\"Keskustelu\",\"error_fetching\":\"Virhe ladatessa viestejä\",\"load_older\":\"Lataa vanhempia viestejä\",\"no_retweet_hint\":\"Viesti ei ole julkinen, eikä sitä voi toistaa\",\"repeated\":\"toisti\",\"show_new\":\"Näytä uudet\",\"up_to_date\":\"Ajantasalla\",\"no_more_statuses\":\"Ei enempää viestejä\"},\"user_card\":{\"approve\":\"Hyväksy\",\"block\":\"Estä\",\"blocked\":\"Estetty!\",\"deny\":\"Älä hyväksy\",\"follow\":\"Seuraa\",\"follow_sent\":\"Pyyntö lähetetty!\",\"follow_progress\":\"Pyydetään...\",\"follow_again\":\"Lähetä pyyntö uudestaan\",\"follow_unfollow\":\"Älä seuraa\",\"followees\":\"Seuraa\",\"followers\":\"Seuraajat\",\"following\":\"Seuraat!\",\"follows_you\":\"Seuraa sinua!\",\"its_you\":\"Sinun tili!\",\"mute\":\"Hiljennä\",\"muted\":\"Hiljennetty\",\"per_day\":\"päivässä\",\"remote_follow\":\"Seuraa muualta\",\"statuses\":\"Viestit\"},\"user_profile\":{\"timeline_title\":\"Käyttäjän aikajana\"},\"who_to_follow\":{\"more\":\"Lisää\",\"who_to_follow\":\"Seurausehdotukset\"},\"tool_tip\":{\"media_upload\":\"Lataa tiedosto\",\"repeat\":\"Toista\",\"reply\":\"Vastaa\",\"favorite\":\"Tykkää\",\"user_settings\":\"Käyttäjäasetukset\"},\"upload\":{\"error\":{\"base\":\"Lataus epäonnistui.\",\"file_too_big\":\"Tiedosto liian suuri [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Yritä uudestaan myöhemmin\"},\"file_size_units\":{\"B\":\"tavua\",\"KiB\":\"kt\",\"MiB\":\"Mt\",\"GiB\":\"Gt\",\"TiB\":\"Tt\"}}}\n\n/***/ }),\n/* 406 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy média\",\"scope_options\":\"Options de visibilité\",\"text_limit\":\"Limite du texte\",\"title\":\"Caractéristiques\",\"who_to_follow\":\"Qui s'abonner\"},\"finder\":{\"error_fetching_user\":\"Erreur lors de la recherche de l'utilisateur\",\"find_user\":\"Chercher un utilisateur\"},\"general\":{\"apply\":\"Appliquer\",\"submit\":\"Envoyer\"},\"login\":{\"login\":\"Connexion\",\"description\":\"Connexion avec OAuth\",\"logout\":\"Déconnexion\",\"password\":\"Mot de passe\",\"placeholder\":\"p.e. lain\",\"register\":\"S'inscrire\",\"username\":\"Identifiant\"},\"nav\":{\"chat\":\"Chat local\",\"friend_requests\":\"Demandes d'ami\",\"dms\":\"Messages adressés\",\"mentions\":\"Notifications\",\"public_tl\":\"Statuts locaux\",\"timeline\":\"Journal\",\"twkn\":\"Le réseau connu\"},\"notifications\":{\"broken_favorite\":\"Chargement d'un message inconnu ...\",\"favorited_you\":\"a aimé votre statut\",\"followed_you\":\"a commencé à vous suivre\",\"load_older\":\"Charger les notifications précédentes\",\"notifications\":\"Notifications\",\"read\":\"Lu !\",\"repeated_you\":\"a partagé votre statut\"},\"post_status\":{\"account_not_locked_warning\":\"Votre compte n'est pas {0}. N'importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.\",\"account_not_locked_warning_link\":\"verrouillé\",\"attachments_sensitive\":\"Marquer le média comme sensible\",\"content_type\":{\"plain_text\":\"Texte brut\"},\"content_warning\":\"Sujet (optionnel)\",\"default\":\"Écrivez ici votre prochain statut.\",\"direct_warning\":\"Ce message sera visible à toutes les personnes mentionnées.\",\"posting\":\"Envoi en cours\",\"scope\":{\"direct\":\"Direct - N'envoyer qu'aux personnes mentionnées\",\"private\":\"Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets\",\"public\":\"Publique - Afficher dans les fils publics\",\"unlisted\":\"Non-Listé - Ne pas afficher dans les fils publics\"}},\"registration\":{\"bio\":\"Biographie\",\"email\":\"Adresse email\",\"fullname\":\"Pseudonyme\",\"password_confirm\":\"Confirmation du mot de passe\",\"registration\":\"Inscription\",\"token\":\"Jeton d'invitation\"},\"settings\":{\"attachmentRadius\":\"Pièces jointes\",\"attachments\":\"Pièces jointes\",\"autoload\":\"Charger la suite automatiquement une fois le bas de la page atteint\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Arrière-plan\",\"bio\":\"Biographie\",\"btnRadius\":\"Boutons\",\"cBlue\":\"Bleu (Répondre, suivre)\",\"cGreen\":\"Vert (Partager)\",\"cOrange\":\"Orange (Aimer)\",\"cRed\":\"Rouge (Annuler)\",\"change_password\":\"Changez votre mot de passe\",\"change_password_error\":\"Il y a eu un problème pour changer votre mot de passe.\",\"changed_password\":\"Mot de passe modifié avec succès !\",\"collapse_subject\":\"Réduire les messages avec des sujets\",\"confirm_new_password\":\"Confirmation du nouveau mot de passe\",\"current_avatar\":\"Avatar actuel\",\"current_password\":\"Mot de passe actuel\",\"current_profile_banner\":\"Bannière de profil actuelle\",\"data_import_export_tab\":\"Import / Export des Données\",\"default_vis\":\"Portée de visibilité par défaut\",\"delete_account\":\"Supprimer le compte\",\"delete_account_description\":\"Supprimer définitivement votre compte et tous vos statuts.\",\"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.\",\"delete_account_instructions\":\"Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.\",\"export_theme\":\"Enregistrer le thème\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Tous les statuts contenant ces mots seront masqués. Un mot par ligne\",\"follow_export\":\"Exporter les abonnements\",\"follow_export_button\":\"Exporter les abonnements en csv\",\"follow_export_processing\":\"Exportation en cours…\",\"follow_import\":\"Importer des abonnements\",\"follow_import_error\":\"Erreur lors de l'importation des abonnements\",\"follows_imported\":\"Abonnements importés ! Le traitement peut prendre un moment.\",\"foreground\":\"Premier plan\",\"general\":\"Général\",\"hide_attachments_in_convo\":\"Masquer les pièces jointes dans les conversations\",\"hide_attachments_in_tl\":\"Masquer les pièces jointes dans le journal\",\"hide_post_stats\":\"Masquer les statistiques de publication (le nombre de favoris)\",\"hide_user_stats\":\"Masquer les statistiques de profil (le nombre d'amis)\",\"import_followers_from_a_csv_file\":\"Importer des abonnements depuis un fichier csv\",\"import_theme\":\"Charger le thème\",\"inputRadius\":\"Champs de texte\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interfaceLanguage\":\"Langue de l'interface\",\"invalid_theme_imported\":\"Le fichier sélectionné n'est pas un thème Pleroma pris en charge. Aucun changement n'a été apporté à votre thème.\",\"limited_availability\":\"Non disponible dans votre navigateur\",\"links\":\"Liens\",\"lock_account_description\":\"Limitez votre compte aux abonnés acceptés uniquement\",\"loop_video\":\"Vidéos en boucle\",\"loop_video_silent_only\":\"Boucle uniquement les vidéos sans le son (les «gifs» de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nouveau mot de passe\",\"no_rich_text_description\":\"Ne formatez pas le texte\",\"notification_visibility\":\"Types de notifications à afficher\",\"notification_visibility_follows\":\"Abonnements\",\"notification_visibility_likes\":\"J’aime\",\"notification_visibility_mentions\":\"Mentionnés\",\"notification_visibility_repeats\":\"Partages\",\"nsfw_clickthrough\":\"Masquer les images marquées comme contenu adulte ou sensible\",\"panelRadius\":\"Fenêtres\",\"pause_on_unfocused\":\"Suspendre le streaming lorsque l'onglet n'est pas centré\",\"presets\":\"Thèmes prédéfinis\",\"profile_background\":\"Image de fond\",\"profile_banner\":\"Bannière de profil\",\"profile_tab\":\"Profil\",\"radii_help\":\"Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)\",\"replies_in_timeline\":\"Réponses au journal\",\"reply_link_preview\":\"Afficher un aperçu lors du survol de liens vers une réponse\",\"reply_visibility_all\":\"Montrer toutes les réponses\",\"reply_visibility_following\":\"Afficher uniquement les réponses adressées à moi ou aux utilisateurs que je suis\",\"reply_visibility_self\":\"Afficher uniquement les réponses adressées à moi\",\"saving_err\":\"Erreur lors de l'enregistrement des paramètres\",\"saving_ok\":\"Paramètres enregistrés\",\"security_tab\":\"Sécurité\",\"set_new_avatar\":\"Changer d'avatar\",\"set_new_profile_background\":\"Changer d'image de fond\",\"set_new_profile_banner\":\"Changer de bannière\",\"settings\":\"Paramètres\",\"stop_gifs\":\"N'animer les GIFS que lors du survol du curseur de la souris\",\"streaming\":\"Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page\",\"text\":\"Texte\",\"theme\":\"Thème\",\"theme_help\":\"Spécifiez des codes couleur hexadécimaux (#rrvvbb) pour personnaliser les couleurs du thème.\",\"tooltipRadius\":\"Info-bulles/alertes\",\"user_settings\":\"Paramètres utilisateur\",\"values\":{\"false\":\"non\",\"true\":\"oui\"}},\"timeline\":{\"collapse\":\"Fermer\",\"conversation\":\"Conversation\",\"error_fetching\":\"Erreur en cherchant les mises à jour\",\"load_older\":\"Afficher plus\",\"no_retweet_hint\":\"Le message est marqué en abonnés-seulement ou direct et ne peut pas être répété\",\"repeated\":\"a partagé\",\"show_new\":\"Afficher plus\",\"up_to_date\":\"À jour\"},\"user_card\":{\"approve\":\"Accepter\",\"block\":\"Bloquer\",\"blocked\":\"Bloqué !\",\"deny\":\"Rejeter\",\"follow\":\"Suivre\",\"followees\":\"Suivis\",\"followers\":\"Vous suivent\",\"following\":\"Suivi !\",\"follows_you\":\"Vous suit !\",\"mute\":\"Masquer\",\"muted\":\"Masqué\",\"per_day\":\"par jour\",\"remote_follow\":\"Suivre d'une autre instance\",\"statuses\":\"Statuts\"},\"user_profile\":{\"timeline_title\":\"Journal de l'utilisateur\"},\"who_to_follow\":{\"more\":\"Plus\",\"who_to_follow\":\"Qui s'abonner\"}}\n\n/***/ }),\n/* 407 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Comhrá\"},\"features_panel\":{\"chat\":\"Comhrá\",\"gopher\":\"Gófar\",\"media_proxy\":\"Seachfhreastalaí meáin\",\"scope_options\":\"Rogha scóip\",\"text_limit\":\"Teorainn Téacs\",\"title\":\"Gnéithe\",\"who_to_follow\":\"Daoine le leanúint\"},\"finder\":{\"error_fetching_user\":\"Earráid a aimsiú d'úsáideoir\",\"find_user\":\"Aimsigh úsáideoir\"},\"general\":{\"apply\":\"Feidhmigh\",\"submit\":\"Deimhnigh\"},\"login\":{\"login\":\"Logáil isteach\",\"logout\":\"Logáil amach\",\"password\":\"Pasfhocal\",\"placeholder\":\"m.sh. Daire\",\"register\":\"Clárú\",\"username\":\"Ainm Úsáideora\"},\"nav\":{\"chat\":\"Comhrá Áitiúil\",\"friend_requests\":\"Iarratas ar Cairdeas\",\"mentions\":\"Tagairt\",\"public_tl\":\"Amlíne Poiblí\",\"timeline\":\"Amlíne\",\"twkn\":\"An Líonra Iomlán\"},\"notifications\":{\"broken_favorite\":\"Post anaithnid. Cuardach dó...\",\"favorited_you\":\"toghadh le do phost\",\"followed_you\":\"lean tú\",\"load_older\":\"Luchtaigh fógraí aosta\",\"notifications\":\"Fógraí\",\"read\":\"Léigh!\",\"repeated_you\":\"athphostáil tú\"},\"post_status\":{\"account_not_locked_warning\":\"Níl do chuntas {0}. Is féidir le duine ar bith a leanúint leat chun do phoist leantacha amháin a fheiceáil.\",\"account_not_locked_warning_link\":\"faoi glas\",\"attachments_sensitive\":\"Marcáil ceangaltán mar íogair\",\"content_type\":{\"plain_text\":\"Gnáth-théacs\"},\"content_warning\":\"Teideal (roghnach)\",\"default\":\"Lá iontach anseo i nGaillimh\",\"direct_warning\":\"Ní bheidh an post seo le feiceáil ach amháin do na húsáideoirí atá luaite.\",\"posting\":\"Post nua\",\"scope\":{\"direct\":\"Díreach - Post chuig úsáideoirí luaite amháin\",\"private\":\"Leanúna amháin - Post chuig lucht leanúna amháin\",\"public\":\"Poiblí - Post chuig amlínte poiblí\",\"unlisted\":\"Neamhliostaithe - Ná cuir post chuig amlínte poiblí\"}},\"registration\":{\"bio\":\"Scéal saoil\",\"email\":\"Ríomhphost\",\"fullname\":\"Ainm taispeána'\",\"password_confirm\":\"Deimhnigh do pasfhocal\",\"registration\":\"Clárú\",\"token\":\"Cód cuireadh\"},\"settings\":{\"attachmentRadius\":\"Ceangaltáin\",\"attachments\":\"Ceangaltáin\",\"autoload\":\"Cumasaigh luchtú uathoibríoch nuair a scrollaítear go bun\",\"avatar\":\"Phictúir phrófíle\",\"avatarAltRadius\":\"Phictúirí phrófíle (Fograí)\",\"avatarRadius\":\"Phictúirí phrófíle\",\"background\":\"Cúlra\",\"bio\":\"Scéal saoil\",\"btnRadius\":\"Cnaipí\",\"cBlue\":\"Gorm (Freagra, lean)\",\"cGreen\":\"Glas (Athphóstail)\",\"cOrange\":\"Oráiste (Cosúil)\",\"cRed\":\"Dearg (Cealaigh)\",\"change_password\":\"Athraigh do pasfhocal\",\"change_password_error\":\"Bhí fadhb ann ag athrú do pasfhocail\",\"changed_password\":\"Athraigh an pasfhocal go rathúil!\",\"collapse_subject\":\"Poist a chosc le teidil\",\"confirm_new_password\":\"Deimhnigh do pasfhocal nua\",\"current_avatar\":\"Phictúir phrófíle\",\"current_password\":\"Pasfhocal reatha\",\"current_profile_banner\":\"Phictúir ceanntáisc\",\"data_import_export_tab\":\"Iompórtáil / Easpórtáil Sonraí\",\"default_vis\":\"Scóip infheicthe réamhshocraithe\",\"delete_account\":\"Scrios cuntas\",\"delete_account_description\":\"Do chuntas agus do chuid teachtaireachtaí go léir a scriosadh go buan.\",\"delete_account_error\":\"Bhí fadhb ann a scriosadh do chuntas. Má leanann sé seo, téigh i dteagmháil le do riarthóir.\",\"delete_account_instructions\":\"Scríobh do phasfhocal san ionchur thíos chun deimhniú a scriosadh.\",\"export_theme\":\"Sábháil Téama\",\"filtering\":\"Scagadh\",\"filtering_explanation\":\"Beidh gach post ina bhfuil na focail seo i bhfolach, ceann in aghaidh an líne\",\"follow_export\":\"Easpórtáil do leanann\",\"follow_export_button\":\"Easpórtáil do leanann chuig comhad csv\",\"follow_export_processing\":\"Próiseáil. Iarrtar ort go luath an comhad a íoslódáil.\",\"follow_import\":\"Iompórtáil do leanann\",\"follow_import_error\":\"Earráid agus do leanann a iompórtáil\",\"follows_imported\":\"Do leanann iompórtáil! Tógfaidh an próiseas iad le tamall.\",\"foreground\":\"Tulra\",\"general\":\"Ginearálta\",\"hide_attachments_in_convo\":\"Folaigh ceangaltáin i comhráite\",\"hide_attachments_in_tl\":\"Folaigh ceangaltáin sa amlíne\",\"hide_post_stats\":\"Folaigh staitisticí na bpost (m.sh. líon na n-athrá)\",\"hide_user_stats\":\"Folaigh na staitisticí úsáideora (m.sh. líon na leantóiri)\",\"import_followers_from_a_csv_file\":\"Iompórtáil leanann ó chomhad csv\",\"import_theme\":\"Luchtaigh Téama\",\"inputRadius\":\"Limistéar iontrála\",\"instance_default\":\"(Réamhshocrú: {value})\",\"interfaceLanguage\":\"Teanga comhéadain\",\"invalid_theme_imported\":\"Ní téama bailí é an comhad dícheangailte. Níor rinneadh aon athruithe.\",\"limited_availability\":\"Níl sé ar fáil i do bhrabhsálaí\",\"links\":\"Naisc\",\"lock_account_description\":\"Srian a chur ar do chuntas le lucht leanúna ceadaithe amháin\",\"loop_video\":\"Lúb físeáin\",\"loop_video_silent_only\":\"Lúb físeáin amháin gan fuaim (i.e. Mastodon's \\\"gifs\\\")\",\"name\":\"Ainm\",\"name_bio\":\"Ainm ⁊ Scéal\",\"new_password\":\"Pasfhocal nua'\",\"notification_visibility\":\"Cineálacha fógraí a thaispeáint\",\"notification_visibility_follows\":\"Leana\",\"notification_visibility_likes\":\"Thaithin\",\"notification_visibility_mentions\":\"Tagairt\",\"notification_visibility_repeats\":\"Atphostáil\",\"no_rich_text_description\":\"Bain formáidiú téacs saibhir ó gach post\",\"nsfw_clickthrough\":\"Cumasaigh an ceangaltán NSFW cliceáil ar an gcnaipe\",\"panelRadius\":\"Painéil\",\"pause_on_unfocused\":\"Sruthú ar sos nuair a bhíonn an fócas caillte\",\"presets\":\"Réamhshocruithe\",\"profile_background\":\"Cúlra Próifíl\",\"profile_banner\":\"Phictúir Ceanntáisc\",\"profile_tab\":\"Próifíl\",\"radii_help\":\"Cruinniú imeall comhéadan a chumrú (i bpicteilíní)\",\"replies_in_timeline\":\"Freagraí sa amlíne\",\"reply_link_preview\":\"Cumasaigh réamhamharc nasc freagartha ar chlár na luiche\",\"reply_visibility_all\":\"Taispeáin gach freagra\",\"reply_visibility_following\":\"Taispeáin freagraí amháin atá dírithe ar mise nó ar úsáideoirí atá mé ag leanúint\",\"reply_visibility_self\":\"Taispeáin freagraí amháin atá dírithe ar mise\",\"saving_err\":\"Earráid socruithe a shábháil\",\"saving_ok\":\"Socruithe sábháilte\",\"security_tab\":\"Slándáil\",\"set_new_avatar\":\"Athraigh do phictúir phrófíle\",\"set_new_profile_background\":\"Athraigh do cúlra próifíl\",\"set_new_profile_banner\":\"Athraigh do phictúir ceanntáisc\",\"settings\":\"Socruithe\",\"stop_gifs\":\"Seinn GIFs ar an scáileán\",\"streaming\":\"Cumasaigh post nua a shruthú uathoibríoch nuair a scrollaítear go barr an leathanaigh\",\"text\":\"Téacs\",\"theme\":\"Téama\",\"theme_help\":\"Úsáid cód daith hex (#rrggbb) chun do schéim a saincheapadh\",\"tooltipRadius\":\"Bileoga eolais\",\"user_settings\":\"Socruithe úsáideora\",\"values\":{\"false\":\"níl\",\"true\":\"tá\"}},\"timeline\":{\"collapse\":\"Folaigh\",\"conversation\":\"Cómhra\",\"error_fetching\":\"Earráid a thabhairt cothrom le dáta\",\"load_older\":\"Luchtaigh níos mó\",\"no_retweet_hint\":\"Tá an post seo marcáilte mar lucht leanúna amháin nó díreach agus ní féidir é a athphostáil\",\"repeated\":\"athphostáil\",\"show_new\":\"Taispeáin nua\",\"up_to_date\":\"Nuashonraithe\"},\"user_card\":{\"approve\":\"Údaraigh\",\"block\":\"Cosc\",\"blocked\":\"Cuireadh coisc!\",\"deny\":\"Diúltaigh\",\"follow\":\"Lean\",\"followees\":\"Leantóirí\",\"followers\":\"Á Leanúint\",\"following\":\"Á Leanúint\",\"follows_you\":\"Leanann tú\",\"mute\":\"Cuir i mód ciúin\",\"muted\":\"Mód ciúin\",\"per_day\":\"laethúil\",\"remote_follow\":\"Leaníunt iargúlta\",\"statuses\":\"Poist\"},\"user_profile\":{\"timeline_title\":\"Amlíne úsáideora\"},\"who_to_follow\":{\"more\":\"Feach uile\",\"who_to_follow\":\"Daoine le leanúint\"}}\n\n/***/ }),\n/* 408 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"צ'אט\"},\"features_panel\":{\"chat\":\"צ'אט\",\"gopher\":\"גופר\",\"media_proxy\":\"מדיה פרוקסי\",\"scope_options\":\"אפשרויות טווח\",\"text_limit\":\"מגבלת טקסט\",\"title\":\"מאפיינים\",\"who_to_follow\":\"אחרי מי לעקוב\"},\"finder\":{\"error_fetching_user\":\"שגיאה במציאת משתמש\",\"find_user\":\"מציאת משתמש\"},\"general\":{\"apply\":\"החל\",\"submit\":\"שלח\"},\"login\":{\"login\":\"התחבר\",\"logout\":\"התנתק\",\"password\":\"סיסמה\",\"placeholder\":\"למשל lain\",\"register\":\"הירשם\",\"username\":\"שם המשתמש\"},\"nav\":{\"chat\":\"צ'אט מקומי\",\"friend_requests\":\"בקשות עקיבה\",\"mentions\":\"אזכורים\",\"public_tl\":\"ציר הזמן הציבורי\",\"timeline\":\"ציר הזמן\",\"twkn\":\"כל הרשת הידועה\"},\"notifications\":{\"broken_favorite\":\"סטאטוס לא ידוע, מחפש...\",\"favorited_you\":\"אהב את הסטטוס שלך\",\"followed_you\":\"עקב אחריך!\",\"load_older\":\"טען התראות ישנות\",\"notifications\":\"התראות\",\"read\":\"קרא!\",\"repeated_you\":\"חזר על הסטטוס שלך\"},\"post_status\":{\"account_not_locked_warning\":\"המשתמש שלך אינו {0}. כל אחד יכול לעקוב אחריך ולראות את ההודעות לעוקבים-בלבד שלך.\",\"account_not_locked_warning_link\":\"נעול\",\"attachments_sensitive\":\"סמן מסמכים מצורפים כלא בטוחים לצפייה\",\"content_type\":{\"plain_text\":\"טקסט פשוט\"},\"content_warning\":\"נושא (נתון לבחירה)\",\"default\":\"הרגע נחת ב-ל.א.\",\"direct_warning\":\"הודעה זו תהיה זמינה רק לאנשים המוזכרים.\",\"posting\":\"מפרסם\",\"scope\":{\"direct\":\"ישיר - שלח לאנשים המוזכרים בלבד\",\"private\":\"עוקבים-בלבד - שלח לעוקבים בלבד\",\"public\":\"ציבורי - שלח לציר הזמן הציבורי\",\"unlisted\":\"מחוץ לרשימה - אל תשלח לציר הזמן הציבורי\"}},\"registration\":{\"bio\":\"אודות\",\"email\":\"אימייל\",\"fullname\":\"שם תצוגה\",\"password_confirm\":\"אישור סיסמה\",\"registration\":\"הרשמה\",\"token\":\"טוקן הזמנה\"},\"settings\":{\"attachmentRadius\":\"צירופים\",\"attachments\":\"צירופים\",\"autoload\":\"החל טעינה אוטומטית בגלילה לתחתית הדף\",\"avatar\":\"תמונת פרופיל\",\"avatarAltRadius\":\"תמונות פרופיל (התראות)\",\"avatarRadius\":\"תמונות פרופיל\",\"background\":\"רקע\",\"bio\":\"אודות\",\"btnRadius\":\"כפתורים\",\"cBlue\":\"כחול (תגובה, עקיבה)\",\"cGreen\":\"ירוק (חזרה)\",\"cOrange\":\"כתום (לייק)\",\"cRed\":\"אדום (ביטול)\",\"change_password\":\"שנה סיסמה\",\"change_password_error\":\"הייתה בעיה בשינוי סיסמתך.\",\"changed_password\":\"סיסמה שונתה בהצלחה!\",\"collapse_subject\":\"מזער הודעות עם נושאים\",\"confirm_new_password\":\"אשר סיסמה\",\"current_avatar\":\"תמונת הפרופיל הנוכחית שלך\",\"current_password\":\"סיסמה נוכחית\",\"current_profile_banner\":\"כרזת הפרופיל הנוכחית שלך\",\"data_import_export_tab\":\"ייבוא או ייצוא מידע\",\"default_vis\":\"ברירת מחדל לטווח הנראות\",\"delete_account\":\"מחק משתמש\",\"delete_account_description\":\"מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.\",\"delete_account_error\":\"הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.\",\"delete_account_instructions\":\"הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.\",\"export_theme\":\"שמור ערכים\",\"filtering\":\"סינון\",\"filtering_explanation\":\"כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה\",\"follow_export\":\"יצוא עקיבות\",\"follow_export_button\":\"ייצא את הנעקבים שלך לקובץ csv\",\"follow_export_processing\":\"טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך\",\"follow_import\":\"יבוא עקיבות\",\"follow_import_error\":\"שגיאה בייבוא נעקבים.\",\"follows_imported\":\"נעקבים יובאו! ייקח זמן מה לעבד אותם.\",\"foreground\":\"חזית\",\"hide_attachments_in_convo\":\"החבא צירופים בשיחות\",\"hide_attachments_in_tl\":\"החבא צירופים בציר הזמן\",\"import_followers_from_a_csv_file\":\"ייבא את הנעקבים שלך מקובץ csv\",\"import_theme\":\"טען ערכים\",\"inputRadius\":\"שדות קלט\",\"interfaceLanguage\":\"שפת הממשק\",\"invalid_theme_imported\":\"הקובץ הנבחר אינו תמה הנתמכת ע\\\"י פלרומה. שום שינויים לא נעשו לתמה שלך.\",\"limited_availability\":\"לא זמין בדפדפן שלך\",\"links\":\"לינקים\",\"lock_account_description\":\"הגבל את המשתמש לעוקבים מאושרים בלבד\",\"loop_video\":\"נגן סרטונים ללא הפסקה\",\"loop_video_silent_only\":\"נגן רק סרטונים חסרי קול ללא הפסקה\",\"name\":\"שם\",\"name_bio\":\"שם ואודות\",\"new_password\":\"סיסמה חדשה\",\"notification_visibility\":\"סוג ההתראות שתרצו לראות\",\"notification_visibility_follows\":\"עקיבות\",\"notification_visibility_likes\":\"לייקים\",\"notification_visibility_mentions\":\"אזכורים\",\"notification_visibility_repeats\":\"חזרות\",\"nsfw_clickthrough\":\"החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר\",\"panelRadius\":\"פאנלים\",\"pause_on_unfocused\":\"השהה זרימת הודעות כשהחלון לא בפוקוס\",\"presets\":\"ערכים קבועים מראש\",\"profile_background\":\"רקע הפרופיל\",\"profile_banner\":\"כרזת הפרופיל\",\"profile_tab\":\"פרופיל\",\"radii_help\":\"קבע מראש עיגול פינות לממשק (בפיקסלים)\",\"replies_in_timeline\":\"תגובות בציר הזמן\",\"reply_link_preview\":\"החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר\",\"reply_visibility_all\":\"הראה את כל התגובות\",\"reply_visibility_following\":\"הראה תגובות שמופנות אליי או לעקובים שלי בלבד\",\"reply_visibility_self\":\"הראה תגובות שמופנות אליי בלבד\",\"security_tab\":\"ביטחון\",\"set_new_avatar\":\"קבע תמונת פרופיל חדשה\",\"set_new_profile_background\":\"קבע רקע פרופיל חדש\",\"set_new_profile_banner\":\"קבע כרזת פרופיל חדשה\",\"settings\":\"הגדרות\",\"stop_gifs\":\"נגן-בעת-ריחוף GIFs\",\"streaming\":\"החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף\",\"text\":\"טקסט\",\"theme\":\"תמה\",\"theme_help\":\"השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.\",\"tooltipRadius\":\"טולטיפ \\\\ התראות\",\"user_settings\":\"הגדרות משתמש\"},\"timeline\":{\"collapse\":\"מוטט\",\"conversation\":\"שיחה\",\"error_fetching\":\"שגיאה בהבאת הודעות\",\"load_older\":\"טען סטטוסים חדשים\",\"no_retweet_hint\":\"ההודעה מסומנת כ\\\"לעוקבים-בלבד\\\" ולא ניתן לחזור עליה\",\"repeated\":\"חזר\",\"show_new\":\"הראה חדש\",\"up_to_date\":\"עדכני\"},\"user_card\":{\"approve\":\"אשר\",\"block\":\"חסימה\",\"blocked\":\"חסום!\",\"deny\":\"דחה\",\"follow\":\"עקוב\",\"followees\":\"נעקבים\",\"followers\":\"עוקבים\",\"following\":\"עוקב!\",\"follows_you\":\"עוקב אחריך!\",\"mute\":\"השתק\",\"muted\":\"מושתק\",\"per_day\":\"ליום\",\"remote_follow\":\"עקיבה מרחוק\",\"statuses\":\"סטטוסים\"},\"user_profile\":{\"timeline_title\":\"ציר זמן המשתמש\"},\"who_to_follow\":{\"more\":\"עוד\",\"who_to_follow\":\"אחרי מי לעקוב\"}}\n\n/***/ }),\n/* 409 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"finder\":{\"error_fetching_user\":\"Hiba felhasználó beszerzésével\",\"find_user\":\"Felhasználó keresése\"},\"general\":{\"submit\":\"Elküld\"},\"login\":{\"login\":\"Bejelentkezés\",\"logout\":\"Kijelentkezés\",\"password\":\"Jelszó\",\"placeholder\":\"e.g. lain\",\"register\":\"Feliratkozás\",\"username\":\"Felhasználó név\"},\"nav\":{\"mentions\":\"Említéseim\",\"public_tl\":\"Publikus Idővonal\",\"timeline\":\"Idővonal\",\"twkn\":\"Az Egész Ismert Hálózat\"},\"notifications\":{\"followed_you\":\"követ téged\",\"notifications\":\"Értesítések\",\"read\":\"Olvasva!\"},\"post_status\":{\"default\":\"Most érkeztem L.A.-be\",\"posting\":\"Küldés folyamatban\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Teljes név\",\"password_confirm\":\"Jelszó megerősítése\",\"registration\":\"Feliratkozás\"},\"settings\":{\"attachments\":\"Csatolmányok\",\"autoload\":\"Autoatikus betöltés engedélyezése lap aljára görgetéskor\",\"avatar\":\"Avatár\",\"bio\":\"Bio\",\"current_avatar\":\"Jelenlegi avatár\",\"current_profile_banner\":\"Jelenlegi profil banner\",\"filtering\":\"Szűrés\",\"filtering_explanation\":\"Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy\",\"hide_attachments_in_convo\":\"Csatolmányok elrejtése a társalgásokban\",\"hide_attachments_in_tl\":\"Csatolmányok elrejtése az idővonalon\",\"name\":\"Név\",\"name_bio\":\"Név és Bio\",\"nsfw_clickthrough\":\"NSFW átkattintási tartalom elrejtésének engedélyezése\",\"profile_background\":\"Profil háttérkép\",\"profile_banner\":\"Profil Banner\",\"reply_link_preview\":\"Válasz-link előzetes mutatása egér rátételkor\",\"set_new_avatar\":\"Új avatár\",\"set_new_profile_background\":\"Új profil háttér beállítása\",\"set_new_profile_banner\":\"Új profil banner\",\"settings\":\"Beállítások\",\"theme\":\"Téma\",\"user_settings\":\"Felhasználói beállítások\"},\"timeline\":{\"conversation\":\"Társalgás\",\"error_fetching\":\"Hiba a frissítések beszerzésénél\",\"load_older\":\"Régebbi állapotok betöltése\",\"show_new\":\"Újak mutatása\",\"up_to_date\":\"Naprakész\"},\"user_card\":{\"block\":\"Letilt\",\"blocked\":\"Letiltva!\",\"follow\":\"Követ\",\"followees\":\"Követettek\",\"followers\":\"Követők\",\"following\":\"Követve!\",\"follows_you\":\"Követ téged!\",\"mute\":\"Némít\",\"muted\":\"Némított\",\"per_day\":\"naponta\",\"statuses\":\"Állapotok\"}}\n\n/***/ }),\n/* 410 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"general\":{\"submit\":\"Invia\",\"apply\":\"Applica\"},\"nav\":{\"mentions\":\"Menzioni\",\"public_tl\":\"Sequenza temporale pubblica\",\"timeline\":\"Sequenza temporale\",\"twkn\":\"L'intera rete conosciuta\",\"chat\":\"Chat Locale\",\"friend_requests\":\"Richieste di Seguirti\"},\"notifications\":{\"followed_you\":\"ti segue\",\"notifications\":\"Notifiche\",\"read\":\"Leggi!\",\"broken_favorite\":\"Stato sconosciuto, lo sto cercando...\",\"favorited_you\":\"ha messo mi piace al tuo stato\",\"load_older\":\"Carica notifiche più vecchie\",\"repeated_you\":\"ha condiviso il tuo stato\"},\"settings\":{\"attachments\":\"Allegati\",\"autoload\":\"Abilita caricamento automatico quando si raggiunge fondo pagina\",\"avatar\":\"Avatar\",\"bio\":\"Introduzione\",\"current_avatar\":\"Il tuo avatar attuale\",\"current_profile_banner\":\"Il tuo banner attuale\",\"filtering\":\"Filtri\",\"filtering_explanation\":\"Tutti i post contenenti queste parole saranno silenziati, uno per linea\",\"hide_attachments_in_convo\":\"Nascondi gli allegati presenti nelle conversazioni\",\"hide_attachments_in_tl\":\"Nascondi gli allegati presenti nella sequenza temporale\",\"name\":\"Nome\",\"name_bio\":\"Nome & Introduzione\",\"nsfw_clickthrough\":\"Abilita il click per visualizzare gli allegati segnati come NSFW\",\"profile_background\":\"Sfondo della tua pagina\",\"profile_banner\":\"Banner del tuo profilo\",\"reply_link_preview\":\"Abilita il link per la risposta al passaggio del mouse\",\"set_new_avatar\":\"Scegli un nuovo avatar\",\"set_new_profile_background\":\"Scegli un nuovo sfondo per la tua pagina\",\"set_new_profile_banner\":\"Scegli un nuovo banner per il tuo profilo\",\"settings\":\"Impostazioni\",\"theme\":\"Tema\",\"user_settings\":\"Impostazioni Utente\",\"attachmentRadius\":\"Allegati\",\"avatarAltRadius\":\"Avatar (Notifiche)\",\"avatarRadius\":\"Avatar\",\"background\":\"Sfondo\",\"btnRadius\":\"Pulsanti\",\"cBlue\":\"Blu (Rispondere, seguire)\",\"cGreen\":\"Verde (Condividi)\",\"cOrange\":\"Arancio (Mi piace)\",\"cRed\":\"Rosso (Annulla)\",\"change_password\":\"Cambia Password\",\"change_password_error\":\"C'è stato un problema durante il cambiamento della password.\",\"changed_password\":\"Password cambiata correttamente!\",\"collapse_subject\":\"Riduci post che hanno un oggetto\",\"confirm_new_password\":\"Conferma la nuova password\",\"current_password\":\"Password attuale\",\"data_import_export_tab\":\"Importa / Esporta Dati\",\"default_vis\":\"Visibilità predefinita dei post\",\"delete_account\":\"Elimina Account\",\"delete_account_description\":\"Elimina definitivamente il tuo account e tutti i tuoi messaggi.\",\"delete_account_error\":\"C'è stato un problema durante l'eliminazione del tuo account. Se il problema persiste contatta l'amministratore della tua istanza.\",\"delete_account_instructions\":\"Digita la tua password nel campo sottostante per confermare l'eliminazione dell'account.\",\"export_theme\":\"Salva settaggi\",\"follow_export\":\"Esporta la lista di chi segui\",\"follow_export_button\":\"Esporta la lista di chi segui in un file csv\",\"follow_export_processing\":\"Sto elaborando, presto ti sarà chiesto di scaricare il tuo file\",\"follow_import\":\"Importa la lista di chi segui\",\"follow_import_error\":\"Errore nell'importazione della lista di chi segui\",\"follows_imported\":\"Importazione riuscita! L'elaborazione richiederà un po' di tempo.\",\"foreground\":\"In primo piano\",\"general\":\"Generale\",\"hide_post_stats\":\"Nascondi statistiche dei post (es. il numero di mi piace)\",\"hide_user_stats\":\"Nascondi statistiche dell'utente (es. il numero di chi ti segue)\",\"import_followers_from_a_csv_file\":\"Importa una lista di chi segui da un file csv\",\"import_theme\":\"Carica settaggi\",\"inputRadius\":\"Campi di testo\",\"instance_default\":\"(predefinito: {value})\",\"interfaceLanguage\":\"Linguaggio dell'interfaccia\",\"invalid_theme_imported\":\"Il file selezionato non è un file di tema per Pleroma supportato. Il tuo tema non è stato modificato.\",\"limited_availability\":\"Non disponibile nel tuo browser\",\"links\":\"Collegamenti\",\"lock_account_description\":\"Limita il tuo account solo per contatti approvati\",\"loop_video\":\"Riproduci video in ciclo continuo\",\"loop_video_silent_only\":\"Riproduci solo video senza audio in ciclo continuo (es. le gif di Mastodon)\",\"new_password\":\"Nuova password\",\"notification_visibility\":\"Tipi di notifiche da mostrare\",\"notification_visibility_follows\":\"Nuove persone ti seguono\",\"notification_visibility_likes\":\"Mi piace\",\"notification_visibility_mentions\":\"Menzioni\",\"notification_visibility_repeats\":\"Condivisioni\",\"no_rich_text_description\":\"Togli la formattazione del testo da tutti i post\",\"panelRadius\":\"Pannelli\",\"pause_on_unfocused\":\"Metti in pausa l'aggiornamento continuo quando la scheda non è in primo piano\",\"presets\":\"Valori predefiniti\",\"profile_tab\":\"Profilo\",\"radii_help\":\"Imposta l'arrotondamento dei bordi (in pixel)\",\"replies_in_timeline\":\"Risposte nella sequenza temporale\",\"reply_visibility_all\":\"Mostra tutte le risposte\",\"reply_visibility_following\":\"Mostra solo le risposte dirette a me o agli utenti che seguo\",\"reply_visibility_self\":\"Mostra solo risposte dirette a me\",\"saving_err\":\"Errore nel salvataggio delle impostazioni\",\"saving_ok\":\"Impostazioni salvate\",\"security_tab\":\"Sicurezza\",\"stop_gifs\":\"Riproduci GIF al passaggio del cursore del mouse\",\"streaming\":\"Abilita aggiornamento automatico dei nuovi post quando si è in alto alla pagina\",\"text\":\"Testo\",\"theme_help\":\"Usa codici colore esadecimali (#rrggbb) per personalizzare il tuo schema di colori.\",\"tooltipRadius\":\"Descrizioni/avvisi\",\"values\":{\"false\":\"no\",\"true\":\"si\"}},\"timeline\":{\"error_fetching\":\"Errore nel prelievo aggiornamenti\",\"load_older\":\"Carica messaggi più vecchi\",\"show_new\":\"Mostra nuovi\",\"up_to_date\":\"Aggiornato\",\"collapse\":\"Riduci\",\"conversation\":\"Conversazione\",\"no_retweet_hint\":\"La visibilità del post è impostata solo per chi ti segue o messaggio diretto e non può essere condiviso\",\"repeated\":\"condiviso\"},\"user_card\":{\"follow\":\"Segui\",\"followees\":\"Chi stai seguendo\",\"followers\":\"Chi ti segue\",\"following\":\"Lo stai seguendo!\",\"follows_you\":\"Ti segue!\",\"mute\":\"Silenzia\",\"muted\":\"Silenziato\",\"per_day\":\"al giorno\",\"statuses\":\"Messaggi\",\"approve\":\"Approva\",\"block\":\"Blocca\",\"blocked\":\"Bloccato!\",\"deny\":\"Nega\",\"remote_follow\":\"Segui da remoto\"},\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Opzioni di visibilità\",\"text_limit\":\"Lunghezza limite\",\"title\":\"Caratteristiche\",\"who_to_follow\":\"Chi seguire\"},\"finder\":{\"error_fetching_user\":\"Errore nel recupero dell'utente\",\"find_user\":\"Trova utente\"},\"login\":{\"login\":\"Accedi\",\"logout\":\"Disconnettiti\",\"password\":\"Password\",\"placeholder\":\"es. lain\",\"register\":\"Registrati\",\"username\":\"Nome utente\"},\"post_status\":{\"account_not_locked_warning\":\"Il tuo account non è {0}. Chiunque può seguirti e vedere i tuoi post riservati a chi ti segue.\",\"account_not_locked_warning_link\":\"bloccato\",\"attachments_sensitive\":\"Segna allegati come sensibili\",\"content_type\":{\"plain_text\":\"Testo normale\"},\"content_warning\":\"Oggetto (facoltativo)\",\"default\":\"Appena atterrato in L.A.\",\"direct_warning\":\"Questo post sarà visibile solo dagli utenti menzionati.\",\"posting\":\"Pubblica\",\"scope\":{\"direct\":\"Diretto - Pubblicato solo per gli utenti menzionati\",\"private\":\"Solo per chi ti segue - Visibile solo da chi ti segue\",\"public\":\"Pubblico - Visibile sulla sequenza temporale pubblica\",\"unlisted\":\"Non elencato - Non visibile sulla sequenza temporale pubblica\"}},\"registration\":{\"bio\":\"Introduzione\",\"email\":\"Email\",\"fullname\":\"Nome visualizzato\",\"password_confirm\":\"Conferma password\",\"registration\":\"Registrazione\",\"token\":\"Codice d'invito\"},\"user_profile\":{\"timeline_title\":\"Sequenza Temporale dell'Utente\"},\"who_to_follow\":{\"more\":\"Più\",\"who_to_follow\":\"Chi seguire\"}}\n\n/***/ }),\n/* 411 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"チャット\"},\"features_panel\":{\"chat\":\"チャット\",\"gopher\":\"Gopher\",\"media_proxy\":\"メディアプロクシ\",\"scope_options\":\"こうかいはんいせんたく\",\"text_limit\":\"もじのかず\",\"title\":\"ゆうこうなきのう\",\"who_to_follow\":\"おすすめユーザー\"},\"finder\":{\"error_fetching_user\":\"ユーザーけんさくがエラーになりました。\",\"find_user\":\"ユーザーをさがす\"},\"general\":{\"apply\":\"てきよう\",\"submit\":\"そうしん\"},\"login\":{\"login\":\"ログイン\",\"description\":\"OAuthでログイン\",\"logout\":\"ログアウト\",\"password\":\"パスワード\",\"placeholder\":\"れい: lain\",\"register\":\"はじめる\",\"username\":\"ユーザーめい\"},\"nav\":{\"about\":\"これはなに?\",\"back\":\"もどる\",\"chat\":\"ローカルチャット\",\"friend_requests\":\"フォローリクエスト\",\"mentions\":\"メンション\",\"dms\":\"ダイレクトメッセージ\",\"public_tl\":\"パブリックタイムライン\",\"timeline\":\"タイムライン\",\"twkn\":\"つながっているすべてのネットワーク\",\"user_search\":\"ユーザーをさがす\",\"who_to_follow\":\"おすすめユーザー\",\"preferences\":\"せってい\"},\"notifications\":{\"broken_favorite\":\"ステータスがみつかりません。さがしています...\",\"favorited_you\":\"あなたのステータスがおきにいりされました\",\"followed_you\":\"フォローされました\",\"load_older\":\"ふるいつうちをみる\",\"notifications\":\"つうち\",\"read\":\"よんだ!\",\"repeated_you\":\"あなたのステータスがリピートされました\"},\"post_status\":{\"new_status\":\"とうこうする\",\"account_not_locked_warning\":\"あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。\",\"account_not_locked_warning_link\":\"ロックされたアカウント\",\"attachments_sensitive\":\"ファイルをNSFWにする\",\"content_type\":{\"plain_text\":\"プレーンテキスト\"},\"content_warning\":\"せつめい (かかなくてもよい)\",\"default\":\"はねだくうこうに、つきました。\",\"direct_warning\":\"このステータスは、メンションされたユーザーだけが、よむことができます。\",\"posting\":\"とうこう\",\"scope\":{\"direct\":\"ダイレクト: メンションされたユーザーのみにとどきます。\",\"private\":\"フォロワーげんてい: フォロワーのみにとどきます。\",\"public\":\"パブリック: パブリックタイムラインにとどきます。\",\"unlisted\":\"アンリステッド: パブリックタイムラインにとどきません。\"}},\"registration\":{\"bio\":\"プロフィール\",\"email\":\"Eメール\",\"fullname\":\"スクリーンネーム\",\"password_confirm\":\"パスワードのかくにん\",\"registration\":\"はじめる\",\"token\":\"しょうたいトークン\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"もじがよめないときは、がぞうをクリックすると、あたらしいがぞうになります\",\"validations\":{\"username_required\":\"なにかかいてください\",\"fullname_required\":\"なにかかいてください\",\"email_required\":\"なにかかいてください\",\"password_required\":\"なにかかいてください\",\"password_confirmation_required\":\"なにかかいてください\",\"password_confirmation_match\":\"パスワードがちがいます\"}},\"settings\":{\"attachmentRadius\":\"ファイル\",\"attachments\":\"ファイル\",\"autoload\":\"したにスクロールしたとき、じどうてきによみこむ。\",\"avatar\":\"アバター\",\"avatarAltRadius\":\"つうちのアバター\",\"avatarRadius\":\"アバター\",\"background\":\"バックグラウンド\",\"bio\":\"プロフィール\",\"btnRadius\":\"ボタン\",\"cBlue\":\"リプライとフォロー\",\"cGreen\":\"リピート\",\"cOrange\":\"おきにいり\",\"cRed\":\"キャンセル\",\"change_password\":\"パスワードをかえる\",\"change_password_error\":\"パスワードをかえることが、できなかったかもしれません。\",\"changed_password\":\"パスワードが、かわりました!\",\"collapse_subject\":\"せつめいのあるとうこうをたたむ\",\"composing\":\"とうこう\",\"confirm_new_password\":\"あたらしいパスワードのかくにん\",\"current_avatar\":\"いまのアバター\",\"current_password\":\"いまのパスワード\",\"current_profile_banner\":\"いまのプロフィールバナー\",\"data_import_export_tab\":\"インポートとエクスポート\",\"default_vis\":\"デフォルトのこうかいはんい\",\"delete_account\":\"アカウントをけす\",\"delete_account_description\":\"あなたのアカウントとメッセージが、きえます。\",\"delete_account_error\":\"アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。\",\"delete_account_instructions\":\"ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。\",\"export_theme\":\"セーブ\",\"filtering\":\"フィルタリング\",\"filtering_explanation\":\"これらのことばをふくむすべてのものがミュートされます。1ぎょうに1つのことばをかいてください。\",\"follow_export\":\"フォローのエクスポート\",\"follow_export_button\":\"エクスポート\",\"follow_export_processing\":\"おまちください。まもなくファイルをダウンロードできます。\",\"follow_import\":\"フォローインポート\",\"follow_import_error\":\"フォローのインポートがエラーになりました。\",\"follows_imported\":\"フォローがインポートされました! すこしじかんがかかるかもしれません。\",\"foreground\":\"フォアグラウンド\",\"general\":\"ぜんぱん\",\"hide_attachments_in_convo\":\"スレッドのファイルをかくす\",\"hide_attachments_in_tl\":\"タイムラインのファイルをかくす\",\"hide_isp\":\"インスタンススペシフィックパネルをかくす\",\"preload_images\":\"がぞうをさきよみする\",\"hide_post_stats\":\"とうこうのとうけいをかくす (れい: おきにいりのかず)\",\"hide_user_stats\":\"ユーザーのとうけいをかくす (れい: フォロワーのかず)\",\"import_followers_from_a_csv_file\":\"CSVファイルからフォローをインポートする\",\"import_theme\":\"ロード\",\"inputRadius\":\"インプットフィールド\",\"checkboxRadius\":\"チェックボックス\",\"instance_default\":\"(デフォルト: {value})\",\"instance_default_simple\":\"(デフォルト)\",\"interface\":\"インターフェース\",\"interfaceLanguage\":\"インターフェースのことば\",\"invalid_theme_imported\":\"このファイルはPleromaのテーマではありません。テーマはへんこうされませんでした。\",\"limited_availability\":\"あなたのブラウザではできません\",\"links\":\"リンク\",\"lock_account_description\":\"あなたがみとめたひとだけ、あなたのアカウントをフォローできる\",\"loop_video\":\"ビデオをくりかえす\",\"loop_video_silent_only\":\"おとのないビデオだけくりかえす\",\"name\":\"なまえ\",\"name_bio\":\"なまえとプロフィール\",\"new_password\":\"あたらしいパスワード\",\"notification_visibility\":\"ひょうじするつうち\",\"notification_visibility_follows\":\"フォロー\",\"notification_visibility_likes\":\"おきにいり\",\"notification_visibility_mentions\":\"メンション\",\"notification_visibility_repeats\":\"リピート\",\"no_rich_text_description\":\"リッチテキストをつかわない\",\"hide_followings_description\":\"フォローしている人を表示しない\",\"hide_followers_description\":\"フォローしている人を表示しない\",\"nsfw_clickthrough\":\"NSFWなファイルをかくす\",\"panelRadius\":\"パネル\",\"pause_on_unfocused\":\"タブにフォーカスがないときストリーミングをとめる\",\"presets\":\"プリセット\",\"profile_background\":\"プロフィールのバックグラウンド\",\"profile_banner\":\"プロフィールバナー\",\"profile_tab\":\"プロフィール\",\"radii_help\":\"インターフェースのまるさをせっていする。\",\"replies_in_timeline\":\"タイムラインのリプライ\",\"reply_link_preview\":\"カーソルをかさねたとき、リプライのプレビューをみる\",\"reply_visibility_all\":\"すべてのリプライをみる\",\"reply_visibility_following\":\"わたしにあてられたリプライと、フォローしているひとからのリプライをみる\",\"reply_visibility_self\":\"わたしにあてられたリプライをみる\",\"saving_err\":\"せっていをセーブできませんでした\",\"saving_ok\":\"せっていをセーブしました\",\"security_tab\":\"セキュリティ\",\"scope_copy\":\"リプライするとき、こうかいはんいをコピーする (DMのこうかいはんいは、つねにコピーされます)\",\"set_new_avatar\":\"あたらしいアバターをせっていする\",\"set_new_profile_background\":\"あたらしいプロフィールのバックグラウンドをせっていする\",\"set_new_profile_banner\":\"あたらしいプロフィールバナーを設定する\",\"settings\":\"せってい\",\"subject_input_always_show\":\"サブジェクトフィールドをいつでもひょうじする\",\"subject_line_behavior\":\"リプライするときサブジェクトをコピーする\",\"subject_line_email\":\"メールふう: \\\"re: サブジェクト\\\"\",\"subject_line_mastodon\":\"マストドンふう: そのままコピー\",\"subject_line_noop\":\"コピーしない\",\"stop_gifs\":\"カーソルをかさねたとき、GIFをうごかす\",\"streaming\":\"うえまでスクロールしたとき、じどうてきにストリーミングする\",\"text\":\"もじ\",\"theme\":\"テーマ\",\"theme_help\":\"カラーテーマをカスタマイズできます\",\"theme_help_v2_1\":\"チェックボックスをONにすると、コンポーネントごとに、いろと、とうめいどを、オーバーライドできます。「すべてクリア」ボタンをおすと、すべてのオーバーライドを、やめます。\",\"theme_help_v2_2\":\"バックグラウンドとテキストのコントラストをあらわすアイコンがあります。マウスをホバーすると、くわしいせつめいがでます。とうめいないろをつかっているときは、もっともわるいばあいのコントラストがしめされます。\",\"tooltipRadius\":\"ツールチップとアラート\",\"user_settings\":\"ユーザーせってい\",\"values\":{\"false\":\"いいえ\",\"true\":\"はい\"},\"notifications\":\"つうち\",\"enable_web_push_notifications\":\"ウェブプッシュつうちをゆるす\",\"style\":{\"switcher\":{\"keep_color\":\"いろをのこす\",\"keep_shadows\":\"かげをのこす\",\"keep_opacity\":\"とうめいどをのこす\",\"keep_roundness\":\"まるさをのこす\",\"keep_fonts\":\"フォントをのこす\",\"save_load_hint\":\"「のこす」オプションをONにすると、テーマをえらんだときとロードしたとき、いまのせっていをのこします。また、テーマをエクスポートするとき、これらのオプションをストアします。すべてのチェックボックスをOFFにすると、テーマをエクスポートしたとき、すべてのせっていをセーブします。\",\"reset\":\"リセット\",\"clear_all\":\"すべてクリア\",\"clear_opacity\":\"とうめいどをクリア\"},\"common\":{\"color\":\"いろ\",\"opacity\":\"とうめいど\",\"contrast\":{\"hint\":\"コントラストは {ratio} です。{level}。({context})\",\"level\":{\"aa\":\"AAレベルガイドライン (ミニマル) をみたします\",\"aaa\":\"AAAレベルガイドライン (レコメンデッド) をみたします。\",\"bad\":\"ガイドラインをみたしません。\"},\"context\":{\"18pt\":\"おおきい (18ポイントいじょう) テキスト\",\"text\":\"テキスト\"}}},\"common_colors\":{\"_tab_label\":\"きょうつう\",\"main\":\"きょうつうのいろ\",\"foreground_hint\":\"「くわしく」タブで、もっとこまかくせっていできます\",\"rgbo\":\"アイコンとアクセントとバッジ\"},\"advanced_colors\":{\"_tab_label\":\"くわしく\",\"alert\":\"アラートのバックグラウンド\",\"alert_error\":\"エラー\",\"badge\":\"バッジのバックグラウンド\",\"badge_notification\":\"つうち\",\"panel_header\":\"パネルヘッダー\",\"top_bar\":\"トップバー\",\"borders\":\"さかいめ\",\"buttons\":\"ボタン\",\"inputs\":\"インプットフィールド\",\"faint_text\":\"うすいテキスト\"},\"radii\":{\"_tab_label\":\"まるさ\"},\"shadows\":{\"_tab_label\":\"ひかりとかげ\",\"component\":\"コンポーネント\",\"override\":\"オーバーライド\",\"shadow_id\":\"かげ #{value}\",\"blur\":\"ぼかし\",\"spread\":\"ひろがり\",\"inset\":\"うちがわ\",\"hint\":\"かげのせっていでは、いろのあたいとして --variable をつかうことができます。これはCSS3へんすうです。ただし、とうめいどのせっていは、きかなくなります。\",\"filter_hint\":{\"always_drop_shadow\":\"ブラウザーがサポートしていれば、つねに {0} がつかわれます。\",\"drop_shadow_syntax\":\"{0} は、{1} パラメーターと {2} キーワードをサポートしていません。\",\"avatar_inset\":\"うちがわのかげと、そとがわのかげを、いっしょにつかうと、とうめいなアバターが、へんなみためになります。\",\"spread_zero\":\"ひろがりが 0 よりもおおきなかげは、0 とおなじです。\",\"inset_classic\":\"うちがわのかげは {0} をつかいます。\"},\"components\":{\"panel\":\"パネル\",\"panelHeader\":\"パネルヘッダー\",\"topBar\":\"トップバー\",\"avatar\":\"ユーザーアバター (プロフィール)\",\"avatarStatus\":\"ユーザーアバター (とうこう)\",\"popup\":\"ポップアップとツールチップ\",\"button\":\"ボタン\",\"buttonHover\":\"ボタン (ホバー)\",\"buttonPressed\":\"ボタン (おされているとき)\",\"buttonPressedHover\":\"ボタン (ホバー、かつ、おされているとき)\",\"input\":\"インプットフィールド\"}},\"fonts\":{\"_tab_label\":\"フォント\",\"help\":\"「カスタム」をえらんだときは、システムにあるフォントのなまえを、ただしくにゅうりょくしてください。\",\"components\":{\"interface\":\"インターフェース\",\"input\":\"インプットフィールド\",\"post\":\"とうこう\",\"postCode\":\"モノスペース (とうこうがリッチテキストであるとき)\"},\"family\":\"フォントめい\",\"size\":\"おおきさ (px)\",\"weight\":\"ふとさ\",\"custom\":\"カスタム\"},\"preview\":{\"header\":\"プレビュー\",\"content\":\"ほんぶん\",\"error\":\"エラーのれい\",\"button\":\"ボタン\",\"text\":\"これは{0}と{1}のれいです。\",\"mono\":\"monospace\",\"input\":\"はねだくうこうに、つきました。\",\"faint_link\":\"とてもたすけになるマニュアル\",\"fine_print\":\"わたしたちの{0}を、よまないでください!\",\"header_faint\":\"エラーではありません\",\"checkbox\":\"りようきやくを、よみました\",\"link\":\"ハイパーリンク\"}}},\"timeline\":{\"collapse\":\"たたむ\",\"conversation\":\"スレッド\",\"error_fetching\":\"よみこみがエラーになりました\",\"load_older\":\"ふるいステータス\",\"no_retweet_hint\":\"とうこうを「フォロワーのみ」または「ダイレクト」にすると、リピートできなくなります\",\"repeated\":\"リピート\",\"show_new\":\"よみこみ\",\"up_to_date\":\"さいしん\"},\"user_card\":{\"approve\":\"うけいれ\",\"block\":\"ブロック\",\"blocked\":\"ブロックしています!\",\"deny\":\"おことわり\",\"follow\":\"フォロー\",\"follow_sent\":\"リクエストを、おくりました!\",\"follow_progress\":\"リクエストしています…\",\"follow_again\":\"ふたたびリクエストをおくりますか?\",\"follow_unfollow\":\"フォローをやめる\",\"followees\":\"フォロー\",\"followers\":\"フォロワー\",\"following\":\"フォローしています!\",\"follows_you\":\"フォローされました!\",\"its_you\":\"これはあなたです!\",\"mute\":\"ミュート\",\"muted\":\"ミュートしています!\",\"per_day\":\"/日\",\"remote_follow\":\"リモートフォロー\",\"statuses\":\"ステータス\"},\"user_profile\":{\"timeline_title\":\"ユーザータイムライン\"},\"who_to_follow\":{\"more\":\"くわしく\",\"who_to_follow\":\"おすすめユーザー\"},\"tool_tip\":{\"media_upload\":\"メディアをアップロード\",\"repeat\":\"リピート\",\"reply\":\"リプライ\",\"favorite\":\"おきにいり\",\"user_settings\":\"ユーザーせってい\"},\"upload\":{\"error\":{\"base\":\"アップロードにしっぱいしました。\",\"file_too_big\":\"ファイルがおおきすぎます [{filesize} {filesizeunit} / {allowedsize} {allowedsizeunit}]\",\"default\":\"しばらくしてから、ためしてください\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 412 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"챗\"},\"features_panel\":{\"chat\":\"챗\",\"gopher\":\"고퍼\",\"media_proxy\":\"미디어 프록시\",\"scope_options\":\"범위 옵션\",\"text_limit\":\"텍스트 제한\",\"title\":\"기능\",\"who_to_follow\":\"팔로우 추천\"},\"finder\":{\"error_fetching_user\":\"사용자 정보 불러오기 실패\",\"find_user\":\"사용자 찾기\"},\"general\":{\"apply\":\"적용\",\"submit\":\"보내기\"},\"login\":{\"login\":\"로그인\",\"description\":\"OAuth로 로그인\",\"logout\":\"로그아웃\",\"password\":\"암호\",\"placeholder\":\"예시: lain\",\"register\":\"가입\",\"username\":\"사용자 이름\"},\"nav\":{\"about\":\"About\",\"back\":\"뒤로\",\"chat\":\"로컬 챗\",\"friend_requests\":\"팔로우 요청\",\"mentions\":\"멘션\",\"dms\":\"다이렉트 메시지\",\"public_tl\":\"공개 타임라인\",\"timeline\":\"타임라인\",\"twkn\":\"모든 알려진 네트워크\",\"user_search\":\"사용자 검색\",\"preferences\":\"환경설정\"},\"notifications\":{\"broken_favorite\":\"알 수 없는 게시물입니다, 검색 합니다...\",\"favorited_you\":\"당신의 게시물을 즐겨찾기\",\"followed_you\":\"당신을 팔로우\",\"load_older\":\"오래 된 알림 불러오기\",\"notifications\":\"알림\",\"read\":\"읽음!\",\"repeated_you\":\"당신의 게시물을 리핏\"},\"post_status\":{\"new_status\":\"새 게시물 게시\",\"account_not_locked_warning\":\"당신의 계정은 {0} 상태가 아닙니다. 누구나 당신을 팔로우 하고 팔로워 전용 게시물을 볼 수 있습니다.\",\"account_not_locked_warning_link\":\"잠김\",\"attachments_sensitive\":\"첨부물을 민감함으로 설정\",\"content_type\":{\"plain_text\":\"평문\"},\"content_warning\":\"주제 (필수 아님)\",\"default\":\"LA에 도착!\",\"direct_warning\":\"이 게시물을 멘션 된 사용자들에게만 보여집니다\",\"posting\":\"게시\",\"scope\":{\"direct\":\"다이렉트 - 멘션 된 사용자들에게만\",\"private\":\"팔로워 전용 - 팔로워들에게만\",\"public\":\"공개 - 공개 타임라인으로\",\"unlisted\":\"비공개 - 공개 타임라인에 게시 안 함\"}},\"registration\":{\"bio\":\"소개\",\"email\":\"이메일\",\"fullname\":\"표시 되는 이름\",\"password_confirm\":\"암호 확인\",\"registration\":\"가입하기\",\"token\":\"초대 토큰\",\"captcha\":\"캡차\",\"new_captcha\":\"이미지를 클릭해서 새로운 캡차\",\"validations\":{\"username_required\":\"공백으로 둘 수 없습니다\",\"fullname_required\":\"공백으로 둘 수 없습니다\",\"email_required\":\"공백으로 둘 수 없습니다\",\"password_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_match\":\"패스워드와 일치해야 합니다\"}},\"settings\":{\"attachmentRadius\":\"첨부물\",\"attachments\":\"첨부물\",\"autoload\":\"최하단에 도착하면 자동으로 로드 활성화\",\"avatar\":\"아바타\",\"avatarAltRadius\":\"아바타 (알림)\",\"avatarRadius\":\"아바타\",\"background\":\"배경\",\"bio\":\"소개\",\"btnRadius\":\"버튼\",\"cBlue\":\"파랑 (답글, 팔로우)\",\"cGreen\":\"초록 (리트윗)\",\"cOrange\":\"주황 (즐겨찾기)\",\"cRed\":\"빨강 (취소)\",\"change_password\":\"암호 바꾸기\",\"change_password_error\":\"암호를 바꾸는 데 몇 가지 문제가 있습니다.\",\"changed_password\":\"암호를 바꾸었습니다!\",\"collapse_subject\":\"주제를 가진 게시물 접기\",\"composing\":\"작성\",\"confirm_new_password\":\"새 패스워드 확인\",\"current_avatar\":\"현재 아바타\",\"current_password\":\"현재 패스워드\",\"current_profile_banner\":\"현재 프로필 배너\",\"data_import_export_tab\":\"데이터 불러오기 / 내보내기\",\"default_vis\":\"기본 공개 범위\",\"delete_account\":\"계정 삭제\",\"delete_account_description\":\"계정과 메시지를 영구히 삭제.\",\"delete_account_error\":\"계정을 삭제하는데 문제가 있습니다. 계속 발생한다면 인스턴스 관리자에게 문의하세요.\",\"delete_account_instructions\":\"계정 삭제를 확인하기 위해 아래에 패스워드 입력.\",\"export_theme\":\"프리셋 저장\",\"filtering\":\"필터링\",\"filtering_explanation\":\"아래의 단어를 가진 게시물들은 뮤트 됩니다, 한 줄에 하나씩 적으세요\",\"follow_export\":\"팔로우 내보내기\",\"follow_export_button\":\"팔로우 목록을 csv로 내보내기\",\"follow_export_processing\":\"진행 중입니다, 곧 다운로드 가능해 질 것입니다\",\"follow_import\":\"팔로우 불러오기\",\"follow_import_error\":\"팔로우 불러오기 실패\",\"follows_imported\":\"팔로우 목록을 불러왔습니다! 처리에는 시간이 걸립니다.\",\"foreground\":\"전경\",\"general\":\"일반\",\"hide_attachments_in_convo\":\"대화의 첨부물 숨기기\",\"hide_attachments_in_tl\":\"타임라인의 첨부물 숨기기\",\"hide_isp\":\"인스턴스 전용 패널 숨기기\",\"preload_images\":\"이미지 미리 불러오기\",\"hide_post_stats\":\"게시물 통계 숨기기 (즐겨찾기 수 등)\",\"hide_user_stats\":\"사용자 통계 숨기기 (팔로워 수 등)\",\"import_followers_from_a_csv_file\":\"csv 파일에서 팔로우 목록 불러오기\",\"import_theme\":\"프리셋 불러오기\",\"inputRadius\":\"입력 칸\",\"checkboxRadius\":\"체크박스\",\"instance_default\":\"(기본: {value})\",\"instance_default_simple\":\"(기본)\",\"interface\":\"인터페이스\",\"interfaceLanguage\":\"인터페이스 언어\",\"invalid_theme_imported\":\"선택한 파일은 지원하는 플레로마 테마가 아닙니다. 아무런 변경도 일어나지 않았습니다.\",\"limited_availability\":\"이 브라우저에서 사용 불가\",\"links\":\"링크\",\"lock_account_description\":\"계정을 승인 된 팔로워들로 제한\",\"loop_video\":\"비디오 반복재생\",\"loop_video_silent_only\":\"소리가 없는 비디오만 반복 재생 (마스토돈의 \\\"gifs\\\" 같은 것들)\",\"name\":\"이름\",\"name_bio\":\"이름 & 소개\",\"new_password\":\"새 암호\",\"notification_visibility\":\"보여 줄 알림 종류\",\"notification_visibility_follows\":\"팔로우\",\"notification_visibility_likes\":\"좋아함\",\"notification_visibility_mentions\":\"멘션\",\"notification_visibility_repeats\":\"반복\",\"no_rich_text_description\":\"모든 게시물의 서식을 지우기\",\"hide_followings_description\":\"내가 팔로우하는 사람을 표시하지 않음\",\"hide_followers_description\":\"나를 따르는 사람을 보여주지 마라.\",\"nsfw_clickthrough\":\"NSFW 이미지 \\\"클릭해서 보이기\\\"를 활성화\",\"panelRadius\":\"패널\",\"pause_on_unfocused\":\"탭이 활성 상태가 아닐 때 스트리밍 멈추기\",\"presets\":\"프리셋\",\"profile_background\":\"프로필 배경\",\"profile_banner\":\"프로필 배너\",\"profile_tab\":\"프로필\",\"radii_help\":\"인터페이스 모서리 둥글기 (픽셀 단위)\",\"replies_in_timeline\":\"답글을 타임라인에\",\"reply_link_preview\":\"마우스를 올려서 답글 링크 미리보기 활성화\",\"reply_visibility_all\":\"모든 답글 보기\",\"reply_visibility_following\":\"나에게 직접 오는 답글이나 내가 팔로우 중인 사람에게서 오는 답글만 표시\",\"reply_visibility_self\":\"나에게 직접 전송 된 답글만 보이기\",\"saving_err\":\"설정 저장 실패\",\"saving_ok\":\"설정 저장 됨\",\"security_tab\":\"보안\",\"scope_copy\":\"답글을 달 때 공개 범위 따라가리 (다이렉트 메시지는 언제나 따라감)\",\"set_new_avatar\":\"새 아바타 설정\",\"set_new_profile_background\":\"새 프로필 배경 설정\",\"set_new_profile_banner\":\"새 프로필 배너 설정\",\"settings\":\"설정\",\"subject_input_always_show\":\"항상 주제 칸 보이기\",\"subject_line_behavior\":\"답글을 달 때 주제 복사하기\",\"subject_line_email\":\"이메일처럼: \\\"re: 주제\\\"\",\"subject_line_mastodon\":\"마스토돈처럼: 그대로 복사\",\"subject_line_noop\":\"복사 안 함\",\"stop_gifs\":\"GIF파일에 마우스를 올려서 재생\",\"streaming\":\"최상단에 도달하면 자동으로 새 게시물 스트리밍\",\"text\":\"텍스트\",\"theme\":\"테마\",\"theme_help\":\"16진수 색상코드(#rrggbb)를 사용해 색상 테마를 커스터마이즈.\",\"theme_help_v2_1\":\"체크박스를 통해 몇몇 컴포넌트의 색상과 불투명도를 조절 가능, \\\"모두 지우기\\\" 버튼으로 덮어 씌운 것을 모두 취소.\",\"theme_help_v2_2\":\"몇몇 입력칸 밑의 아이콘은 전경/배경 대비 관련 표시등입니다, 마우스를 올려 자세한 정보를 볼 수 있습니다. 투명도 대비 표시등이 가장 최악의 경우를 나타낸다는 것을 유의하세요.\",\"tooltipRadius\":\"툴팁/경고\",\"user_settings\":\"사용자 설정\",\"values\":{\"false\":\"아니오\",\"true\":\"네\"},\"notifications\":\"알림\",\"enable_web_push_notifications\":\"웹 푸시 알림 활성화\",\"style\":{\"switcher\":{\"keep_color\":\"색상 유지\",\"keep_shadows\":\"그림자 유지\",\"keep_opacity\":\"불투명도 유지\",\"keep_roundness\":\"둥글기 유지\",\"keep_fonts\":\"글자체 유지\",\"save_load_hint\":\"\\\"유지\\\" 옵션들은 다른 테마를 고르거나 불러 올 때 현재 설정 된 옵션들을 건드리지 않게 합니다, 테마를 내보내기 할 때도 이 옵션에 따라 저장합니다. 아무 것도 체크 되지 않았다면 모든 설정을 내보냅니다.\",\"reset\":\"초기화\",\"clear_all\":\"모두 지우기\",\"clear_opacity\":\"불투명도 지우기\"},\"common\":{\"color\":\"색상\",\"opacity\":\"불투명도\",\"contrast\":{\"hint\":\"대비율이 {ratio}입니다, 이것은 {context} {level}\",\"level\":{\"aa\":\"AA등급 가이드라인에 부합합니다 (최소한도)\",\"aaa\":\"AAA등급 가이드라인에 부합합니다 (권장)\",\"bad\":\"아무런 가이드라인 등급에도 미치지 못합니다\"},\"context\":{\"18pt\":\"큰 (18pt 이상) 텍스트에 대해\",\"text\":\"텍스트에 대해\"}}},\"common_colors\":{\"_tab_label\":\"일반\",\"main\":\"일반 색상\",\"foreground_hint\":\"\\\"고급\\\" 탭에서 더 자세한 설정이 가능합니다\",\"rgbo\":\"아이콘, 강조, 배지\"},\"advanced_colors\":{\"_tab_label\":\"고급\",\"alert\":\"주의 배경\",\"alert_error\":\"에러\",\"badge\":\"배지 배경\",\"badge_notification\":\"알림\",\"panel_header\":\"패널 헤더\",\"top_bar\":\"상단 바\",\"borders\":\"테두리\",\"buttons\":\"버튼\",\"inputs\":\"입력칸\",\"faint_text\":\"흐려진 텍스트\"},\"radii\":{\"_tab_label\":\"둥글기\"},\"shadows\":{\"_tab_label\":\"그림자와 빛\",\"component\":\"컴포넌트\",\"override\":\"덮어쓰기\",\"shadow_id\":\"그림자 #{value}\",\"blur\":\"흐리기\",\"spread\":\"퍼지기\",\"inset\":\"안쪽으로\",\"hint\":\"그림자에는 CSS3 변수를 --variable을 통해 색상 값으로 사용할 수 있습니다. 불투명도에는 적용 되지 않습니다.\",\"filter_hint\":{\"always_drop_shadow\":\"경고, 이 그림자는 브라우저가 지원하는 경우 항상 {0}을 사용합니다.\",\"drop_shadow_syntax\":\"{0}는 {1} 파라미터와 {2} 키워드를 지원하지 않습니다.\",\"avatar_inset\":\"안쪽과 안쪽이 아닌 그림자를 모두 설정하는 경우 투명 아바타에서 예상치 못 한 결과가 나올 수 있다는 것에 주의해 주세요.\",\"spread_zero\":\"퍼지기가 0보다 큰 그림자는 0으로 설정한 것과 동일하게 보여집니다\",\"inset_classic\":\"안쪽 그림자는 {0}를 사용합니다\"},\"components\":{\"panel\":\"패널\",\"panelHeader\":\"패널 헤더\",\"topBar\":\"상단 바\",\"avatar\":\"사용자 아바타 (프로필 뷰에서)\",\"avatarStatus\":\"사용자 아바타 (게시물에서)\",\"popup\":\"팝업과 툴팁\",\"button\":\"버튼\",\"buttonHover\":\"버튼 (마우스 올렸을 때)\",\"buttonPressed\":\"버튼 (눌렸을 때)\",\"buttonPressedHover\":\"Button (마우스 올림 + 눌림)\",\"input\":\"입력칸\"}},\"fonts\":{\"_tab_label\":\"글자체\",\"help\":\"인터페이스의 요소에 사용 될 글자체를 고르세요. \\\"커스텀\\\"은 시스템에 있는 폰트 이름을 정확히 입력해야 합니다.\",\"components\":{\"interface\":\"인터페이스\",\"input\":\"입력칸\",\"post\":\"게시물 텍스트\",\"postCode\":\"게시물의 고정폭 텍스트 (서식 있는 텍스트)\"},\"family\":\"글자체 이름\",\"size\":\"크기 (px 단위)\",\"weight\":\"굵기\",\"custom\":\"커스텀\"},\"preview\":{\"header\":\"미리보기\",\"content\":\"내용\",\"error\":\"에러 예시\",\"button\":\"버튼\",\"text\":\"더 많은 {0} 그리고 {1}\",\"mono\":\"내용\",\"input\":\"LA에 막 도착!\",\"faint_link\":\"도움 되는 설명서\",\"fine_print\":\"우리의 {0} 를 읽고 도움 되지 않는 것들을 배우자!\",\"header_faint\":\"이건 괜찮아\",\"checkbox\":\"나는 약관을 대충 훑어보았습니다\",\"link\":\"작고 귀여운 링크\"}}},\"timeline\":{\"collapse\":\"접기\",\"conversation\":\"대화\",\"error_fetching\":\"업데이트 불러오기 실패\",\"load_older\":\"더 오래 된 게시물 불러오기\",\"no_retweet_hint\":\"팔로워 전용, 다이렉트 메시지는 반복할 수 없습니다\",\"repeated\":\"반복 됨\",\"show_new\":\"새로운 것 보기\",\"up_to_date\":\"최신 상태\"},\"user_card\":{\"approve\":\"승인\",\"block\":\"차단\",\"blocked\":\"차단 됨!\",\"deny\":\"거부\",\"follow\":\"팔로우\",\"follow_sent\":\"요청 보내짐!\",\"follow_progress\":\"요청 중…\",\"follow_again\":\"요청을 다시 보낼까요?\",\"follow_unfollow\":\"팔로우 중지\",\"followees\":\"팔로우 중\",\"followers\":\"팔로워\",\"following\":\"팔로우 중!\",\"follows_you\":\"당신을 팔로우 합니다!\",\"its_you\":\"당신입니다!\",\"mute\":\"침묵\",\"muted\":\"침묵 됨\",\"per_day\":\" / 하루\",\"remote_follow\":\"원격 팔로우\",\"statuses\":\"게시물\"},\"user_profile\":{\"timeline_title\":\"사용자 타임라인\"},\"who_to_follow\":{\"more\":\"더 보기\",\"who_to_follow\":\"팔로우 추천\"},\"tool_tip\":{\"media_upload\":\"미디어 업로드\",\"repeat\":\"반복\",\"reply\":\"답글\",\"favorite\":\"즐겨찾기\",\"user_settings\":\"사용자 설정\"},\"upload\":{\"error\":{\"base\":\"업로드 실패.\",\"file_too_big\":\"파일이 너무 커요 [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"잠시 후에 다시 시도해 보세요\"},\"file_size_units\":{\"B\":\"바이트\",\"KiB\":\"키비바이트\",\"MiB\":\"메비바이트\",\"GiB\":\"기비바이트\",\"TiB\":\"테비바이트\"}}}\n\n/***/ }),\n/* 413 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Nettprat\"},\"features_panel\":{\"chat\":\"Nettprat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Velg mottakere\",\"text_limit\":\"Tekst-grense\",\"title\":\"Egenskaper\",\"who_to_follow\":\"Hvem å følge\"},\"finder\":{\"error_fetching_user\":\"Feil ved henting av bruker\",\"find_user\":\"Finn bruker\"},\"general\":{\"apply\":\"Bruk\",\"submit\":\"Send\"},\"login\":{\"login\":\"Logg inn\",\"logout\":\"Logg ut\",\"password\":\"Passord\",\"placeholder\":\"f. eks lain\",\"register\":\"Registrer\",\"username\":\"Brukernavn\"},\"nav\":{\"chat\":\"Lokal nettprat\",\"friend_requests\":\"Følgeforespørsler\",\"mentions\":\"Nevnt\",\"public_tl\":\"Offentlig Tidslinje\",\"timeline\":\"Tidslinje\",\"twkn\":\"Det hele kjente nettverket\"},\"notifications\":{\"broken_favorite\":\"Ukjent status, leter etter den...\",\"favorited_you\":\"likte din status\",\"followed_you\":\"fulgte deg\",\"load_older\":\"Last eldre varsler\",\"notifications\":\"Varslinger\",\"read\":\"Les!\",\"repeated_you\":\"Gjentok din status\"},\"post_status\":{\"account_not_locked_warning\":\"Kontoen din er ikke {0}. Hvem som helst kan følge deg for å se dine statuser til følgere\",\"account_not_locked_warning_link\":\"låst\",\"attachments_sensitive\":\"Merk vedlegg som sensitive\",\"content_type\":{\"plain_text\":\"Klar tekst\"},\"content_warning\":\"Tema (valgfritt)\",\"default\":\"Landet akkurat i L.A.\",\"direct_warning\":\"Denne statusen vil kun bli sett av nevnte brukere\",\"posting\":\"Publiserer\",\"scope\":{\"direct\":\"Direkte, publiser bare til nevnte brukere\",\"private\":\"Bare følgere, publiser bare til brukere som følger deg\",\"public\":\"Offentlig, publiser til offentlige tidslinjer\",\"unlisted\":\"Uoppført, ikke publiser til offentlige tidslinjer\"}},\"registration\":{\"bio\":\"Biografi\",\"email\":\"Epost-adresse\",\"fullname\":\"Visningsnavn\",\"password_confirm\":\"Bekreft passord\",\"registration\":\"Registrering\",\"token\":\"Invitasjons-bevis\"},\"settings\":{\"attachmentRadius\":\"Vedlegg\",\"attachments\":\"Vedlegg\",\"autoload\":\"Automatisk lasting når du blar ned til bunnen\",\"avatar\":\"Profilbilde\",\"avatarAltRadius\":\"Profilbilde (Varslinger)\",\"avatarRadius\":\"Profilbilde\",\"background\":\"Bakgrunn\",\"bio\":\"Biografi\",\"btnRadius\":\"Knapper\",\"cBlue\":\"Blå (Svar, følg)\",\"cGreen\":\"Grønn (Gjenta)\",\"cOrange\":\"Oransje (Lik)\",\"cRed\":\"Rød (Avbryt)\",\"change_password\":\"Endre passord\",\"change_password_error\":\"Feil ved endring av passord\",\"changed_password\":\"Passord endret\",\"collapse_subject\":\"Sammenfold statuser med tema\",\"confirm_new_password\":\"Bekreft nytt passord\",\"current_avatar\":\"Ditt nåværende profilbilde\",\"current_password\":\"Nåværende passord\",\"current_profile_banner\":\"Din nåværende profil-banner\",\"data_import_export_tab\":\"Data import / eksport\",\"default_vis\":\"Standard visnings-omfang\",\"delete_account\":\"Slett konto\",\"delete_account_description\":\"Slett din konto og alle dine statuser\",\"delete_account_error\":\"Det oppsto et problem ved sletting av kontoen din, hvis dette problemet forblir kontakt din administrator\",\"delete_account_instructions\":\"Skriv inn ditt passord i feltet nedenfor for å bekrefte sletting av konto\",\"export_theme\":\"Lagre tema\",\"filtering\":\"Filtrering\",\"filtering_explanation\":\"Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje\",\"follow_export\":\"Eksporter følginger\",\"follow_export_button\":\"Eksporter følgingene dine til en .csv fil\",\"follow_export_processing\":\"Jobber, du vil snart bli spurt om å laste ned filen din.\",\"follow_import\":\"Importer følginger\",\"follow_import_error\":\"Feil ved importering av følginger.\",\"follows_imported\":\"Følginger importert! Behandling vil ta litt tid.\",\"foreground\":\"Forgrunn\",\"general\":\"Generell\",\"hide_attachments_in_convo\":\"Gjem vedlegg i samtaler\",\"hide_attachments_in_tl\":\"Gjem vedlegg på tidslinje\",\"import_followers_from_a_csv_file\":\"Importer følginger fra en csv fil\",\"import_theme\":\"Last tema\",\"inputRadius\":\"Input felt\",\"instance_default\":\"(standard: {value})\",\"interfaceLanguage\":\"Grensesnitt-språk\",\"invalid_theme_imported\":\"Den valgte filen er ikke ett støttet Pleroma-tema, ingen endringer til ditt tema ble gjort\",\"limited_availability\":\"Ikke tilgjengelig i din nettleser\",\"links\":\"Linker\",\"lock_account_description\":\"Begrens din konto til bare godkjente følgere\",\"loop_video\":\"Gjenta videoer\",\"loop_video_silent_only\":\"Gjenta bare videoer uten lyd, (for eksempel Mastodon sine \\\"gifs\\\")\",\"name\":\"Navn\",\"name_bio\":\"Navn & Biografi\",\"new_password\":\"Nytt passord\",\"notification_visibility\":\"Typer varsler som skal vises\",\"notification_visibility_follows\":\"Følginger\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Nevnt\",\"notification_visibility_repeats\":\"Gjentakelser\",\"no_rich_text_description\":\"Fjern all formatering fra statuser\",\"nsfw_clickthrough\":\"Krev trykk for å vise statuser som kan være upassende\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Stopp henting av poster når vinduet ikke er i fokus\",\"presets\":\"Forhåndsdefinerte tema\",\"profile_background\":\"Profil-bakgrunn\",\"profile_banner\":\"Profil-banner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)\",\"replies_in_timeline\":\"Svar på tidslinje\",\"reply_link_preview\":\"Vis en forhåndsvisning når du holder musen over svar til en status\",\"reply_visibility_all\":\"Vis alle svar\",\"reply_visibility_following\":\"Vis bare svar som er til meg eller folk jeg følger\",\"reply_visibility_self\":\"Vis bare svar som er til meg\",\"saving_err\":\"Feil ved lagring av innstillinger\",\"saving_ok\":\"Innstillinger lagret\",\"security_tab\":\"Sikkerhet\",\"set_new_avatar\":\"Rediger profilbilde\",\"set_new_profile_background\":\"Rediger profil-bakgrunn\",\"set_new_profile_banner\":\"Sett ny profil-banner\",\"settings\":\"Innstillinger\",\"stop_gifs\":\"Spill av GIFs når du holder over dem\",\"streaming\":\"Automatisk strømming av nye statuser når du har bladd til toppen\",\"text\":\"Tekst\",\"theme\":\"Tema\",\"theme_help\":\"Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.\",\"tooltipRadius\":\"Verktøytips/advarsler\",\"user_settings\":\"Brukerinstillinger\",\"values\":{\"false\":\"nei\",\"true\":\"ja\"}},\"timeline\":{\"collapse\":\"Sammenfold\",\"conversation\":\"Samtale\",\"error_fetching\":\"Feil ved henting av oppdateringer\",\"load_older\":\"Last eldre statuser\",\"no_retweet_hint\":\"Status er markert som bare til følgere eller direkte og kan ikke gjentas\",\"repeated\":\"gjentok\",\"show_new\":\"Vis nye\",\"up_to_date\":\"Oppdatert\"},\"user_card\":{\"approve\":\"Godkjenn\",\"block\":\"Blokker\",\"blocked\":\"Blokkert!\",\"deny\":\"Avslå\",\"follow\":\"Følg\",\"followees\":\"Følger\",\"followers\":\"Følgere\",\"following\":\"Følger!\",\"follows_you\":\"Følger deg!\",\"mute\":\"Demp\",\"muted\":\"Dempet\",\"per_day\":\"per dag\",\"remote_follow\":\"Følg eksternt\",\"statuses\":\"Statuser\"},\"user_profile\":{\"timeline_title\":\"Bruker-tidslinje\"},\"who_to_follow\":{\"more\":\"Mer\",\"who_to_follow\":\"Hvem å følge\"}}\n\n/***/ }),\n/* 414 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Zichtbaarheidsopties\",\"text_limit\":\"Tekst limiet\",\"title\":\"Features\",\"who_to_follow\":\"Wie te volgen\"},\"finder\":{\"error_fetching_user\":\"Fout tijdens ophalen gebruiker\",\"find_user\":\"Gebruiker zoeken\"},\"general\":{\"apply\":\"toepassen\",\"submit\":\"Verzend\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in met OAuth\",\"logout\":\"Log uit\",\"password\":\"Wachtwoord\",\"placeholder\":\"bv. lain\",\"register\":\"Registreer\",\"username\":\"Gebruikersnaam\"},\"nav\":{\"about\":\"Over\",\"back\":\"Terug\",\"chat\":\"Locale Chat\",\"friend_requests\":\"Volgverzoek\",\"mentions\":\"Vermeldingen\",\"dms\":\"Directe Berichten\",\"public_tl\":\"Publieke Tijdlijn\",\"timeline\":\"Tijdlijn\",\"twkn\":\"Het Geheel Gekende Netwerk\",\"user_search\":\"Zoek Gebruiker\",\"who_to_follow\":\"Wie te volgen\",\"preferences\":\"Voorkeuren\"},\"notifications\":{\"broken_favorite\":\"Onbekende status, aan het zoeken...\",\"favorited_you\":\"vond je status leuk\",\"followed_you\":\"volgt jou\",\"load_older\":\"Laad oudere meldingen\",\"notifications\":\"Meldingen\",\"read\":\"Gelezen!\",\"repeated_you\":\"Herhaalde je status\"},\"post_status\":{\"new_status\":\"Post nieuwe status\",\"account_not_locked_warning\":\"Je account is niet {0}. Iedereen die je volgt kan enkel-volgers posts lezen.\",\"account_not_locked_warning_link\":\"gesloten\",\"attachments_sensitive\":\"Markeer bijlage als gevoelig\",\"content_type\":{\"plain_text\":\"Gewone tekst\"},\"content_warning\":\"Onderwerp (optioneel)\",\"default\":\"Tijd voor een pauze!\",\"direct_warning\":\"Deze post zal enkel zichtbaar zijn voor de personen die genoemd zijn.\",\"posting\":\"Plaatsen\",\"scope\":{\"direct\":\"Direct - Post enkel naar genoemde gebruikers\",\"private\":\"Enkel volgers - Post enkel naar volgers\",\"public\":\"Publiek - Post op publieke tijdlijnen\",\"unlisted\":\"Unlisted - Toon niet op publieke tijdlijnen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Weergave naam\",\"password_confirm\":\"Wachtwoord bevestiging\",\"registration\":\"Registratie\",\"token\":\"Uitnodigingstoken\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Klik op de afbeelding voor een nieuwe captcha\",\"validations\":{\"username_required\":\"moet ingevuld zijn\",\"fullname_required\":\"moet ingevuld zijn\",\"email_required\":\"moet ingevuld zijn\",\"password_required\":\"moet ingevuld zijn\",\"password_confirmation_required\":\"moet ingevuld zijn\",\"password_confirmation_match\":\"komt niet overeen met het wachtwoord\"}},\"settings\":{\"attachmentRadius\":\"Bijlages\",\"attachments\":\"Bijlages\",\"autoload\":\"Automatisch laden wanneer tot de bodem gescrold inschakelen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Meldingen)\",\"avatarRadius\":\"Avatars\",\"background\":\"Achtergrond\",\"bio\":\"Bio\",\"btnRadius\":\"Knoppen\",\"cBlue\":\"Blauw (Antwoord, volgen)\",\"cGreen\":\"Groen (Herhaal)\",\"cOrange\":\"Oranje (Vind ik leuk)\",\"cRed\":\"Rood (Annuleer)\",\"change_password\":\"Verander Wachtwoord\",\"change_password_error\":\"Er was een probleem bij het aanpassen van je wachtwoord.\",\"changed_password\":\"Wachtwoord succesvol aangepast!\",\"collapse_subject\":\"Klap posts met onderwerp in\",\"composing\":\"Samenstellen\",\"confirm_new_password\":\"Bevestig nieuw wachtwoord\",\"current_avatar\":\"Je huidige avatar\",\"current_password\":\"Huidig wachtwoord\",\"current_profile_banner\":\"Je huidige profiel banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Standaard zichtbaarheidsscope\",\"delete_account\":\"Verwijder Account\",\"delete_account_description\":\"Verwijder je account en berichten permanent.\",\"delete_account_error\":\"Er was een probleem bij het verwijderen van je account. Indien dit probleem blijft, gelieve de administratie van deze instantie te verwittigen.\",\"delete_account_instructions\":\"Typ je wachtwoord in de input hieronder om het verwijderen van je account te bevestigen.\",\"export_theme\":\"Sla preset op\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"Alle statussen die deze woorden bevatten worden genegeerd, één filter per lijn.\",\"follow_export\":\"Volgers export\",\"follow_export_button\":\"Exporteer je volgers naar een csv file\",\"follow_export_processing\":\"Aan het verwerken, binnen enkele ogenblikken wordt je gevraagd je bestand te downloaden\",\"follow_import\":\"Volgers import\",\"follow_import_error\":\"Fout bij importeren volgers\",\"follows_imported\":\"Volgers geïmporteerd! Het kan even duren om ze allemaal te verwerken.\",\"foreground\":\"Voorgrond\",\"general\":\"Algemeen\",\"hide_attachments_in_convo\":\"Verberg bijlages in conversaties\",\"hide_attachments_in_tl\":\"Verberg bijlages in de tijdlijn\",\"hide_isp\":\"Verberg instantie-specifiek paneel\",\"preload_images\":\"Afbeeldingen voorladen\",\"hide_post_stats\":\"Verberg post statistieken (bv. het aantal vind-ik-leuks)\",\"hide_user_stats\":\"Verberg post statistieken (bv. het aantal volgers)\",\"import_followers_from_a_csv_file\":\"Importeer volgers uit een csv file\",\"import_theme\":\"Laad preset\",\"inputRadius\":\"Invoer velden\",\"checkboxRadius\":\"Checkboxen\",\"instance_default\":\"(standaard: {value})\",\"instance_default_simple\":\"(standaard)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface taal\",\"invalid_theme_imported\":\"Het geselecteerde thema is geen door Pleroma ondersteund thema. Er zijn geen aanpassingen gedaan.\",\"limited_availability\":\"Onbeschikbaar in je browser\",\"links\":\"Links\",\"lock_account_description\":\"Laat volgers enkel toe na expliciete toestemming\",\"loop_video\":\"Speel videos af in een lus\",\"loop_video_silent_only\":\"Speel enkel videos zonder geluid af in een lus (bv. Mastodon's \\\"gifs\\\")\",\"name\":\"Naam\",\"name_bio\":\"Naam & Bio\",\"new_password\":\"Nieuw wachtwoord\",\"notification_visibility\":\"Type meldingen die getoond worden\",\"notification_visibility_follows\":\"Volgers\",\"notification_visibility_likes\":\"Vind-ik-leuks\",\"notification_visibility_mentions\":\"Vermeldingen\",\"notification_visibility_repeats\":\"Herhalingen\",\"no_rich_text_description\":\"Strip rich text formattering van alle posts\",\"hide_network_description\":\"Toon niet wie mij volgt en wie ik volg.\",\"nsfw_clickthrough\":\"Schakel doorklikbaar verbergen van NSFW bijlages in\",\"panelRadius\":\"Panelen\",\"pause_on_unfocused\":\"Pauzeer streamen wanneer de tab niet gefocused is\",\"presets\":\"Presets\",\"profile_background\":\"Profiel Achtergrond\",\"profile_banner\":\"Profiel Banner\",\"profile_tab\":\"Profiel\",\"radii_help\":\"Stel afronding van hoeken in de interface in (in pixels)\",\"replies_in_timeline\":\"Antwoorden in tijdlijn\",\"reply_link_preview\":\"Schakel antwoordlink preview in bij over zweven met muisaanwijzer\",\"reply_visibility_all\":\"Toon alle antwoorden\",\"reply_visibility_following\":\"Toon enkel antwoorden naar mij of andere gebruikers gericht\",\"reply_visibility_self\":\"Toon enkel antwoorden naar mij gericht\",\"saving_err\":\"Fout tijdens opslaan van instellingen\",\"saving_ok\":\"Instellingen opgeslagen\",\"security_tab\":\"Veiligheid\",\"scope_copy\":\"Neem scope over bij antwoorden (Directe Berichten blijven altijd Direct)\",\"set_new_avatar\":\"Zet nieuwe avatar\",\"set_new_profile_background\":\"Zet nieuwe profiel achtergrond\",\"set_new_profile_banner\":\"Zet nieuwe profiel banner\",\"settings\":\"Instellingen\",\"subject_input_always_show\":\"Maak onderwerpveld altijd zichtbaar\",\"subject_line_behavior\":\"Kopieer onderwerp bij antwoorden\",\"subject_line_email\":\"Zoals email: \\\"re: onderwerp\\\"\",\"subject_line_mastodon\":\"Zoals Mastodon: kopieer zoals het is\",\"subject_line_noop\":\"Kopieer niet\",\"stop_gifs\":\"Speel GIFs af bij zweven\",\"streaming\":\"Schakel automatisch streamen van posts in wanneer tot boven gescrold.\",\"text\":\"Tekst\",\"theme\":\"Thema\",\"theme_help\":\"Gebruik hex color codes (#rrggbb) om je kleurschema te wijzigen.\",\"theme_help_v2_1\":\"Je kan ook de kleur en transparantie van bepaalde componenten overschrijven door de checkbox aan te vinken, gebruik de \\\"Wis alles\\\" knop om alle overschrijvingen te annuleren.\",\"theme_help_v2_2\":\"Iconen onder sommige items zijn achtergrond/tekst contrast indicators, zweef er over voor gedetailleerde info. Hou er rekening mee dat bij doorzichtigheid de ergst mogelijke situatie wordt weer gegeven.\",\"tooltipRadius\":\"Gereedschapstips/alarmen\",\"user_settings\":\"Gebruikers Instellingen\",\"values\":{\"false\":\"nee\",\"true\":\"ja\"},\"notifications\":\"Meldingen\",\"enable_web_push_notifications\":\"Schakel web push meldingen in\",\"style\":{\"switcher\":{\"keep_color\":\"Behoud kleuren\",\"keep_shadows\":\"Behoud schaduwen\",\"keep_opacity\":\"Behoud transparantie\",\"keep_roundness\":\"Behoud afrondingen\",\"keep_fonts\":\"Behoud lettertypes\",\"save_load_hint\":\"\\\"Behoud\\\" opties behouden de momenteel ingestelde opties bij het selecteren of laden van thema's, maar slaan ook de genoemde opties op bij het exporteren van een thema. Wanneer alle selectievakjes zijn uitgeschakeld, zal het exporteren van thema's alles opslaan.\",\"reset\":\"Reset\",\"clear_all\":\"Wis alles\",\"clear_opacity\":\"Wis transparantie\"},\"common\":{\"color\":\"Kleur\",\"opacity\":\"Transparantie\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, {level} {context}\",\"level\":{\"aa\":\"voldoet aan de richtlijn van niveau AA (minimum)\",\"aaa\":\"voldoet aan de richtlijn van niveau AAA (aangeraden)\",\"bad\":\"voldoet aan geen enkele toegankelijkheidsrichtlijn\"},\"context\":{\"18pt\":\"voor grote (18pt+) tekst\",\"text\":\"voor tekst\"}}},\"common_colors\":{\"_tab_label\":\"Gemeenschappelijk\",\"main\":\"Gemeenschappelijke kleuren\",\"foreground_hint\":\"Zie \\\"Geavanceerd\\\" tab voor meer gedetailleerde controle\",\"rgbo\":\"Iconen, accenten, badges\"},\"advanced_colors\":{\"_tab_label\":\"Geavanceerd\",\"alert\":\"Alarm achtergrond\",\"alert_error\":\"Fout\",\"badge\":\"Badge achtergrond\",\"badge_notification\":\"Meldingen\",\"panel_header\":\"Paneel hoofding\",\"top_bar\":\"Top bar\",\"borders\":\"Randen\",\"buttons\":\"Knoppen\",\"inputs\":\"Invoervelden\",\"faint_text\":\"Vervaagde tekst\"},\"radii\":{\"_tab_label\":\"Rondheid\"},\"shadows\":{\"_tab_label\":\"Schaduw en belichting\",\"component\":\"Component\",\"override\":\"Overschrijven\",\"shadow_id\":\"Schaduw #{value}\",\"blur\":\"Vervagen\",\"spread\":\"Spreid\",\"inset\":\"Inzet\",\"hint\":\"Voor schaduw kan je ook --variable gebruiken als een kleur waarde om CSS3 variabelen te gebruiken. Houd er rekening mee dat het instellen van opaciteit in dit geval niet werkt.\",\"filter_hint\":{\"always_drop_shadow\":\"Waarschuwing, deze schaduw gebruikt altijd {0} als de browser dit ondersteund.\",\"drop_shadow_syntax\":\"{0} ondersteund niet de {1} parameter en {2} sleutelwoord.\",\"avatar_inset\":\"Houd er rekening mee dat het combineren van zowel inzet and niet-inzet schaduwen op transparante avatars onverwachte resultaten kan opleveren.\",\"spread_zero\":\"Schaduw met spreiding > 0 worden weergegeven alsof ze op nul staan\",\"inset_classic\":\"Inzet schaduw zal {0} gebruiken\"},\"components\":{\"panel\":\"Paneel\",\"panelHeader\":\"Paneel hoofding\",\"topBar\":\"Top bar\",\"avatar\":\"Gebruiker avatar (in profiel weergave)\",\"avatarStatus\":\"Gebruiker avatar (in post weergave)\",\"popup\":\"Popups en gereedschapstips\",\"button\":\"Knop\",\"buttonHover\":\"Knop (zweven)\",\"buttonPressed\":\"Knop (ingedrukt)\",\"buttonPressedHover\":\"Knop (ingedrukt+zweven)\",\"input\":\"Invoerveld\"}},\"fonts\":{\"_tab_label\":\"Lettertypes\",\"help\":\"Selecteer het lettertype om te gebruiken voor elementen van de UI.Voor \\\"aangepast\\\" moet je de exacte naam van het lettertype invoeren zoals die in het systeem wordt weergegeven.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Invoervelden\",\"post\":\"Post tekst\",\"postCode\":\"Monospaced tekst in een post (rich text)\"},\"family\":\"Naam lettertype\",\"size\":\"Grootte (in px)\",\"weight\":\"Gewicht (vetheid)\",\"custom\":\"Aangepast\"},\"preview\":{\"header\":\"Voorvertoning\",\"content\":\"Inhoud\",\"error\":\"Voorbeeld fout\",\"button\":\"Knop\",\"text\":\"Nog een boel andere {0} en {1}\",\"mono\":\"inhoud\",\"input\":\"Tijd voor een pauze!\",\"faint_link\":\"handige gebruikershandleiding\",\"fine_print\":\"Lees onze {0} om niets nuttig te leren!\",\"header_faint\":\"Alles komt goed\",\"checkbox\":\"Ik heb de gebruikersvoorwaarden eens van ver bekeken\",\"link\":\"een link\"}}},\"timeline\":{\"collapse\":\"Inklappen\",\"conversation\":\"Conversatie\",\"error_fetching\":\"Fout bij ophalen van updates\",\"load_older\":\"Laad oudere Statussen\",\"no_retweet_hint\":\"Post is gemarkeerd als enkel volgers of direct en kan niet worden herhaald\",\"repeated\":\"herhaalde\",\"show_new\":\"Toon nieuwe\",\"up_to_date\":\"Up-to-date\"},\"user_card\":{\"approve\":\"Goedkeuren\",\"block\":\"Blokkeren\",\"blocked\":\"Geblokkeerd!\",\"deny\":\"Ontzeggen\",\"favorites\":\"Vind-ik-leuks\",\"follow\":\"Volgen\",\"follow_sent\":\"Aanvraag verzonden!\",\"follow_progress\":\"Aanvragen…\",\"follow_again\":\"Aanvraag opnieuw zenden?\",\"follow_unfollow\":\"Stop volgen\",\"followees\":\"Aan het volgen\",\"followers\":\"Volgers\",\"following\":\"Aan het volgen!\",\"follows_you\":\"Volgt jou!\",\"its_you\":\"'t is jij!\",\"mute\":\"Dempen\",\"muted\":\"Gedempt\",\"per_day\":\"per dag\",\"remote_follow\":\"Volg vanop afstand\",\"statuses\":\"Statussen\"},\"user_profile\":{\"timeline_title\":\"Gebruikers Tijdlijn\"},\"who_to_follow\":{\"more\":\"Meer\",\"who_to_follow\":\"Wie te volgen\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Herhaal\",\"reply\":\"Antwoord\",\"favorite\":\"Vind-ik-leuk\",\"user_settings\":\"Gebruikers Instellingen\"},\"upload\":{\"error\":{\"base\":\"Upload gefaald.\",\"file_too_big\":\"Bestand is te groot [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Probeer later opnieuw\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 415 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Messatjariá\"},\"finder\":{\"error_fetching_user\":\"Error pendent la recèrca d’un utilizaire\",\"find_user\":\"Cercar un utilizaire\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Mandar\"},\"login\":{\"login\":\"Connexion\",\"logout\":\"Desconnexion\",\"password\":\"Senhal\",\"placeholder\":\"e.g. lain\",\"register\":\"Se marcar\",\"username\":\"Nom d’utilizaire\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Notificacions\",\"public_tl\":\"Estatuts locals\",\"timeline\":\"Flux d’actualitat\",\"twkn\":\"Lo malhum conegut\",\"friend_requests\":\"Demandas d'abonament\"},\"notifications\":{\"favorited_you\":\"a aimat vòstre estatut\",\"followed_you\":\"vos a seguit\",\"notifications\":\"Notficacions\",\"read\":\"Legit !\",\"repeated_you\":\"a repetit vòstre estatut\",\"broken_favorite\":\"Estatut desconegut, sèm a lo cercar...\",\"load_older\":\"Cargar las notificaciones mai ancianas\"},\"post_status\":{\"content_warning\":\"Avís de contengut (opcional)\",\"default\":\"Escrivètz aquí vòstre estatut.\",\"posting\":\"Mandadís\",\"account_not_locked_warning\":\"Vòstre compte es pas {0}. Qual que siá pòt vos seguir per veire vòstras publicacions destinadas pas qu'a vòstres seguidors.\",\"account_not_locked_warning_link\":\"clavat\",\"attachments_sensitive\":\"Marcar las pèças juntas coma sensiblas\",\"content_type\":{\"plain_text\":\"Tèxte brut\"},\"direct_warning\":\"Aquesta publicacion serà pas que visibla pels utilizaires mencionats.\",\"scope\":{\"direct\":\"Dirècte - Publicar pels utilizaires mencionats solament\",\"private\":\"Seguidors solament - Publicar pels sols seguidors\",\"public\":\"Public - Publicar pel flux d’actualitat public\",\"unlisted\":\"Pas listat - Publicar pas pel flux public\"}},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Adreça de corrièl\",\"fullname\":\"Nom complèt\",\"password_confirm\":\"Confirmar lo senhal\",\"registration\":\"Inscripcion\",\"token\":\"Geton de convidat\"},\"settings\":{\"attachmentRadius\":\"Pèças juntas\",\"attachments\":\"Pèças juntas\",\"autoload\":\"Activar lo cargament automatic un còp arribat al cap de la pagina\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notificacions)\",\"avatarRadius\":\"Avatars\",\"background\":\"Rèire plan\",\"bio\":\"Biografia\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (Respondre, seguir)\",\"cGreen\":\"Verd (Repartajar)\",\"cOrange\":\"Irange (Aimar)\",\"cRed\":\"Roge (Anullar)\",\"change_password\":\"Cambiar lo senhal\",\"change_password_error\":\"Una error s’es producha en cambiant lo senhal.\",\"changed_password\":\"Senhal corrèctament cambiat !\",\"confirm_new_password\":\"Confirmatz lo nòu senhal\",\"current_avatar\":\"Vòstre avatar actual\",\"current_password\":\"Senhal actual\",\"current_profile_banner\":\"Bandièra actuala del perfil\",\"delete_account\":\"Suprimir lo compte\",\"delete_account_description\":\"Suprimir vòstre compte e los messatges per sempre.\",\"delete_account_error\":\"Una error s’es producha en suprimir lo compte. S’aquò ten d’arribar mercés de contactar vòstre administrador d’instància.\",\"delete_account_instructions\":\"Picatz vòstre senhal dins lo camp tèxte çai-jos per confirmar la supression del compte.\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha\",\"follow_export\":\"Exportar los abonaments\",\"follow_export_button\":\"Exportar vòstres abonaments dins un fichièr csv\",\"follow_export_processing\":\"Tractament, vos demandarem lèu de telecargar lo fichièr\",\"follow_import\":\"Importar los abonaments\",\"follow_import_error\":\"Error en important los seguidors\",\"follows_imported\":\"Seguidors importats. Lo tractament pòt trigar una estona.\",\"foreground\":\"Endavant\",\"hide_attachments_in_convo\":\"Rescondre las pèças juntas dins las conversacions\",\"hide_attachments_in_tl\":\"Rescondre las pèças juntas\",\"import_followers_from_a_csv_file\":\"Importar los seguidors d’un fichièr csv\",\"inputRadius\":\"Camps tèxte\",\"links\":\"Ligams\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nòu senhal\",\"nsfw_clickthrough\":\"Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles\",\"panelRadius\":\"Panèls\",\"presets\":\"Pre-enregistrats\",\"profile_background\":\"Imatge de fons\",\"profile_banner\":\"Bandièra del perfil\",\"radii_help\":\"Configurar los caires arredondits de l’interfàcia (en pixèls)\",\"reply_link_preview\":\"Activar l’apercebut en passar la mirga\",\"set_new_avatar\":\"Cambiar l’avatar\",\"set_new_profile_background\":\"Cambiar l’imatge de fons\",\"set_new_profile_banner\":\"Cambiar de bandièra\",\"settings\":\"Paramètres\",\"stop_gifs\":\"Lançar los GIFs al subrevòl\",\"streaming\":\"Activar lo cargament automatic dels novèls estatus en anar amont\",\"text\":\"Tèxte\",\"theme\":\"Tèma\",\"theme_help\":\"Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.\",\"tooltipRadius\":\"Astúcias/Alèrta\",\"user_settings\":\"Paramètres utilizaire\",\"collapse_subject\":\"Replegar las publicacions amb de subjèctes\",\"data_import_export_tab\":\"Importar / Exportar las donadas\",\"default_vis\":\"Nivèl de visibilitat per defaut\",\"export_theme\":\"Enregistrar la preconfiguracion\",\"general\":\"General\",\"hide_post_stats\":\"Amagar los estatistics de publicacion (ex. lo ombre de favorits)\",\"hide_user_stats\":\"Amagar las estatisticas de l’utilizaire (ex. lo nombre de seguidors)\",\"import_theme\":\"Cargar un tèma\",\"instance_default\":\"(defaut : {value})\",\"interfaceLanguage\":\"Lenga de l’interfàcia\",\"invalid_theme_imported\":\"Lo fichièr seleccionat es pas un tèma Pleroma valid. Cap de cambiament es estat fach a vòstre tèma.\",\"limited_availability\":\"Pas disponible per vòstre navigador\",\"lock_account_description\":\"Limitar vòstre compte als seguidors acceptats solament\",\"loop_video\":\"Bocla vidèo\",\"loop_video_silent_only\":\"Legir en bocla solament las vidèos sens son (coma los « Gifs » de Mastodon)\",\"notification_visibility\":\"Tipes de notificacion de mostrar\",\"notification_visibility_follows\":\"Abonaments\",\"notification_visibility_likes\":\"Aiman\",\"notification_visibility_mentions\":\"Mencions\",\"notification_visibility_repeats\":\"Repeticions\",\"no_rich_text_description\":\"Netejar lo format tèxte de totas las publicacions\",\"pause_on_unfocused\":\"Pausar la difusion quand l’onglet es pas seleccionat\",\"profile_tab\":\"Perfil\",\"replies_in_timeline\":\"Responsas del flux\",\"reply_visibility_all\":\"Mostrar totas las responsas\",\"reply_visibility_following\":\"Mostrar pas que las responsas que me son destinada a ieu o un utilizaire que seguissi\",\"reply_visibility_self\":\"Mostrar pas que las responsas que me son destinadas\",\"saving_err\":\"Error en enregistrant los paramètres\",\"saving_ok\":\"Paramètres enregistrats\",\"security_tab\":\"Seguretat\",\"values\":{\"false\":\"non\",\"true\":\"òc\"}},\"timeline\":{\"collapse\":\"Tampar\",\"conversation\":\"Conversacion\",\"error_fetching\":\"Error en cercant de mesas a jorn\",\"load_older\":\"Ne veire mai\",\"repeated\":\"repetit\",\"show_new\":\"Ne veire mai\",\"up_to_date\":\"A jorn\",\"no_retweet_hint\":\"La publicacion marcada coma pels seguidors solament o dirècte pòt pas èsser repetida\"},\"user_card\":{\"block\":\"Blocar\",\"blocked\":\"Blocat !\",\"follow\":\"Seguir\",\"followees\":\"Abonaments\",\"followers\":\"Seguidors\",\"following\":\"Seguit !\",\"follows_you\":\"Vos sèc !\",\"mute\":\"Amagar\",\"muted\":\"Amagat\",\"per_day\":\"per jorn\",\"remote_follow\":\"Seguir a distància\",\"statuses\":\"Estatuts\",\"approve\":\"Validar\",\"deny\":\"Refusar\"},\"user_profile\":{\"timeline_title\":\"Flux utilizaire\"},\"features_panel\":{\"chat\":\"Discutida\",\"gopher\":\"Gopher\",\"media_proxy\":\"Servidor mandatari dels mèdias\",\"scope_options\":\"Opcions d'encastres\",\"text_limit\":\"Limit de tèxte\",\"title\":\"Foncionalitats\",\"who_to_follow\":\"Qui seguir\"},\"who_to_follow\":{\"more\":\"Mai\",\"who_to_follow\":\"Qui seguir\"}}\n\n/***/ }),\n/* 416 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Czat\"},\"finder\":{\"error_fetching_user\":\"Błąd przy pobieraniu profilu\",\"find_user\":\"Znajdź użytkownika\"},\"general\":{\"apply\":\"Zastosuj\",\"submit\":\"Wyślij\"},\"login\":{\"login\":\"Zaloguj\",\"logout\":\"Wyloguj\",\"password\":\"Hasło\",\"placeholder\":\"n.p. lain\",\"register\":\"Zarejestruj\",\"username\":\"Użytkownik\"},\"nav\":{\"chat\":\"Lokalny czat\",\"mentions\":\"Wzmianki\",\"public_tl\":\"Publiczna oś czasu\",\"timeline\":\"Oś czasu\",\"twkn\":\"Cała znana sieć\"},\"notifications\":{\"favorited_you\":\"dodał twój status do ulubionych\",\"followed_you\":\"obserwuje cię\",\"notifications\":\"Powiadomienia\",\"read\":\"Przeczytane!\",\"repeated_you\":\"powtórzył twój status\"},\"post_status\":{\"default\":\"Właśnie wróciłem z kościoła\",\"posting\":\"Wysyłanie\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Wyświetlana nazwa profilu\",\"password_confirm\":\"Potwierdzenie hasła\",\"registration\":\"Rejestracja\"},\"settings\":{\"attachmentRadius\":\"Załączniki\",\"attachments\":\"Załączniki\",\"autoload\":\"Włącz automatyczne ładowanie po przewinięciu do końca strony\",\"avatar\":\"Awatar\",\"avatarAltRadius\":\"Awatary (powiadomienia)\",\"avatarRadius\":\"Awatary\",\"background\":\"Tło\",\"bio\":\"Bio\",\"btnRadius\":\"Przyciski\",\"cBlue\":\"Niebieski (odpowiedz, obserwuj)\",\"cGreen\":\"Zielony (powtórzenia)\",\"cOrange\":\"Pomarańczowy (ulubione)\",\"cRed\":\"Czerwony (anuluj)\",\"change_password\":\"Zmień hasło\",\"change_password_error\":\"Podczas zmiany hasła wystąpił problem.\",\"changed_password\":\"Hasło zmienione poprawnie!\",\"confirm_new_password\":\"Potwierdź nowe hasło\",\"current_avatar\":\"Twój obecny awatar\",\"current_password\":\"Obecne hasło\",\"current_profile_banner\":\"Twój obecny banner profilu\",\"delete_account\":\"Usuń konto\",\"delete_account_description\":\"Trwale usuń konto i wszystkie posty.\",\"delete_account_error\":\"Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.\",\"delete_account_instructions\":\"Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.\",\"filtering\":\"Filtrowanie\",\"filtering_explanation\":\"Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.\",\"follow_export\":\"Eksport obserwowanych\",\"follow_export_button\":\"Eksportuj swoją listę obserwowanych do pliku CSV\",\"follow_export_processing\":\"Przetwarzanie, wkrótce twój plik zacznie się ściągać.\",\"follow_import\":\"Import obserwowanych\",\"follow_import_error\":\"Błąd przy importowaniu obserwowanych\",\"follows_imported\":\"Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.\",\"foreground\":\"Pierwszy plan\",\"hide_attachments_in_convo\":\"Ukryj załączniki w rozmowach\",\"hide_attachments_in_tl\":\"Ukryj załączniki w osi czasu\",\"import_followers_from_a_csv_file\":\"Importuj obserwowanych z pliku CSV\",\"inputRadius\":\"Pola tekstowe\",\"links\":\"Łącza\",\"name\":\"Imię\",\"name_bio\":\"Imię i bio\",\"new_password\":\"Nowe hasło\",\"nsfw_clickthrough\":\"Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)\",\"panelRadius\":\"Panele\",\"presets\":\"Gotowe motywy\",\"profile_background\":\"Tło profilu\",\"profile_banner\":\"Banner profilu\",\"radii_help\":\"Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)\",\"reply_link_preview\":\"Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi\",\"set_new_avatar\":\"Ustaw nowy awatar\",\"set_new_profile_background\":\"Ustaw nowe tło profilu\",\"set_new_profile_banner\":\"Ustaw nowy banner profilu\",\"settings\":\"Ustawienia\",\"stop_gifs\":\"Odtwarzaj GIFy po najechaniu kursorem\",\"streaming\":\"Włącz automatycznie strumieniowanie nowych postów gdy na początku strony\",\"text\":\"Tekst\",\"theme\":\"Motyw\",\"theme_help\":\"Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.\",\"tooltipRadius\":\"Etykiety/alerty\",\"user_settings\":\"Ustawienia użytkownika\"},\"timeline\":{\"collapse\":\"Zwiń\",\"conversation\":\"Rozmowa\",\"error_fetching\":\"Błąd pobierania\",\"load_older\":\"Załaduj starsze statusy\",\"repeated\":\"powtórzono\",\"show_new\":\"Pokaż nowe\",\"up_to_date\":\"Na bieżąco\"},\"user_card\":{\"block\":\"Zablokuj\",\"blocked\":\"Zablokowany!\",\"follow\":\"Obserwuj\",\"followees\":\"Obserwowani\",\"followers\":\"Obserwujący\",\"following\":\"Obserwowany!\",\"follows_you\":\"Obserwuje cię!\",\"mute\":\"Wycisz\",\"muted\":\"Wyciszony\",\"per_day\":\"dziennie\",\"remote_follow\":\"Zdalna obserwacja\",\"statuses\":\"Statusy\"},\"user_profile\":{\"timeline_title\":\"Oś czasu użytkownika\"}}\n\n/***/ }),\n/* 417 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"finder\":{\"error_fetching_user\":\"Erro procurando usuário\",\"find_user\":\"Buscar usuário\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\"},\"login\":{\"login\":\"Entrar\",\"logout\":\"Sair\",\"password\":\"Senha\",\"placeholder\":\"p.e. lain\",\"register\":\"Registrar\",\"username\":\"Usuário\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Menções\",\"public_tl\":\"Linha do tempo pública\",\"timeline\":\"Linha do tempo\",\"twkn\":\"Toda a rede conhecida\"},\"notifications\":{\"favorited_you\":\"favoritou sua postagem\",\"followed_you\":\"seguiu você\",\"notifications\":\"Notificações\",\"read\":\"Lido!\",\"repeated_you\":\"repetiu sua postagem\"},\"post_status\":{\"default\":\"Acabei de chegar no Rio!\",\"posting\":\"Publicando\"},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Correio eletrônico\",\"fullname\":\"Nome para exibição\",\"password_confirm\":\"Confirmação de senha\",\"registration\":\"Registro\"},\"settings\":{\"attachmentRadius\":\"Anexos\",\"attachments\":\"Anexos\",\"autoload\":\"Habilitar carregamento automático quando a rolagem chegar ao fim.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatares (Notificações)\",\"avatarRadius\":\"Avatares\",\"background\":\"Plano de Fundo\",\"bio\":\"Biografia\",\"btnRadius\":\"Botões\",\"cBlue\":\"Azul (Responder, seguir)\",\"cGreen\":\"Verde (Repetir)\",\"cOrange\":\"Laranja (Favoritar)\",\"cRed\":\"Vermelho (Cancelar)\",\"current_avatar\":\"Seu avatar atual\",\"current_profile_banner\":\"Sua capa de perfil atual\",\"filtering\":\"Filtragem\",\"filtering_explanation\":\"Todas as postagens contendo estas palavras serão silenciadas, uma por linha.\",\"follow_import\":\"Importar seguidas\",\"follow_import_error\":\"Erro ao importar seguidores\",\"follows_imported\":\"Seguidores importados! O processamento pode demorar um pouco.\",\"foreground\":\"Primeiro Plano\",\"hide_attachments_in_convo\":\"Ocultar anexos em conversas\",\"hide_attachments_in_tl\":\"Ocultar anexos na linha do tempo.\",\"import_followers_from_a_csv_file\":\"Importe seguidores a partir de um arquivo CSV\",\"links\":\"Links\",\"name\":\"Nome\",\"name_bio\":\"Nome & Biografia\",\"nsfw_clickthrough\":\"Habilitar clique para ocultar anexos NSFW\",\"panelRadius\":\"Paineis\",\"presets\":\"Predefinições\",\"profile_background\":\"Plano de fundo de perfil\",\"profile_banner\":\"Capa de perfil\",\"radii_help\":\"Arredondar arestas da interface (em píxeis)\",\"reply_link_preview\":\"Habilitar a pré-visualização de link de respostas ao passar o mouse.\",\"set_new_avatar\":\"Alterar avatar\",\"set_new_profile_background\":\"Alterar o plano de fundo de perfil\",\"set_new_profile_banner\":\"Alterar capa de perfil\",\"settings\":\"Configurações\",\"stop_gifs\":\"Reproduzir GIFs ao passar o cursor em cima\",\"streaming\":\"Habilitar o fluxo automático de postagens quando ao topo da página\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.\",\"tooltipRadius\":\"Dicass/alertas\",\"user_settings\":\"Configurações de Usuário\"},\"timeline\":{\"conversation\":\"Conversa\",\"error_fetching\":\"Erro buscando atualizações\",\"load_older\":\"Carregar postagens antigas\",\"show_new\":\"Mostrar novas\",\"up_to_date\":\"Atualizado\"},\"user_card\":{\"block\":\"Bloquear\",\"blocked\":\"Bloqueado!\",\"follow\":\"Seguir\",\"followees\":\"Seguindo\",\"followers\":\"Seguidores\",\"following\":\"Seguindo!\",\"follows_you\":\"Segue você!\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por dia\",\"remote_follow\":\"Seguidor Remoto\",\"statuses\":\"Postagens\"},\"user_profile\":{\"timeline_title\":\"Linha do tempo do usuário\"}}\n\n/***/ }),\n/* 418 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"finder\":{\"error_fetching_user\":\"Eroare la preluarea utilizatorului\",\"find_user\":\"Găsește utilizator\"},\"general\":{\"submit\":\"trimite\"},\"login\":{\"login\":\"Loghează\",\"logout\":\"Deloghează\",\"password\":\"Parolă\",\"placeholder\":\"d.e. lain\",\"register\":\"Înregistrare\",\"username\":\"Nume utilizator\"},\"nav\":{\"mentions\":\"Menționări\",\"public_tl\":\"Cronologie Publică\",\"timeline\":\"Cronologie\",\"twkn\":\"Toată Reșeaua Cunoscută\"},\"notifications\":{\"followed_you\":\"te-a urmărit\",\"notifications\":\"Notificări\",\"read\":\"Citit!\"},\"post_status\":{\"default\":\"Nu de mult am aterizat în L.A.\",\"posting\":\"Postează\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Numele întreg\",\"password_confirm\":\"Cofirmă parola\",\"registration\":\"Îregistrare\"},\"settings\":{\"attachments\":\"Atașamente\",\"autoload\":\"Permite încărcarea automată când scrolat la capăt\",\"avatar\":\"Avatar\",\"bio\":\"Bio\",\"current_avatar\":\"Avatarul curent\",\"current_profile_banner\":\"Bannerul curent al profilului\",\"filtering\":\"Filtru\",\"filtering_explanation\":\"Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie\",\"hide_attachments_in_convo\":\"Ascunde atașamentele în conversații\",\"hide_attachments_in_tl\":\"Ascunde atașamentele în cronologie\",\"name\":\"Nume\",\"name_bio\":\"Nume și Bio\",\"nsfw_clickthrough\":\"Permite ascunderea al atașamentelor NSFW\",\"profile_background\":\"Fundalul de profil\",\"profile_banner\":\"Banner de profil\",\"reply_link_preview\":\"Permite previzualizarea linkului de răspuns la planarea de mouse\",\"set_new_avatar\":\"Setează avatar nou\",\"set_new_profile_background\":\"Setează fundal nou\",\"set_new_profile_banner\":\"Setează banner nou la profil\",\"settings\":\"Setări\",\"theme\":\"Temă\",\"user_settings\":\"Setările utilizatorului\"},\"timeline\":{\"conversation\":\"Conversație\",\"error_fetching\":\"Erare la preluarea actualizărilor\",\"load_older\":\"Încarcă stări mai vechi\",\"show_new\":\"Arată cele noi\",\"up_to_date\":\"La zi\"},\"user_card\":{\"block\":\"Blochează\",\"blocked\":\"Blocat!\",\"follow\":\"Urmărește\",\"followees\":\"Urmărește\",\"followers\":\"Următori\",\"following\":\"Urmărit!\",\"follows_you\":\"Te urmărește!\",\"mute\":\"Pune pe mut\",\"muted\":\"Pus pe mut\",\"per_day\":\"pe zi\",\"statuses\":\"Stări\"}}\n\n/***/ }),\n/* 419 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Чат\"},\"finder\":{\"error_fetching_user\":\"Пользователь не найден\",\"find_user\":\"Найти пользователя\"},\"general\":{\"apply\":\"Применить\",\"submit\":\"Отправить\"},\"login\":{\"login\":\"Войти\",\"logout\":\"Выйти\",\"password\":\"Пароль\",\"placeholder\":\"e.c. lain\",\"register\":\"Зарегистрироваться\",\"username\":\"Имя пользователя\"},\"nav\":{\"back\":\"Назад\",\"chat\":\"Локальный чат\",\"mentions\":\"Упоминания\",\"public_tl\":\"Публичная лента\",\"timeline\":\"Лента\",\"twkn\":\"Федеративная лента\"},\"notifications\":{\"broken_favorite\":\"Неизвестный статус, ищем...\",\"favorited_you\":\"нравится ваш статус\",\"followed_you\":\"начал(а) читать вас\",\"load_older\":\"Загрузить старые уведомления\",\"notifications\":\"Уведомления\",\"read\":\"Прочесть\",\"repeated_you\":\"повторил(а) ваш статус\"},\"post_status\":{\"account_not_locked_warning\":\"Ваш аккаунт не {0}. Кто угодно может зафоловить вас чтобы прочитать посты только для подписчиков\",\"account_not_locked_warning_link\":\"залочен\",\"attachments_sensitive\":\"Вложения содержат чувствительный контент\",\"content_warning\":\"Тема (не обязательно)\",\"default\":\"Что нового?\",\"direct_warning\":\"Этот пост будет видет только упомянутым пользователям\",\"posting\":\"Отправляется\",\"scope\":{\"direct\":\"Личное - этот пост видят только те кто в нём упомянут\",\"private\":\"Для подписчиков - этот пост видят только подписчики\",\"public\":\"Публичный - этот пост виден всем\",\"unlisted\":\"Непубличный - этот пост не виден на публичных лентах\"}},\"registration\":{\"bio\":\"Описание\",\"email\":\"Email\",\"fullname\":\"Отображаемое имя\",\"password_confirm\":\"Подтверждение пароля\",\"registration\":\"Регистрация\",\"token\":\"Код приглашения\",\"validations\":{\"username_required\":\"не должно быть пустым\",\"fullname_required\":\"не должно быть пустым\",\"email_required\":\"не должен быть пустым\",\"password_required\":\"не должен быть пустым\",\"password_confirmation_required\":\"не должно быть пустым\",\"password_confirmation_match\":\"должно совпадать с паролем\"}},\"settings\":{\"attachmentRadius\":\"Прикреплённые файлы\",\"attachments\":\"Вложения\",\"autoload\":\"Включить автоматическую загрузку при прокрутке вниз\",\"avatar\":\"Аватар\",\"avatarAltRadius\":\"Аватары в уведомлениях\",\"avatarRadius\":\"Аватары\",\"background\":\"Фон\",\"bio\":\"Описание\",\"btnRadius\":\"Кнопки\",\"cBlue\":\"Ответить, читать\",\"cGreen\":\"Повторить\",\"cOrange\":\"Нравится\",\"cRed\":\"Отменить\",\"change_password\":\"Сменить пароль\",\"change_password_error\":\"Произошла ошибка при попытке изменить пароль.\",\"changed_password\":\"Пароль изменён успешно.\",\"collapse_subject\":\"Сворачивать посты с темой\",\"confirm_new_password\":\"Подтверждение нового пароля\",\"current_avatar\":\"Текущий аватар\",\"current_password\":\"Текущий пароль\",\"current_profile_banner\":\"Текущий баннер профиля\",\"data_import_export_tab\":\"Импорт / Экспорт данных\",\"delete_account\":\"Удалить аккаунт\",\"delete_account_description\":\"Удалить ваш аккаунт и все ваши сообщения.\",\"delete_account_error\":\"Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.\",\"delete_account_instructions\":\"Введите ваш пароль в поле ниже для подтверждения удаления.\",\"export_theme\":\"Сохранить Тему\",\"filtering\":\"Фильтрация\",\"filtering_explanation\":\"Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке\",\"follow_export\":\"Экспортировать читаемых\",\"follow_export_button\":\"Экспортировать читаемых в файл .csv\",\"follow_export_processing\":\"Ведётся обработка, скоро вам будет предложено загрузить файл\",\"follow_import\":\"Импортировать читаемых\",\"follow_import_error\":\"Ошибка при импортировании читаемых.\",\"follows_imported\":\"Список читаемых импортирован. Обработка займёт некоторое время..\",\"foreground\":\"Передний план\",\"general\":\"Общие\",\"hide_attachments_in_convo\":\"Прятать вложения в разговорах\",\"hide_attachments_in_tl\":\"Прятать вложения в ленте\",\"hide_isp\":\"Скрыть серверную панель\",\"import_followers_from_a_csv_file\":\"Импортировать читаемых из файла .csv\",\"import_theme\":\"Загрузить Тему\",\"inputRadius\":\"Поля ввода\",\"checkboxRadius\":\"Чекбоксы\",\"interface\":\"Интерфейс\",\"interfaceLanguage\":\"Язык интерфейса\",\"limited_availability\":\"Не доступно в вашем браузере\",\"links\":\"Ссылки\",\"lock_account_description\":\"Аккаунт доступен только подтверждённым подписчикам\",\"loop_video\":\"Зациливать видео\",\"loop_video_silent_only\":\"Зацикливать только беззвучные видео (т.е. \\\"гифки\\\" с Mastodon)\",\"name\":\"Имя\",\"name_bio\":\"Имя и описание\",\"new_password\":\"Новый пароль\",\"notification_visibility\":\"Показывать уведомления\",\"notification_visibility_follows\":\"Подписки\",\"notification_visibility_likes\":\"Лайки\",\"notification_visibility_mentions\":\"Упоминания\",\"notification_visibility_repeats\":\"Повторы\",\"no_rich_text_description\":\"Убрать форматирование из всех постов\",\"hide_followings_description\":\"Не показывать кого я читаю\",\"hide_followers_description\":\"Не показывать кто читает меня\",\"nsfw_clickthrough\":\"Включить скрытие NSFW вложений\",\"panelRadius\":\"Панели\",\"pause_on_unfocused\":\"Приостановить загрузку когда вкладка не в фокусе\",\"presets\":\"Пресеты\",\"profile_background\":\"Фон профиля\",\"profile_banner\":\"Баннер профиля\",\"profile_tab\":\"Профиль\",\"radii_help\":\"Скругление углов элементов интерфейса (в пикселях)\",\"replies_in_timeline\":\"Ответы в ленте\",\"reply_link_preview\":\"Включить предварительный просмотр ответа при наведении мыши\",\"reply_visibility_all\":\"Показывать все ответы\",\"reply_visibility_following\":\"Показывать только ответы мне и тех на кого я подписан\",\"reply_visibility_self\":\"Показывать только ответы мне\",\"security_tab\":\"Безопасность\",\"set_new_avatar\":\"Загрузить новый аватар\",\"set_new_profile_background\":\"Загрузить новый фон профиля\",\"set_new_profile_banner\":\"Загрузить новый баннер профиля\",\"settings\":\"Настройки\",\"subject_input_always_show\":\"Всегда показывать поле ввода темы\",\"stop_gifs\":\"Проигрывать GIF анимации только при наведении\",\"streaming\":\"Включить автоматическую загрузку новых сообщений при прокрутке вверх\",\"text\":\"Текст\",\"theme\":\"Тема\",\"theme_help\":\"Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.\",\"theme_help_v2_1\":\"Вы так же можете перепоределить цвета определенных компонентов нажав соотв. галочку. Используйте кнопку \\\"Очистить всё\\\" чтобы снять все переопределения\",\"theme_help_v2_2\":\"Под некоторыми полями ввода это идикаторы контрастности, наведите на них мышью чтобы узнать больше. Приспользовании прозрачности контраст расчитывается для наихудшего варианта.\",\"tooltipRadius\":\"Всплывающие подсказки/уведомления\",\"user_settings\":\"Настройки пользователя\",\"style\":{\"switcher\":{\"keep_color\":\"Оставить цвета\",\"keep_shadows\":\"Оставить тени\",\"keep_opacity\":\"Оставить прозрачность\",\"keep_roundness\":\"Оставить скругление\",\"keep_fonts\":\"Оставить шрифты\",\"save_load_hint\":\"Опции \\\"оставить...\\\" позволяют сохранить текущие настройки при выборе другой темы или импорта её из файла. Так же они влияют на то какие компоненты будут сохранены при экспорте темы. Когда все галочки сняты все компоненты будут экспортированы.\",\"reset\":\"Сбросить\",\"clear_all\":\"Очистить всё\",\"clear_opacity\":\"Очистить прозрачность\"},\"common\":{\"color\":\"Цвет\",\"opacity\":\"Прозрачность\",\"contrast\":{\"hint\":\"Уровень контраста: {ratio}, что {level} {context}\",\"level\":{\"aa\":\"соответствует гайдлайну Level AA (минимальный)\",\"aaa\":\"соответствует гайдлайну Level AAA (рекомендуемый)\",\"bad\":\"не соответствует каким либо гайдлайнам\"},\"context\":{\"18pt\":\"для крупного (18pt+) текста\",\"text\":\"для текста\"}}},\"common_colors\":{\"_tab_label\":\"Общие\",\"main\":\"Общие цвета\",\"foreground_hint\":\"См. вкладку \\\"Дополнительно\\\" для более детального контроля\",\"rgbo\":\"Иконки, акценты, ярылки\"},\"advanced_colors\":{\"_tab_label\":\"Дополнительно\",\"alert\":\"Фон уведомлений\",\"alert_error\":\"Ошибки\",\"badge\":\"Фон значков\",\"badge_notification\":\"Уведомления\",\"panel_header\":\"Заголовок панели\",\"top_bar\":\"Верняя полоска\",\"borders\":\"Границы\",\"buttons\":\"Кнопки\",\"inputs\":\"Поля ввода\",\"faint_text\":\"Маловажный текст\"},\"radii\":{\"_tab_label\":\"Скругление\"},\"shadows\":{\"_tab_label\":\"Светотень\",\"component\":\"Компонент\",\"override\":\"Переопределить\",\"shadow_id\":\"Тень №{value}\",\"blur\":\"Размытие\",\"spread\":\"Разброс\",\"inset\":\"Внутренняя\",\"hint\":\"Для теней вы так же можете использовать --variable в качестве цвета чтобы использовать CSS3-переменные. В таком случае прозрачность работать не будет.\",\"filter_hint\":{\"always_drop_shadow\":\"Внимание, эта тень всегда использует {0} когда браузер поддерживает это\",\"drop_shadow_syntax\":\"{0} не поддерживает параметр {1} и ключевое слово {2}\",\"avatar_inset\":\"Одновременное использование внутренних и внешних теней на (прозрачных) аватарках может дать не те результаты что вы ожидаете\",\"spread_zero\":\"Тени с разбросом > 0 будут выглядеть как если бы разброс установлен в 0\",\"inset_classic\":\"Внутренние тени будут использовать {0}\"},\"components\":{\"panel\":\"Панель\",\"panelHeader\":\"Заголовок панели\",\"topBar\":\"Верхняя полоска\",\"avatar\":\"Аватарка (профиль)\",\"avatarStatus\":\"Аватарка (в ленте)\",\"popup\":\"Всплывающие подсказки\",\"button\":\"Кнопки\",\"buttonHover\":\"Кнопки (наведен курсор)\",\"buttonPressed\":\"Кнопки (нажата)\",\"buttonPressedHover\":\"Кнопки (нажата+наведен курсор)\",\"input\":\"Поля ввода\"}},\"fonts\":{\"_tab_label\":\"Шрифты\",\"help\":\"Выберите тип шрифта для использования в интерфейсе. При выборе варианта \\\"другой\\\" надо ввести название шрифта в точности как он называется в системе.\",\"components\":{\"interface\":\"Интерфейс\",\"input\":\"Поля ввода\",\"post\":\"Текст постов\",\"postCode\":\"Моноширинный текст в посте (форматирование)\"},\"family\":\"Шрифт\",\"size\":\"Размер (в пикселях)\",\"weight\":\"Ширина\",\"custom\":\"Другой\"},\"preview\":{\"header\":\"Пример\",\"content\":\"Контент\",\"error\":\"Ошибка стоп 000\",\"button\":\"Кнопка\",\"text\":\"Еще немного {0} и масенькая {1}\",\"mono\":\"контента\",\"input\":\"Что нового?\",\"faint_link\":\"Его придется убрать\",\"fine_print\":\"Если проблемы остались — ваш гуртовщик мыши плохо стоит. {0}.\",\"header_faint\":\"Все идет по плану\",\"checkbox\":\"Я подтверждаю что не было ни единого разрыва\",\"link\":\"ссылка\"}}},\"timeline\":{\"collapse\":\"Свернуть\",\"conversation\":\"Разговор\",\"error_fetching\":\"Ошибка при обновлении\",\"load_older\":\"Загрузить старые статусы\",\"no_retweet_hint\":\"Пост помечен как \\\"только для подписчиков\\\" или \\\"личное\\\" и поэтому не может быть повторён\",\"repeated\":\"повторил(а)\",\"show_new\":\"Показать новые\",\"up_to_date\":\"Обновлено\"},\"user_card\":{\"block\":\"Заблокировать\",\"blocked\":\"Заблокирован\",\"favorites\":\"Понравившиеся\",\"follow\":\"Читать\",\"follow_sent\":\"Запрос отправлен!\",\"follow_progress\":\"Запрашиваем…\",\"follow_again\":\"Запросить еще заново?\",\"follow_unfollow\":\"Перестать читать\",\"followees\":\"Читаемые\",\"followers\":\"Читатели\",\"following\":\"Читаю\",\"follows_you\":\"Читает вас\",\"mute\":\"Игнорировать\",\"muted\":\"Игнорирую\",\"per_day\":\"в день\",\"remote_follow\":\"Читать удалённо\",\"statuses\":\"Статусы\"},\"user_profile\":{\"timeline_title\":\"Лента пользователя\"}}\n\n/***/ }),\n/* 420 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"聊天\"},\"features_panel\":{\"chat\":\"聊天\",\"gopher\":\"Gopher\",\"media_proxy\":\"媒体代理\",\"scope_options\":\"可见范围设置\",\"text_limit\":\"文本长度限制\",\"title\":\"功能\",\"who_to_follow\":\"推荐关注\"},\"finder\":{\"error_fetching_user\":\"获取用户时发生错误\",\"find_user\":\"寻找用户\"},\"general\":{\"apply\":\"应用\",\"submit\":\"提交\"},\"login\":{\"login\":\"登录\",\"logout\":\"登出\",\"password\":\"密码\",\"placeholder\":\"例如:lain\",\"register\":\"注册\",\"username\":\"用户名\"},\"nav\":{\"chat\":\"本地聊天\",\"friend_requests\":\"关注请求\",\"mentions\":\"提及\",\"public_tl\":\"公共时间线\",\"timeline\":\"时间线\",\"twkn\":\"所有已知网络\"},\"notifications\":{\"broken_favorite\":\"未知的状态,正在搜索中...\",\"favorited_you\":\"收藏了你的状态\",\"followed_you\":\"关注了你\",\"load_older\":\"加载更早的通知\",\"notifications\":\"通知\",\"read\":\"阅读!\",\"repeated_you\":\"转发了你的状态\"},\"post_status\":{\"account_not_locked_warning\":\"你的帐号没有 {0}。任何人都可以关注你并浏览你的上锁内容。\",\"account_not_locked_warning_link\":\"上锁\",\"attachments_sensitive\":\"标记附件为敏感内容\",\"content_type\":{\"plain_text\":\"纯文本\"},\"content_warning\":\"主题(可选)\",\"default\":\"刚刚抵达上海\",\"direct_warning\":\"本条内容只有被提及的用户能够看到。\",\"posting\":\"发送\",\"scope\":{\"direct\":\"私信 - 只发送给被提及的用户\",\"private\":\"仅关注者 - 只有关注了你的人能看到\",\"public\":\"公共 - 发送到公共时间轴\",\"unlisted\":\"不公开 - 所有人可见,但不会发送到公共时间轴\"}},\"registration\":{\"bio\":\"简介\",\"email\":\"电子邮箱\",\"fullname\":\"全名\",\"password_confirm\":\"确认密码\",\"registration\":\"注册\",\"token\":\"邀请码\"},\"settings\":{\"attachmentRadius\":\"附件\",\"attachments\":\"附件\",\"autoload\":\"启用滚动到底部时的自动加载\",\"avatar\":\"头像\",\"avatarAltRadius\":\"头像(通知)\",\"avatarRadius\":\"头像\",\"background\":\"背景\",\"bio\":\"简介\",\"btnRadius\":\"按钮\",\"cBlue\":\"蓝色(回复,关注)\",\"cGreen\":\"绿色(转发)\",\"cOrange\":\"橙色(收藏)\",\"cRed\":\"红色(取消)\",\"change_password\":\"修改密码\",\"change_password_error\":\"修改密码的时候出了点问题。\",\"changed_password\":\"成功修改了密码!\",\"collapse_subject\":\"折叠带主题的内容\",\"confirm_new_password\":\"确认新密码\",\"current_avatar\":\"当前头像\",\"current_password\":\"当前密码\",\"current_profile_banner\":\"您当前的横幅图片\",\"data_import_export_tab\":\"数据导入/导出\",\"default_vis\":\"默认可见范围\",\"delete_account\":\"删除账户\",\"delete_account_description\":\"永久删除你的帐号和所有消息。\",\"delete_account_error\":\"删除账户时发生错误,如果一直删除不了,请联系实例管理员。\",\"delete_account_instructions\":\"在下面输入你的密码来确认删除账户\",\"export_theme\":\"导出预置主题\",\"filtering\":\"过滤器\",\"filtering_explanation\":\"所有包含以下词汇的内容都会被隐藏,一行一个\",\"follow_export\":\"导出关注\",\"follow_export_button\":\"将关注导出成 csv 文件\",\"follow_export_processing\":\"正在处理,过一会儿就可以下载你的文件了\",\"follow_import\":\"导入关注\",\"follow_import_error\":\"导入关注时错误\",\"follows_imported\":\"关注已导入!尚需要一些时间来处理。\",\"foreground\":\"前景\",\"general\":\"通用\",\"hide_attachments_in_convo\":\"在对话中隐藏附件\",\"hide_attachments_in_tl\":\"在时间线上隐藏附件\",\"hide_post_stats\":\"隐藏推文相关的统计数据(例如:收藏的次数)\",\"hide_user_stats\":\"隐藏用户的统计数据(例如:关注者的数量)\",\"import_followers_from_a_csv_file\":\"从 csv 文件中导入关注\",\"import_theme\":\"导入预置主题\",\"inputRadius\":\"输入框\",\"instance_default\":\"(默认:{value})\",\"interfaceLanguage\":\"界面语言\",\"invalid_theme_imported\":\"您所选择的主题文件不被 Pleroma 支持,因此主题未被修改。\",\"limited_availability\":\"在您的浏览器中无法使用\",\"links\":\"链接\",\"lock_account_description\":\"你需要手动审核关注请求\",\"loop_video\":\"循环视频\",\"loop_video_silent_only\":\"只循环没有声音的视频(例如:Mastodon 里的“GIF”)\",\"name\":\"名字\",\"name_bio\":\"名字及简介\",\"new_password\":\"新密码\",\"notification_visibility\":\"要显示的通知类型\",\"notification_visibility_follows\":\"关注\",\"notification_visibility_likes\":\"点赞\",\"notification_visibility_mentions\":\"提及\",\"notification_visibility_repeats\":\"转发\",\"no_rich_text_description\":\"不显示富文本格式\",\"nsfw_clickthrough\":\"将不和谐附件隐藏,点击才能打开\",\"panelRadius\":\"面板\",\"pause_on_unfocused\":\"在离开页面时暂停时间线推送\",\"presets\":\"预置\",\"profile_background\":\"个人资料背景图\",\"profile_banner\":\"横幅图片\",\"profile_tab\":\"个人资料\",\"radii_help\":\"设置界面边缘的圆角 (单位:像素)\",\"replies_in_timeline\":\"时间线中的回复\",\"reply_link_preview\":\"启用鼠标悬停时预览回复链接\",\"reply_visibility_all\":\"显示所有回复\",\"reply_visibility_following\":\"只显示发送给我的回复/发送给我关注的用户的回复\",\"reply_visibility_self\":\"只显示发送给我的回复\",\"saving_err\":\"保存设置时发生错误\",\"saving_ok\":\"设置已保存\",\"security_tab\":\"安全\",\"set_new_avatar\":\"设置新头像\",\"set_new_profile_background\":\"设置新的个人资料背景\",\"set_new_profile_banner\":\"设置新的横幅图片\",\"settings\":\"设置\",\"stop_gifs\":\"鼠标悬停时播放GIF\",\"streaming\":\"开启滚动到顶部时的自动推送\",\"text\":\"文本\",\"theme\":\"主题\",\"theme_help\":\"使用十六进制代码(#rrggbb)来设置主题颜色。\",\"tooltipRadius\":\"提醒\",\"user_settings\":\"用户设置\",\"values\":{\"false\":\"否\",\"true\":\"是\"}},\"timeline\":{\"collapse\":\"折叠\",\"conversation\":\"对话\",\"error_fetching\":\"获取更新时发生错误\",\"load_older\":\"加载更早的状态\",\"no_retweet_hint\":\"这条内容仅关注者可见,或者是私信,因此不能转发。\",\"repeated\":\"已转发\",\"show_new\":\"显示新内容\",\"up_to_date\":\"已是最新\"},\"user_card\":{\"approve\":\"允许\",\"block\":\"屏蔽\",\"blocked\":\"已屏蔽!\",\"deny\":\"拒绝\",\"follow\":\"关注\",\"followees\":\"正在关注\",\"followers\":\"关注者\",\"following\":\"正在关注!\",\"follows_you\":\"关注了你!\",\"mute\":\"隐藏\",\"muted\":\"已隐藏\",\"per_day\":\"每天\",\"remote_follow\":\"跨站关注\",\"statuses\":\"状态\"},\"user_profile\":{\"timeline_title\":\"用户时间线\"},\"who_to_follow\":{\"more\":\"更多\",\"who_to_follow\":\"推荐关注\"}}\n\n/***/ }),\n/* 421 */\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/* 422 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n/***/ }),\n/* 423 */,\n/* 424 */,\n/* 425 */,\n/* 426 */,\n/* 427 */,\n/* 428 */,\n/* 429 */,\n/* 430 */,\n/* 431 */,\n/* 432 */,\n/* 433 */,\n/* 434 */,\n/* 435 */,\n/* 436 */,\n/* 437 */,\n/* 438 */,\n/* 439 */,\n/* 440 */,\n/* 441 */,\n/* 442 */,\n/* 443 */,\n/* 444 */,\n/* 445 */,\n/* 446 */,\n/* 447 */,\n/* 448 */,\n/* 449 */,\n/* 450 */,\n/* 451 */,\n/* 452 */,\n/* 453 */,\n/* 454 */,\n/* 455 */,\n/* 456 */,\n/* 457 */,\n/* 458 */,\n/* 459 */,\n/* 460 */,\n/* 461 */,\n/* 462 */,\n/* 463 */,\n/* 464 */,\n/* 465 */,\n/* 466 */,\n/* 467 */,\n/* 468 */,\n/* 469 */,\n/* 470 */,\n/* 471 */,\n/* 472 */,\n/* 473 */,\n/* 474 */,\n/* 475 */,\n/* 476 */,\n/* 477 */,\n/* 478 */,\n/* 479 */,\n/* 480 */,\n/* 481 */,\n/* 482 */,\n/* 483 */,\n/* 484 */,\n/* 485 */,\n/* 486 */,\n/* 487 */,\n/* 488 */,\n/* 489 */,\n/* 490 */,\n/* 491 */,\n/* 492 */,\n/* 493 */,\n/* 494 */,\n/* 495 */,\n/* 496 */,\n/* 497 */,\n/* 498 */,\n/* 499 */,\n/* 500 */,\n/* 501 */,\n/* 502 */,\n/* 503 */,\n/* 504 */,\n/* 505 */,\n/* 506 */,\n/* 507 */,\n/* 508 */,\n/* 509 */,\n/* 510 */,\n/* 511 */,\n/* 512 */,\n/* 513 */,\n/* 514 */,\n/* 515 */,\n/* 516 */,\n/* 517 */,\n/* 518 */,\n/* 519 */,\n/* 520 */,\n/* 521 */,\n/* 522 */,\n/* 523 */,\n/* 524 */,\n/* 525 */,\n/* 526 */,\n/* 527 */,\n/* 528 */,\n/* 529 */,\n/* 530 */,\n/* 531 */,\n/* 532 */,\n/* 533 */,\n/* 534 */,\n/* 535 */,\n/* 536 */,\n/* 537 */,\n/* 538 */,\n/* 539 */,\n/* 540 */,\n/* 541 */,\n/* 542 */,\n/* 543 */,\n/* 544 */,\n/* 545 */,\n/* 546 */,\n/* 547 */,\n/* 548 */,\n/* 549 */,\n/* 550 */,\n/* 551 */,\n/* 552 */,\n/* 553 */,\n/* 554 */,\n/* 555 */,\n/* 556 */,\n/* 557 */,\n/* 558 */,\n/* 559 */,\n/* 560 */,\n/* 561 */,\n/* 562 */,\n/* 563 */,\n/* 564 */,\n/* 565 */,\n/* 566 */,\n/* 567 */,\n/* 568 */,\n/* 569 */,\n/* 570 */,\n/* 571 */,\n/* 572 */,\n/* 573 */,\n/* 574 */,\n/* 575 */,\n/* 576 */,\n/* 577 */,\n/* 578 */,\n/* 579 */,\n/* 580 */,\n/* 581 */,\n/* 582 */,\n/* 583 */,\n/* 584 */,\n/* 585 */,\n/* 586 */,\n/* 587 */,\n/* 588 */,\n/* 589 */,\n/* 590 */,\n/* 591 */,\n/* 592 */,\n/* 593 */,\n/* 594 */,\n/* 595 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__.p + \"static/img/nsfw.74818f9.png\";\n\n/***/ }),\n/* 596 */,\n/* 597 */,\n/* 598 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(373)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(236),\n\t /* template */\n\t __webpack_require__(662),\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/* 599 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(374)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(237),\n\t /* template */\n\t __webpack_require__(664),\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/* 600 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(363)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(231),\n\t /* template */\n\t __webpack_require__(648),\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/* 601 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(240),\n\t /* template */\n\t __webpack_require__(676),\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/* 602 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(387)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(242),\n\t /* template */\n\t __webpack_require__(684),\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/* 603 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(243),\n\t /* template */\n\t __webpack_require__(668),\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/* 604 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(394)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(232),\n\t /* template */\n\t __webpack_require__(692),\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/* 605 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(389)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(244),\n\t /* template */\n\t __webpack_require__(687),\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/* 606 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(377)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(246),\n\t /* template */\n\t __webpack_require__(669),\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/* 607 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(247),\n\t /* template */\n\t __webpack_require__(640),\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/* 608 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(372)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(248),\n\t /* template */\n\t __webpack_require__(661),\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/* 609 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(249),\n\t /* template */\n\t __webpack_require__(682),\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/* 610 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(392)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(250),\n\t /* template */\n\t __webpack_require__(690),\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/* 611 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(233),\n\t /* template */\n\t __webpack_require__(652),\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/* 612 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(382)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(252),\n\t /* template */\n\t __webpack_require__(678),\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/* 613 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(376)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(254),\n\t /* template */\n\t __webpack_require__(667),\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/* 614 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(375)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(255),\n\t /* template */\n\t __webpack_require__(666),\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/* 615 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(256),\n\t /* template */\n\t __webpack_require__(649),\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/* 616 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(391)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(257),\n\t /* template */\n\t __webpack_require__(689),\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/* 617 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(258),\n\t /* template */\n\t __webpack_require__(673),\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/* 618 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(260),\n\t /* template */\n\t __webpack_require__(654),\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/* 619 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(262),\n\t /* template */\n\t __webpack_require__(650),\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/* 620 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(263),\n\t /* template */\n\t __webpack_require__(671),\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/* 621 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(235),\n\t /* template */\n\t __webpack_require__(672),\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/* 622 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(368)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(264),\n\t /* template */\n\t __webpack_require__(657),\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/* 623 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(361)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(265),\n\t /* template */\n\t __webpack_require__(646),\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/* 624 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(390)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(266),\n\t /* template */\n\t __webpack_require__(688),\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/* 625 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(380)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(267),\n\t /* template */\n\t __webpack_require__(675),\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/* 626 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(379)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(268),\n\t /* template */\n\t __webpack_require__(674),\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/* 627 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(366)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(270),\n\t /* template */\n\t __webpack_require__(655),\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/* 628 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t null,\n\t /* template */\n\t __webpack_require__(686),\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/* 629 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(273),\n\t /* template */\n\t __webpack_require__(644),\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/* 630 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(362)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(274),\n\t /* template */\n\t __webpack_require__(647),\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/* 631 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(365)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(279),\n\t /* template */\n\t __webpack_require__(653),\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/* 632 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(370)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(281),\n\t /* template */\n\t __webpack_require__(659),\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/* 633 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(378)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(282),\n\t /* template */\n\t __webpack_require__(670),\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/* 634 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(386)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(283),\n\t /* template */\n\t __webpack_require__(683),\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/* 635 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(360)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(285),\n\t /* template */\n\t __webpack_require__(645),\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/* 636 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(393)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(286),\n\t /* template */\n\t __webpack_require__(691),\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/* 637 */\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 }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.notifications')) + \"\\n \"), (_vm.unseenCount) ? _c('span', {\n\t staticClass: \"badge badge-notification unseen-count\"\n\t }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e()]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"loadmore-error alert error\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.unseenCount) ? _c('button', {\n\t staticClass: \"read-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.markAsSeen($event)\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.visibleNotifications), function(notification) {\n\t return _c('div', {\n\t key: notification.action.id,\n\t staticClass: \"notification\",\n\t class: {\n\t \"unseen\": !notification.seen\n\t }\n\t }, [_c('div', {\n\t staticClass: \"notification-overlay\"\n\t }), _vm._v(\" \"), _c('notification', {\n\t attrs: {\n\t \"notification\": notification\n\t }\n\t })], 1)\n\t }), 0), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(_vm.bottomedOut) ? _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer faint\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.no_more_notifications')) + \"\\n \")]) : (!_vm.loading) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.fetchOlderNotifications()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.load_older')))])]) : _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 638 */\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 }, [_c('div', {\n\t staticClass: \"container\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_c('UserAvatar', {\n\t attrs: {\n\t \"betterShadow\": _vm.betterShadow,\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: \"top-line\"\n\t }, [(_vm.user.name_html) ? _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.name_html)\n\t }\n\t }) : _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), (!_vm.isOtherUser) ? _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-settings'\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-cog usersettings\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.user_settings')\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\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()], 1), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"user-screen-name\",\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_c('span', {\n\t staticClass: \"handle\"\n\t }, [_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(\" \"), (!_vm.hideUserStatsLocal && !_vm.hideBio) ? _c('span', {\n\t staticClass: \"dailyAvg\"\n\t }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))]) : _vm._e()])], 1)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-meta\"\n\t }, [(_vm.user.follows_you && _vm.loggedIn && _vm.isOtherUser) ? _c('div', {\n\t staticClass: \"following\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && (_vm.loggedIn || !_vm.switcher)) ? _c('div', {\n\t staticClass: \"highlighter\"\n\t }, [(_vm.userHighlightType !== 'disabled') ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightColor),\n\t expression: \"userHighlightColor\"\n\t }],\n\t staticClass: \"userHighlightText\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"id\": 'userHighlightColorTx' + _vm.user.id\n\t },\n\t domProps: {\n\t \"value\": (_vm.userHighlightColor)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.userHighlightColor = $event.target.value\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.userHighlightType !== 'disabled') ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightColor),\n\t expression: \"userHighlightColor\"\n\t }],\n\t staticClass: \"userHighlightCl\",\n\t attrs: {\n\t \"type\": \"color\",\n\t \"id\": 'userHighlightColor' + _vm.user.id\n\t },\n\t domProps: {\n\t \"value\": (_vm.userHighlightColor)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.userHighlightColor = $event.target.value\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('label', {\n\t staticClass: \"userHighlightSel select\",\n\t attrs: {\n\t \"for\": \"style-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightType),\n\t expression: \"userHighlightType\"\n\t }],\n\t staticClass: \"userHighlightSel\",\n\t attrs: {\n\t \"id\": 'userHighlightSel' + _vm.user.id\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.userHighlightType = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"disabled\"\n\t }\n\t }, [_vm._v(\"No highlight\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"solid\"\n\t }\n\t }, [_vm._v(\"Solid bg\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"striped\"\n\t }\n\t }, [_vm._v(\"Striped bg\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"side\"\n\t }\n\t }, [_vm._v(\"Side stripe\")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]) : _vm._e()]), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n\t staticClass: \"user-interactions\"\n\t }, [(_vm.loggedIn) ? _c('div', {\n\t staticClass: \"follow\"\n\t }, [(_vm.user.following) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t attrs: {\n\t \"disabled\": _vm.followRequestInProgress,\n\t \"title\": _vm.$t('user_card.follow_unfollow')\n\t },\n\t on: {\n\t \"click\": _vm.unfollowUser\n\t }\n\t }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")]], 2)]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n\t attrs: {\n\t \"disabled\": _vm.followRequestInProgress,\n\t \"title\": _vm.followRequestSent ? _vm.$t('user_card.follow_again') : ''\n\t },\n\t on: {\n\t \"click\": _vm.followUser\n\t }\n\t }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : (_vm.followRequestSent) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_sent')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")]], 2)]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _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()])]), _vm._v(\" \"), (!_vm.hideBio) ? _c('div', {\n\t staticClass: \"panel-body profile-panel-body\"\n\t }, [(!_vm.hideUserStatsLocal && _vm.switcher) ? _c('div', {\n\t staticClass: \"user-counts\"\n\t }, [_c('div', {\n\t staticClass: \"user-count\",\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 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 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._e(), _vm._v(\" \"), (!_vm.hideBio && _vm.user.description_html) ? _c('p', {\n\t staticClass: \"profile-bio\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.description_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }) : (!_vm.hideBio) ? _c('p', {\n\t staticClass: \"profile-bio\"\n\t }, [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 639 */\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 class: _vm.classes.root\n\t }, [_c('div', {\n\t class: _vm.classes.header\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _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('button', {\n\t staticClass: \"loadmore-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.showNewStatuses($event)\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n\t staticClass: \"loadmore-text faint\",\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 class: _vm.classes.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 }), 1)]), _vm._v(\" \"), _c('div', {\n\t class: _vm.classes.footer\n\t }, [(_vm.bottomedOut) ? _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer faint\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.no_more_statuses')) + \"\\n \")]) : (!_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 }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 640 */\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 }), 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 641 */\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('StillImage', {\n\t staticClass: \"avatar\",\n\t class: {\n\t 'avatar-compact': _vm.compact, 'better-shadow': _vm.betterShadow\n\t },\n\t attrs: {\n\t \"src\": _vm.imgSrc,\n\t \"imageLoadError\": _vm.imageLoadError\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 642 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"post-status-form\"\n\t }, [_c('form', {\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.postStatus(_vm.newStatus)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [(!this.$store.state.users.currentUser.locked && this.newStatus.visibility == 'private') ? _c('i18n', {\n\t staticClass: \"visibility-notice\",\n\t attrs: {\n\t \"path\": \"post_status.account_not_locked_warning\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-settings'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.account_not_locked_warning_link')))])], 1) : _vm._e(), _vm._v(\" \"), (this.newStatus.visibility == 'direct') ? _c('p', {\n\t staticClass: \"visibility-notice\"\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.direct_warning')))]) : _vm._e(), _vm._v(\" \"), (_vm.newStatus.spoilerText || _vm.alwaysShowSubject) ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.spoilerText),\n\t expression: \"newStatus.spoilerText\"\n\t }],\n\t staticClass: \"form-cw\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"placeholder\": _vm.$t('post_status.content_warning')\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.spoilerText)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.status),\n\t expression: \"newStatus.status\"\n\t }],\n\t ref: \"textarea\",\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('post_status.default'),\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.status)\n\t },\n\t on: {\n\t \"click\": _vm.setCaret,\n\t \"keyup\": [_vm.setCaret, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t if (!$event.ctrlKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"keydown\": [function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key, [\"Down\", \"ArrowDown\"])) { return null; }\n\t return _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key, [\"Up\", \"ArrowUp\"])) { return null; }\n\t return _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n\t if (!$event.shiftKey) { return null; }\n\t return _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n\t return _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t return _vm.replaceCandidate($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t if (!$event.metaKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"drop\": _vm.fileDrop,\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t return _vm.fileDrag($event)\n\t },\n\t \"input\": [function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n\t }, _vm.resize],\n\t \"paste\": _vm.paste\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"visibility-tray\"\n\t }, [(_vm.formattingOptionsEnabled) ? _c('span', {\n\t staticClass: \"text-format\"\n\t }, [_c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"post-content-type\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.contentType),\n\t expression: \"newStatus.contentType\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"id\": \"post-content-type\"\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.$set(_vm.newStatus, \"contentType\", $event.target.multiple ? $$selectedVal : $$selectedVal[0])\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"text/plain\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.content_type.plain_text')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"text/html\"\n\t }\n\t }, [_vm._v(\"HTML\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"text/markdown\"\n\t }\n\t }, [_vm._v(\"Markdown\")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.direct')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.private')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.unlisted')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.public')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })]) : _vm._e()])], 1), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n\t staticStyle: {\n\t \"position\": \"relative\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete-panel\"\n\t }, _vm._l((_vm.candidates), function(candidate) {\n\t return _c('div', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete\",\n\t class: {\n\t highlighted: candidate.highlighted\n\t }\n\t }, [(candidate.img) ? _c('span', [_c('img', {\n\t attrs: {\n\t \"src\": candidate.img\n\t }\n\t })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n\t }), 0)]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-bottom\"\n\t }, [_c('media-upload', {\n\t ref: \"mediaUpload\",\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.uploadFailed\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: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": _vm.clearError\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"attachments\"\n\t }, _vm._l((_vm.newStatus.files), function(file) {\n\t return _c('div', {\n\t staticClass: \"media-upload-wrapper\"\n\t }, [_c('i', {\n\t staticClass: \"fa button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.removeMediaFile(file)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-upload-container attachment\"\n\t }, [(_vm.type(file) === 'image') ? _c('img', {\n\t staticClass: \"thumbnail media-upload\",\n\t attrs: {\n\t \"src\": file.image\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n\t attrs: {\n\t \"href\": file.image\n\t }\n\t }, [_vm._v(_vm._s(file.url))]) : _vm._e()])])\n\t }), 0), _vm._v(\" \"), (_vm.newStatus.files.length > 0) ? _c('div', {\n\t staticClass: \"upload_settings\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.nsfw),\n\t expression: \"newStatus.nsfw\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"filesSensitive\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newStatus.nsfw) ? _vm._i(_vm.newStatus.nsfw, null) > -1 : (_vm.newStatus.nsfw)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newStatus.nsfw,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.newStatus, \"nsfw\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"filesSensitive\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.attachments_sensitive')))])]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 643 */\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 }, [_c('span', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\" \" + _vm._s(_vm.$t('timeline.conversation')) + \" \")]), _vm._v(\" \"), (_vm.collapsable) ? _c('span', [_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 }), 1)])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 644 */\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/* 645 */\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: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.users), function(user) {\n\t return _c('user-card', {\n\t key: user.id,\n\t attrs: {\n\t \"user\": user,\n\t \"showFollows\": true\n\t }\n\t })\n\t }), 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 646 */\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', [(_vm.visibility !== 'private' && _vm.visibility !== 'direct') ? [_c('i', {\n\t staticClass: \"button-icon retweet-button icon-retweet rt-active\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t },\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.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()] : [_c('i', {\n\t staticClass: \"button-icon icon-lock\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('timeline.no_retweet_hint')\n\t }\n\t })]], 2) : (!_vm.loggedIn) ? _c('div', [_c('i', {\n\t staticClass: \"button-icon icon-retweet\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t }\n\t }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 647 */\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', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"tos-content\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.content)\n\t }\n\t })])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 648 */\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.contrast) ? _c('span', {\n\t staticClass: \"contrast-ratio\"\n\t }, [_c('span', {\n\t staticClass: \"rating\",\n\t attrs: {\n\t \"title\": _vm.hint\n\t }\n\t }, [(_vm.contrast.aaa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-thumbs-up-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && _vm.contrast.aa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-adjust\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && !_vm.contrast.aa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-attention\"\n\t })]) : _vm._e()]), _vm._v(\" \"), (_vm.contrast && _vm.large) ? _c('span', {\n\t staticClass: \"rating\",\n\t attrs: {\n\t \"title\": _vm.hint_18pt\n\t }\n\t }, [(_vm.contrast.laaa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-thumbs-up-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && _vm.contrast.laa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-adjust\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && !_vm.contrast.laa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-attention\"\n\t })]) : _vm._e()]) : _vm._e()]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 649 */\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/* 650 */\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/* 651 */\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 || !this.floating) ? _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\",\n\t class: {\n\t 'chat-heading': _vm.floating\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), (_vm.floating) ? _c('i', {\n\t staticClass: \"icon-cancel\",\n\t staticStyle: {\n\t \"float\": \"right\"\n\t }\n\t }) : _vm._e()])]), _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\": _vm.userProfileLink(message.author)\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 }), 0), _vm._v(\" \"), _c('div', {\n\t staticClass: \"chat-input\"\n\t }, [_c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.currentMessage),\n\t expression: \"currentMessage\"\n\t }],\n\t staticClass: \"chat-input-textarea\",\n\t attrs: {\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.currentMessage)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.submit(_vm.currentMessage)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.currentMessage = $event.target.value\n\t }\n\t }\n\t })])])]) : _c('div', {\n\t staticClass: \"chat-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading stub timeline-heading chat-heading\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_c('i', {\n\t staticClass: \"icon-comment-empty\"\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 652 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [_c('label', {\n\t attrs: {\n\t \"for\": \"interface-language-switcher\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.interfaceLanguage')) + \"\\n \")]), _vm._v(\" \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"interface-language-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.language),\n\t expression: \"language\"\n\t }],\n\t attrs: {\n\t \"id\": \"interface-language-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.language = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.languageCodes), function(langCode, i) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": langCode\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.languageNames[i]) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 653 */\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', {\n\t staticClass: \"user-finder-container\"\n\t }, [(_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 \"title\": _vm.$t('finder.find_user')\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-user-plus user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t })]) : [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.username),\n\t expression: \"username\"\n\t }],\n\t staticClass: \"user-finder-input\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('finder.find_user'),\n\t \"id\": \"user-finder-input\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.username)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.findUser(_vm.username)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.username = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn search-button\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.findUser(_vm.username)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-search\"\n\t })]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t })]], 2)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 654 */\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('h1', [_vm._v(\"...\")])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 655 */\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/* 656 */\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 }, [(_vm.loginMethod == 'password') ? _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._e(), _vm._v(\" \"), (_vm.loginMethod == 'token') ? _c('form', {\n\t staticClass: \"login-form\",\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t return _vm.oAuthLogin($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('login.description')))])]), _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._e(), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.authError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": _vm.clearError\n\t }\n\t })])]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 657 */\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 class: {\n\t 'form-group--error': _vm.$v.user.username.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.trim\",\n\t value: (_vm.$v.user.username.$model),\n\t expression: \"$v.user.username.$model\",\n\t modifiers: {\n\t \"trim\": true\n\t }\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"sign-up-username\",\n\t \"placeholder\": \"e.g. lain\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.$v.user.username.$model)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.$v.user.username, \"$model\", $event.target.value.trim())\n\t },\n\t \"blur\": function($event) {\n\t _vm.$forceUpdate()\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.username.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.username.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.username_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\",\n\t class: {\n\t 'form-group--error': _vm.$v.user.fullname.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.trim\",\n\t value: (_vm.$v.user.fullname.$model),\n\t expression: \"$v.user.fullname.$model\",\n\t modifiers: {\n\t \"trim\": true\n\t }\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"sign-up-fullname\",\n\t \"placeholder\": \"e.g. Lain Iwakura\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.$v.user.fullname.$model)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.$v.user.fullname, \"$model\", $event.target.value.trim())\n\t },\n\t \"blur\": function($event) {\n\t _vm.$forceUpdate()\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.fullname.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.fullname.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.fullname_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\",\n\t class: {\n\t 'form-group--error': _vm.$v.user.email.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--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.$v.user.email.$model),\n\t expression: \"$v.user.email.$model\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"email\",\n\t \"type\": \"email\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.$v.user.email.$model)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.$v.user.email, \"$model\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.email.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.email.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.email_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t staticClass: \"form--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.isPending,\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 class: {\n\t 'form-group--error': _vm.$v.user.password.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.isPending,\n\t \"id\": \"sign-up-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(\" \"), (_vm.$v.user.password.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.password.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\",\n\t class: {\n\t 'form-group--error': _vm.$v.user.confirm.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.isPending,\n\t \"id\": \"sign-up-password-confirmation\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.confirm)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"confirm\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.confirm.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.confirm.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_required')))])]) : _vm._e(), _vm._v(\" \"), (!_vm.$v.user.confirm.sameAsPassword) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_match')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), (_vm.captcha.type != 'none') ? _c('div', {\n\t staticClass: \"form-group\",\n\t attrs: {\n\t \"id\": \"captcha-group\"\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"captcha-label\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('captcha')))]), _vm._v(\" \"), (_vm.captcha.type == 'kocaptcha') ? [_c('img', {\n\t attrs: {\n\t \"src\": _vm.captcha.url\n\t },\n\t on: {\n\t \"click\": _vm.setCaptcha\n\t }\n\t }), _vm._v(\" \"), _c('sub', [_vm._v(_vm._s(_vm.$t('registration.new_captcha')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.captcha.solution),\n\t expression: \"captcha.solution\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"captcha-answer\",\n\t \"type\": \"text\",\n\t \"autocomplete\": \"off\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.captcha.solution)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.captcha, \"solution\", $event.target.value)\n\t }\n\t }\n\t })] : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.token) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"token\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.token')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.token),\n\t expression: \"token\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": \"true\",\n\t \"id\": \"token\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.token)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.token = $event.target.value\n\t }\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\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.serverValidationErrors.length) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, _vm._l((_vm.serverValidationErrors), function(error) {\n\t return _c('span', [_vm._v(_vm._s(error))])\n\t }), 0)]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 658 */\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: \"features-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default base01-background\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading base02-background base04\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('features_panel.title')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body features-panel\"\n\t }, [_c('ul', [(_vm.chat) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.chat')))]) : _vm._e(), _vm._v(\" \"), (_vm.gopher) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.gopher')))]) : _vm._e(), _vm._v(\" \"), (_vm.whoToFollow) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.who_to_follow')))]) : _vm._e(), _vm._v(\" \"), (_vm.mediaProxy) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.media_proxy')))]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptions) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.scope_options')))]) : _vm._e(), _vm._v(\" \"), _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.text_limit')) + \" = \" + _vm._s(_vm.textlimit))])])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 659 */\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.id) ? _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 }), _vm._v(\" \"), _c('tab-switcher', {\n\t attrs: {\n\t \"renderOnlyFocused\": true\n\t }\n\t }, [_c('Timeline', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.statuses'),\n\t \"embedded\": true,\n\t \"title\": _vm.$t('user_profile.timeline_title'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'user',\n\t \"user-id\": _vm.fetchBy\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.followees')\n\t }\n\t }, [(_vm.user.friends_count > 0) ? _c('FollowList', {\n\t attrs: {\n\t \"userId\": _vm.userId,\n\t \"showFollowers\": false\n\t }\n\t }) : _c('div', {\n\t staticClass: \"userlist-placeholder\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])], 1), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.followers')\n\t }\n\t }, [(_vm.user.followers_count > 0) ? _c('FollowList', {\n\t attrs: {\n\t \"userId\": _vm.userId,\n\t \"showFollowers\": true\n\t }\n\t }) : _c('div', {\n\t staticClass: \"userlist-placeholder\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])], 1), _vm._v(\" \"), _c('Timeline', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.media'),\n\t \"embedded\": true,\n\t \"title\": _vm.$t('user_card.media'),\n\t \"timeline-name\": \"media\",\n\t \"timeline\": _vm.media,\n\t \"user-id\": _vm.fetchBy\n\t }\n\t }), _vm._v(\" \"), (_vm.isUs) ? _c('Timeline', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.favorites'),\n\t \"embedded\": true,\n\t \"title\": _vm.$t('user_card.favorites'),\n\t \"timeline-name\": \"favorites\",\n\t \"timeline\": _vm.favorites\n\t }\n\t }) : _vm._e()], 1)], 1) : _c('div', {\n\t staticClass: \"panel user-profile-placeholder\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.profile_tab')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)])])\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-body\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])\n\t}]}\n\n/***/ }),\n/* 660 */\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.usePlaceHolder) ? _c('div', {\n\t on: {\n\t \"click\": _vm.openModal\n\t }\n\t }, [(_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(\"\\n [\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\\n \")]) : _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 'fullwidth': _vm.fullwidth,\n\t 'nsfw-placeholder': _vm.hidden\n\t }, _obj[_vm.type] = true, _obj )\n\t }, [(_vm.hidden) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t attrs: {\n\t \"href\": _vm.attachment.url\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t }, [_c('img', {\n\t key: _vm.nsfwImage,\n\t staticClass: \"nsfw\",\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"src\": _vm.nsfwImage\n\t }\n\t }), _vm._v(\" \"), (_vm.type === 'video') ? _c('i', {\n\t staticClass: \"play-icon icon-play-circled\"\n\t }) : _vm._e()]) : _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 return _vm.toggleHidden($event)\n\t }\n\t }\n\t }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && (!_vm.hidden || _vm.preloadImage)) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t class: {\n\t 'hidden': _vm.hidden && _vm.preloadImage\n\t },\n\t attrs: {\n\t \"href\": _vm.attachment.url,\n\t \"target\": \"_blank\",\n\t \"title\": _vm.attachment.description\n\t },\n\t on: {\n\t \"click\": _vm.openModal\n\t }\n\t }, [_c('StillImage', {\n\t attrs: {\n\t \"referrerpolicy\": _vm.referrerpolicy,\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('a', {\n\t staticClass: \"video-container\",\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"href\": _vm.allowPlay ? undefined : _vm.attachment.url\n\t },\n\t on: {\n\t \"click\": _vm.openModal\n\t }\n\t }, [_c('VideoAttachment', {\n\t staticClass: \"video\",\n\t attrs: {\n\t \"attachment\": _vm.attachment,\n\t \"controls\": _vm.allowPlay\n\t }\n\t }), _vm._v(\" \"), (!_vm.allowPlay) ? _c('i', {\n\t staticClass: \"play-icon icon-play-circled\"\n\t }) : _vm._e()], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n\t staticClass: \"oembed\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }, [(_vm.attachment.thumb_url) ? _c('div', {\n\t staticClass: \"image\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.attachment.thumb_url\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"text\"\n\t }, [_c('h1', [_c('a', {\n\t attrs: {\n\t \"href\": _vm.attachment.url\n\t }\n\t }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n\t }\n\t })])]) : _vm._e()])\n\t var _obj;\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 661 */\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: \"font-control style-control\",\n\t class: {\n\t custom: _vm.isCustom\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.preset === 'custom' ? _vm.name : _vm.name + '-font-switcher'\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exlcude-disabled\",\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": _vm.name + '-o'\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": _vm.name + '-font-switcher',\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.preset),\n\t expression: \"preset\"\n\t }],\n\t staticClass: \"font-switcher\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"id\": _vm.name + '-font-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.preset = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.availableOptions), function(option) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": option\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(option === 'custom' ? _vm.$t('settings.style.fonts.custom') : option) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })]), _vm._v(\" \"), (_vm.isCustom) ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.family),\n\t expression: \"family\"\n\t }],\n\t staticClass: \"custom-font\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"id\": _vm.name\n\t },\n\t domProps: {\n\t \"value\": (_vm.family)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.family = $event.target.value\n\t }\n\t }\n\t }) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 662 */\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: \"nav-bar 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: \"logo\",\n\t style: (_vm.logoBgStyle)\n\t }, [_c('div', {\n\t staticClass: \"mask\",\n\t style: (_vm.logoMaskStyle)\n\t }), _vm._v(\" \"), _c('img', {\n\t style: (_vm.logoStyle),\n\t attrs: {\n\t \"src\": _vm.logo\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"inner-nav\"\n\t }, [_c('div', {\n\t staticClass: \"item\"\n\t }, [_c('a', {\n\t staticClass: \"menu-button\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t _vm.toggleMobileSidebar()\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-menu\"\n\t }), _vm._v(\" \"), (_vm.unseenNotificationsCount) ? _c('div', {\n\t staticClass: \"alert-dot\"\n\t }) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"site-name\",\n\t attrs: {\n\t \"to\": {\n\t name: 'root'\n\t },\n\t \"active-class\": \"home\"\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: \"button-icon nav-icon mobile-hidden\",\n\t on: {\n\t \"toggled\": _vm.onFinderToggled\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"mobile-hidden\",\n\t attrs: {\n\t \"to\": {\n\t name: 'settings'\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-cog nav-icon\",\n\t attrs: {\n\t \"title\": _vm.$t('nav.preferences')\n\t }\n\t })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n\t staticClass: \"mobile-hidden\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.logout($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon 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('side-drawer', {\n\t ref: \"sideDrawer\",\n\t attrs: {\n\t \"logout\": _vm.logout\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"sidebar-flexer mobile-hidden\"\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.showFeaturesPanel) ? _c('features-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('who-to-follow-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('notifications') : _vm._e()], 1)])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"main\"\n\t }, [_c('transition', {\n\t attrs: {\n\t \"name\": \"fade\"\n\t }\n\t }, [_c('router-view')], 1)], 1), _vm._v(\" \"), _c('media-modal')], 1), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n\t staticClass: \"floating-chat mobile-hidden\",\n\t attrs: {\n\t \"floating\": true\n\t }\n\t }) : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 663 */\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: \"opacity-control style-control\",\n\t class: {\n\t disabled: !_vm.present || _vm.disabled\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.common.opacity')) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exclude-disabled\",\n\t attrs: {\n\t \"id\": _vm.name + '-o',\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"number\",\n\t \"disabled\": !_vm.present || _vm.disabled,\n\t \"max\": \"1\",\n\t \"min\": \"0\",\n\t \"step\": \".05\"\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 664 */\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: \"sidebar\"\n\t }, [_c('instance-specific-panel'), _vm._v(\" \"), (_vm.showFeaturesPanel) ? _c('features-panel') : _vm._e(), _vm._v(\" \"), _c('terms-of-service-panel')], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 665 */\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('video', {\n\t staticClass: \"video\",\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"loop\": _vm.loopVideo,\n\t \"controls\": _vm.controls,\n\t \"playsinline\": \"\"\n\t },\n\t on: {\n\t \"loadeddata\": _vm.onVideoDataLoad\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 666 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"media-upload\",\n\t on: {\n\t \"drop\": [function($event) {\n\t $event.preventDefault();\n\t }, _vm.fileDrop],\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t return _vm.fileDrag($event)\n\t }\n\t }\n\t }, [_c('label', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.media_upload')\n\t }\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(\" \"), (_vm.uploadReady) ? _c('input', {\n\t staticStyle: {\n\t \"position\": \"fixed\",\n\t \"top\": \"-100em\"\n\t },\n\t attrs: {\n\t \"type\": \"file\",\n\t \"multiple\": \"true\"\n\t },\n\t on: {\n\t \"change\": _vm.change\n\t }\n\t }) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 667 */\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.showing) ? _c('div', {\n\t staticClass: \"modal-view\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.hide($event)\n\t }\n\t }\n\t }, [(_vm.type === 'image') ? _c('img', {\n\t staticClass: \"modal-image\",\n\t attrs: {\n\t \"src\": _vm.currentMedia.url\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video') ? _c('VideoAttachment', {\n\t staticClass: \"modal-image\",\n\t attrs: {\n\t \"attachment\": _vm.currentMedia,\n\t \"controls\": true\n\t },\n\t nativeOn: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t }\n\t }\n\t }) : _vm._e()], 1) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 668 */\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.dms'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'dms'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 669 */\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: \"follow-list\"\n\t }, [_vm._l((_vm.entries), function(entry) {\n\t return _c('user-card', {\n\t key: entry.id,\n\t attrs: {\n\t \"user\": entry,\n\t \"showFollows\": true\n\t }\n\t })\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"text-center panel-footer\"\n\t }, [(_vm.error) ? _c('a', {\n\t staticClass: \"alert error\",\n\t on: {\n\t \"click\": _vm.fetchEntries\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('general.generic_error')) + \"\\n \")]) : (_vm.loading) ? _c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t }) : (_vm.bottomedOut) ? _c('span') : _c('a', {\n\t on: {\n\t \"click\": _vm.fetchEntries\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.more')))])])], 2)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 670 */\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-search panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.user_search')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-search-input-container\"\n\t }, [_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 },\n\t domProps: {\n\t \"value\": (_vm.username)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.newQuery(_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('button', {\n\t staticClass: \"btn search-button\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.newQuery(_vm.username)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-search\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.users), function(user) {\n\t return _c('user-card', {\n\t key: user.id,\n\t attrs: {\n\t \"user\": user,\n\t \"showFollows\": true\n\t }\n\t })\n\t }), 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 671 */\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/* 672 */\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: \"range-control style-control\",\n\t class: {\n\t disabled: !_vm.present || _vm.disabled\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exclude-disabled\",\n\t attrs: {\n\t \"id\": _vm.name + '-o',\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"range\",\n\t \"disabled\": !_vm.present || _vm.disabled,\n\t \"max\": _vm.max || _vm.hardMax || 100,\n\t \"min\": _vm.min || _vm.hardMin || 0,\n\t \"step\": _vm.step || 1\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"number\",\n\t \"disabled\": !_vm.present || _vm.disabled,\n\t \"max\": _vm.hardMax,\n\t \"min\": _vm.hardMin,\n\t \"step\": _vm.step || 1\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 673 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.notification.type === 'mention') ? _c('status', {\n\t attrs: {\n\t \"compact\": true,\n\t \"statusoid\": _vm.notification.status\n\t }\n\t }) : _c('div', {\n\t staticClass: \"non-mention\",\n\t class: [_vm.userClass, {\n\t highlighted: _vm.userStyle\n\t }],\n\t style: ([_vm.userStyle])\n\t }, [_c('a', {\n\t staticClass: \"avatar-container\",\n\t attrs: {\n\t \"href\": _vm.notification.action.user.statusnet_profile_url\n\t },\n\t on: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('UserAvatar', {\n\t attrs: {\n\t \"compact\": true,\n\t \"betterShadow\": _vm.betterShadow,\n\t \"src\": _vm.notification.action.user.profile_image_url_original\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"notification-right\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard notification-usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.notification.action.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n\t staticClass: \"notification-details\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-action\"\n\t }, [(!!_vm.notification.action.user.name_html) ? _c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.notification.action.user.name_html)\n\t }\n\t }) : _c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'like') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-star lit\"\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.favorited_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'repeat') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-retweet lit\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t }\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.repeated_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-user-plus lit\"\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n\t staticClass: \"timeago\"\n\t }, [(_vm.notification.status) ? _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.notification.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.notification.action.created_at,\n\t \"auto-update\": 240\n\t }\n\t })], 1) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n\t staticClass: \"follow-text\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.notification.action.user)\n\t }\n\t }, [_vm._v(\"\\n @\" + _vm._s(_vm.notification.action.user.screen_name) + \"\\n \")])], 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 })]], 2)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 674 */\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: \"side-drawer-container\",\n\t class: {\n\t 'side-drawer-container-closed': _vm.closed, 'side-drawer-container-open': !_vm.closed\n\t }\n\t }, [_c('div', {\n\t staticClass: \"side-drawer\",\n\t class: {\n\t 'side-drawer-closed': _vm.closed\n\t },\n\t on: {\n\t \"touchstart\": _vm.touchStart,\n\t \"touchmove\": _vm.touchMove\n\t }\n\t }, [_c('div', {\n\t staticClass: \"side-drawer-heading\",\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [(_vm.currentUser) ? _c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.currentUser,\n\t \"switcher\": false,\n\t \"hideBio\": true\n\t }\n\t }) : _c('div', {\n\t staticClass: \"side-drawer-logo-wrapper\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.logo\n\t }\n\t }), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.sitename))])])], 1), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'new-status',\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(\"post_status.new_status\")) + \"\\n \")])], 1) : _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'login'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.login\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'notifications',\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(\"notifications.notifications\")) + \" \" + _vm._s(_vm.unseenNotificationsCount > 0 ? (\"(\" + _vm.unseenNotificationsCount + \")\") : '') + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'dms',\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.dms\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'friends'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_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', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_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', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_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), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'chat'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.chat\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [_c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-search'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.user_search\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'who-to-follow'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.who_to_follow\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'settings'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"settings.settings\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'about'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.about\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": _vm.doLogout\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.logout\")) + \"\\n \")])]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"side-drawer-click-outside\",\n\t class: {\n\t 'side-drawer-click-outside-closed': _vm.closed\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleDrawer($event)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 675 */\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: \"shadow-control\",\n\t class: {\n\t disabled: !_vm.present\n\t }\n\t }, [_c('div', {\n\t staticClass: \"shadow-preview-container\"\n\t }, [_c('div', {\n\t staticClass: \"y-shift-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.y),\n\t expression: \"selected.y\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.y)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"y\", $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"wrap\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.y),\n\t expression: \"selected.y\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"-20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.y)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"y\", $event.target.value)\n\t }\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"preview-window\"\n\t }, [_c('div', {\n\t staticClass: \"preview-block\",\n\t style: (_vm.style)\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"x-shift-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.x),\n\t expression: \"selected.x\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.x)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"x\", $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"wrap\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.x),\n\t expression: \"selected.x\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"-20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.x)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"x\", $event.target.value)\n\t }\n\t }\n\t })])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"shadow-tweak\"\n\t }, [_c('div', {\n\t staticClass: \"id-control style-control\",\n\t attrs: {\n\t \"disabled\": _vm.usingFallback\n\t }\n\t }, [_c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"shadow-switcher\",\n\t \"disabled\": !_vm.ready || _vm.usingFallback\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selectedId),\n\t expression: \"selectedId\"\n\t }],\n\t staticClass: \"shadow-switcher\",\n\t attrs: {\n\t \"disabled\": !_vm.ready || _vm.usingFallback,\n\t \"id\": \"shadow-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.selectedId = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.cValue), function(shadow, index) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": index\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.shadow_id', {\n\t value: index\n\t })) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": !_vm.ready || !_vm.present\n\t },\n\t on: {\n\t \"click\": _vm.del\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cancel\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": !_vm.moveUpValid\n\t },\n\t on: {\n\t \"click\": _vm.moveUp\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-up-open\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": !_vm.moveDnValid\n\t },\n\t on: {\n\t \"click\": _vm.moveDn\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-down-open\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.usingFallback\n\t },\n\t on: {\n\t \"click\": _vm.add\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-plus\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"inset-control style-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"inset\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.inset')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.inset),\n\t expression: \"selected.inset\"\n\t }],\n\t staticClass: \"input-inset\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"name\": \"inset\",\n\t \"id\": \"inset\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.selected.inset) ? _vm._i(_vm.selected.inset, null) > -1 : (_vm.selected.inset)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.selected.inset,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.selected, \"inset\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.selected, \"inset\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.selected, \"inset\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t staticClass: \"checkbox-label\",\n\t attrs: {\n\t \"for\": \"inset\"\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"blur-control style-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"spread\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.blur')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.blur),\n\t expression: \"selected.blur\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"name\": \"blur\",\n\t \"id\": \"blur\",\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"0\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.blur)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"blur\", $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.selected.blur),\n\t expression: \"selected.blur\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\",\n\t \"min\": \"0\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.blur)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"blur\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"spread-control style-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"spread\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.spread')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.spread),\n\t expression: \"selected.spread\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"name\": \"spread\",\n\t \"id\": \"spread\",\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"-20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.spread)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"spread\", $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.selected.spread),\n\t expression: \"selected.spread\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.spread)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"spread\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"label\": _vm.$t('settings.style.common.color'),\n\t \"name\": \"shadow\"\n\t },\n\t model: {\n\t value: (_vm.selected.color),\n\t callback: function($$v) {\n\t _vm.$set(_vm.selected, \"color\", $$v)\n\t },\n\t expression: \"selected.color\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t },\n\t model: {\n\t value: (_vm.selected.alpha),\n\t callback: function($$v) {\n\t _vm.$set(_vm.selected, \"alpha\", $$v)\n\t },\n\t expression: \"selected.alpha\"\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.hint')) + \"\\n \")])], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 676 */\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/* 677 */\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 \"error\": _vm.onError\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 678 */\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('a', {\n\t staticClass: \"link-preview-card\",\n\t attrs: {\n\t \"href\": _vm.card.url,\n\t \"target\": \"_blank\",\n\t \"rel\": \"noopener\"\n\t }\n\t }, [(_vm.useImage) ? _c('div', {\n\t staticClass: \"card-image\",\n\t class: {\n\t 'small-image': _vm.size === 'small'\n\t }\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.card.image\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"card-content\"\n\t }, [_c('span', {\n\t staticClass: \"card-host faint\"\n\t }, [_vm._v(_vm._s(_vm.card.provider_name))]), _vm._v(\" \"), _c('h4', {\n\t staticClass: \"card-title\"\n\t }, [_vm._v(_vm._s(_vm.card.title))]), _vm._v(\" \"), (_vm.useDescription) ? _c('p', {\n\t staticClass: \"card-description\"\n\t }, [_vm._v(_vm._s(_vm.card.description))]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 679 */\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: \"color-control style-control\",\n\t class: {\n\t disabled: !_vm.present || _vm.disabled\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exlcude-disabled\",\n\t attrs: {\n\t \"id\": _vm.name + '-o',\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticClass: \"color-input\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"color\",\n\t \"disabled\": !_vm.present || _vm.disabled\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t staticClass: \"text-input\",\n\t attrs: {\n\t \"id\": _vm.name + '-t',\n\t \"type\": \"text\",\n\t \"disabled\": !_vm.present || _vm.disabled\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 680 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (!_vm.hideReply && !_vm.deleted) ? _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\": _vm.userProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")])], 1), _vm._v(\" \"), _c('small', {\n\t staticClass: \"muteWords\"\n\t }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n\t staticClass: \"unmute\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-eye-off\"\n\t })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n\t staticClass: \"media container retweet-info\",\n\t class: [_vm.repeaterClass, {\n\t highlighted: _vm.repeaterStyle\n\t }],\n\t style: ([_vm.repeaterStyle])\n\t }, [(_vm.retweet) ? _c('UserAvatar', {\n\t attrs: {\n\t \"betterShadow\": _vm.betterShadow,\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('span', {\n\t staticClass: \"user-name\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.retweeterProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.retweeterHtml || _vm.retweeter) + \"\\n \")])], 1), _vm._v(\" \"), _c('i', {\n\t staticClass: \"fa icon-retweet retweeted\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t }\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media status\",\n\t class: [_vm.userClass, {\n\t highlighted: _vm.userStyle,\n\t 'is-retweet': _vm.retweet\n\t }],\n\t style: ([_vm.userStyle])\n\t }, [(!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-left\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink\n\t },\n\t nativeOn: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('UserAvatar', {\n\t attrs: {\n\t \"compact\": _vm.compact,\n\t \"betterShadow\": _vm.betterShadow,\n\t \"src\": _vm.status.user.profile_image_url_original\n\t }\n\t })], 1)], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-body\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard media-body\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.status.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-body container media-heading\"\n\t }, [_c('div', {\n\t staticClass: \"media-heading-left\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-links\"\n\t }, [(_vm.status.user.name_html) ? _c('h4', {\n\t staticClass: \"user-name\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.user.name_html)\n\t }\n\t }) : _c('h4', {\n\t staticClass: \"user-name\"\n\t }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"links\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")]), _vm._v(\" \"), (_vm.isReply) ? _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\": _vm.replyProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.replyToName) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\",\n\t \"aria-label\": _vm.$t('tool_tip.reply')\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: \"button-icon icon-reply\",\n\t on: {\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n\t staticClass: \"replies\"\n\t }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n\t return _c('small', {\n\t staticClass: \"reply-link\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.gotoOriginal(reply.id)\n\t },\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(reply.id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t }, [_vm._v(_vm._s(reply.name) + \" \")])])\n\t })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-heading-right\"\n\t }, [_c('router-link', {\n\t staticClass: \"timeago\",\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.status.created_at,\n\t \"auto-update\": 60\n\t }\n\t })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('div', {\n\t staticClass: \"button-icon visibility-icon\"\n\t }, [_c('i', {\n\t class: _vm.visibilityIcon(_vm.status.visibility),\n\t attrs: {\n\t \"title\": _vm._f(\"capitalize\")(_vm.status.visibility)\n\t }\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 \"title\": \"Source\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-link-ext-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n\t attrs: {\n\t \"href\": \"#\",\n\t \"title\": \"Expand\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleExpanded($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-plus-squared\"\n\t })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon 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(\" \"), (_vm.longSubject) ? _c('div', {\n\t staticClass: \"status-content-wrapper\",\n\t class: {\n\t 'tall-status': !_vm.showingLongSubject\n\t }\n\t }, [(!_vm.showingLongSubject) ? _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.showingLongSubject = true\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 return _vm.linkClicked($event)\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.showingLongSubject) ? _c('a', {\n\t staticClass: \"status-unhider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.showingLongSubject = false\n\t }\n\t }\n\t }, [_vm._v(\"Show less\")]) : _vm._e()]) : _c('div', {\n\t staticClass: \"status-content-wrapper\",\n\t class: {\n\t 'tall-status': _vm.hideTallStatus\n\t }\n\t }, [(_vm.hideTallStatus) ? _c('a', {\n\t staticClass: \"tall-status-hider\",\n\t class: {\n\t 'tall-status-hider_focused': _vm.isFocused\n\t },\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (!_vm.hideSubjectStatus) ? _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }) : _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.summary_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.hideSubjectStatus) ? _c('a', {\n\t staticClass: \"cw-status-hider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (_vm.showingMore) ? _c('a', {\n\t staticClass: \"status-unhider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments && (!_vm.hideSubjectStatus || _vm.showingLongSubject)) ? _c('div', {\n\t staticClass: \"attachments media-body\"\n\t }, [_vm._l((_vm.nonGalleryAttachments), function(attachment) {\n\t return _c('attachment', {\n\t key: attachment.id,\n\t staticClass: \"non-gallery\",\n\t attrs: {\n\t \"size\": _vm.attachmentSize,\n\t \"nsfw\": _vm.nsfwClickthrough,\n\t \"attachment\": attachment,\n\t \"allowPlay\": true,\n\t \"setMedia\": _vm.setMedia()\n\t }\n\t })\n\t }), _vm._v(\" \"), (_vm.galleryAttachments.length > 0) ? _c('gallery', {\n\t attrs: {\n\t \"nsfw\": _vm.nsfwClickthrough,\n\t \"attachments\": _vm.galleryAttachments,\n\t \"setMedia\": _vm.setMedia()\n\t }\n\t }) : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.status.card && !_vm.hideSubjectStatus && !_vm.noHeading) ? _c('div', {\n\t staticClass: \"link-preview media-body\"\n\t }, [_c('link-preview', {\n\t attrs: {\n\t \"card\": _vm.status.card,\n\t \"size\": _vm.attachmentSize,\n\t \"nsfw\": _vm.nsfwClickthrough\n\t }\n\t })], 1) : _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 \"title\": _vm.$t('tool_tip.reply')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleReplying($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-reply\",\n\t class: {\n\t 'icon-reply-active': _vm.replying\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n\t attrs: {\n\t \"visibility\": _vm.status.visibility,\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('favorite-button', {\n\t attrs: {\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('delete-button', {\n\t attrs: {\n\t \"status\": _vm.status\n\t }\n\t })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n\t staticClass: \"container\"\n\t }, [_c('div', {\n\t staticClass: \"reply-left\"\n\t }), _vm._v(\" \"), _c('post-status-form', {\n\t staticClass: \"reply-body\",\n\t attrs: {\n\t \"reply-to\": _vm.status.id,\n\t \"attentions\": _vm.status.attentions,\n\t \"repliedUser\": _vm.status.user,\n\t \"copy-message-scope\": _vm.status.visibility,\n\t \"subject\": _vm.replySubject\n\t },\n\t on: {\n\t \"posted\": _vm.toggleReplying\n\t }\n\t })], 1) : _vm._e()]], 2) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 681 */\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.show) ? _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 })])])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 682 */\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/* 683 */\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('tab-switcher', [_c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.profile_tab')\n\t }\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('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newLocked),\n\t expression: \"newLocked\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-locked\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newLocked) ? _vm._i(_vm.newLocked, null) > -1 : (_vm.newLocked)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newLocked,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.newLocked = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.newLocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.newLocked = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-locked\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('label', {\n\t attrs: {\n\t \"for\": \"default-vis\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.default_vis')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"visibility-tray\",\n\t attrs: {\n\t \"id\": \"default-vis\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.direct')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.private')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.unlisted')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.public')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newNoRichText),\n\t expression: \"newNoRichText\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-no-rich-text\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newNoRichText) ? _vm._i(_vm.newNoRichText, null) > -1 : (_vm.newNoRichText)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newNoRichText,\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.newNoRichText = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.newNoRichText = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.newNoRichText = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-no-rich-text\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.no_rich_text_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideFollowings),\n\t expression: \"hideFollowings\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-hide-followings\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideFollowings) ? _vm._i(_vm.hideFollowings, null) > -1 : (_vm.hideFollowings)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideFollowings,\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.hideFollowings = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideFollowings = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideFollowings = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-hide-followings\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_followings_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideFollowers),\n\t expression: \"hideFollowers\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-hide-followers\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideFollowers) ? _vm._i(_vm.hideFollowers, null) > -1 : (_vm.hideFollowers)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideFollowers,\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.hideFollowers = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideFollowers = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideFollowers = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-hide-followers\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_followers_description')))])]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.newName && _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', {\n\t staticClass: \"visibility-notice\"\n\t }, [_vm._v(_vm._s(_vm.$t('settings.avatar_size_instruction')))]), _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.avatarPreview) ? _c('img', {\n\t staticClass: \"new-avatar\",\n\t attrs: {\n\t \"src\": _vm.avatarPreview\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('avatar', $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.avatarUploading) ? _c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t }) : (_vm.avatarPreview) ? _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(\" \"), (_vm.avatarUploadError) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.avatarUploadError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.clearUploadError('avatar')\n\t }\n\t }\n\t })]) : _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.bannerPreview) ? _c('img', {\n\t staticClass: \"banner\",\n\t attrs: {\n\t \"src\": _vm.bannerPreview\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('banner', $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.bannerUploading) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.bannerPreview) ? _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(\" \"), (_vm.bannerUploadError) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.bannerUploadError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.clearUploadError('banner')\n\t }\n\t }\n\t })]) : _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.backgroundPreview) ? _c('img', {\n\t staticClass: \"bg\",\n\t attrs: {\n\t \"src\": _vm.backgroundPreview\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('background', $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.backgroundUploading) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.backgroundPreview) ? _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(\" \"), (_vm.backgroundUploadError) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.backgroundUploadError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.clearUploadError('background')\n\t }\n\t }\n\t })]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.security_tab')\n\t }\n\t }, [_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(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _vm._e(), _vm._v(\" \"), (_vm.deletingAccount) ? _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_instructions')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.deleteAccountConfirmPasswordInput),\n\t expression: \"deleteAccountConfirmPasswordInput\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.deleteAccountConfirmPasswordInput)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.deleteAccountConfirmPasswordInput = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.deleteAccount\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.confirmDelete\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()])]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.data_import_export_tab')\n\t }\n\t }, [_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', [_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.followListUploading) ? _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._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._e()])], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 684 */\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: \"button-icon icon-cancel delete-status\"\n\t })])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 685 */\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: \"style-switcher\"\n\t }, [_c('div', {\n\t staticClass: \"presets-container\"\n\t }, [_c('div', {\n\t staticClass: \"save-load\"\n\t }, [_c('export-import', {\n\t attrs: {\n\t \"exportObject\": _vm.exportedTheme,\n\t \"exportLabel\": _vm.$t(\"settings.export_theme\"),\n\t \"importLabel\": _vm.$t(\"settings.import_theme\"),\n\t \"importFailedText\": _vm.$t(\"settings.invalid_theme_imported\"),\n\t \"onImport\": _vm.onImport,\n\t \"validator\": _vm.importValidator\n\t }\n\t }, [_c('template', {\n\t slot: \"before\"\n\t }, [_c('div', {\n\t staticClass: \"presets\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"preset-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: \"preset-switcher\",\n\t attrs: {\n\t \"id\": \"preset-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.availableStyles), function(style) {\n\t return _c('option', {\n\t style: ({\n\t backgroundColor: style[1] || style.theme.colors.bg,\n\t color: style[3] || style.theme.colors.text\n\t }),\n\t domProps: {\n\t \"value\": style\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(style[0] || style.name) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])])], 2)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"save-load-options\"\n\t }, [_c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepColor),\n\t expression: \"keepColor\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-color\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepColor) ? _vm._i(_vm.keepColor, null) > -1 : (_vm.keepColor)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepColor,\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.keepColor = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepColor = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepColor = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-color\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_color')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepShadows),\n\t expression: \"keepShadows\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-shadows\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepShadows) ? _vm._i(_vm.keepShadows, null) > -1 : (_vm.keepShadows)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepShadows,\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.keepShadows = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepShadows = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepShadows = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-shadows\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_shadows')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepOpacity),\n\t expression: \"keepOpacity\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-opacity\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepOpacity) ? _vm._i(_vm.keepOpacity, null) > -1 : (_vm.keepOpacity)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepOpacity,\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.keepOpacity = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepOpacity = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepOpacity = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-opacity\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_opacity')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepRoundness),\n\t expression: \"keepRoundness\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-roundness\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepRoundness) ? _vm._i(_vm.keepRoundness, null) > -1 : (_vm.keepRoundness)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepRoundness,\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.keepRoundness = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepRoundness = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepRoundness = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-roundness\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_roundness')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepFonts),\n\t expression: \"keepFonts\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-fonts\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepFonts) ? _vm._i(_vm.keepFonts, null) > -1 : (_vm.keepFonts)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepFonts,\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.keepFonts = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepFonts = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepFonts = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-fonts\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_fonts')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.switcher.save_load_hint')))])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"preview-container\"\n\t }, [_c('preview', {\n\t style: (_vm.previewRules)\n\t })], 1), _vm._v(\" \"), _c('keep-alive', [_c('tab-switcher', {\n\t key: \"style-tweak\"\n\t }, [_c('div', {\n\t staticClass: \"color-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.common_colors._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearOpacity\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearV1\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_1')))]), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.main')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"bgColor\",\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.bgColorLocal),\n\t callback: function($$v) {\n\t _vm.bgColorLocal = $$v\n\t },\n\t expression: \"bgColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"bgOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.bg || 1\n\t },\n\t model: {\n\t value: (_vm.bgOpacityLocal),\n\t callback: function($$v) {\n\t _vm.bgOpacityLocal = $$v\n\t },\n\t expression: \"bgOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"textColor\",\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.textColorLocal),\n\t callback: function($$v) {\n\t _vm.textColorLocal = $$v\n\t },\n\t expression: \"textColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgText\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"linkColor\",\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.linkColorLocal),\n\t callback: function($$v) {\n\t _vm.linkColorLocal = $$v\n\t },\n\t expression: \"linkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgLink\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"fgColor\",\n\t \"label\": _vm.$t('settings.foreground')\n\t },\n\t model: {\n\t value: (_vm.fgColorLocal),\n\t callback: function($$v) {\n\t _vm.fgColorLocal = $$v\n\t },\n\t expression: \"fgColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"fgTextColor\",\n\t \"label\": _vm.$t('settings.text'),\n\t \"fallback\": _vm.previewTheme.colors.fgText\n\t },\n\t model: {\n\t value: (_vm.fgTextColorLocal),\n\t callback: function($$v) {\n\t _vm.fgTextColorLocal = $$v\n\t },\n\t expression: \"fgTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"fgLinkColor\",\n\t \"label\": _vm.$t('settings.links'),\n\t \"fallback\": _vm.previewTheme.colors.fgLink\n\t },\n\t model: {\n\t value: (_vm.fgLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.fgLinkColorLocal = $$v\n\t },\n\t expression: \"fgLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.foreground_hint')))])], 1), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.rgbo')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cRedColor\",\n\t \"label\": _vm.$t('settings.cRed')\n\t },\n\t model: {\n\t value: (_vm.cRedColorLocal),\n\t callback: function($$v) {\n\t _vm.cRedColorLocal = $$v\n\t },\n\t expression: \"cRedColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgRed\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cBlueColor\",\n\t \"label\": _vm.$t('settings.cBlue')\n\t },\n\t model: {\n\t value: (_vm.cBlueColorLocal),\n\t callback: function($$v) {\n\t _vm.cBlueColorLocal = $$v\n\t },\n\t expression: \"cBlueColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgBlue\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cGreenColor\",\n\t \"label\": _vm.$t('settings.cGreen')\n\t },\n\t model: {\n\t value: (_vm.cGreenColorLocal),\n\t callback: function($$v) {\n\t _vm.cGreenColorLocal = $$v\n\t },\n\t expression: \"cGreenColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgGreen\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cOrangeColor\",\n\t \"label\": _vm.$t('settings.cOrange')\n\t },\n\t model: {\n\t value: (_vm.cOrangeColorLocal),\n\t callback: function($$v) {\n\t _vm.cOrangeColorLocal = $$v\n\t },\n\t expression: \"cOrangeColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgOrange\n\t }\n\t })], 1), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_2')))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.advanced_colors._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearOpacity\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearV1\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.alert')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"alertError\",\n\t \"label\": _vm.$t('settings.style.advanced_colors.alert_error'),\n\t \"fallback\": _vm.previewTheme.colors.alertError\n\t },\n\t model: {\n\t value: (_vm.alertErrorColorLocal),\n\t callback: function($$v) {\n\t _vm.alertErrorColorLocal = $$v\n\t },\n\t expression: \"alertErrorColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.alertError\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.badge')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"badgeNotification\",\n\t \"label\": _vm.$t('settings.style.advanced_colors.badge_notification'),\n\t \"fallback\": _vm.previewTheme.colors.badgeNotification\n\t },\n\t model: {\n\t value: (_vm.badgeNotificationColorLocal),\n\t callback: function($$v) {\n\t _vm.badgeNotificationColorLocal = $$v\n\t },\n\t expression: \"badgeNotificationColorLocal\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.panel_header')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.panelColorLocal),\n\t callback: function($$v) {\n\t _vm.panelColorLocal = $$v\n\t },\n\t expression: \"panelColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"panelOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.panel || 1\n\t },\n\t model: {\n\t value: (_vm.panelOpacityLocal),\n\t callback: function($$v) {\n\t _vm.panelOpacityLocal = $$v\n\t },\n\t expression: \"panelOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.panelText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.panelTextColorLocal),\n\t callback: function($$v) {\n\t _vm.panelTextColorLocal = $$v\n\t },\n\t expression: \"panelTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.panelText,\n\t \"large\": \"1\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelLinkColor\",\n\t \"fallback\": _vm.previewTheme.colors.panelLink,\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.panelLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.panelLinkColorLocal = $$v\n\t },\n\t expression: \"panelLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.panelLink,\n\t \"large\": \"1\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.top_bar')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"topBarColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.topBarColorLocal),\n\t callback: function($$v) {\n\t _vm.topBarColorLocal = $$v\n\t },\n\t expression: \"topBarColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"topBarTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.topBarText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.topBarTextColorLocal),\n\t callback: function($$v) {\n\t _vm.topBarTextColorLocal = $$v\n\t },\n\t expression: \"topBarTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.topBarText\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"topBarLinkColor\",\n\t \"fallback\": _vm.previewTheme.colors.topBarLink,\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.topBarLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.topBarLinkColorLocal = $$v\n\t },\n\t expression: \"topBarLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.topBarLink\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.inputs')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"inputColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.inputColorLocal),\n\t callback: function($$v) {\n\t _vm.inputColorLocal = $$v\n\t },\n\t expression: \"inputColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"inputOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.input || 1\n\t },\n\t model: {\n\t value: (_vm.inputOpacityLocal),\n\t callback: function($$v) {\n\t _vm.inputOpacityLocal = $$v\n\t },\n\t expression: \"inputOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"inputTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.inputText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.inputTextColorLocal),\n\t callback: function($$v) {\n\t _vm.inputTextColorLocal = $$v\n\t },\n\t expression: \"inputTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.inputText\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.buttons')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"btnColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.btnColorLocal),\n\t callback: function($$v) {\n\t _vm.btnColorLocal = $$v\n\t },\n\t expression: \"btnColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"btnOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.btn || 1\n\t },\n\t model: {\n\t value: (_vm.btnOpacityLocal),\n\t callback: function($$v) {\n\t _vm.btnOpacityLocal = $$v\n\t },\n\t expression: \"btnOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"btnTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.btnText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.btnTextColorLocal),\n\t callback: function($$v) {\n\t _vm.btnTextColorLocal = $$v\n\t },\n\t expression: \"btnTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.btnText\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.borders')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"borderColor\",\n\t \"fallback\": _vm.previewTheme.colors.border,\n\t \"label\": _vm.$t('settings.style.common.color')\n\t },\n\t model: {\n\t value: (_vm.borderColorLocal),\n\t callback: function($$v) {\n\t _vm.borderColorLocal = $$v\n\t },\n\t expression: \"borderColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"borderOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.border || 1\n\t },\n\t model: {\n\t value: (_vm.borderOpacityLocal),\n\t callback: function($$v) {\n\t _vm.borderOpacityLocal = $$v\n\t },\n\t expression: \"borderOpacityLocal\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.faint_text')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"faintColor\",\n\t \"fallback\": _vm.previewTheme.colors.faint || 1,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.faintColorLocal),\n\t callback: function($$v) {\n\t _vm.faintColorLocal = $$v\n\t },\n\t expression: \"faintColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"faintLinkColor\",\n\t \"fallback\": _vm.previewTheme.colors.faintLink,\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.faintLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.faintLinkColorLocal = $$v\n\t },\n\t expression: \"faintLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelFaintColor\",\n\t \"fallback\": _vm.previewTheme.colors.panelFaint,\n\t \"label\": _vm.$t('settings.style.advanced_colors.panel_header')\n\t },\n\t model: {\n\t value: (_vm.panelFaintColorLocal),\n\t callback: function($$v) {\n\t _vm.panelFaintColorLocal = $$v\n\t },\n\t expression: \"panelFaintColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"faintOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.faint || 0.5\n\t },\n\t model: {\n\t value: (_vm.faintOpacityLocal),\n\t callback: function($$v) {\n\t _vm.faintOpacityLocal = $$v\n\t },\n\t expression: \"faintOpacityLocal\"\n\t }\n\t })], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.radii._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearRoundness\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"btnRadius\",\n\t \"label\": _vm.$t('settings.btnRadius'),\n\t \"fallback\": _vm.previewTheme.radii.btn,\n\t \"max\": \"16\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.btnRadiusLocal),\n\t callback: function($$v) {\n\t _vm.btnRadiusLocal = $$v\n\t },\n\t expression: \"btnRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"inputRadius\",\n\t \"label\": _vm.$t('settings.inputRadius'),\n\t \"fallback\": _vm.previewTheme.radii.input,\n\t \"max\": \"9\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.inputRadiusLocal),\n\t callback: function($$v) {\n\t _vm.inputRadiusLocal = $$v\n\t },\n\t expression: \"inputRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"checkboxRadius\",\n\t \"label\": _vm.$t('settings.checkboxRadius'),\n\t \"fallback\": _vm.previewTheme.radii.checkbox,\n\t \"max\": \"16\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.checkboxRadiusLocal),\n\t callback: function($$v) {\n\t _vm.checkboxRadiusLocal = $$v\n\t },\n\t expression: \"checkboxRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"panelRadius\",\n\t \"label\": _vm.$t('settings.panelRadius'),\n\t \"fallback\": _vm.previewTheme.radii.panel,\n\t \"max\": \"50\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.panelRadiusLocal),\n\t callback: function($$v) {\n\t _vm.panelRadiusLocal = $$v\n\t },\n\t expression: \"panelRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"avatarRadius\",\n\t \"label\": _vm.$t('settings.avatarRadius'),\n\t \"fallback\": _vm.previewTheme.radii.avatar,\n\t \"max\": \"28\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.avatarRadiusLocal),\n\t callback: function($$v) {\n\t _vm.avatarRadiusLocal = $$v\n\t },\n\t expression: \"avatarRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"avatarAltRadius\",\n\t \"label\": _vm.$t('settings.avatarAltRadius'),\n\t \"fallback\": _vm.previewTheme.radii.avatarAlt,\n\t \"max\": \"28\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.avatarAltRadiusLocal),\n\t callback: function($$v) {\n\t _vm.avatarAltRadiusLocal = $$v\n\t },\n\t expression: \"avatarAltRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"attachmentRadius\",\n\t \"label\": _vm.$t('settings.attachmentRadius'),\n\t \"fallback\": _vm.previewTheme.radii.attachment,\n\t \"max\": \"50\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.attachmentRadiusLocal),\n\t callback: function($$v) {\n\t _vm.attachmentRadiusLocal = $$v\n\t },\n\t expression: \"attachmentRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"tooltipRadius\",\n\t \"label\": _vm.$t('settings.tooltipRadius'),\n\t \"fallback\": _vm.previewTheme.radii.tooltip,\n\t \"max\": \"50\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.tooltipRadiusLocal),\n\t callback: function($$v) {\n\t _vm.tooltipRadiusLocal = $$v\n\t },\n\t expression: \"tooltipRadiusLocal\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"shadow-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.shadows._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header shadow-selector\"\n\t }, [_c('div', {\n\t staticClass: \"select-container\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.component')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"shadow-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.shadowSelected),\n\t expression: \"shadowSelected\"\n\t }],\n\t staticClass: \"shadow-switcher\",\n\t attrs: {\n\t \"id\": \"shadow-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.shadowSelected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.shadowsAvailable), function(shadow) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": shadow\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.components.' + shadow)) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"override\"\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"override\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.override')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.currentShadowOverriden),\n\t expression: \"currentShadowOverriden\"\n\t }],\n\t staticClass: \"input-override\",\n\t attrs: {\n\t \"name\": \"override\",\n\t \"id\": \"override\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.currentShadowOverriden) ? _vm._i(_vm.currentShadowOverriden, null) > -1 : (_vm.currentShadowOverriden)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.currentShadowOverriden,\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.currentShadowOverriden = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.currentShadowOverriden = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.currentShadowOverriden = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t staticClass: \"checkbox-label\",\n\t attrs: {\n\t \"for\": \"override\"\n\t }\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearShadows\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('shadow-control', {\n\t attrs: {\n\t \"ready\": !!_vm.currentShadowFallback,\n\t \"fallback\": _vm.currentShadowFallback\n\t },\n\t model: {\n\t value: (_vm.currentShadow),\n\t callback: function($$v) {\n\t _vm.currentShadow = $$v\n\t },\n\t expression: \"currentShadow\"\n\t }\n\t }), _vm._v(\" \"), (_vm.shadowSelected === 'avatar' || _vm.shadowSelected === 'avatarStatus') ? _c('div', [_c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.shadows.filter_hint.always_drop_shadow\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('code', [_vm._v(\"filter: drop-shadow()\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.avatar_inset')))]), _vm._v(\" \"), _c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.shadows.filter_hint.drop_shadow_syntax\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('code', [_vm._v(\"drop-shadow\")]), _vm._v(\" \"), _c('code', [_vm._v(\"spread-radius\")]), _vm._v(\" \"), _c('code', [_vm._v(\"inset\")])]), _vm._v(\" \"), _c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.shadows.filter_hint.inset_classic\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('code', [_vm._v(\"box-shadow\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.spread_zero')))])], 1) : _vm._e()], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"fonts-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.fonts._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.style.fonts.help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearFonts\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"ui\",\n\t \"label\": _vm.$t('settings.style.fonts.components.interface'),\n\t \"fallback\": _vm.previewTheme.fonts.interface,\n\t \"no-inherit\": \"1\"\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.interface),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"interface\", $$v)\n\t },\n\t expression: \"fontsLocal.interface\"\n\t }\n\t }), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"input\",\n\t \"label\": _vm.$t('settings.style.fonts.components.input'),\n\t \"fallback\": _vm.previewTheme.fonts.input\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.input),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"input\", $$v)\n\t },\n\t expression: \"fontsLocal.input\"\n\t }\n\t }), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"post\",\n\t \"label\": _vm.$t('settings.style.fonts.components.post'),\n\t \"fallback\": _vm.previewTheme.fonts.post\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.post),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"post\", $$v)\n\t },\n\t expression: \"fontsLocal.post\"\n\t }\n\t }), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"postCode\",\n\t \"label\": _vm.$t('settings.style.fonts.components.postCode'),\n\t \"fallback\": _vm.previewTheme.fonts.postCode\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.postCode),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"postCode\", $$v)\n\t },\n\t expression: \"fontsLocal.postCode\"\n\t }\n\t })], 1)])], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"apply-container\"\n\t }, [_c('button', {\n\t staticClass: \"btn submit\",\n\t attrs: {\n\t \"disabled\": !_vm.themeValid\n\t },\n\t on: {\n\t \"click\": _vm.setCustomTheme\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.apply')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearAll\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.reset')))])])], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 686 */\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: \"panel dummy\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header')) + \"\\n \"), _c('span', {\n\t staticClass: \"badge badge-notification\"\n\t }, [_vm._v(\"\\n 99\\n \")])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"faint\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header_faint')) + \"\\n \")]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body theme-preview-content\"\n\t }, [_c('div', {\n\t staticClass: \"post\"\n\t }, [_c('div', {\n\t staticClass: \"avatar\"\n\t }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"content\"\n\t }, [_c('h4', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.content')) + \"\\n \")]), _vm._v(\" \"), _c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.preview.text\"\n\t }\n\t }, [_c('code', {\n\t staticStyle: {\n\t \"font-family\": \"var(--postCodeFont)\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.mono')) + \"\\n \")]), _vm._v(\" \"), _c('a', {\n\t staticStyle: {\n\t \"color\": \"var(--link)\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.link')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"after-post\"\n\t }, [_c('div', {\n\t staticClass: \"avatar-alt\"\n\t }, [_vm._v(\"\\n :^)\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"content\"\n\t }, [_c('i18n', {\n\t staticClass: \"faint\",\n\t attrs: {\n\t \"path\": \"settings.style.preview.fine_print\",\n\t \"tag\": \"span\"\n\t }\n\t }, [_c('a', {\n\t staticStyle: {\n\t \"color\": \"var(--faintLink)\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.faint_link')) + \"\\n \")])])], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"separator\"\n\t }), _vm._v(\" \"), _c('span', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t attrs: {\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": _vm.$t('settings.style.preview.input')\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"actions\"\n\t }, [_c('span', {\n\t staticClass: \"checkbox\"\n\t }, [_c('input', {\n\t attrs: {\n\t \"checked\": \"very yes\",\n\t \"type\": \"checkbox\",\n\t \"id\": \"preview_checkbox\"\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"preview_checkbox\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.preview.checkbox')))])]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])])])])\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: \"icons\"\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-reply\",\n\t staticStyle: {\n\t \"color\": \"var(--cBlue)\"\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-retweet\",\n\t staticStyle: {\n\t \"color\": \"var(--cGreen)\"\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-star\",\n\t staticStyle: {\n\t \"color\": \"var(--cOrange)\"\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t staticStyle: {\n\t \"color\": \"var(--cRed)\"\n\t }\n\t })])\n\t}]}\n\n/***/ }),\n/* 687 */\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: \"button-icon favorite-button fav-active\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.favorite')\n\t },\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.hidePostStatsLocal && _vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n\t staticClass: \"button-icon favorite-button\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.favorite')\n\t }\n\t }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 688 */\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 }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('transition', {\n\t attrs: {\n\t \"name\": \"fade\"\n\t }\n\t }, [(_vm.currentSaveStateNotice) ? [(_vm.currentSaveStateNotice.error) ? _c('div', {\n\t staticClass: \"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('settings.saving_err')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.currentSaveStateNotice.error) ? _c('div', {\n\t staticClass: \"alert transparent\",\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('settings.saving_ok')) + \"\\n \")]) : _vm._e()] : _vm._e()], 2)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('keep-alive', [_c('tab-switcher', [_c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.general')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.interface')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('interface-language-switcher')], 1), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideISPLocal),\n\t expression: \"hideISPLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideISP\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideISPLocal) ? _vm._i(_vm.hideISPLocal, null) > -1 : (_vm.hideISPLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideISPLocal,\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.hideISPLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideISPLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideISPLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideISP\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_isp')))])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('nav.timeline')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.collapseMessageWithSubjectLocal),\n\t expression: \"collapseMessageWithSubjectLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"collapseMessageWithSubject\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.collapseMessageWithSubjectLocal) ? _vm._i(_vm.collapseMessageWithSubjectLocal, null) > -1 : (_vm.collapseMessageWithSubjectLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.collapseMessageWithSubjectLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.collapseMessageWithSubjectLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.collapseMessageWithSubjectLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.collapseMessageWithSubjectLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"collapseMessageWithSubject\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.collapse_subject')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.collapseMessageWithSubjectDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.streamingLocal),\n\t expression: \"streamingLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"streaming\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.streamingLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.streamingLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"streaming\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\",\n\t class: [{\n\t disabled: !_vm.streamingLocal\n\t }]\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.pauseOnUnfocusedLocal),\n\t expression: \"pauseOnUnfocusedLocal\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.streamingLocal,\n\t \"type\": \"checkbox\",\n\t \"id\": \"pauseOnUnfocused\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.pauseOnUnfocusedLocal) ? _vm._i(_vm.pauseOnUnfocusedLocal, null) > -1 : (_vm.pauseOnUnfocusedLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.pauseOnUnfocusedLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.pauseOnUnfocusedLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.pauseOnUnfocusedLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.pauseOnUnfocusedLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"pauseOnUnfocused\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.pause_on_unfocused')))])])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.autoLoadLocal),\n\t expression: \"autoLoadLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"autoload\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.autoLoadLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.autoLoadLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"autoload\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hoverPreviewLocal),\n\t expression: \"hoverPreviewLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hoverPreview\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hoverPreviewLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hoverPreviewLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hoverPreview\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.composing')))]), _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.scopeCopyLocal),\n\t expression: \"scopeCopyLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"scopeCopy\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.scopeCopyLocal) ? _vm._i(_vm.scopeCopyLocal, null) > -1 : (_vm.scopeCopyLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.scopeCopyLocal,\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.scopeCopyLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.scopeCopyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.scopeCopyLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"scopeCopy\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.scope_copy')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.scopeCopyDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.alwaysShowSubjectInputLocal),\n\t expression: \"alwaysShowSubjectInputLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"subjectHide\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.alwaysShowSubjectInputLocal) ? _vm._i(_vm.alwaysShowSubjectInputLocal, null) > -1 : (_vm.alwaysShowSubjectInputLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.alwaysShowSubjectInputLocal,\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.alwaysShowSubjectInputLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.alwaysShowSubjectInputLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.alwaysShowSubjectInputLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"subjectHide\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_input_always_show')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.alwaysShowSubjectInputDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_behavior')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"subjectLineBehavior\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.subjectLineBehaviorLocal),\n\t expression: \"subjectLineBehaviorLocal\"\n\t }],\n\t attrs: {\n\t \"id\": \"subjectLineBehavior\"\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.subjectLineBehaviorLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"email\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_email')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'email' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"masto\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_mastodon')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'mastodon' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"noop\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_noop')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'noop' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsLocal),\n\t expression: \"hideAttachmentsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachments\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachments\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsInConvLocal),\n\t expression: \"hideAttachmentsInConvLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachmentsInConv\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsInConvLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsInConvLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachmentsInConv\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideNsfwLocal),\n\t expression: \"hideNsfwLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideNsfw\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideNsfwLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideNsfwLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideNsfw\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.preloadImage),\n\t expression: \"preloadImage\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.hideNsfwLocal,\n\t \"type\": \"checkbox\",\n\t \"id\": \"preloadImage\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.preloadImage) ? _vm._i(_vm.preloadImage, null) > -1 : (_vm.preloadImage)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.preloadImage,\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.preloadImage = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.preloadImage = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.preloadImage = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"preloadImage\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.preload_images')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.useOneClickNsfw),\n\t expression: \"useOneClickNsfw\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"useOneClickNsfw\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.useOneClickNsfw) ? _vm._i(_vm.useOneClickNsfw, null) > -1 : (_vm.useOneClickNsfw)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.useOneClickNsfw,\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.useOneClickNsfw = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.useOneClickNsfw = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.useOneClickNsfw = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"useOneClickNsfw\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.use_one_click_nsfw')))])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.stopGifs),\n\t expression: \"stopGifs\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"stopGifs\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.stopGifs,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.stopGifs = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"stopGifs\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.loopVideoLocal),\n\t expression: \"loopVideoLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"loopVideo\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.loopVideoLocal) ? _vm._i(_vm.loopVideoLocal, null) > -1 : (_vm.loopVideoLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.loopVideoLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.loopVideoLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.loopVideoLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.loopVideoLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"loopVideo\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.loop_video')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\",\n\t class: [{\n\t disabled: !_vm.streamingLocal\n\t }]\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.loopVideoSilentOnlyLocal),\n\t expression: \"loopVideoSilentOnlyLocal\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.loopVideoLocal || !_vm.loopSilentAvailable,\n\t \"type\": \"checkbox\",\n\t \"id\": \"loopVideoSilentOnly\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.loopVideoSilentOnlyLocal) ? _vm._i(_vm.loopVideoSilentOnlyLocal, null) > -1 : (_vm.loopVideoSilentOnlyLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.loopVideoSilentOnlyLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.loopVideoSilentOnlyLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.loopVideoSilentOnlyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.loopVideoSilentOnlyLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"loopVideoSilentOnly\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.loop_video_silent_only')))]), _vm._v(\" \"), (!_vm.loopSilentAvailable) ? _c('div', {\n\t staticClass: \"unavailable\"\n\t }, [_c('i', {\n\t staticClass: \"icon-globe\"\n\t }), _vm._v(\"! \" + _vm._s(_vm.$t('settings.limited_availability')) + \"\\n \")]) : _vm._e()])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.playVideosInModal),\n\t expression: \"playVideosInModal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"playVideosInModal\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.playVideosInModal) ? _vm._i(_vm.playVideosInModal, null) > -1 : (_vm.playVideosInModal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.playVideosInModal,\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.playVideosInModal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.playVideosInModal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.playVideosInModal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"playVideosInModal\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.play_videos_in_modal')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.useContainFit),\n\t expression: \"useContainFit\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"useContainFit\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.useContainFit) ? _vm._i(_vm.useContainFit, null) > -1 : (_vm.useContainFit)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.useContainFit,\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.useContainFit = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.useContainFit = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.useContainFit = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"useContainFit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.use_contain_fit')))])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.notifications')))]), _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.webPushNotificationsLocal),\n\t expression: \"webPushNotificationsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"webPushNotifications\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.webPushNotificationsLocal) ? _vm._i(_vm.webPushNotificationsLocal, null) > -1 : (_vm.webPushNotificationsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.webPushNotificationsLocal,\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.webPushNotificationsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.webPushNotificationsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.webPushNotificationsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"webPushNotifications\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.enable_web_push_notifications')) + \"\\n \")])])])])]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.theme')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('style-switcher')], 1)]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.filtering')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('div', {\n\t staticClass: \"select-multiple\"\n\t }, [_c('span', {\n\t staticClass: \"label\"\n\t }, [_vm._v(_vm._s(_vm.$t('settings.notification_visibility')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"option-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.likes),\n\t expression: \"notificationVisibilityLocal.likes\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-likes\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.likes) ? _vm._i(_vm.notificationVisibilityLocal.likes, null) > -1 : (_vm.notificationVisibilityLocal.likes)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.likes,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-likes\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_likes')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.repeats),\n\t expression: \"notificationVisibilityLocal.repeats\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-repeats\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.repeats) ? _vm._i(_vm.notificationVisibilityLocal.repeats, null) > -1 : (_vm.notificationVisibilityLocal.repeats)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.repeats,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-repeats\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_repeats')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.follows),\n\t expression: \"notificationVisibilityLocal.follows\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-follows\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.follows) ? _vm._i(_vm.notificationVisibilityLocal.follows, null) > -1 : (_vm.notificationVisibilityLocal.follows)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.follows,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-follows\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_follows')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.mentions),\n\t expression: \"notificationVisibilityLocal.mentions\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-mentions\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.mentions) ? _vm._i(_vm.notificationVisibilityLocal.mentions, null) > -1 : (_vm.notificationVisibilityLocal.mentions)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.mentions,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-mentions\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_mentions')) + \"\\n \")])])])]), _vm._v(\" \"), _c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.replies_in_timeline')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"replyVisibility\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.replyVisibilityLocal),\n\t expression: \"replyVisibilityLocal\"\n\t }],\n\t attrs: {\n\t \"id\": \"replyVisibility\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.replyVisibilityLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"all\",\n\t \"selected\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"following\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"self\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]), _vm._v(\" \"), _c('div', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hidePostStatsLocal),\n\t expression: \"hidePostStatsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hidePostStats\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hidePostStatsLocal) ? _vm._i(_vm.hidePostStatsLocal, null) > -1 : (_vm.hidePostStatsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hidePostStatsLocal,\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.hidePostStatsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hidePostStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hidePostStatsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hidePostStats\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_post_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.hidePostStatsDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('div', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideUserStatsLocal),\n\t expression: \"hideUserStatsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideUserStats\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideUserStatsLocal) ? _vm._i(_vm.hideUserStatsLocal, null) > -1 : (_vm.hideUserStatsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideUserStatsLocal,\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.hideUserStatsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideUserStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideUserStatsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideUserStats\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_user_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.hideUserStatsDefault\n\t })) + \"\\n \")])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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 })])])])], 1)], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 689 */\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\": {\n\t name: 'friends'\n\t }\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) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'dms',\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.dms\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'friend-requests'\n\t }\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\": {\n\t name: 'public-timeline'\n\t }\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\": {\n\t name: 'public-external-timeline'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1)])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 690 */\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 ref: \"galleryContainer\",\n\t staticStyle: {\n\t \"width\": \"100%\"\n\t }\n\t }, _vm._l((_vm.rows), function(row) {\n\t return _c('div', {\n\t staticClass: \"gallery-row\",\n\t class: {\n\t 'contain-fit': _vm.useContainFit, 'cover-fit': !_vm.useContainFit\n\t },\n\t style: (_vm.rowHeight(row.length))\n\t }, _vm._l((row), function(attachment) {\n\t return _c('attachment', {\n\t key: attachment.id,\n\t attrs: {\n\t \"setMedia\": _vm.setMedia,\n\t \"nsfw\": _vm.nsfw,\n\t \"attachment\": attachment,\n\t \"allowPlay\": false\n\t }\n\t })\n\t }), 1)\n\t }), 0)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 691 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"who-to-follow-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default base01-background\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading base02-background base04\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body who-to-follow\"\n\t }, [_vm._l((_vm.usersToFollow), function(user) {\n\t return _c('span', [_c('img', {\n\t attrs: {\n\t \"src\": user.img\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(user.id, user.name)\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(user.name) + \"\\n \")]), _c('br')], 1)\n\t }), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.$store.state.instance.logo\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'who-to-follow'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('who_to_follow.more')))])], 2)])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 692 */\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: \"import-export-container\"\n\t }, [_vm._t(\"before\"), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.exportData\n\t }\n\t }, [_vm._v(_vm._s(_vm.exportLabel))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.importData\n\t }\n\t }, [_vm._v(_vm._s(_vm.importLabel))]), _vm._v(\" \"), _vm._t(\"afterButtons\"), _vm._v(\" \"), (_vm.importFailed) ? _c('p', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(_vm._s(_vm.importFailedText))]) : _vm._e(), _vm._v(\" \"), _vm._t(\"afterError\")], 2)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 693 */\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/* 694 */\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('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_c('UserAvatar', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"compact\": true,\n\t \"src\": _vm.user.profile_image_url\n\t },\n\t nativeOn: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t })], 1), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _c('div', {\n\t staticClass: \"name-and-screen-name\"\n\t }, [(_vm.user.name_html) ? _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_c('span', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.name_html)\n\t }\n\t }), _vm._v(\" \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]) : _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"user-screen-name\",\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_vm._v(\"\\n @\" + _vm._s(_vm.user.screen_name) + \"\\n \")])], 1), _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()], 1)\n\t},staticRenderFns: []}\n\n/***/ })\n]);\n\n\n// WEBPACK FOOTER //\n// static/js/app.0e4952ec8d775da840f1.js","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport Vuex from 'vuex'\n\nimport interfaceModule from './modules/interface.js'\nimport instanceModule from './modules/instance.js'\nimport statusesModule from './modules/statuses.js'\nimport usersModule from './modules/users.js'\nimport apiModule from './modules/api.js'\nimport configModule from './modules/config.js'\nimport chatModule from './modules/chat.js'\nimport oauthModule from './modules/oauth.js'\nimport mediaViewerModule from './modules/media_viewer.js'\n\nimport VueTimeago from 'vue-timeago'\nimport VueI18n from 'vue-i18n'\n\nimport createPersistedState from './lib/persisted_state.js'\nimport pushNotifications from './lib/push_notifications_plugin.js'\n\nimport messages from './i18n/messages.js'\n\nimport VueChatScroll from 'vue-chat-scroll'\n\nimport afterStoreSetup from './boot/after_store.js'\n\nconst currentLocale = (window.navigator.language || 'en').split('-')[0]\n\nVue.use(Vuex)\nVue.use(VueRouter)\nVue.use(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 i18n = new VueI18n({\n // By default, use the browser locale, we will update it if neccessary\n locale: currentLocale,\n fallbackLocale: 'en',\n messages\n})\n\nconst persistedStateOptions = {\n paths: [\n 'config',\n 'users.lastLoginName',\n 'oauth'\n ]\n}\n\ncreatePersistedState(persistedStateOptions).then((persistedState) => {\n const store = new Vuex.Store({\n modules: {\n interface: interfaceModule,\n instance: instanceModule,\n statuses: statusesModule,\n users: usersModule,\n api: apiModule,\n config: configModule,\n chat: chatModule,\n oauth: oauthModule,\n mediaViewer: mediaViewerModule\n },\n plugins: [persistedState, pushNotifications],\n strict: false // Socket modifies itself, let's ignore this for now.\n // strict: process.env.NODE_ENV !== 'production'\n })\n\n afterStoreSetup({ store, i18n })\n})\n\n// These are inlined by webpack's DefinePlugin\n/* eslint-disable */\nwindow.___pleromafe_mode = process.env\nwindow.___pleromafe_commit_hash = COMMIT_HASH\nwindow.___pleromafe_dev_overrides = DEV_OVERRIDES\n\n\n\n// WEBPACK FOOTER //\n// ./src/main.js","/* eslint-env browser */\nconst LOGIN_URL = '/api/account/verify_credentials.json'\nconst FRIENDS_TIMELINE_URL = '/api/statuses/friends_timeline.json'\nconst ALL_FOLLOWING_URL = '/api/qvitter/allfollowing'\nconst PUBLIC_TIMELINE_URL = '/api/statuses/public_timeline.json'\nconst PUBLIC_AND_EXTERNAL_TIMELINE_URL = '/api/statuses/public_and_external_timeline.json'\nconst TAG_TIMELINE_URL = '/api/statusnet/tags/timeline'\nconst FAVORITE_URL = '/api/favorites/create'\nconst UNFAVORITE_URL = '/api/favorites/destroy'\nconst RETWEET_URL = '/api/statuses/retweet'\nconst UNRETWEET_URL = '/api/statuses/unretweet'\nconst STATUS_UPDATE_URL = '/api/statuses/update.json'\nconst STATUS_DELETE_URL = '/api/statuses/destroy'\nconst STATUS_URL = '/api/statuses/show'\nconst MEDIA_UPLOAD_URL = '/api/statusnet/media/upload'\nconst CONVERSATION_URL = '/api/statusnet/conversation'\nconst MENTIONS_URL = '/api/statuses/mentions.json'\nconst DM_TIMELINE_URL = '/api/statuses/dm_timeline.json'\nconst FOLLOWERS_URL = '/api/statuses/followers.json'\nconst FRIENDS_URL = '/api/statuses/friends.json'\nconst FOLLOWING_URL = '/api/friendships/create.json'\nconst UNFOLLOWING_URL = '/api/friendships/destroy.json'\nconst QVITTER_USER_PREF_URL = '/api/qvitter/set_profile_pref.json'\nconst REGISTRATION_URL = '/api/account/register.json'\nconst AVATAR_UPDATE_URL = '/api/qvitter/update_avatar.json'\nconst BG_UPDATE_URL = '/api/qvitter/update_background_image.json'\nconst BANNER_UPDATE_URL = '/api/account/update_profile_banner.json'\nconst PROFILE_UPDATE_URL = '/api/account/update_profile.json'\nconst EXTERNAL_PROFILE_URL = '/api/externalprofile/show.json'\nconst QVITTER_USER_TIMELINE_URL = '/api/qvitter/statuses/user_timeline.json'\nconst QVITTER_USER_NOTIFICATIONS_URL = '/api/qvitter/statuses/notifications.json'\nconst QVITTER_USER_NOTIFICATIONS_READ_URL = '/api/qvitter/statuses/notifications/read.json'\nconst BLOCKING_URL = '/api/blocks/create.json'\nconst UNBLOCKING_URL = '/api/blocks/destroy.json'\nconst USER_URL = '/api/users/show.json'\nconst FOLLOW_IMPORT_URL = '/api/pleroma/follow_import'\nconst DELETE_ACCOUNT_URL = '/api/pleroma/delete_account'\nconst CHANGE_PASSWORD_URL = '/api/pleroma/change_password'\nconst FOLLOW_REQUESTS_URL = '/api/pleroma/friend_requests'\nconst APPROVE_USER_URL = '/api/pleroma/friendships/approve'\nconst DENY_USER_URL = '/api/pleroma/friendships/deny'\nconst SUGGESTIONS_URL = '/api/v1/suggestions'\n\nconst MASTODON_USER_FAVORITES_TIMELINE_URL = '/api/v1/favourites'\n\nimport { each, map } from 'lodash'\nimport { parseStatus, parseUser, parseNotification } from '../entity_normalizer/entity_normalizer.service.js'\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// 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\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\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\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 // Always include these fields, because they might be empty or false\n const fields = ['description', 'locked', 'no_rich_text', 'hide_followings', 'hide_followers']\n let url = PROFILE_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (fields.includes(key) || value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\n// Params needed:\n// nickname\n// email\n// fullname\n// password\n// password_confirm\n//\n// Optional\n// bio\n// homepage\n// location\n// token\nconst register = (params) => {\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n\n return fetch(REGISTRATION_URL, {\n method: 'POST',\n body: form\n })\n}\n\nconst getCaptcha = () => fetch('/api/pleroma/captcha').then(resp => resp.json())\n\nconst authHeaders = (accessToken) => {\n if (accessToken) {\n return { 'Authorization': `Bearer ${accessToken}` }\n } else {\n return { }\n }\n}\n\nconst 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 .then((data) => parseUser(data))\n}\n\nconst fetchFriends = ({id, page, credentials}) => {\n let url = `${FRIENDS_URL}?user_id=${id}`\n if (page) {\n url = url + `&page=${page}`\n }\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\n}\n\nconst fetchFollowers = ({id, page, credentials}) => {\n let url = `${FOLLOWERS_URL}?user_id=${id}`\n if (page) {\n url = url + `&page=${page}`\n }\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => data.json())\n .then((data) => data.map(parseUser))\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 .then((data) => data.map(parseUser))\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) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => data.map(parseStatus))\n}\n\nconst fetchStatus = ({id, credentials}) => {\n let url = `${STATUS_URL}/${id}.json`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => parseStatus(data))\n}\n\nconst 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 dms: DM_TIMELINE_URL,\n notifications: QVITTER_USER_NOTIFICATIONS_URL,\n 'publicAndExternal': PUBLIC_AND_EXTERNAL_TIMELINE_URL,\n user: QVITTER_USER_TIMELINE_URL,\n media: QVITTER_USER_TIMELINE_URL,\n favorites: MASTODON_USER_FAVORITES_TIMELINE_URL,\n tag: TAG_TIMELINE_URL\n }\n const isNotifications = timeline === 'notifications'\n const params = []\n\n let url = timelineUrls[timeline]\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 if (timeline === 'media') {\n params.push(['only_media', 1])\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) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => data.map(isNotifications ? parseNotification : parseStatus))\n}\n\nconst verifyCredentials = (user) => {\n return fetch(LOGIN_URL, {\n method: 'POST',\n headers: authHeaders(user)\n })\n .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return {\n error: response\n }\n }\n })\n .then((data) => data.error ? data : parseUser(data))\n}\n\nconst favorite = ({ id, credentials }) => {\n return fetch(`${FAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unfavorite = ({ id, credentials }) => {\n return fetch(`${UNFAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst retweet = ({ id, credentials }) => {\n return fetch(`${RETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unretweet = ({ id, credentials }) => {\n return fetch(`${UNRETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst postStatus = ({credentials, status, spoilerText, visibility, sensitive, mediaIds, inReplyToStatusId, contentType, noAttachmentLinks}) => {\n const idsText = mediaIds.join(',')\n const form = new FormData()\n\n form.append('status', status)\n form.append('source', 'Pleroma FE')\n if (noAttachmentLinks) form.append('no_attachment_links', noAttachmentLinks)\n if (spoilerText) form.append('spoiler_text', spoilerText)\n if (visibility) form.append('visibility', visibility)\n if (sensitive) form.append('sensitive', sensitive)\n if (contentType) form.append('content_type', contentType)\n 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 .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return {\n error: response\n }\n }\n })\n .then((data) => data.error ? data : parseStatus(data))\n}\n\nconst deleteStatus = ({ id, credentials }) => {\n return fetch(`${STATUS_DELETE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst uploadMedia = ({formData, credentials}) => {\n return fetch(MEDIA_UPLOAD_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.text())\n .then((text) => (new DOMParser()).parseFromString(text, 'application/xml'))\n}\n\nconst followImport = ({params, credentials}) => {\n return fetch(FOLLOW_IMPORT_URL, {\n body: params,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.ok)\n}\n\nconst deleteAccount = ({credentials, password}) => {\n const form = new FormData()\n\n form.append('password', password)\n\n return fetch(DELETE_ACCOUNT_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst changePassword = ({credentials, password, newPassword, newPasswordConfirmation}) => {\n const form = new FormData()\n\n form.append('password', password)\n form.append('new_password', newPassword)\n form.append('new_password_confirmation', newPasswordConfirmation)\n\n return fetch(CHANGE_PASSWORD_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst fetchMutes = ({credentials}) => {\n const url = '/api/qvitter/mutes.json'\n\n return fetch(url, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst suggestions = ({credentials}) => {\n return fetch(SUGGESTIONS_URL, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst markNotificationsAsSeen = ({id, credentials}) => {\n const body = new FormData()\n\n body.append('latest_id', id)\n\n return fetch(QVITTER_USER_NOTIFICATIONS_READ_URL, {\n body,\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst apiService = {\n verifyCredentials,\n fetchTimeline,\n fetchConversation,\n fetchStatus,\n fetchFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n blockUser,\n unblockUser,\n fetchUser,\n favorite,\n unfavorite,\n retweet,\n unretweet,\n postStatus,\n deleteStatus,\n uploadMedia,\n fetchAllFollowing,\n setUserMute,\n fetchMutes,\n register,\n getCaptcha,\n updateAvatar,\n updateBg,\n updateProfile,\n updateBanner,\n externalProfile,\n followImport,\n deleteAccount,\n changePassword,\n fetchFollowRequests,\n approveUser,\n denyUser,\n suggestions,\n markNotificationsAsSeen\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-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 = 29\n// module chunks = 2","import { includes } from 'lodash'\n\nconst generateProfileLink = (id, screenName, restrictedNicknames) => {\n const complicated = (isExternal(screenName) || includes(restrictedNicknames, screenName))\n return {\n name: (complicated ? 'external-user-profile' : 'user-profile'),\n params: (complicated ? { id } : { name: screenName })\n }\n}\n\nconst isExternal = screenName => screenName && screenName.includes('@')\n\nexport default generateProfileLink\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/user_profile_link_generator/user_profile_link_generator.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-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 = 39\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 = 40\n// module chunks = 2","import { map } from 'lodash'\n\nconst rgb2hex = (r, g, b) => {\n if (r === null || typeof r === 'undefined') {\n return undefined\n }\n if (r[0] === '#') {\n return r\n }\n if (typeof r === 'object') {\n ({ r, g, b } = r)\n }\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\n/**\n * Converts 8-bit RGB component into linear component\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n * https://en.wikipedia.org/wiki/SRGB#The_reverse_transformation\n *\n * @param {Number} bit - color component [0..255]\n * @returns {Number} linear component [0..1]\n */\nconst c2linear = (bit) => {\n // W3C gives 0.03928 while wikipedia states 0.04045\n // what those magical numbers mean - I don't know.\n // something about gamma-correction, i suppose.\n // Sticking with W3C example.\n const c = bit / 255\n if (c < 0.03928) {\n return c / 12.92\n } else {\n return Math.pow((c + 0.055) / 1.055, 2.4)\n }\n}\n\n/**\n * Converts sRGB into linear RGB\n * @param {Object} srgb - sRGB color\n * @returns {Object} linear rgb color\n */\nconst srgbToLinear = (srgb) => {\n return 'rgb'.split('').reduce((acc, c) => { acc[c] = c2linear(srgb[c]); return acc }, {})\n}\n\n/**\n * Calculates relative luminance for given color\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n *\n * @param {Object} srgb - sRGB color\n * @returns {Number} relative luminance\n */\nconst relativeLuminance = (srgb) => {\n const {r, g, b} = srgbToLinear(srgb)\n return 0.2126 * r + 0.7152 * g + 0.0722 * b\n}\n\n/**\n * Generates color ratio between two colors. Order is unimporant\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#contrast-ratiodef\n *\n * @param {Object} a - sRGB color\n * @param {Object} b - sRGB color\n * @returns {Number} color ratio\n */\nconst getContrastRatio = (a, b) => {\n const la = relativeLuminance(a)\n const lb = relativeLuminance(b)\n const [l1, l2] = la > lb ? [la, lb] : [lb, la]\n\n return (l1 + 0.05) / (l2 + 0.05)\n}\n\n/**\n * This performs alpha blending between solid background and semi-transparent foreground\n *\n * @param {Object} fg - top layer color\n * @param {Number} fga - top layer's alpha\n * @param {Object} bg - bottom layer color\n * @returns {Object} sRGB of resulting color\n */\nconst alphaBlend = (fg, fga, bg) => {\n if (fga === 1 || typeof fga === 'undefined') return fg\n return 'rgb'.split('').reduce((acc, c) => {\n // Simplified https://en.wikipedia.org/wiki/Alpha_compositing#Alpha_blending\n // for opaque bg and transparent fg\n acc[c] = (fg[c] * fga + bg[c] * (1 - fga))\n return acc\n }, {})\n}\n\nconst invert = (rgb) => {\n return 'rgb'.split('').reduce((acc, c) => {\n acc[c] = 255 - rgb[c]\n return acc\n }, {})\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 mixrgb = (a, b) => {\n return Object.keys(a).reduce((acc, k) => {\n acc[k] = (a[k] + b[k]) / 2\n return acc\n }, {})\n}\n\nexport {\n rgb2hex,\n hex2rgb,\n mixrgb,\n invert,\n getContrastRatio,\n alphaBlend\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/color_convert/color_convert.js","// TODO this func might as well take the entire file and use its mimetype\n// or the entire service could be just mimetype service that only operates\n// on mimetypes and not files. Currently the naming is confusing.\nconst fileType = mimetype => {\n if (mimetype.match(/text\\/html/)) {\n return 'html'\n }\n\n if (mimetype.match(/image/)) {\n return 'image'\n }\n\n if (mimetype.match(/video/)) {\n return 'video'\n }\n\n if (mimetype.match(/audio/)) {\n return 'audio'\n }\n\n return 'unknown'\n}\n\nconst fileMatchesSomeType = (types, file) =>\n types.some(type => fileType(file.mimetype) === type)\n\nconst fileTypeService = {\n fileType,\n fileMatchesSomeType\n}\n\nexport default fileTypeService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/file_type/file_type.service.js","import { times } from 'lodash'\nimport { brightness, invertLightness, convert, contrastRatio } from 'chromatism'\nimport { rgb2hex, hex2rgb, mixrgb, getContrastRatio, alphaBlend } 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 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 rgb2rgba = function (rgba) {\n return `rgba(${rgba.r}, ${rgba.g}, ${rgba.b}, ${rgba.a})`\n}\n\nconst getTextColor = function (bg, text, preserve) {\n const bgIsLight = convert(bg).hsl.l > 50\n const textIsLight = convert(text).hsl.l > 50\n\n if ((bgIsLight && textIsLight) || (!bgIsLight && !textIsLight)) {\n const base = typeof text.a !== 'undefined' ? { a: text.a } : {}\n const result = Object.assign(base, invertLightness(text).rgb)\n if (!preserve && getContrastRatio(bg, result) < 4.5) {\n return contrastRatio(bg, text).rgb\n }\n return result\n }\n return text\n}\n\nconst applyTheme = (input, commit) => {\n const { rules, theme } = generatePreset(input)\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 styleSheet.toString()\n styleSheet.insertRule(`body { ${rules.radii} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.colors} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.shadows} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.fonts} }`, 'index-max')\n body.style.display = 'initial'\n\n // commit('setOption', { name: 'colors', value: htmlColors })\n // commit('setOption', { name: 'radii', value: radii })\n commit('setOption', { name: 'customTheme', value: input })\n commit('setOption', { name: 'colors', value: theme.colors })\n}\n\nconst getCssShadow = (input, usesDropShadow) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n .filter(_ => usesDropShadow ? _.inset : _)\n .map((shad) => [\n shad.x,\n shad.y,\n shad.blur,\n shad.spread\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha),\n shad.inset ? 'inset' : ''\n ]).join(' ')).join(', ')\n}\n\nconst getCssShadowFilter = (input) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n // drop-shadow doesn't support inset or spread\n .filter((shad) => !shad.inset && Number(shad.spread) === 0)\n .map((shad) => [\n shad.x,\n shad.y,\n // drop-shadow's blur is twice as strong compared to box-shadow\n shad.blur / 2\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha)\n ]).join(' '))\n .map(_ => `drop-shadow(${_})`)\n .join(' ')\n}\n\nconst getCssColor = (input, a) => {\n let rgb = {}\n if (typeof input === 'object') {\n rgb = input\n } else if (typeof input === 'string') {\n if (input.startsWith('#')) {\n rgb = hex2rgb(input)\n } else if (input.startsWith('--')) {\n return `var(${input})`\n } else {\n return input\n }\n }\n return rgb2rgba({ ...rgb, a })\n}\n\nconst generateColors = (input) => {\n const colors = {}\n const opacity = Object.assign({\n alert: 0.5,\n input: 0.5,\n faint: 0.5\n }, Object.entries(input.opacity || {}).reduce((acc, [k, v]) => {\n if (typeof v !== 'undefined') {\n acc[k] = v\n }\n return acc\n }, {}))\n const col = Object.entries(input.colors || input).reduce((acc, [k, v]) => {\n if (typeof v === 'object') {\n acc[k] = v\n } else {\n acc[k] = hex2rgb(v)\n }\n return acc\n }, {})\n\n const isLightOnDark = convert(col.bg).hsl.l < convert(col.text).hsl.l\n const mod = isLightOnDark ? 1 : -1\n\n colors.text = col.text\n colors.lightText = brightness(20 * mod, colors.text).rgb\n colors.link = col.link\n colors.faint = col.faint || Object.assign({}, col.text)\n\n colors.bg = col.bg\n colors.lightBg = col.lightBg || brightness(5, colors.bg).rgb\n\n colors.fg = col.fg\n colors.fgText = col.fgText || getTextColor(colors.fg, colors.text)\n colors.fgLink = col.fgLink || getTextColor(colors.fg, colors.link, true)\n\n colors.border = col.border || brightness(2 * mod, colors.fg).rgb\n\n colors.btn = col.btn || Object.assign({}, col.fg)\n colors.btnText = col.btnText || getTextColor(colors.btn, colors.fgText)\n\n colors.input = col.input || Object.assign({}, col.fg)\n colors.inputText = col.inputText || getTextColor(colors.input, colors.lightText)\n\n colors.panel = col.panel || Object.assign({}, col.fg)\n colors.panelText = col.panelText || getTextColor(colors.panel, colors.fgText)\n colors.panelLink = col.panelLink || getTextColor(colors.panel, colors.fgLink)\n colors.panelFaint = col.panelFaint || getTextColor(colors.panel, colors.faint)\n\n colors.topBar = col.topBar || Object.assign({}, col.fg)\n colors.topBarText = col.topBarText || getTextColor(colors.topBar, colors.fgText)\n colors.topBarLink = col.topBarLink || getTextColor(colors.topBar, colors.fgLink)\n\n colors.faintLink = col.faintLink || Object.assign({}, col.link)\n\n colors.icon = mixrgb(colors.bg, colors.text)\n\n colors.cBlue = col.cBlue || hex2rgb('#0000FF')\n colors.cRed = col.cRed || hex2rgb('#FF0000')\n colors.cGreen = col.cGreen || hex2rgb('#00FF00')\n colors.cOrange = col.cOrange || hex2rgb('#E3FF00')\n\n colors.alertError = col.alertError || Object.assign({}, colors.cRed)\n colors.alertErrorText = getTextColor(alphaBlend(colors.alertError, opacity.alert, colors.bg), colors.text)\n colors.alertErrorPanelText = getTextColor(alphaBlend(colors.alertError, opacity.alert, colors.panel), colors.panelText)\n\n colors.badgeNotification = col.badgeNotification || Object.assign({}, colors.cRed)\n colors.badgeNotificationText = contrastRatio(colors.badgeNotification).rgb\n\n Object.entries(opacity).forEach(([ k, v ]) => {\n if (typeof v === 'undefined') return\n if (k === 'alert') {\n colors.alertError.a = v\n return\n }\n if (k === 'faint') {\n colors[k + 'Link'].a = v\n colors['panelFaint'].a = v\n }\n if (k === 'bg') {\n colors['lightBg'].a = v\n }\n if (colors[k]) {\n colors[k].a = v\n } else {\n console.error('Wrong key ' + k)\n }\n })\n\n const htmlColors = Object.entries(colors)\n .reduce((acc, [k, v]) => {\n if (!v) return acc\n acc.solid[k] = rgb2hex(v)\n acc.complete[k] = typeof v.a === 'undefined' ? rgb2hex(v) : rgb2rgba(v)\n return acc\n }, { complete: {}, solid: {} })\n return {\n rules: {\n colors: Object.entries(htmlColors.complete)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}: ${v}`)\n .join(';')\n },\n theme: {\n colors: htmlColors.solid,\n opacity\n }\n }\n}\n\nconst generateRadii = (input) => {\n let inputRadii = input.radii || {}\n // v1 -> v2\n if (typeof input.btnRadius !== 'undefined') {\n inputRadii = Object\n .entries(input)\n .filter(([k, v]) => k.endsWith('Radius'))\n .reduce((acc, e) => { acc[e[0].split('Radius')[0]] = e[1]; return acc }, {})\n }\n const radii = Object.entries(inputRadii).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {\n btn: 4,\n input: 4,\n checkbox: 2,\n panel: 10,\n avatar: 5,\n avatarAlt: 50,\n tooltip: 2,\n attachment: 5\n })\n\n return {\n rules: {\n radii: Object.entries(radii).filter(([k, v]) => v).map(([k, v]) => `--${k}Radius: ${v}px`).join(';')\n },\n theme: {\n radii\n }\n }\n}\n\nconst generateFonts = (input) => {\n const fonts = Object.entries(input.fonts || {}).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = Object.entries(v).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, acc[k])\n return acc\n }, {\n interface: {\n family: 'sans-serif'\n },\n input: {\n family: 'inherit'\n },\n post: {\n family: 'inherit'\n },\n postCode: {\n family: 'monospace'\n }\n })\n\n return {\n rules: {\n fonts: Object\n .entries(fonts)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}Font: ${v.family}`).join(';')\n },\n theme: {\n fonts\n }\n }\n}\n\nconst generateShadows = (input) => {\n const border = (top, shadow) => ({\n x: 0,\n y: top ? 1 : -1,\n blur: 0,\n spread: 0,\n color: shadow ? '#000000' : '#FFFFFF',\n alpha: 0.2,\n inset: true\n })\n const buttonInsetFakeBorders = [border(true, false), border(false, true)]\n const inputInsetFakeBorders = [border(true, true), border(false, false)]\n const hoverGlow = {\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '--faint',\n alpha: 1\n }\n\n const shadows = {\n panel: [{\n x: 1,\n y: 1,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n topBar: [{\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n popup: [{\n x: 2,\n y: 2,\n blur: 3,\n spread: 0,\n color: '#000000',\n alpha: 0.5\n }],\n avatar: [{\n x: 0,\n y: 1,\n blur: 8,\n spread: 0,\n color: '#000000',\n alpha: 0.7\n }],\n avatarStatus: [],\n panelHeader: [],\n button: [{\n x: 0,\n y: 0,\n blur: 2,\n spread: 0,\n color: '#000000',\n alpha: 1\n }, ...buttonInsetFakeBorders],\n buttonHover: [hoverGlow, ...buttonInsetFakeBorders],\n buttonPressed: [hoverGlow, ...inputInsetFakeBorders],\n input: [...inputInsetFakeBorders, {\n x: 0,\n y: 0,\n blur: 2,\n inset: true,\n spread: 0,\n color: '#000000',\n alpha: 1\n }],\n ...(input.shadows || {})\n }\n\n return {\n rules: {\n shadows: Object\n .entries(shadows)\n // TODO for v2.1: if shadow doesn't have non-inset shadows with spread > 0 - optionally\n // convert all non-inset shadows into filter: drop-shadow() to boost performance\n .map(([k, v]) => [\n `--${k}Shadow: ${getCssShadow(v)}`,\n `--${k}ShadowFilter: ${getCssShadowFilter(v)}`,\n `--${k}ShadowInset: ${getCssShadow(v, true)}`\n ].join(';'))\n .join(';')\n },\n theme: {\n shadows\n }\n }\n}\n\nconst composePreset = (colors, radii, shadows, fonts) => {\n return {\n rules: {\n ...shadows.rules,\n ...colors.rules,\n ...radii.rules,\n ...fonts.rules\n },\n theme: {\n ...shadows.theme,\n ...colors.theme,\n ...radii.theme,\n ...fonts.theme\n }\n }\n}\n\nconst generatePreset = (input) => {\n const shadows = generateShadows(input)\n const colors = generateColors(input)\n const radii = generateRadii(input)\n const fonts = generateFonts(input)\n\n return composePreset(colors, radii, shadows, fonts)\n}\n\nconst getThemes = () => {\n return window.fetch('/static/styles.json')\n .then((data) => data.json())\n .then((themes) => {\n return Promise.all(Object.entries(themes).map(([k, v]) => {\n if (typeof v === 'object') {\n return Promise.resolve([k, v])\n } else if (typeof v === 'string') {\n return window.fetch(v)\n .then((data) => data.json())\n .then((theme) => {\n return [k, theme]\n })\n .catch((e) => {\n console.error(e)\n return []\n })\n }\n }))\n })\n .then((promises) => {\n return promises\n .filter(([k, v]) => v)\n .reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {})\n })\n}\n\nconst setPreset = (val, commit) => {\n getThemes().then((themes) => {\n const theme = themes[val] ? themes[val] : themes['pleroma-dark']\n const isV1 = Array.isArray(theme)\n const data = isV1 ? {} : theme.theme\n\n if (isV1) {\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 data.colors = {\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\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 applyTheme(data, commit)\n }\n })\n}\n\nexport {\n setStyle,\n setPreset,\n applyTheme,\n getTextColor,\n generateColors,\n generateRadii,\n generateShadows,\n generateFonts,\n generatePreset,\n getThemes,\n composePreset,\n getCssShadow,\n getCssShadowFilter\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/style_setter/style_setter.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 = 79\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-0a19e43c\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_avatar.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_avatar.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-0a19e43c\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_avatar.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_avatar/user_avatar.vue\n// module id = 80\n// module chunks = 2","import Vue from 'vue'\n\nimport './tab_switcher.scss'\n\nexport default Vue.component('tab-switcher', {\n name: 'TabSwitcher',\n props: ['renderOnlyFocused'],\n data () {\n return {\n active: this.$slots.default.findIndex(_ => _.tag)\n }\n },\n methods: {\n activateTab (index) {\n return () => {\n this.active = index\n }\n }\n },\n beforeUpdate () {\n const currentSlot = this.$slots.default[this.active]\n if (!currentSlot.tag) {\n this.active = this.$slots.default.findIndex(_ => _.tag)\n }\n },\n render (h) {\n const tabs = this.$slots.default\n .map((slot, index) => {\n if (!slot.tag) return\n const classesTab = ['tab']\n const classesWrapper = ['tab-wrapper']\n\n if (index === this.active) {\n classesTab.push('active')\n classesWrapper.push('active')\n }\n\n return (\n {{ importFailedText }} for paragraphs, GS uses 20\n },\n longSubject () {\n return this.status.summary.length > 900\n },\n isReply () {\n return !!(this.status.in_reply_to_status_id && this.status.in_reply_to_user_id)\n },\n replyToName () {\n const user = this.$store.state.users.usersObject[this.status.in_reply_to_user_id]\n if (user) {\n return user.screen_name\n } else {\n return this.status.in_reply_to_screen_name\n }\n },\n hideReply () {\n if (this.$store.state.config.replyVisibility === 'all') {\n return false\n }\n if (this.inlineExpanded || this.expanded || this.inConversation || !this.isReply) {\n return false\n }\n if (this.status.user.id === this.$store.state.users.currentUser.id) {\n return false\n }\n if (this.status.type === 'retweet') {\n return false\n }\n var checkFollowing = this.$store.state.config.replyVisibility === 'following'\n for (var i = 0; i < this.status.attentions.length; ++i) {\n if (this.status.user.id === this.status.attentions[i].id) {\n continue\n }\n if (checkFollowing && this.status.attentions[i].following) {\n return false\n }\n if (this.status.attentions[i].id === this.$store.state.users.currentUser.id) {\n return false\n }\n }\n return this.status.attentions.length > 0\n },\n hideSubjectStatus () {\n if (this.tallStatus && !this.localCollapseSubjectDefault) {\n return false\n }\n return !this.expandingSubject && this.status.summary\n },\n hideTallStatus () {\n if (this.status.summary && this.localCollapseSubjectDefault) {\n return false\n }\n if (this.showingTall) {\n return false\n }\n return this.tallStatus\n },\n showingMore () {\n return (this.tallStatus && this.showingTall) || (this.status.summary && this.expandingSubject)\n },\n nsfwClickthrough () {\n if (!this.status.nsfw) {\n return false\n }\n if (this.status.summary && this.localCollapseSubjectDefault) {\n return false\n }\n return true\n },\n replySubject () {\n if (!this.status.summary) return ''\n const behavior = typeof this.$store.state.config.subjectLineBehavior === 'undefined'\n ? this.$store.state.instance.subjectLineBehavior\n : this.$store.state.config.subjectLineBehavior\n const startsWithRe = this.status.summary.match(/^re[: ]/i)\n if (behavior !== 'noop' && startsWithRe || behavior === 'masto') {\n return this.status.summary\n } else if (behavior === 'email') {\n return 're: '.concat(this.status.summary)\n } else if (behavior === 'noop') {\n return ''\n }\n },\n attachmentSize () {\n if ((this.$store.state.config.hideAttachments && !this.inConversation) ||\n (this.$store.state.config.hideAttachmentsInConv && this.inConversation) ||\n (this.status.attachments.length > this.maxAttachments)) {\n return 'hide'\n } else if (this.compact) {\n return 'small'\n }\n return 'normal'\n },\n galleryTypes () {\n if (this.attachmentSize === 'hide') {\n return []\n }\n return this.$store.state.config.playVideosInModal\n ? ['image', 'video']\n : ['image']\n },\n galleryAttachments () {\n return this.status.attachments.filter(\n file => fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n },\n nonGalleryAttachments () {\n return this.status.attachments.filter(\n file => !fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n }\n },\n components: {\n Attachment,\n FavoriteButton,\n RetweetButton,\n DeleteButton,\n PostStatusForm,\n UserCardContent,\n UserAvatar,\n Gallery,\n LinkPreview\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 (event) {\n let { target } = event\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n if (target.className.match(/mention/)) {\n const href = target.getAttribute('href')\n const attn = this.status.attentions.find(attn => mentionMatchesUrl(attn, href))\n if (attn) {\n event.stopPropagation()\n event.preventDefault()\n const link = this.generateUserProfileLink(attn.id, attn.screen_name)\n this.$router.push(link)\n return\n }\n }\n window.open(target.href, '_blank')\n }\n },\n toggleReplying () {\n this.replying = !this.replying\n },\n gotoOriginal (id) {\n // only handled by conversation, not status_or_conversation\n if (this.inConversation) {\n this.$emit('goto', id)\n }\n },\n toggleExpanded () {\n this.$emit('toggleExpanded')\n },\n toggleMute () {\n this.unmuted = !this.unmuted\n },\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n toggleShowMore () {\n if (this.showingTall) {\n this.showingTall = false\n } else if (this.expandingSubject && this.status.summary) {\n this.expandingSubject = false\n } else if (this.hideTallStatus) {\n this.showingTall = true\n } else if (this.hideSubjectStatus && this.status.summary) {\n this.expandingSubject = true\n }\n },\n replyEnter (id, event) {\n this.showPreview = true\n const targetId = 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 generateUserProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n },\n setMedia () {\n const attachments = this.attachmentSize === 'hide' ? this.status.attachments : this.galleryAttachments\n return () => this.$store.dispatch('setMedia', attachments)\n }\n },\n watch: {\n 'highlight': function (id) {\n if (this.status.id === id) {\n let rect = this.$el.getBoundingClientRect()\n if (rect.top < 100) {\n // Post is above screen, match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.height >= (window.innerHeight - 50)) {\n // Post we want to see is taller than screen so match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.bottom > window.innerHeight - 50) {\n // Post is below screen, match its bottom to screen bottom\n window.scrollBy(0, rect.bottom - window.innerHeight + 50)\n }\n }\n }\n },\n filters: {\n capitalize: function (str) {\n return str.charAt(0).toUpperCase() + str.slice(1)\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 'imageLoadError'\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 const width = this.$refs.src.naturalWidth\n const height = this.$refs.src.naturalHeight\n canvas.width = width\n canvas.height = height\n canvas.getContext('2d').drawImage(this.$refs.src, 0, 0, width, height)\n },\n onError () {\n this.imageLoadError && this.imageLoadError()\n }\n }\n}\n\nexport default StillImage\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/still-image/still-image.js","import { rgb2hex, hex2rgb, getContrastRatio, alphaBlend } from '../../services/color_convert/color_convert.js'\nimport { set, delete as del } from 'vue'\nimport { generateColors, generateShadows, generateRadii, generateFonts, composePreset, getThemes } from '../../services/style_setter/style_setter.js'\nimport ColorInput from '../color_input/color_input.vue'\nimport RangeInput from '../range_input/range_input.vue'\nimport OpacityInput from '../opacity_input/opacity_input.vue'\nimport ShadowControl from '../shadow_control/shadow_control.vue'\nimport FontControl from '../font_control/font_control.vue'\nimport ContrastRatio from '../contrast_ratio/contrast_ratio.vue'\nimport TabSwitcher from '../tab_switcher/tab_switcher.js'\nimport Preview from './preview.vue'\nimport ExportImport from '../export_import/export_import.vue'\n\n// List of color values used in v1\nconst v1OnlyNames = [\n 'bg',\n 'fg',\n 'text',\n 'link',\n 'cRed',\n 'cGreen',\n 'cBlue',\n 'cOrange'\n].map(_ => _ + 'ColorLocal')\n\nexport default {\n data () {\n return {\n availableStyles: [],\n selected: this.$store.state.config.theme,\n\n previewShadows: {},\n previewColors: {},\n previewRadii: {},\n previewFonts: {},\n\n shadowsInvalid: true,\n colorsInvalid: true,\n radiiInvalid: true,\n\n keepColor: false,\n keepShadows: false,\n keepOpacity: false,\n keepRoundness: false,\n keepFonts: false,\n\n textColorLocal: '',\n linkColorLocal: '',\n\n bgColorLocal: '',\n bgOpacityLocal: undefined,\n\n fgColorLocal: '',\n fgTextColorLocal: undefined,\n fgLinkColorLocal: undefined,\n\n btnColorLocal: undefined,\n btnTextColorLocal: undefined,\n btnOpacityLocal: undefined,\n\n inputColorLocal: undefined,\n inputTextColorLocal: undefined,\n inputOpacityLocal: undefined,\n\n panelColorLocal: undefined,\n panelTextColorLocal: undefined,\n panelLinkColorLocal: undefined,\n panelFaintColorLocal: undefined,\n panelOpacityLocal: undefined,\n\n topBarColorLocal: undefined,\n topBarTextColorLocal: undefined,\n topBarLinkColorLocal: undefined,\n\n alertErrorColorLocal: undefined,\n\n badgeOpacityLocal: undefined,\n badgeNotificationColorLocal: undefined,\n\n borderColorLocal: undefined,\n borderOpacityLocal: undefined,\n\n faintColorLocal: undefined,\n faintOpacityLocal: undefined,\n faintLinkColorLocal: undefined,\n\n cRedColorLocal: '',\n cBlueColorLocal: '',\n cGreenColorLocal: '',\n cOrangeColorLocal: '',\n\n shadowSelected: undefined,\n shadowsLocal: {},\n fontsLocal: {},\n\n btnRadiusLocal: '',\n inputRadiusLocal: '',\n checkboxRadiusLocal: '',\n panelRadiusLocal: '',\n avatarRadiusLocal: '',\n avatarAltRadiusLocal: '',\n attachmentRadiusLocal: '',\n tooltipRadiusLocal: ''\n }\n },\n created () {\n const self = this\n\n getThemes().then((themesComplete) => {\n self.availableStyles = themesComplete\n })\n },\n mounted () {\n this.normalizeLocalState(this.$store.state.config.customTheme)\n if (typeof this.shadowSelected === 'undefined') {\n this.shadowSelected = this.shadowsAvailable[0]\n }\n },\n computed: {\n selectedVersion () {\n return Array.isArray(this.selected) ? 1 : 2\n },\n currentColors () {\n return {\n bg: this.bgColorLocal,\n text: this.textColorLocal,\n link: this.linkColorLocal,\n\n fg: this.fgColorLocal,\n fgText: this.fgTextColorLocal,\n fgLink: this.fgLinkColorLocal,\n\n panel: this.panelColorLocal,\n panelText: this.panelTextColorLocal,\n panelLink: this.panelLinkColorLocal,\n panelFaint: this.panelFaintColorLocal,\n\n input: this.inputColorLocal,\n inputText: this.inputTextColorLocal,\n\n topBar: this.topBarColorLocal,\n topBarText: this.topBarTextColorLocal,\n topBarLink: this.topBarLinkColorLocal,\n\n btn: this.btnColorLocal,\n btnText: this.btnTextColorLocal,\n\n alertError: this.alertErrorColorLocal,\n badgeNotification: this.badgeNotificationColorLocal,\n\n faint: this.faintColorLocal,\n faintLink: this.faintLinkColorLocal,\n border: this.borderColorLocal,\n\n cRed: this.cRedColorLocal,\n cBlue: this.cBlueColorLocal,\n cGreen: this.cGreenColorLocal,\n cOrange: this.cOrangeColorLocal\n }\n },\n currentOpacity () {\n return {\n bg: this.bgOpacityLocal,\n btn: this.btnOpacityLocal,\n input: this.inputOpacityLocal,\n panel: this.panelOpacityLocal,\n topBar: this.topBarOpacityLocal,\n border: this.borderOpacityLocal,\n faint: this.faintOpacityLocal\n }\n },\n currentRadii () {\n return {\n btn: this.btnRadiusLocal,\n input: this.inputRadiusLocal,\n checkbox: this.checkboxRadiusLocal,\n panel: this.panelRadiusLocal,\n avatar: this.avatarRadiusLocal,\n avatarAlt: this.avatarAltRadiusLocal,\n tooltip: this.tooltipRadiusLocal,\n attachment: this.attachmentRadiusLocal\n }\n },\n preview () {\n return composePreset(this.previewColors, this.previewRadii, this.previewShadows, this.previewFonts)\n },\n previewTheme () {\n if (!this.preview.theme.colors) return { colors: {}, opacity: {}, radii: {}, shadows: {}, fonts: {} }\n return this.preview.theme\n },\n // This needs optimization maybe\n previewContrast () {\n if (!this.previewTheme.colors.bg) return {}\n const colors = this.previewTheme.colors\n const opacity = this.previewTheme.opacity\n if (!colors.bg) return {}\n const hints = (ratio) => ({\n text: ratio.toPrecision(3) + ':1',\n // AA level, AAA level\n aa: ratio >= 4.5,\n aaa: ratio >= 7,\n // same but for 18pt+ texts\n laa: ratio >= 3,\n laaa: ratio >= 4.5\n })\n\n // fgsfds :DDDD\n const fgs = {\n text: hex2rgb(colors.text),\n panelText: hex2rgb(colors.panelText),\n panelLink: hex2rgb(colors.panelLink),\n btnText: hex2rgb(colors.btnText),\n topBarText: hex2rgb(colors.topBarText),\n inputText: hex2rgb(colors.inputText),\n\n link: hex2rgb(colors.link),\n topBarLink: hex2rgb(colors.topBarLink),\n\n red: hex2rgb(colors.cRed),\n green: hex2rgb(colors.cGreen),\n blue: hex2rgb(colors.cBlue),\n orange: hex2rgb(colors.cOrange)\n }\n\n const bgs = {\n bg: hex2rgb(colors.bg),\n btn: hex2rgb(colors.btn),\n panel: hex2rgb(colors.panel),\n topBar: hex2rgb(colors.topBar),\n input: hex2rgb(colors.input),\n alertError: hex2rgb(colors.alertError),\n badgeNotification: hex2rgb(colors.badgeNotification)\n }\n\n /* This is a bit confusing because \"bottom layer\" used is text color\n * This is done to get worst case scenario when background below transparent\n * layer matches text color, making it harder to read the lower alpha is.\n */\n const ratios = {\n bgText: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.text), fgs.text),\n bgLink: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.link), fgs.link),\n bgRed: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.red), fgs.red),\n bgGreen: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.green), fgs.green),\n bgBlue: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.blue), fgs.blue),\n bgOrange: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.orange), fgs.orange),\n\n tintText: getContrastRatio(alphaBlend(bgs.bg, 0.5, fgs.panelText), fgs.text),\n\n panelText: getContrastRatio(alphaBlend(bgs.panel, opacity.panel, fgs.panelText), fgs.panelText),\n panelLink: getContrastRatio(alphaBlend(bgs.panel, opacity.panel, fgs.panelLink), fgs.panelLink),\n\n btnText: getContrastRatio(alphaBlend(bgs.btn, opacity.btn, fgs.btnText), fgs.btnText),\n\n inputText: getContrastRatio(alphaBlend(bgs.input, opacity.input, fgs.inputText), fgs.inputText),\n\n topBarText: getContrastRatio(alphaBlend(bgs.topBar, opacity.topBar, fgs.topBarText), fgs.topBarText),\n topBarLink: getContrastRatio(alphaBlend(bgs.topBar, opacity.topBar, fgs.topBarLink), fgs.topBarLink)\n }\n\n return Object.entries(ratios).reduce((acc, [k, v]) => { acc[k] = hints(v); return acc }, {})\n },\n previewRules () {\n if (!this.preview.rules) return ''\n return [\n ...Object.values(this.preview.rules),\n 'color: var(--text)',\n 'font-family: var(--interfaceFont, sans-serif)'\n ].join(';')\n },\n shadowsAvailable () {\n return Object.keys(this.previewTheme.shadows).sort()\n },\n currentShadowOverriden: {\n get () {\n return !!this.currentShadow\n },\n set (val) {\n if (val) {\n set(this.shadowsLocal, this.shadowSelected, this.currentShadowFallback.map(_ => Object.assign({}, _)))\n } else {\n del(this.shadowsLocal, this.shadowSelected)\n }\n }\n },\n currentShadowFallback () {\n return this.previewTheme.shadows[this.shadowSelected]\n },\n currentShadow: {\n get () {\n return this.shadowsLocal[this.shadowSelected]\n },\n set (v) {\n set(this.shadowsLocal, this.shadowSelected, v)\n }\n },\n themeValid () {\n return !this.shadowsInvalid && !this.colorsInvalid && !this.radiiInvalid\n },\n exportedTheme () {\n const saveEverything = (\n !this.keepFonts &&\n !this.keepShadows &&\n !this.keepOpacity &&\n !this.keepRoundness &&\n !this.keepColor\n )\n\n const theme = {}\n\n if (this.keepFonts || saveEverything) {\n theme.fonts = this.fontsLocal\n }\n if (this.keepShadows || saveEverything) {\n theme.shadows = this.shadowsLocal\n }\n if (this.keepOpacity || saveEverything) {\n theme.opacity = this.currentOpacity\n }\n if (this.keepColor || saveEverything) {\n theme.colors = this.currentColors\n }\n if (this.keepRoundness || saveEverything) {\n theme.radii = this.currentRadii\n }\n\n return {\n // To separate from other random JSON files and possible future theme formats\n _pleroma_theme_version: 2, theme\n }\n }\n },\n components: {\n ColorInput,\n OpacityInput,\n RangeInput,\n ContrastRatio,\n ShadowControl,\n FontControl,\n TabSwitcher,\n Preview,\n ExportImport\n },\n methods: {\n setCustomTheme () {\n this.$store.dispatch('setOption', {\n name: 'customTheme',\n value: {\n shadows: this.shadowsLocal,\n fonts: this.fontsLocal,\n opacity: this.currentOpacity,\n colors: this.currentColors,\n radii: this.currentRadii\n }\n })\n },\n onImport (parsed) {\n if (parsed._pleroma_theme_version === 1) {\n this.normalizeLocalState(parsed, 1)\n } else if (parsed._pleroma_theme_version === 2) {\n this.normalizeLocalState(parsed.theme, 2)\n }\n },\n importValidator (parsed) {\n const version = parsed._pleroma_theme_version\n return version >= 1 || version <= 2\n },\n clearAll () {\n const state = this.$store.state.config.customTheme\n const version = state.colors ? 2 : 'l1'\n this.normalizeLocalState(this.$store.state.config.customTheme, version)\n },\n\n // Clears all the extra stuff when loading V1 theme\n clearV1 () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('ColorLocal') || _.endsWith('OpacityLocal'))\n .filter(_ => !v1OnlyNames.includes(_))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearRoundness () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('RadiusLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearOpacity () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('OpacityLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearShadows () {\n this.shadowsLocal = {}\n },\n\n clearFonts () {\n this.fontsLocal = {}\n },\n\n /**\n * This applies stored theme data onto form. Supports three versions of data:\n * v2 (version = 2) - newer version of themes.\n * v1 (version = 1) - older version of themes (import from file)\n * v1l (version = l1) - older version of theme (load from local storage)\n * v1 and v1l differ because of way themes were stored/exported.\n * @param {Object} input - input data\n * @param {Number} version - version of data. 0 means try to guess based on data. \"l1\" means v1, locastorage type\n */\n normalizeLocalState (input, version = 0) {\n const colors = input.colors || input\n const radii = input.radii || input\n const opacity = input.opacity\n const shadows = input.shadows || {}\n const fonts = input.fonts || {}\n\n if (version === 0) {\n if (input.version) version = input.version\n // Old v1 naming: fg is text, btn is foreground\n if (typeof colors.text === 'undefined' && typeof colors.fg !== 'undefined') {\n version = 1\n }\n // New v2 naming: text is text, fg is foreground\n if (typeof colors.text !== 'undefined' && typeof colors.fg !== 'undefined') {\n version = 2\n }\n }\n\n // Stuff that differs between V1 and V2\n if (version === 1) {\n this.fgColorLocal = rgb2hex(colors.btn)\n this.textColorLocal = rgb2hex(colors.fg)\n }\n\n if (!this.keepColor) {\n this.clearV1()\n const keys = new Set(version !== 1 ? Object.keys(colors) : [])\n if (version === 1 || version === 'l1') {\n keys\n .add('bg')\n .add('link')\n .add('cRed')\n .add('cBlue')\n .add('cGreen')\n .add('cOrange')\n }\n\n keys.forEach(key => {\n this[key + 'ColorLocal'] = rgb2hex(colors[key])\n })\n }\n\n if (!this.keepRoundness) {\n this.clearRoundness()\n Object.entries(radii).forEach(([k, v]) => {\n // 'Radius' is kept mostly for v1->v2 localstorage transition\n const key = k.endsWith('Radius') ? k.split('Radius')[0] : k\n this[key + 'RadiusLocal'] = v\n })\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n this.shadowsLocal = shadows\n this.shadowSelected = this.shadowsAvailable[0]\n }\n\n if (!this.keepFonts) {\n this.clearFonts()\n this.fontsLocal = fonts\n }\n\n if (opacity && !this.keepOpacity) {\n this.clearOpacity()\n Object.entries(opacity).forEach(([k, v]) => {\n if (typeof v === 'undefined' || v === null || Number.isNaN(v)) return\n this[k + 'OpacityLocal'] = v\n })\n }\n }\n },\n watch: {\n currentRadii () {\n try {\n this.previewRadii = generateRadii({ radii: this.currentRadii })\n this.radiiInvalid = false\n } catch (e) {\n this.radiiInvalid = true\n console.warn(e)\n }\n },\n shadowsLocal: {\n handler () {\n try {\n this.previewShadows = generateShadows({ shadows: this.shadowsLocal })\n this.shadowsInvalid = false\n } catch (e) {\n this.shadowsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n fontsLocal: {\n handler () {\n try {\n this.previewFonts = generateFonts({ fonts: this.fontsLocal })\n this.fontsInvalid = false\n } catch (e) {\n this.fontsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n currentColors () {\n try {\n this.previewColors = generateColors({\n opacity: this.currentOpacity,\n colors: this.currentColors\n })\n this.colorsInvalid = false\n } catch (e) {\n this.colorsInvalid = true\n console.warn(e)\n }\n },\n currentOpacity () {\n try {\n this.previewColors = generateColors({\n opacity: this.currentOpacity,\n colors: this.currentColors\n })\n } catch (e) {\n console.warn(e)\n }\n },\n selected () {\n if (this.selectedVersion === 1) {\n if (!this.keepRoundness) {\n this.clearRoundness()\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n }\n\n if (!this.keepOpacity) {\n this.clearOpacity()\n }\n\n if (!this.keepColor) {\n this.clearV1()\n\n this.bgColorLocal = this.selected[1]\n this.fgColorLocal = this.selected[2]\n this.textColorLocal = this.selected[3]\n this.linkColorLocal = this.selected[4]\n this.cRedColorLocal = this.selected[5]\n this.cGreenColorLocal = this.selected[6]\n this.cBlueColorLocal = this.selected[7]\n this.cOrangeColorLocal = this.selected[8]\n }\n } else if (this.selectedVersion >= 2) {\n this.normalizeLocalState(this.selected.theme, 2)\n }\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","const TermsOfServicePanel = {\n computed: {\n content () {\n return this.$store.state.instance.tos\n }\n }\n}\n\nexport default TermsOfServicePanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/terms_of_service_panel/terms_of_service_panel.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'\nimport { throttle } from 'lodash'\n\nconst Timeline = {\n props: [\n 'timeline',\n 'timelineName',\n 'title',\n 'userId',\n 'tag',\n 'embedded'\n ],\n data () {\n return {\n paused: false,\n unfocused: false,\n bottomedOut: false\n }\n },\n computed: {\n timelineError () { return this.$store.state.statuses.error },\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 classes () {\n return {\n root: ['timeline'].concat(!this.embedded ? ['panel', 'panel-default'] : []),\n header: ['timeline-heading'].concat(!this.embedded ? ['panel-heading'] : []),\n body: ['timeline-body'].concat(!this.embedded ? ['panel-body'] : []),\n footer: ['timeline-footer'].concat(!this.embedded ? ['panel-footer'] : [])\n }\n }\n },\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 mounted () {\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.unfocused = document.hidden\n }\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.$store.commit('setLoading', { timeline: this.timelineName, value: false })\n },\n methods: {\n showNewStatuses () {\n if (this.timeline.flushMarker !== 0) {\n this.$store.commit('clearTimeline', { timeline: this.timelineName })\n this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 })\n this.fetchOlderStatuses()\n } else {\n this.$store.commit('showNewStatuses', { timeline: this.timelineName })\n this.paused = false\n }\n },\n fetchOlderStatuses: throttle(function () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n store.commit('setLoading', { timeline: this.timelineName, value: true })\n timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n older: true,\n showImmediately: true,\n userId: this.userId,\n tag: this.tag\n }).then(statuses => {\n store.commit('setLoading', { timeline: this.timelineName, value: false })\n if (statuses.length === 0) {\n this.bottomedOut = true\n }\n })\n }, 1000, this),\n scrollLoad (e) {\n const bodyBRect = document.body.getBoundingClientRect()\n const height = Math.max(bodyBRect.height, -(bodyBRect.y))\n if (this.timeline.loading === false &&\n this.$store.state.config.autoLoad &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)) {\n this.fetchOlderStatuses()\n }\n },\n handleVisibilityChange () {\n this.unfocused = document.hidden\n }\n },\n watch: {\n newStatusCount (count) {\n if (!this.$store.state.config.streaming) {\n return\n }\n if (count > 0) {\n // only 'stream' them when you're scrolled to the top\n if (window.pageYOffset < 15 &&\n !this.paused &&\n !(this.unfocused && this.$store.state.config.pauseOnUnfocused)\n ) {\n this.showNewStatuses()\n } else {\n this.paused = true\n }\n }\n }\n }\n}\n\nexport default Timeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/timeline/timeline.js","import StillImage from '../still-image/still-image.vue'\n\nconst UserAvatar = {\n props: [\n 'src',\n 'betterShadow',\n 'compact'\n ],\n data () {\n return {\n showPlaceholder: false\n }\n },\n components: {\n StillImage\n },\n computed: {\n imgSrc () {\n return this.showPlaceholder ? '/images/avi.png' : this.src\n }\n },\n methods: {\n imageLoadError () {\n this.showPlaceholder = true\n }\n }\n}\n\nexport default UserAvatar\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_avatar/user_avatar.js","import UserCardContent from '../user_card_content/user_card_content.vue'\nimport UserAvatar from '../user_avatar/user_avatar.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\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 UserAvatar\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser }\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 userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\n }\n }\n}\n\nexport default UserCard\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_card/user_card.js","import UserAvatar from '../user_avatar/user_avatar.vue'\nimport { hex2rgb } from '../../services/color_convert/color_convert.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nexport default {\n props: [ 'user', 'switcher', 'selected', 'hideBio' ],\n data () {\n return {\n followRequestInProgress: false,\n followRequestSent: false,\n hideUserStatsLocal: typeof this.$store.state.config.hideUserStats === 'undefined'\n ? this.$store.state.instance.hideUserStats\n : this.$store.state.config.hideUserStats,\n betterShadow: this.$store.state.interface.browserSupport.cssFilter\n }\n },\n computed: {\n headingStyle () {\n const color = this.$store.state.config.customTheme.colors\n ? this.$store.state.config.customTheme.colors.bg // v2\n : this.$store.state.config.colors.bg // v1\n\n if (color) {\n const rgb = (typeof color === 'string') ? hex2rgb(color) : color\n const tintColor = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .5)`\n\n const gradient = [\n [tintColor, this.hideBio ? '60%' : ''],\n this.hideBio ? [\n color, '100%'\n ] : [\n tintColor, ''\n ]\n ].map(_ => _.join(' ')).join(', ')\n\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, ${gradient})`,\n `url(${this.user.cover_photo})`\n ].join(', ')\n }\n }\n },\n isOtherUser () {\n return this.user.id !== this.$store.state.users.currentUser.id\n },\n subscribeUrl () {\n // eslint-disable-next-line no-undef\n const serverUrl = new URL(this.user.statusnet_profile_url)\n return `${serverUrl.protocol}//${serverUrl.host}/main/ostatus`\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n dailyAvg () {\n const days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000))\n return Math.round(this.user.statuses_count / days)\n },\n userHighlightType: {\n get () {\n const data = this.$store.state.config.highlight[this.user.screen_name]\n return data && data.type || 'disabled'\n },\n set (type) {\n const data = this.$store.state.config.highlight[this.user.screen_name]\n if (type !== 'disabled') {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: data && data.color || '#FFFFFF', type })\n } else {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined })\n }\n }\n },\n userHighlightColor: {\n get () {\n const data = this.$store.state.config.highlight[this.user.screen_name]\n return data && data.color\n },\n set (color) {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color })\n }\n }\n },\n components: {\n UserAvatar\n },\n methods: {\n followUser () {\n const store = this.$store\n this.followRequestInProgress = true\n store.state.api.backendInteractor.followUser(this.user.id)\n .then((followedUser) => store.commit('addNewUsers', [followedUser]))\n .then(() => {\n // For locked users we just mark it that we sent the follow request\n if (this.user.locked) {\n this.followRequestInProgress = false\n this.followRequestSent = true\n return\n }\n\n if (this.user.following) {\n // If we get result immediately, just stop.\n this.followRequestInProgress = false\n return\n }\n\n // But usually we don't get result immediately, so we ask server\n // for updated user profile to confirm if we are following them\n // Sometimes it takes several tries. Sometimes we end up not following\n // user anyway, probably because they locked themselves and we\n // don't know that yet.\n // Recursive Promise, it will call itself up to 3 times.\n const fetchUser = (attempt) => new Promise((resolve, reject) => {\n setTimeout(() => {\n store.state.api.backendInteractor.fetchUser({ id: this.user.id })\n .then((user) => store.commit('addNewUsers', [user]))\n .then(() => resolve([this.user.following, attempt]))\n .catch((e) => reject(e))\n }, 500)\n }).then(([following, attempt]) => {\n if (!following && attempt <= 3) {\n // If we BE reports that we still not following that user - retry,\n // increment attempts by one\n return fetchUser(++attempt)\n } else {\n // If we run out of attempts, just return whatever status is.\n return following\n }\n })\n\n return fetchUser(1)\n .then((following) => {\n if (following) {\n // We confirmed and everything its good.\n this.followRequestInProgress = false\n } else {\n // If after all the tries, just treat it as if user is locked\n this.followRequestInProgress = false\n this.followRequestSent = true\n }\n })\n })\n },\n unfollowUser () {\n const store = this.$store\n this.followRequestInProgress = true\n store.state.api.backendInteractor.unfollowUser(this.user.id)\n .then((unfollowedUser) => store.commit('addNewUsers', [unfollowedUser]))\n .then(() => {\n this.followRequestInProgress = false\n })\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 linkClicked ({target}) {\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\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 this.$router.push({ name: 'user-search', query: { query: username } })\n },\n toggleHidden () {\n this.hidden = !this.hidden\n this.$emit('toggled', this.hidden)\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 UserCard from '../user_card/user_card.vue'\nimport Timeline from '../timeline/timeline.vue'\nimport FollowList from '../follow_list/follow_list.vue'\n\nconst UserProfile = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.commit('clearTimeline', { timeline: 'favorites' })\n this.$store.commit('clearTimeline', { timeline: 'media' })\n this.$store.dispatch('startFetching', ['user', this.fetchBy])\n this.$store.dispatch('startFetching', ['media', this.fetchBy])\n this.startFetchFavorites()\n if (!this.user.id) {\n this.$store.dispatch('fetchUser', this.fetchBy)\n }\n },\n destroyed () {\n this.cleanUp(this.userId)\n },\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.user\n },\n favorites () {\n return this.$store.state.statuses.timelines.favorites\n },\n media () {\n return this.$store.state.statuses.timelines.media\n },\n userId () {\n return this.$route.params.id || this.user.id\n },\n userName () {\n return this.$route.params.name || this.user.screen_name\n },\n isUs () {\n return this.userId && this.$store.state.users.currentUser.id &&\n this.userId === this.$store.state.users.currentUser.id\n },\n userInStore () {\n if (this.isExternal) {\n return this.$store.getters.userById(this.userId)\n }\n return this.$store.getters.userByName(this.userName)\n },\n user () {\n if (this.timeline.statuses[0]) {\n return this.timeline.statuses[0].user\n }\n if (this.userInStore) {\n return this.userInStore\n }\n return {}\n },\n fetchBy () {\n return this.isExternal ? this.userId : this.userName\n },\n isExternal () {\n return this.$route.name === 'external-user-profile'\n }\n },\n methods: {\n startFetchFavorites () {\n if (this.isUs) {\n this.$store.dispatch('startFetching', ['favorites', this.fetchBy])\n }\n },\n startUp () {\n this.$store.dispatch('startFetching', ['user', this.fetchBy])\n this.$store.dispatch('startFetching', ['media', this.fetchBy])\n\n this.startFetchFavorites()\n },\n cleanUp () {\n this.$store.dispatch('stopFetching', 'user')\n this.$store.dispatch('stopFetching', 'favorites')\n this.$store.dispatch('stopFetching', 'media')\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.commit('clearTimeline', { timeline: 'favorites' })\n this.$store.commit('clearTimeline', { timeline: 'media' })\n }\n },\n watch: {\n userName () {\n if (this.isExternal) {\n return\n }\n this.cleanUp()\n this.startUp()\n },\n userId () {\n if (!this.isExternal) {\n return\n }\n this.cleanUp()\n this.startUp()\n }\n },\n components: {\n UserCardContent,\n UserCard,\n Timeline,\n FollowList\n }\n}\n\nexport default UserProfile\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_profile/user_profile.js","import UserCard from '../user_card/user_card.vue'\nimport userSearchApi from '../../services/new_api/user_search.js'\nconst userSearch = {\n components: {\n UserCard\n },\n props: [\n 'query'\n ],\n data () {\n return {\n username: '',\n users: []\n }\n },\n mounted () {\n this.search(this.query)\n },\n watch: {\n query (newV) {\n this.search(newV)\n }\n },\n methods: {\n newQuery (query) {\n this.$router.push({ name: 'user-search', query: { query } })\n },\n search (query) {\n if (!query) {\n this.users = []\n return\n }\n userSearchApi.search({query, store: this.$store})\n .then((res) => {\n this.users = res\n })\n }\n }\n}\n\nexport default userSearch\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_search/user_search.js","import { unescape } from 'lodash'\n\nimport TabSwitcher from '../tab_switcher/tab_switcher.js'\nimport StyleSwitcher from '../style_switcher/style_switcher.vue'\nimport fileSizeFormatService from '../../services/file_size_format/file_size_format.js'\n\nconst UserSettings = {\n data () {\n return {\n newName: this.$store.state.users.currentUser.name,\n newBio: unescape(this.$store.state.users.currentUser.description),\n newLocked: this.$store.state.users.currentUser.locked,\n newNoRichText: this.$store.state.users.currentUser.no_rich_text,\n newDefaultScope: this.$store.state.users.currentUser.default_scope,\n hideFollowings: this.$store.state.users.currentUser.hide_followings,\n hideFollowers: this.$store.state.users.currentUser.hide_followers,\n followList: null,\n followImportError: false,\n followsImported: false,\n enableFollowsExport: true,\n avatarUploading: false,\n bannerUploading: false,\n backgroundUploading: false,\n followListUploading: false,\n avatarPreview: null,\n bannerPreview: null,\n backgroundPreview: null,\n avatarUploadError: null,\n bannerUploadError: null,\n backgroundUploadError: null,\n deletingAccount: false,\n deleteAccountConfirmPasswordInput: '',\n deleteAccountError: false,\n changePasswordInputs: [ '', '', '' ],\n changedPassword: false,\n changePasswordError: false,\n activeTab: 'profile'\n }\n },\n components: {\n StyleSwitcher,\n TabSwitcher\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n pleromaBackend () {\n return this.$store.state.instance.pleromaBackend\n },\n scopeOptionsEnabled () {\n return this.$store.state.instance.scopeOptionsEnabled\n },\n vis () {\n return {\n public: { selected: this.newDefaultScope === 'public' },\n unlisted: { selected: this.newDefaultScope === 'unlisted' },\n private: { selected: this.newDefaultScope === 'private' },\n direct: { selected: this.newDefaultScope === 'direct' }\n }\n }\n },\n methods: {\n updateProfile () {\n const name = this.newName\n const description = this.newBio\n const locked = this.newLocked\n // Backend notation.\n /* eslint-disable camelcase */\n const default_scope = this.newDefaultScope\n const no_rich_text = this.newNoRichText\n const hide_followings = this.hideFollowings\n const hide_followers = this.hideFollowers\n /* eslint-enable camelcase */\n this.$store.state.api.backendInteractor\n .updateProfile({\n params: {\n name,\n description,\n locked,\n // Backend notation.\n /* eslint-disable camelcase */\n default_scope,\n no_rich_text,\n hide_followings,\n hide_followers\n /* eslint-enable camelcase */\n }}).then((user) => {\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n }\n })\n },\n changeVis (visibility) {\n this.newDefaultScope = visibility\n },\n uploadFile (slot, e) {\n const file = e.target.files[0]\n if (!file) { return }\n if (file.size > this.$store.state.instance[slot + 'limit']) {\n const filesize = fileSizeFormatService.fileSizeFormat(file.size)\n const allowedsize = fileSizeFormatService.fileSizeFormat(this.$store.state.instance[slot + 'limit'])\n this[slot + 'UploadError'] = this.$t('upload.error.base') + ' ' + this.$t('upload.error.file_too_big', {filesize: filesize.num, filesizeunit: filesize.unit, allowedsize: allowedsize.num, allowedsizeunit: allowedsize.unit})\n return\n }\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({target}) => {\n const img = target.result\n this[slot + 'Preview'] = img\n }\n reader.readAsDataURL(file)\n },\n submitAvatar () {\n if (!this.avatarPreview) { return }\n\n let img = this.avatarPreview\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.avatarUploading = 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.avatarPreview = null\n } else {\n this.avatarUploadError = this.$t('upload.error.base') + user.error\n }\n this.avatarUploading = false\n })\n },\n clearUploadError (slot) {\n this[slot + 'UploadError'] = null\n },\n submitBanner () {\n if (!this.bannerPreview) { return }\n\n let banner = this.bannerPreview\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.bannerUploading = 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.bannerPreview = null\n } else {\n this.bannerUploadError = this.$t('upload.error.base') + data.error\n }\n this.bannerUploading = false\n })\n /* eslint-enable camelcase */\n },\n submitBg () {\n if (!this.backgroundPreview) { return }\n let img = this.backgroundPreview\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.backgroundUploading = 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.backgroundPreview = null\n } else {\n this.backgroundUploadError = this.$t('upload.error.base') + data.error\n }\n this.backgroundUploading = false\n })\n },\n importFollows () {\n this.followListUploading = 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.followListUploading = 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 setTimeout(() => { this.enableFollowsExport = true }, 2000)\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({name: 'root'})\n } else {\n this.deleteAccountError = res.error\n }\n })\n },\n changePassword () {\n const params = {\n password: this.changePasswordInputs[0],\n newPassword: this.changePasswordInputs[1],\n newPasswordConfirmation: this.changePasswordInputs[2]\n }\n this.$store.state.api.backendInteractor.changePassword(params)\n .then((res) => {\n if (res.status === 'success') {\n this.changedPassword = true\n this.changePasswordError = false\n this.logout()\n } else {\n this.changedPassword = false\n this.changePasswordError = res.error\n }\n })\n },\n activateTab (tabName) {\n this.activeTab = tabName\n },\n logout () {\n this.$store.dispatch('logout')\n this.$router.replace('/')\n }\n }\n}\n\nexport default UserSettings\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_settings/user_settings.js","\nconst VideoAttachment = {\n props: ['attachment', 'controls'],\n data () {\n return {\n loopVideo: this.$store.state.config.loopVideo\n }\n },\n methods: {\n onVideoDataLoad (e) {\n const target = e.srcElement || e.target\n if (typeof target.webkitAudioDecodedByteCount !== 'undefined') {\n // non-zero if video has audio track\n if (target.webkitAudioDecodedByteCount > 0) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n } else if (typeof target.mozHasAudio !== 'undefined') {\n // true if video has audio track\n if (target.mozHasAudio) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n } else if (typeof target.audioTracks !== 'undefined') {\n if (target.audioTracks.length > 0) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n }\n }\n }\n}\n\nexport default VideoAttachment\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/video_attachment/video_attachment.js","import apiService from '../../services/api/api.service.js'\nimport UserCard from '../user_card/user_card.vue'\n\nconst WhoToFollow = {\n components: {\n UserCard\n },\n data () {\n return {\n users: []\n }\n },\n mounted () {\n this.getWhoToFollow()\n },\n methods: {\n showWhoToFollow (reply) {\n reply.forEach((i, index) => {\n const user = {\n id: 0,\n name: i.display_name,\n screen_name: i.acct,\n profile_image_url: i.avatar || '/images/avi.png'\n }\n this.users.push(user)\n\n this.$store.state.api.backendInteractor.externalProfile(user.screen_name)\n .then((externalUser) => {\n if (!externalUser.error) {\n this.$store.commit('addNewUsers', [externalUser])\n user.id = externalUser.id\n }\n })\n })\n },\n getWhoToFollow () {\n const credentials = this.$store.state.users.currentUser.credentials\n if (credentials) {\n apiService.suggestions({credentials: credentials})\n .then((reply) => {\n this.showWhoToFollow(reply)\n })\n }\n }\n }\n}\n\nexport default WhoToFollow\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/who_to_follow/who_to_follow.js","import apiService from '../../services/api/api.service.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { shuffle } from 'lodash'\n\nfunction showWhoToFollow (panel, reply) {\n const shuffled = shuffle(reply)\n\n panel.usersToFollow.forEach((toFollow, index) => {\n let user = shuffled[index]\n let img = user.avatar || '/images/avi.png'\n let name = user.acct\n\n toFollow.img = img\n toFollow.name = name\n\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n toFollow.id = externalUser.id\n }\n })\n })\n}\n\nfunction getWhoToFollow (panel) {\n var credentials = panel.$store.state.users.currentUser.credentials\n if (credentials) {\n panel.usersToFollow.forEach(toFollow => {\n toFollow.name = 'Loading...'\n })\n apiService.suggestions({credentials: credentials})\n .then((reply) => {\n showWhoToFollow(panel, reply)\n })\n }\n}\n\nconst WhoToFollowPanel = {\n data: () => ({\n usersToFollow: new Array(3).fill().map(x => (\n {\n img: '/images/avi.png',\n name: '',\n id: 0\n }\n ))\n }),\n computed: {\n user: function () {\n return this.$store.state.users.currentUser.screen_name\n },\n suggestionsEnabled () {\n return this.$store.state.instance.suggestionsEnabled\n }\n },\n methods: {\n userProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n }\n },\n watch: {\n user: function (user, oldUser) {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n },\n mounted:\n function () {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n}\n\nexport default WhoToFollowPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/who_to_follow_panel/who_to_follow_panel.js","module.exports = {\"chat\":{\"title\":\"الدردشة\"},\"features_panel\":{\"chat\":\"الدردشة\",\"gopher\":\"غوفر\",\"media_proxy\":\"بروكسي الوسائط\",\"scope_options\":\"\",\"text_limit\":\"الحد الأقصى للنص\",\"title\":\"الميّزات\",\"who_to_follow\":\"للمتابعة\"},\"finder\":{\"error_fetching_user\":\"خطأ أثناء جلب صفحة المستخدم\",\"find_user\":\"البحث عن مستخدِم\"},\"general\":{\"apply\":\"تطبيق\",\"submit\":\"إرسال\"},\"login\":{\"login\":\"تسجيل الدخول\",\"logout\":\"الخروج\",\"password\":\"الكلمة السرية\",\"placeholder\":\"مثال lain\",\"register\":\"انشاء حساب\",\"username\":\"إسم المستخدم\"},\"nav\":{\"chat\":\"الدردشة المحلية\",\"friend_requests\":\"طلبات المتابَعة\",\"mentions\":\"الإشارات\",\"public_tl\":\"الخيط الزمني العام\",\"timeline\":\"الخيط الزمني\",\"twkn\":\"كافة الشبكة المعروفة\"},\"notifications\":{\"broken_favorite\":\"منشور مجهول، جارٍ البحث عنه…\",\"favorited_you\":\"أعجِب بمنشورك\",\"followed_you\":\"يُتابعك\",\"load_older\":\"تحميل الإشعارات الأقدم\",\"notifications\":\"الإخطارات\",\"read\":\"مقروء!\",\"repeated_you\":\"شارَك منشورك\"},\"post_status\":{\"account_not_locked_warning\":\"\",\"account_not_locked_warning_link\":\"مقفل\",\"attachments_sensitive\":\"اعتبر المرفقات كلها كمحتوى حساس\",\"content_type\":{\"plain_text\":\"نص صافٍ\"},\"content_warning\":\"الموضوع (اختياري)\",\"default\":\"وصلت للتوّ إلى لوس أنجلس.\",\"direct_warning\":\"\",\"posting\":\"النشر\",\"scope\":{\"direct\":\"\",\"private\":\"\",\"public\":\"علني - يُنشر على الخيوط الزمنية العمومية\",\"unlisted\":\"غير مُدرَج - لا يُنشَر على الخيوط الزمنية العمومية\"}},\"registration\":{\"bio\":\"السيرة الذاتية\",\"email\":\"عنوان البريد الإلكتروني\",\"fullname\":\"الإسم المعروض\",\"password_confirm\":\"تأكيد الكلمة السرية\",\"registration\":\"التسجيل\",\"token\":\"رمز الدعوة\"},\"settings\":{\"attachmentRadius\":\"المُرفَقات\",\"attachments\":\"المُرفَقات\",\"autoload\":\"\",\"avatar\":\"الصورة الرمزية\",\"avatarAltRadius\":\"الصور الرمزية (الإشعارات)\",\"avatarRadius\":\"الصور الرمزية\",\"background\":\"الخلفية\",\"bio\":\"السيرة الذاتية\",\"btnRadius\":\"الأزرار\",\"cBlue\":\"أزرق (الرد، المتابَعة)\",\"cGreen\":\"أخضر (إعادة النشر)\",\"cOrange\":\"برتقالي (مفضلة)\",\"cRed\":\"أحمر (إلغاء)\",\"change_password\":\"تغيير كلمة السر\",\"change_password_error\":\"وقع هناك خلل أثناء تعديل كلمتك السرية.\",\"changed_password\":\"تم تغيير كلمة المرور بنجاح!\",\"collapse_subject\":\"\",\"confirm_new_password\":\"تأكيد كلمة السر الجديدة\",\"current_avatar\":\"صورتك الرمزية الحالية\",\"current_password\":\"كلمة السر الحالية\",\"current_profile_banner\":\"الرأسية الحالية لصفحتك الشخصية\",\"data_import_export_tab\":\"تصدير واستيراد البيانات\",\"default_vis\":\"أسلوب العرض الافتراضي\",\"delete_account\":\"حذف الحساب\",\"delete_account_description\":\"حذف حسابك و كافة منشوراتك نهائيًا.\",\"delete_account_error\":\"\",\"delete_account_instructions\":\"يُرجى إدخال كلمتك السرية أدناه لتأكيد عملية حذف الحساب.\",\"export_theme\":\"حفظ النموذج\",\"filtering\":\"التصفية\",\"filtering_explanation\":\"سيتم إخفاء كافة المنشورات التي تحتوي على هذه الكلمات، كلمة واحدة في كل سطر\",\"follow_export\":\"تصدير الاشتراكات\",\"follow_export_button\":\"تصدير الاشتراكات كملف csv\",\"follow_export_processing\":\"التصدير جارٍ، سوف يُطلَب منك تنزيل ملفك بعد حين\",\"follow_import\":\"استيراد الاشتراكات\",\"follow_import_error\":\"خطأ أثناء استيراد المتابِعين\",\"follows_imported\":\"\",\"foreground\":\"الأمامية\",\"general\":\"الإعدادات العامة\",\"hide_attachments_in_convo\":\"إخفاء المرفقات على المحادثات\",\"hide_attachments_in_tl\":\"إخفاء المرفقات على الخيط الزمني\",\"hide_post_stats\":\"\",\"hide_user_stats\":\"\",\"import_followers_from_a_csv_file\":\"\",\"import_theme\":\"تحميل نموذج\",\"inputRadius\":\"\",\"instance_default\":\"\",\"interfaceLanguage\":\"لغة الواجهة\",\"invalid_theme_imported\":\"\",\"limited_availability\":\"غير متوفر على متصفحك\",\"links\":\"الروابط\",\"lock_account_description\":\"\",\"loop_video\":\"\",\"loop_video_silent_only\":\"\",\"name\":\"الاسم\",\"name_bio\":\"الاسم والسيرة الذاتية\",\"new_password\":\"كلمة السر الجديدة\",\"no_rich_text_description\":\"\",\"notification_visibility\":\"نوع الإشعارات التي تريد عرضها\",\"notification_visibility_follows\":\"يتابع\",\"notification_visibility_likes\":\"الإعجابات\",\"notification_visibility_mentions\":\"الإشارات\",\"notification_visibility_repeats\":\"\",\"nsfw_clickthrough\":\"\",\"panelRadius\":\"\",\"pause_on_unfocused\":\"\",\"presets\":\"النماذج\",\"profile_background\":\"خلفية الصفحة الشخصية\",\"profile_banner\":\"رأسية الصفحة الشخصية\",\"profile_tab\":\"الملف الشخصي\",\"radii_help\":\"\",\"replies_in_timeline\":\"الردود على الخيط الزمني\",\"reply_link_preview\":\"\",\"reply_visibility_all\":\"عرض كافة الردود\",\"reply_visibility_following\":\"\",\"reply_visibility_self\":\"\",\"saving_err\":\"خطأ أثناء حفظ الإعدادات\",\"saving_ok\":\"تم حفظ الإعدادات\",\"security_tab\":\"الأمان\",\"set_new_avatar\":\"اختيار صورة رمزية جديدة\",\"set_new_profile_background\":\"اختيار خلفية جديدة للملف الشخصي\",\"set_new_profile_banner\":\"اختيار رأسية جديدة للصفحة الشخصية\",\"settings\":\"الإعدادات\",\"stop_gifs\":\"\",\"streaming\":\"\",\"text\":\"النص\",\"theme\":\"المظهر\",\"theme_help\":\"\",\"tooltipRadius\":\"\",\"user_settings\":\"إعدادات المستخدم\",\"values\":{\"false\":\"لا\",\"true\":\"نعم\"}},\"timeline\":{\"collapse\":\"\",\"conversation\":\"محادثة\",\"error_fetching\":\"خطأ أثناء جلب التحديثات\",\"load_older\":\"تحميل المنشورات القديمة\",\"no_retweet_hint\":\"\",\"repeated\":\"\",\"show_new\":\"عرض الجديد\",\"up_to_date\":\"تم تحديثه\"},\"user_card\":{\"approve\":\"قبول\",\"block\":\"حظر\",\"blocked\":\"تم حظره!\",\"deny\":\"رفض\",\"follow\":\"اتبع\",\"followees\":\"\",\"followers\":\"مُتابِعون\",\"following\":\"\",\"follows_you\":\"يتابعك!\",\"mute\":\"كتم\",\"muted\":\"تم كتمه\",\"per_day\":\"في اليوم\",\"remote_follow\":\"مُتابَعة عن بُعد\",\"statuses\":\"المنشورات\"},\"user_profile\":{\"timeline_title\":\"الخيط الزمني للمستخدم\"},\"who_to_follow\":{\"more\":\"المزيد\",\"who_to_follow\":\"للمتابعة\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ar.json\n// module id = 398\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Xat\"},\"features_panel\":{\"chat\":\"Xat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy per multimèdia\",\"scope_options\":\"Opcions d'abast i visibilitat\",\"text_limit\":\"Límit de text\",\"title\":\"Funcionalitats\",\"who_to_follow\":\"A qui seguir\"},\"finder\":{\"error_fetching_user\":\"No s'ha pogut carregar l'usuari/a\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Aplica\",\"submit\":\"Desa\"},\"login\":{\"login\":\"Inicia sessió\",\"logout\":\"Tanca la sessió\",\"password\":\"Contrasenya\",\"placeholder\":\"p.ex.: Maria\",\"register\":\"Registra't\",\"username\":\"Nom d'usuari/a\"},\"nav\":{\"chat\":\"Xat local públic\",\"friend_requests\":\"Soŀlicituds de connexió\",\"mentions\":\"Mencions\",\"public_tl\":\"Flux públic del node\",\"timeline\":\"Flux personal\",\"twkn\":\"Flux de la xarxa coneguda\"},\"notifications\":{\"broken_favorite\":\"No es coneix aquest estat. S'està cercant.\",\"favorited_you\":\"ha marcat un estat teu\",\"followed_you\":\"ha començat a seguir-te\",\"load_older\":\"Carrega més notificacions\",\"notifications\":\"Notificacions\",\"read\":\"Read!\",\"repeated_you\":\"ha repetit el teu estat\"},\"post_status\":{\"account_not_locked_warning\":\"El teu compte no està {0}. Qualsevol persona pot seguir-te per llegir les teves entrades reservades només a seguidores.\",\"account_not_locked_warning_link\":\"bloquejat\",\"attachments_sensitive\":\"Marca l'adjunt com a delicat\",\"content_type\":{\"plain_text\":\"Text pla\"},\"content_warning\":\"Assumpte (opcional)\",\"default\":\"Em sento…\",\"direct_warning\":\"Aquesta entrada només serà visible per les usuràries que etiquetis\",\"posting\":\"Publicació\",\"scope\":{\"direct\":\"Directa - Publica només per les usuàries etiquetades\",\"private\":\"Només seguidors/es - Publica només per comptes que et segueixin\",\"public\":\"Pública - Publica als fluxos públics\",\"unlisted\":\"Silenciosa - No la mostris en fluxos públics\"}},\"registration\":{\"bio\":\"Presentació\",\"email\":\"Correu\",\"fullname\":\"Nom per mostrar\",\"password_confirm\":\"Confirma la contrasenya\",\"registration\":\"Registra't\",\"token\":\"Codi d'invitació\"},\"settings\":{\"attachmentRadius\":\"Adjunts\",\"attachments\":\"Adjunts\",\"autoload\":\"Recarrega automàticament en arribar a sota de tot.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars en les notificacions\",\"avatarRadius\":\"Avatars\",\"background\":\"Fons de pantalla\",\"bio\":\"Presentació\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (respon, segueix)\",\"cGreen\":\"Verd (republica)\",\"cOrange\":\"Taronja (marca com a preferit)\",\"cRed\":\"Vermell (canceŀla)\",\"change_password\":\"Canvia la contrasenya\",\"change_password_error\":\"No s'ha pogut canviar la contrasenya\",\"changed_password\":\"S'ha canviat la contrasenya\",\"collapse_subject\":\"Replega les entrades amb títol\",\"confirm_new_password\":\"Confirma la nova contrasenya\",\"current_avatar\":\"L'avatar actual\",\"current_password\":\"La contrasenya actual\",\"current_profile_banner\":\"El fons de perfil actual\",\"data_import_export_tab\":\"Importa o exporta dades\",\"default_vis\":\"Abast per defecte de les entrades\",\"delete_account\":\"Esborra el compte\",\"delete_account_description\":\"Esborra permanentment el teu compte i tots els missatges\",\"delete_account_error\":\"No s'ha pogut esborrar el compte. Si continua el problema, contacta amb l'administració del node\",\"delete_account_instructions\":\"Confirma que vols esborrar el compte escrivint la teva contrasenya aquí sota\",\"export_theme\":\"Desa el tema\",\"filtering\":\"Filtres\",\"filtering_explanation\":\"Es silenciaran totes les entrades que continguin aquestes paraules. Separa-les per línies\",\"follow_export\":\"Exporta la llista de contactes\",\"follow_export_button\":\"Exporta tots els comptes que segueixes a un fitxer CSV\",\"follow_export_processing\":\"S'està processant la petició. Aviat podràs descarregar el fitxer\",\"follow_import\":\"Importa els contactes\",\"follow_import_error\":\"No s'ha pogut importar els contactes\",\"follows_imported\":\"S'han importat els contactes. Trigaran una estoneta en ser processats.\",\"foreground\":\"Primer pla\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Amaga els adjunts en les converses\",\"hide_attachments_in_tl\":\"Amaga els adjunts en el flux d'entrades\",\"import_followers_from_a_csv_file\":\"Importa els contactes des d'un fitxer CSV\",\"import_theme\":\"Carrega un tema\",\"inputRadius\":\"Caixes d'entrada de text\",\"instance_default\":\"(default: {value})\",\"interfaceLanguage\":\"Llengua de la interfície\",\"invalid_theme_imported\":\"No s'ha entès l'arxiu carregat perquè no és un tema vàlid de Pleroma. No s'ha fet cap canvi als temes actuals.\",\"limited_availability\":\"No està disponible en aquest navegador\",\"links\":\"Enllaços\",\"lock_account_description\":\"Restringeix el teu compte només a seguidores aprovades.\",\"loop_video\":\"Reprodueix els vídeos en bucle\",\"loop_video_silent_only\":\"Reprodueix en bucles només els vídeos sense so (com els \\\"GIF\\\" de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom i presentació\",\"new_password\":\"Contrasenya nova\",\"notification_visibility\":\"Notifica'm quan algú\",\"notification_visibility_follows\":\"Comença a seguir-me\",\"notification_visibility_likes\":\"Marca com a preferida una entrada meva\",\"notification_visibility_mentions\":\"Em menciona\",\"notification_visibility_repeats\":\"Republica una entrada meva\",\"no_rich_text_description\":\"Neteja el formatat de text de totes les entrades\",\"nsfw_clickthrough\":\"Amaga el contingut NSFW darrer d'una imatge clicable\",\"panelRadius\":\"Panells\",\"pause_on_unfocused\":\"Pausa la reproducció en continu quan la pestanya perdi el focus\",\"presets\":\"Temes\",\"profile_background\":\"Fons de pantalla\",\"profile_banner\":\"Fons de perfil\",\"profile_tab\":\"Perfil\",\"radii_help\":\"Configura l'arrodoniment de les vores (en píxels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Mostra el missatge citat en passar el ratolí per sobre de l'enllaç de resposta\",\"reply_visibility_all\":\"Mostra totes les respostes\",\"reply_visibility_following\":\"Mostra només les respostes a entrades meves o d'usuàries que jo segueixo\",\"reply_visibility_self\":\"Mostra només les respostes a entrades meves\",\"saving_err\":\"No s'ha pogut desar la configuració\",\"saving_ok\":\"S'ha desat la configuració\",\"security_tab\":\"Seguretat\",\"set_new_avatar\":\"Canvia l'avatar\",\"set_new_profile_background\":\"Canvia el fons de pantalla\",\"set_new_profile_banner\":\"Canvia el fons del perfil\",\"settings\":\"Configuració\",\"stop_gifs\":\"Anima els GIF només en passar-hi el ratolí per sobre\",\"streaming\":\"Carrega automàticament entrades noves quan estigui a dalt de tot\",\"text\":\"Text\",\"theme\":\"Tema\",\"theme_help\":\"Personalitza els colors del tema. Escriu-los en format RGB hexadecimal (#rrggbb)\",\"tooltipRadius\":\"Missatges sobreposats\",\"user_settings\":\"Configuració personal\",\"values\":{\"false\":\"no\",\"true\":\"sí\"}},\"timeline\":{\"collapse\":\"Replega\",\"conversation\":\"Conversa\",\"error_fetching\":\"S'ha produït un error en carregar les entrades\",\"load_older\":\"Carrega entrades anteriors\",\"no_retweet_hint\":\"L'entrada és només per a seguidores o és \\\"directa\\\", i per tant no es pot republicar\",\"repeated\":\"republicat\",\"show_new\":\"Mostra els nous\",\"up_to_date\":\"Actualitzat\"},\"user_card\":{\"approve\":\"Aprova\",\"block\":\"Bloqueja\",\"blocked\":\"Bloquejat!\",\"deny\":\"Denega\",\"follow\":\"Segueix\",\"followees\":\"Segueixo\",\"followers\":\"Seguidors/es\",\"following\":\"Seguint!\",\"follows_you\":\"Et segueix!\",\"mute\":\"Silencia\",\"muted\":\"Silenciat\",\"per_day\":\"per dia\",\"remote_follow\":\"Seguiment remot\",\"statuses\":\"Estats\"},\"user_profile\":{\"timeline_title\":\"Flux personal\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"A qui seguir\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ca.json\n// module id = 399\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media Proxy\",\"scope_options\":\"Reichweitenoptionen\",\"text_limit\":\"Textlimit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Fehler beim Suchen des Benutzers\",\"find_user\":\"Finde Benutzer\"},\"general\":{\"apply\":\"Anwenden\",\"submit\":\"Absenden\"},\"login\":{\"login\":\"Anmelden\",\"description\":\"Mit OAuth anmelden\",\"logout\":\"Abmelden\",\"password\":\"Passwort\",\"placeholder\":\"z.B. lain\",\"register\":\"Registrieren\",\"username\":\"Benutzername\"},\"nav\":{\"back\":\"Zurück\",\"chat\":\"Lokaler Chat\",\"friend_requests\":\"Followanfragen\",\"mentions\":\"Erwähnungen\",\"dms\":\"Direktnachrichten\",\"public_tl\":\"Öffentliche Zeitleiste\",\"timeline\":\"Zeitleiste\",\"twkn\":\"Das gesamte bekannte Netzwerk\",\"user_search\":\"Benutzersuche\",\"preferences\":\"Voreinstellungen\"},\"notifications\":{\"broken_favorite\":\"Unbekannte Nachricht, suche danach...\",\"favorited_you\":\"favorisierte deine Nachricht\",\"followed_you\":\"folgt dir\",\"load_older\":\"Ältere Benachrichtigungen laden\",\"notifications\":\"Benachrichtigungen\",\"read\":\"Gelesen!\",\"repeated_you\":\"wiederholte deine Nachricht\"},\"post_status\":{\"new_status\":\"Neuen Status veröffentlichen\",\"account_not_locked_warning\":\"Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.\",\"account_not_locked_warning_link\":\"gesperrt\",\"attachments_sensitive\":\"Anhänge als heikel markieren\",\"content_type\":{\"plain_text\":\"Nur Text\"},\"content_warning\":\"Betreff (optional)\",\"default\":\"Sitze gerade im Hofbräuhaus.\",\"direct_warning\":\"Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.\",\"posting\":\"Veröffentlichen\",\"scope\":{\"direct\":\"Direkt - Beitrag nur an erwähnte Profile\",\"private\":\"Nur Follower - Beitrag nur für Follower sichtbar\",\"public\":\"Öffentlich - Beitrag an öffentliche Zeitleisten\",\"unlisted\":\"Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Angezeigter Name\",\"password_confirm\":\"Passwort bestätigen\",\"registration\":\"Registrierung\",\"token\":\"Einladungsschlüssel\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Zum Erstellen eines neuen Captcha auf das Bild klicken.\",\"validations\":{\"username_required\":\"darf nicht leer sein\",\"fullname_required\":\"darf nicht leer sein\",\"email_required\":\"darf nicht leer sein\",\"password_required\":\"darf nicht leer sein\",\"password_confirmation_required\":\"darf nicht leer sein\",\"password_confirmation_match\":\"sollte mit dem Passwort identisch sein.\"}},\"settings\":{\"attachmentRadius\":\"Anhänge\",\"attachments\":\"Anhänge\",\"autoload\":\"Aktiviere automatisches Laden von älteren Beiträgen beim scrollen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatare (Benachrichtigungen)\",\"avatarRadius\":\"Avatare\",\"background\":\"Hintergrund\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blau (Antworten, Folgt dir)\",\"cGreen\":\"Grün (Retweet)\",\"cOrange\":\"Orange (Favorisieren)\",\"cRed\":\"Rot (Abbrechen)\",\"change_password\":\"Passwort ändern\",\"change_password_error\":\"Es gab ein Problem bei der Änderung des Passworts.\",\"changed_password\":\"Passwort erfolgreich geändert!\",\"collapse_subject\":\"Beiträge mit Betreff einklappen\",\"composing\":\"Verfassen\",\"confirm_new_password\":\"Neues Passwort bestätigen\",\"current_avatar\":\"Dein derzeitiger Avatar\",\"current_password\":\"Aktuelles Passwort\",\"current_profile_banner\":\"Der derzeitige Banner deines Profils\",\"data_import_export_tab\":\"Datenimport/-export\",\"default_vis\":\"Standard-Sichtbarkeitsumfang\",\"delete_account\":\"Account löschen\",\"delete_account_description\":\"Lösche deinen Account und alle deine Nachrichten unwiderruflich.\",\"delete_account_error\":\"Es ist ein Fehler beim Löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.\",\"delete_account_instructions\":\"Tippe dein Passwort unten in das Feld ein, um die Löschung deines Accounts zu bestätigen.\",\"export_theme\":\"Farbschema speichern\",\"filtering\":\"Filtern\",\"filtering_explanation\":\"Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.\",\"follow_export\":\"Follower exportieren\",\"follow_export_button\":\"Exportiere deine Follows in eine csv-Datei\",\"follow_export_processing\":\"In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.\",\"follow_import\":\"Followers importieren\",\"follow_import_error\":\"Fehler beim importieren der Follower\",\"follows_imported\":\"Followers importiert! Die Bearbeitung kann eine Zeit lang dauern.\",\"foreground\":\"Vordergrund\",\"general\":\"Allgemein\",\"hide_attachments_in_convo\":\"Anhänge in Unterhaltungen ausblenden\",\"hide_attachments_in_tl\":\"Anhänge in der Zeitleiste ausblenden\",\"hide_isp\":\"Instanz-spezifisches Panel ausblenden\",\"preload_images\":\"Bilder vorausladen\",\"hide_post_stats\":\"Beitragsstatistiken verbergen (z.B. die Anzahl der Favoriten)\",\"hide_user_stats\":\"Benutzerstatistiken verbergen (z.B. die Anzahl der Follower)\",\"import_followers_from_a_csv_file\":\"Importiere Follower, denen du folgen möchtest, aus einer CSV-Datei\",\"import_theme\":\"Farbschema laden\",\"inputRadius\":\"Eingabefelder\",\"checkboxRadius\":\"Auswahlfelder\",\"instance_default\":\"(Standard: {value})\",\"instance_default_simple\":\"(Standard)\",\"interface\":\"Oberfläche\",\"interfaceLanguage\":\"Sprache der Oberfläche\",\"invalid_theme_imported\":\"Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.\",\"limited_availability\":\"In deinem Browser nicht verfügbar\",\"links\":\"Links\",\"lock_account_description\":\"Sperre deinen Account, um neue Follower zu genehmigen oder abzulehnen\",\"loop_video\":\"Videos wiederholen\",\"loop_video_silent_only\":\"Nur Videos ohne Ton wiederholen (z.B. Mastodons \\\"gifs\\\")\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"Neues Passwort\",\"notification_visibility\":\"Benachrichtigungstypen, die angezeigt werden sollen\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Favoriten\",\"notification_visibility_mentions\":\"Erwähnungen\",\"notification_visibility_repeats\":\"Wiederholungen\",\"no_rich_text_description\":\"Rich-Text Formatierungen von allen Beiträgen entfernen\",\"hide_followings_description\":\"Zeige nicht, wem ich folge\",\"hide_followers_description\":\"Zeige nicht, wer mir folgt\",\"nsfw_clickthrough\":\"Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Streaming pausieren, wenn das Tab nicht fokussiert ist\",\"presets\":\"Voreinstellungen\",\"profile_background\":\"Profilhintergrund\",\"profile_banner\":\"Profilbanner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Kantenrundung (in Pixel) der Oberfläche anpassen\",\"replies_in_timeline\":\"Antworten in der Zeitleiste\",\"reply_link_preview\":\"Antwortlink-Vorschau beim Überfahren mit der Maus aktivieren\",\"reply_visibility_all\":\"Alle Antworten zeigen\",\"reply_visibility_following\":\"Zeige nur Antworten an mich oder an Benutzer, denen ich folge\",\"reply_visibility_self\":\"Nur Antworten an mich anzeigen\",\"saving_err\":\"Fehler beim Speichern der Einstellungen\",\"saving_ok\":\"Einstellungen gespeichert\",\"security_tab\":\"Sicherheit\",\"scope_copy\":\"Reichweite beim Antworten übernehmen (Direktnachrichten werden immer kopiert)\",\"set_new_avatar\":\"Setze einen neuen Avatar\",\"set_new_profile_background\":\"Setze einen neuen Hintergrund für dein Profil\",\"set_new_profile_banner\":\"Setze einen neuen Banner für dein Profil\",\"settings\":\"Einstellungen\",\"subject_input_always_show\":\"Betreff-Feld immer anzeigen\",\"subject_line_behavior\":\"Betreff beim Antworten kopieren\",\"subject_line_email\":\"Wie Email: \\\"re: Betreff\\\"\",\"subject_line_mastodon\":\"Wie Mastodon: unverändert kopieren\",\"subject_line_noop\":\"Nicht kopieren\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Aktiviere automatisches Laden (Streaming) von neuen Beiträgen\",\"text\":\"Text\",\"theme\":\"Farbschema\",\"theme_help\":\"Benutze HTML-Farbcodes (#rrggbb) um dein Farbschema anzupassen\",\"theme_help_v2_1\":\"Du kannst auch die Farben und die Deckkraft bestimmter Komponenten überschreiben, indem du das Kontrollkästchen umschaltest. Verwende die Schaltfläche \\\"Alle löschen\\\", um alle Überschreibungen zurückzusetzen.\",\"theme_help_v2_2\":\"Unter einigen Einträgen befinden sich Symbole für Hintergrund-/Textkontrastindikatoren, für detaillierte Informationen fahre mit der Maus darüber. Bitte beachte, dass bei der Verwendung von Transparenz Kontrastindikatoren den schlechtest möglichen Fall darstellen.\",\"tooltipRadius\":\"Tooltips/Warnungen\",\"user_settings\":\"Benutzereinstellungen\",\"values\":{\"false\":\"nein\",\"true\":\"Ja\"},\"notifications\":\"Benachrichtigungen\",\"enable_web_push_notifications\":\"Web-Pushbenachrichtigungen aktivieren\",\"style\":{\"switcher\":{\"keep_color\":\"Farben beibehalten\",\"keep_shadows\":\"Schatten beibehalten\",\"keep_opacity\":\"Deckkraft beibehalten\",\"keep_roundness\":\"Abrundungen beibehalten\",\"keep_fonts\":\"Schriften beibehalten\",\"save_load_hint\":\"Die \\\"Beibehalten\\\"-Optionen behalten die aktuell eingestellten Optionen beim Auswählen oder Laden von Designs bei, sie speichern diese Optionen auch beim Exportieren eines Designs. Wenn alle Kontrollkästchen deaktiviert sind, wird beim Exportieren des Designs alles gespeichert.\",\"reset\":\"Zurücksetzen\",\"clear_all\":\"Alles leeren\",\"clear_opacity\":\"Deckkraft leeren\"},\"common\":{\"color\":\"Farbe\",\"opacity\":\"Deckkraft\",\"contrast\":{\"hint\":\"Das Kontrastverhältnis ist {ratio}, es {level} {context}\",\"level\":{\"aa\":\"entspricht Level AA Richtlinie (minimum)\",\"aaa\":\"entspricht Level AAA Richtlinie (empfohlen)\",\"bad\":\"entspricht keiner Richtlinien zur Barrierefreiheit\"},\"context\":{\"18pt\":\"für großen (18pt+) Text\",\"text\":\"für Text\"}}},\"common_colors\":{\"_tab_label\":\"Allgemein\",\"main\":\"Allgemeine Farben\",\"foreground_hint\":\"Siehe Reiter \\\"Erweitert\\\" für eine detailliertere Einstellungen\",\"rgbo\":\"Symbole, Betonungen, Kennzeichnungen\"},\"advanced_colors\":{\"_tab_label\":\"Erweitert\",\"alert\":\"Warnhinweis-Hintergrund\",\"alert_error\":\"Fehler\",\"badge\":\"Kennzeichnungs-Hintergrund\",\"badge_notification\":\"Benachrichtigung\",\"panel_header\":\"Panel-Kopf\",\"top_bar\":\"Obere Leiste\",\"borders\":\"Rahmen\",\"buttons\":\"Schaltflächen\",\"inputs\":\"Eingabefelder\",\"faint_text\":\"Verblasster Text\"},\"radii\":{\"_tab_label\":\"Abrundungen\"},\"shadows\":{\"_tab_label\":\"Schatten und Beleuchtung\",\"component\":\"Komponente\",\"override\":\"Überschreiben\",\"shadow_id\":\"Schatten #{value}\",\"blur\":\"Unschärfe\",\"spread\":\"Streuung\",\"inset\":\"Einsatz\",\"hint\":\"Für Schatten kannst du auch --variable als Farbwert verwenden, um CSS3-Variablen zu verwenden. Bitte beachte, dass die Einstellung der Deckkraft in diesem Fall nicht funktioniert.\",\"filter_hint\":{\"always_drop_shadow\":\"Achtung, dieser Schatten verwendet immer {0}, wenn der Browser dies unterstützt.\",\"drop_shadow_syntax\":\"{0} unterstützt Parameter {1} und Schlüsselwort {2} nicht.\",\"avatar_inset\":\"Bitte beachte, dass die Kombination von eingesetzten und nicht eingesetzten Schatten auf Avataren zu unerwarteten Ergebnissen bei transparenten Avataren führen kann.\",\"spread_zero\":\"Schatten mit einer Streuung > 0 erscheinen so, als ob sie auf Null gesetzt wären.\",\"inset_classic\":\"Eingesetzte Schatten werden mit {0} verwendet\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel-Kopf\",\"topBar\":\"Obere Leiste\",\"avatar\":\"Benutzer-Avatar (in der Profilansicht)\",\"avatarStatus\":\"Benutzer-Avatar (in der Beitragsanzeige)\",\"popup\":\"Dialogfenster und Hinweistexte\",\"button\":\"Schaltfläche\",\"buttonHover\":\"Schaltfläche (hover)\",\"buttonPressed\":\"Schaltfläche (gedrückt)\",\"buttonPressedHover\":\"Schaltfläche (gedrückt+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Schriften\",\"help\":\"Wähl die Schriftart, die für Elemente der Benutzeroberfläche verwendet werden soll. Für \\\" Benutzerdefiniert\\\" musst du den genauen Schriftnamen eingeben, wie er im System angezeigt wird.\",\"components\":{\"interface\":\"Oberfläche\",\"input\":\"Eingabefelder\",\"post\":\"Beitragstext\",\"postCode\":\"Dicktengleicher Text in einem Beitrag (Rich-Text)\"},\"family\":\"Schriftname\",\"size\":\"Größe (in px)\",\"weight\":\"Gewicht (Dicke)\",\"custom\":\"Benutzerdefiniert\"},\"preview\":{\"header\":\"Vorschau\",\"content\":\"Inhalt\",\"error\":\"Beispielfehler\",\"button\":\"Schaltfläche\",\"text\":\"Ein Haufen mehr von {0} und {1}\",\"mono\":\"Inhalt\",\"input\":\"Sitze gerade im Hofbräuhaus.\",\"faint_link\":\"Hilfreiche Anleitung\",\"fine_print\":\"Lies unser {0}, um nichts Nützliches zu lernen!\",\"header_faint\":\"Das ist in Ordnung\",\"checkbox\":\"Ich habe die Allgemeinen Geschäftsbedingungen überflogen\",\"link\":\"ein netter kleiner Link\"}}},\"timeline\":{\"collapse\":\"Einklappen\",\"conversation\":\"Unterhaltung\",\"error_fetching\":\"Fehler beim Laden\",\"load_older\":\"Lade ältere Beiträge\",\"no_retweet_hint\":\"Der Beitrag ist als nur-für-Follower oder als Direktnachricht markiert und kann nicht wiederholt werden.\",\"repeated\":\"wiederholte\",\"show_new\":\"Zeige Neuere\",\"up_to_date\":\"Aktuell\"},\"user_card\":{\"approve\":\"Genehmigen\",\"block\":\"Blockieren\",\"blocked\":\"Blockiert!\",\"deny\":\"Ablehnen\",\"follow\":\"Folgen\",\"follow_sent\":\"Anfrage gesendet!\",\"follow_progress\":\"Anfragen…\",\"follow_again\":\"Anfrage erneut senden?\",\"follow_unfollow\":\"Folgen beenden\",\"followees\":\"Folgt\",\"followers\":\"Followers\",\"following\":\"Folgst du!\",\"follows_you\":\"Folgt dir!\",\"its_you\":\"Das bist du!\",\"mute\":\"Stummschalten\",\"muted\":\"Stummgeschaltet\",\"per_day\":\"pro Tag\",\"remote_follow\":\"Folgen\",\"statuses\":\"Beiträge\"},\"user_profile\":{\"timeline_title\":\"Beiträge\"},\"who_to_follow\":{\"more\":\"Mehr\",\"who_to_follow\":\"Wem soll ich folgen\"},\"tool_tip\":{\"media_upload\":\"Medien hochladen\",\"repeat\":\"Wiederholen\",\"reply\":\"Antworten\",\"favorite\":\"Favorisieren\",\"user_settings\":\"Benutzereinstellungen\"},\"upload\":{\"error\":{\"base\":\"Hochladen fehlgeschlagen.\",\"file_too_big\":\"Datei ist zu groß [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Bitte versuche es später erneut\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/de.json\n// module id = 400\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Scope options\",\"text_limit\":\"Text limit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Error fetching user\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Apply\",\"submit\":\"Submit\",\"more\":\"More\",\"generic_error\":\"An error occured\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in with OAuth\",\"logout\":\"Log out\",\"password\":\"Password\",\"placeholder\":\"e.g. lain\",\"register\":\"Register\",\"username\":\"Username\"},\"nav\":{\"about\":\"About\",\"back\":\"Back\",\"chat\":\"Local Chat\",\"friend_requests\":\"Follow Requests\",\"mentions\":\"Mentions\",\"dms\":\"Direct Messages\",\"public_tl\":\"Public Timeline\",\"timeline\":\"Timeline\",\"twkn\":\"The Whole Known Network\",\"user_search\":\"User Search\",\"who_to_follow\":\"Who to follow\",\"preferences\":\"Preferences\"},\"notifications\":{\"broken_favorite\":\"Unknown status, searching for it...\",\"favorited_you\":\"favorited your status\",\"followed_you\":\"followed you\",\"load_older\":\"Load older notifications\",\"notifications\":\"Notifications\",\"read\":\"Read!\",\"repeated_you\":\"repeated your status\",\"no_more_notifications\":\"No more notifications\"},\"post_status\":{\"new_status\":\"Post new status\",\"account_not_locked_warning\":\"Your account is not {0}. Anyone can follow you to view your follower-only posts.\",\"account_not_locked_warning_link\":\"locked\",\"attachments_sensitive\":\"Mark attachments as sensitive\",\"content_type\":{\"plain_text\":\"Plain text\"},\"content_warning\":\"Subject (optional)\",\"default\":\"Just landed in L.A.\",\"direct_warning\":\"This post will only be visible to all the mentioned users.\",\"posting\":\"Posting\",\"scope\":{\"direct\":\"Direct - Post to mentioned users only\",\"private\":\"Followers-only - Post to followers only\",\"public\":\"Public - Post to public timelines\",\"unlisted\":\"Unlisted - Do not post to public timelines\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Display name\",\"password_confirm\":\"Password confirmation\",\"registration\":\"Registration\",\"token\":\"Invite token\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Click the image to get a new captcha\",\"validations\":{\"username_required\":\"cannot be left blank\",\"fullname_required\":\"cannot be left blank\",\"email_required\":\"cannot be left blank\",\"password_required\":\"cannot be left blank\",\"password_confirmation_required\":\"cannot be left blank\",\"password_confirmation_match\":\"should be the same as password\"}},\"settings\":{\"attachmentRadius\":\"Attachments\",\"attachments\":\"Attachments\",\"autoload\":\"Enable automatic loading when scrolled to the bottom\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Background\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blue (Reply, follow)\",\"cGreen\":\"Green (Retweet)\",\"cOrange\":\"Orange (Favorite)\",\"cRed\":\"Red (Cancel)\",\"change_password\":\"Change Password\",\"change_password_error\":\"There was an issue changing your password.\",\"changed_password\":\"Password changed successfully!\",\"collapse_subject\":\"Collapse posts with subjects\",\"composing\":\"Composing\",\"confirm_new_password\":\"Confirm new password\",\"current_avatar\":\"Your current avatar\",\"current_password\":\"Current password\",\"current_profile_banner\":\"Your current profile banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Default visibility scope\",\"delete_account\":\"Delete Account\",\"delete_account_description\":\"Permanently delete your account and all your messages.\",\"delete_account_error\":\"There was an issue deleting your account. If this persists please contact your instance administrator.\",\"delete_account_instructions\":\"Type your password in the input below to confirm account deletion.\",\"avatar_size_instruction\":\"The recommended minimum size for avatar images is 150x150 pixels.\",\"export_theme\":\"Save preset\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"All statuses containing these words will be muted, one per line\",\"follow_export\":\"Follow export\",\"follow_export_button\":\"Export your follows to a csv file\",\"follow_export_processing\":\"Processing, you'll soon be asked to download your file\",\"follow_import\":\"Follow import\",\"follow_import_error\":\"Error importing followers\",\"follows_imported\":\"Follows imported! Processing them will take a while.\",\"foreground\":\"Foreground\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Hide attachments in conversations\",\"hide_attachments_in_tl\":\"Hide attachments in timeline\",\"hide_isp\":\"Hide instance-specific panel\",\"preload_images\":\"Preload images\",\"use_one_click_nsfw\":\"Open NSFW attachments with just one click\",\"hide_post_stats\":\"Hide post statistics (e.g. the number of favorites)\",\"hide_user_stats\":\"Hide user statistics (e.g. the number of followers)\",\"import_followers_from_a_csv_file\":\"Import follows from a csv file\",\"import_theme\":\"Load preset\",\"inputRadius\":\"Input fields\",\"checkboxRadius\":\"Checkboxes\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface language\",\"invalid_theme_imported\":\"The selected file is not a supported Pleroma theme. No changes to your theme were made.\",\"limited_availability\":\"Unavailable in your browser\",\"links\":\"Links\",\"lock_account_description\":\"Restrict your account to approved followers only\",\"loop_video\":\"Loop videos\",\"loop_video_silent_only\":\"Loop only videos without sound (i.e. Mastodon's \\\"gifs\\\")\",\"play_videos_in_modal\":\"Play videos directly in the media viewer\",\"use_contain_fit\":\"Don't crop the attachment in thumbnails\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"New password\",\"notification_visibility\":\"Types of notifications to show\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Mentions\",\"notification_visibility_repeats\":\"Repeats\",\"no_rich_text_description\":\"Strip rich text formatting from all posts\",\"hide_followings_description\":\"Don't show who I'm following\",\"hide_followers_description\":\"Don't show who's following me\",\"nsfw_clickthrough\":\"Enable clickthrough NSFW attachment hiding\",\"panelRadius\":\"Panels\",\"pause_on_unfocused\":\"Pause streaming when tab is not focused\",\"presets\":\"Presets\",\"profile_background\":\"Profile Background\",\"profile_banner\":\"Profile Banner\",\"profile_tab\":\"Profile\",\"radii_help\":\"Set up interface edge rounding (in pixels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Enable reply-link preview on mouse hover\",\"reply_visibility_all\":\"Show all replies\",\"reply_visibility_following\":\"Only show replies directed at me or users I'm following\",\"reply_visibility_self\":\"Only show replies directed at me\",\"saving_err\":\"Error saving settings\",\"saving_ok\":\"Settings saved\",\"security_tab\":\"Security\",\"scope_copy\":\"Copy scope when replying (DMs are always copied)\",\"set_new_avatar\":\"Set new avatar\",\"set_new_profile_background\":\"Set new profile background\",\"set_new_profile_banner\":\"Set new profile banner\",\"settings\":\"Settings\",\"subject_input_always_show\":\"Always show subject field\",\"subject_line_behavior\":\"Copy subject when replying\",\"subject_line_email\":\"Like email: \\\"re: subject\\\"\",\"subject_line_mastodon\":\"Like mastodon: copy as is\",\"subject_line_noop\":\"Do not copy\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Enable automatic streaming of new posts when scrolled to the top\",\"text\":\"Text\",\"theme\":\"Theme\",\"theme_help\":\"Use hex color codes (#rrggbb) to customize your color theme.\",\"theme_help_v2_1\":\"You can also override certain component's colors and opacity by toggling the checkbox, use \\\"Clear all\\\" button to clear all overrides.\",\"theme_help_v2_2\":\"Icons underneath some entries are background/text contrast indicators, hover over for detailed info. Please keep in mind that when using transparency contrast indicators show the worst possible case.\",\"tooltipRadius\":\"Tooltips/alerts\",\"user_settings\":\"User Settings\",\"values\":{\"false\":\"no\",\"true\":\"yes\"},\"notifications\":\"Notifications\",\"enable_web_push_notifications\":\"Enable web push notifications\",\"style\":{\"switcher\":{\"keep_color\":\"Keep colors\",\"keep_shadows\":\"Keep shadows\",\"keep_opacity\":\"Keep opacity\",\"keep_roundness\":\"Keep roundness\",\"keep_fonts\":\"Keep fonts\",\"save_load_hint\":\"\\\"Keep\\\" options preserve currently set options when selecting or loading themes, it also stores said options when exporting a theme. When all checkboxes unset, exporting theme will save everything.\",\"reset\":\"Reset\",\"clear_all\":\"Clear all\",\"clear_opacity\":\"Clear opacity\"},\"common\":{\"color\":\"Color\",\"opacity\":\"Opacity\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, it {level} {context}\",\"level\":{\"aa\":\"meets Level AA guideline (minimal)\",\"aaa\":\"meets Level AAA guideline (recommended)\",\"bad\":\"doesn't meet any accessibility guidelines\"},\"context\":{\"18pt\":\"for large (18pt+) text\",\"text\":\"for text\"}}},\"common_colors\":{\"_tab_label\":\"Common\",\"main\":\"Common colors\",\"foreground_hint\":\"See \\\"Advanced\\\" tab for more detailed control\",\"rgbo\":\"Icons, accents, badges\"},\"advanced_colors\":{\"_tab_label\":\"Advanced\",\"alert\":\"Alert background\",\"alert_error\":\"Error\",\"badge\":\"Badge background\",\"badge_notification\":\"Notification\",\"panel_header\":\"Panel header\",\"top_bar\":\"Top bar\",\"borders\":\"Borders\",\"buttons\":\"Buttons\",\"inputs\":\"Input fields\",\"faint_text\":\"Faded text\"},\"radii\":{\"_tab_label\":\"Roundness\"},\"shadows\":{\"_tab_label\":\"Shadow and lighting\",\"component\":\"Component\",\"override\":\"Override\",\"shadow_id\":\"Shadow #{value}\",\"blur\":\"Blur\",\"spread\":\"Spread\",\"inset\":\"Inset\",\"hint\":\"For shadows you can also use --variable as a color value to use CSS3 variables. Please note that setting opacity won't work in this case.\",\"filter_hint\":{\"always_drop_shadow\":\"Warning, this shadow always uses {0} when browser supports it.\",\"drop_shadow_syntax\":\"{0} does not support {1} parameter and {2} keyword.\",\"avatar_inset\":\"Please note that combining both inset and non-inset shadows on avatars might give unexpected results with transparent avatars.\",\"spread_zero\":\"Shadows with spread > 0 will appear as if it was set to zero\",\"inset_classic\":\"Inset shadows will be using {0}\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel header\",\"topBar\":\"Top bar\",\"avatar\":\"User avatar (in profile view)\",\"avatarStatus\":\"User avatar (in post display)\",\"popup\":\"Popups and tooltips\",\"button\":\"Button\",\"buttonHover\":\"Button (hover)\",\"buttonPressed\":\"Button (pressed)\",\"buttonPressedHover\":\"Button (pressed+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Fonts\",\"help\":\"Select font to use for elements of UI. For \\\"custom\\\" you have to enter exact font name as it appears in system.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Input fields\",\"post\":\"Post text\",\"postCode\":\"Monospaced text in a post (rich text)\"},\"family\":\"Font name\",\"size\":\"Size (in px)\",\"weight\":\"Weight (boldness)\",\"custom\":\"Custom\"},\"preview\":{\"header\":\"Preview\",\"content\":\"Content\",\"error\":\"Example error\",\"button\":\"Button\",\"text\":\"A bunch of more {0} and {1}\",\"mono\":\"content\",\"input\":\"Just landed in L.A.\",\"faint_link\":\"helpful manual\",\"fine_print\":\"Read our {0} to learn nothing useful!\",\"header_faint\":\"This is fine\",\"checkbox\":\"I have skimmed over terms and conditions\",\"link\":\"a nice lil' link\"}}},\"timeline\":{\"collapse\":\"Collapse\",\"conversation\":\"Conversation\",\"error_fetching\":\"Error fetching updates\",\"load_older\":\"Load older statuses\",\"no_retweet_hint\":\"Post is marked as followers-only or direct and cannot be repeated\",\"repeated\":\"repeated\",\"show_new\":\"Show new\",\"up_to_date\":\"Up-to-date\",\"no_more_statuses\":\"No more statuses\"},\"user_card\":{\"approve\":\"Approve\",\"block\":\"Block\",\"blocked\":\"Blocked!\",\"deny\":\"Deny\",\"favorites\":\"Favorites\",\"follow\":\"Follow\",\"follow_sent\":\"Request sent!\",\"follow_progress\":\"Requesting…\",\"follow_again\":\"Send request again?\",\"follow_unfollow\":\"Stop following\",\"followees\":\"Following\",\"followers\":\"Followers\",\"following\":\"Following!\",\"follows_you\":\"Follows you!\",\"its_you\":\"It's you!\",\"media\":\"Media\",\"mute\":\"Mute\",\"muted\":\"Muted\",\"per_day\":\"per day\",\"remote_follow\":\"Remote follow\",\"statuses\":\"Statuses\"},\"user_profile\":{\"timeline_title\":\"User Timeline\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"Who to follow\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Repeat\",\"reply\":\"Reply\",\"favorite\":\"Favorite\",\"user_settings\":\"User Settings\"},\"upload\":{\"error\":{\"base\":\"Upload failed.\",\"file_too_big\":\"File too big [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Try again later\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/en.json\n// module id = 401\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Babilejo\"},\"finder\":{\"error_fetching_user\":\"Eraro alportante uzanton\",\"find_user\":\"Trovi uzanton\"},\"general\":{\"apply\":\"Apliki\",\"submit\":\"Sendi\"},\"login\":{\"login\":\"Ensaluti\",\"logout\":\"Elsaluti\",\"password\":\"Pasvorto\",\"placeholder\":\"ekz. lain\",\"register\":\"Registriĝi\",\"username\":\"Salutnomo\"},\"nav\":{\"chat\":\"Loka babilejo\",\"mentions\":\"Mencioj\",\"public_tl\":\"Publika tempolinio\",\"timeline\":\"Tempolinio\",\"twkn\":\"La tuta konata reto\"},\"notifications\":{\"favorited_you\":\"ŝatis vian staton\",\"followed_you\":\"ekabonis vin\",\"notifications\":\"Sciigoj\",\"read\":\"Legite!\",\"repeated_you\":\"ripetis vian staton\"},\"post_status\":{\"default\":\"Ĵus alvenis al la Universala Kongreso!\",\"posting\":\"Afiŝante\"},\"registration\":{\"bio\":\"Priskribo\",\"email\":\"Retpoŝtadreso\",\"fullname\":\"Vidiga nomo\",\"password_confirm\":\"Konfirmo de pasvorto\",\"registration\":\"Registriĝo\"},\"settings\":{\"attachmentRadius\":\"Kunsendaĵoj\",\"attachments\":\"Kunsendaĵoj\",\"autoload\":\"Ŝalti memfaran ŝarĝadon ĉe subo de paĝo\",\"avatar\":\"Profilbildo\",\"avatarAltRadius\":\"Profilbildoj (sciigoj)\",\"avatarRadius\":\"Profilbildoj\",\"background\":\"Fono\",\"bio\":\"Priskribo\",\"btnRadius\":\"Butonoj\",\"cBlue\":\"Blua (Respondo, abono)\",\"cGreen\":\"Verda (Kunhavigo)\",\"cOrange\":\"Oranĝa (Ŝato)\",\"cRed\":\"Ruĝa (Nuligo)\",\"current_avatar\":\"Via nuna profilbildo\",\"current_profile_banner\":\"Via nuna profila rubando\",\"filtering\":\"Filtrado\",\"filtering_explanation\":\"Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie\",\"follow_import\":\"Abona enporto\",\"follow_import_error\":\"Eraro enportante abonojn\",\"follows_imported\":\"Abonoj enportiĝis! Traktado daŭros iom.\",\"foreground\":\"Malfono\",\"hide_attachments_in_convo\":\"Kaŝi kunsendaĵojn en interparoloj\",\"hide_attachments_in_tl\":\"Kaŝi kunsendaĵojn en tempolinio\",\"import_followers_from_a_csv_file\":\"Enporti abonojn el CSV-dosiero\",\"links\":\"Ligiloj\",\"name\":\"Nomo\",\"name_bio\":\"Nomo kaj priskribo\",\"nsfw_clickthrough\":\"Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj\",\"panelRadius\":\"Paneloj\",\"presets\":\"Antaŭagordoj\",\"profile_background\":\"Profila fono\",\"profile_banner\":\"Profila rubando\",\"radii_help\":\"Agordi fasadan rondigon de randoj (rastrumere)\",\"reply_link_preview\":\"Ŝalti respond-ligilan antaŭvidon dum ŝvebo\",\"set_new_avatar\":\"Agordi novan profilbildon\",\"set_new_profile_background\":\"Agordi novan profilan fonon\",\"set_new_profile_banner\":\"Agordi novan profilan rubandon\",\"settings\":\"Agordoj\",\"stop_gifs\":\"Movi GIF-bildojn dum ŝvebo\",\"streaming\":\"Ŝalti memfaran fluigon de novaj afiŝoj ĉe la supro de la paĝo\",\"text\":\"Teksto\",\"theme\":\"Etoso\",\"theme_help\":\"Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran etoson.\",\"tooltipRadius\":\"Ŝpruchelpiloj/avertoj\",\"user_settings\":\"Uzantaj agordoj\"},\"timeline\":{\"collapse\":\"Maletendi\",\"conversation\":\"Interparolo\",\"error_fetching\":\"Eraro dum ĝisdatigo\",\"load_older\":\"Montri pli malnovajn statojn\",\"repeated\":\"ripetata\",\"show_new\":\"Montri novajn\",\"up_to_date\":\"Ĝisdata\"},\"user_card\":{\"block\":\"Bari\",\"blocked\":\"Barita!\",\"follow\":\"Aboni\",\"followees\":\"Abonatoj\",\"followers\":\"Abonantoj\",\"following\":\"Abonanta!\",\"follows_you\":\"Abonas vin!\",\"mute\":\"Silentigi\",\"muted\":\"Silentigitaj\",\"per_day\":\"tage\",\"remote_follow\":\"Fore aboni\",\"statuses\":\"Statoj\"},\"user_profile\":{\"timeline_title\":\"Uzanta tempolinio\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/eo.json\n// module id = 402\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Opciones del alcance de la visibilidad\",\"text_limit\":\"Límite de carácteres\",\"title\":\"Características\",\"who_to_follow\":\"A quién seguir\"},\"finder\":{\"error_fetching_user\":\"Error al buscar usuario\",\"find_user\":\"Encontrar usuario\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\",\"more\":\"Más\",\"generic_error\":\"Ha ocurrido un error\"},\"login\":{\"login\":\"Identificación\",\"description\":\"Identificación con OAuth\",\"logout\":\"Salir\",\"password\":\"Contraseña\",\"placeholder\":\"p.ej. lain\",\"register\":\"Registrar\",\"username\":\"Usuario\"},\"nav\":{\"about\":\"Sobre\",\"back\":\"Volver\",\"chat\":\"Chat Local\",\"friend_requests\":\"Solicitudes de amistad\",\"mentions\":\"Menciones\",\"dms\":\"Mensajes Directo\",\"public_tl\":\"Línea Temporal Pública\",\"timeline\":\"Línea Temporal\",\"twkn\":\"Toda La Red Conocida\",\"user_search\":\"Búsqueda de Usuarios\",\"who_to_follow\":\"A quién seguir\",\"preferences\":\"Preferencias\"},\"notifications\":{\"broken_favorite\":\"Estado desconocido, buscándolo...\",\"favorited_you\":\"le gusta tu estado\",\"followed_you\":\"empezó a seguirte\",\"load_older\":\"Cargar notificaciones antiguas\",\"notifications\":\"Notificaciones\",\"read\":\"¡Leído!\",\"repeated_you\":\"repite tu estado\",\"no_more_notifications\":\"No hay más notificaciones\"},\"post_status\":{\"new_status\":\"Post new status\",\"account_not_locked_warning\":\"Tu cuenta no está {0}. Cualquiera puede seguirte y leer las entradas para Solo-Seguidores.\",\"account_not_locked_warning_link\":\"bloqueada\",\"attachments_sensitive\":\"Contenido sensible\",\"content_type\":{\"plain_text\":\"Texto Plano\"},\"content_warning\":\"Tema (opcional)\",\"default\":\"Acabo de aterrizar en L.A.\",\"direct_warning\":\"Esta entrada solo será visible para los usuarios mencionados.\",\"posting\":\"Publicando\",\"scope\":{\"direct\":\"Directo - Solo para los usuarios mencionados.\",\"private\":\"Solo-Seguidores - Solo tus seguidores leeran la entrada\",\"public\":\"Público - Entradas visibles en las Líneas Temporales Públicas\",\"unlisted\":\"Sin Listar - Entradas no visibles en las Líneas Temporales Públicas\"}},\"registration\":{\"bio\":\"Biografía\",\"email\":\"Correo electrónico\",\"fullname\":\"Nombre a mostrar\",\"password_confirm\":\"Confirmación de contraseña\",\"registration\":\"Registro\",\"token\":\"Token de invitación\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Click en la imagen para obtener un nuevo captca\",\"validations\":{\"username_required\":\"no puede estar vacío\",\"fullname_required\":\"no puede estar vacío\",\"email_required\":\"no puede estar vacío\",\"password_required\":\"no puede estar vacío\",\"password_confirmation_required\":\"no puede estar vacío\",\"password_confirmation_match\":\"la contraseña no coincide\"}},\"settings\":{\"attachmentRadius\":\"Adjuntos\",\"attachments\":\"Adjuntos\",\"autoload\":\"Activar carga automática al llegar al final de la página\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatares (Notificaciones)\",\"avatarRadius\":\"Avatares\",\"background\":\"Fondo\",\"bio\":\"Biografía\",\"btnRadius\":\"Botones\",\"cBlue\":\"Azul (Responder, seguir)\",\"cGreen\":\"Verde (Retweet)\",\"cOrange\":\"Naranja (Favorito)\",\"cRed\":\"Rojo (Cancelar)\",\"change_password\":\"Cambiar contraseña\",\"change_password_error\":\"Hubo un problema cambiando la contraseña.\",\"changed_password\":\"Contraseña cambiada correctamente!\",\"collapse_subject\":\"Colapsar entradas con tema\",\"composing\":\"Redactando\",\"confirm_new_password\":\"Confirmar la nueva contraseña\",\"current_avatar\":\"Tu avatar actual\",\"current_password\":\"Contraseña actual\",\"current_profile_banner\":\"Tu cabecera actual\",\"data_import_export_tab\":\"Importar / Exportar Datos\",\"default_vis\":\"Alcance de visibilidad por defecto\",\"delete_account\":\"Eliminar la cuenta\",\"delete_account_description\":\"Eliminar para siempre la cuenta y todos los mensajes.\",\"delete_account_error\":\"Hubo un error al eliminar tu cuenta. Si el fallo persiste, ponte en contacto con el administrador de tu instancia.\",\"delete_account_instructions\":\"Escribe tu contraseña para confirmar la eliminación de tu cuenta.\",\"avatar_size_instruction\":\"El tamaño mínimo recomendado para el avatar es de 150X150 píxeles.\",\"export_theme\":\"Exportar tema\",\"filtering\":\"Filtros\",\"filtering_explanation\":\"Todos los estados que contengan estas palabras serán silenciados, una por línea\",\"follow_export\":\"Exportar personas que tú sigues\",\"follow_export_button\":\"Exporta tus seguidores a un archivo csv\",\"follow_export_processing\":\"Procesando, en breve se te preguntará para guardar el archivo\",\"follow_import\":\"Importar personas que tú sigues\",\"follow_import_error\":\"Error al importal el archivo\",\"follows_imported\":\"¡Importado! Procesarlos llevará tiempo.\",\"foreground\":\"Primer plano\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Ocultar adjuntos en las conversaciones\",\"hide_attachments_in_tl\":\"Ocultar adjuntos en la línea temporal\",\"hide_isp\":\"Ocultar el panel específico de la instancia\",\"preload_images\":\"Precargar las imágenes\",\"use_one_click_nsfw\":\"Abrir los adjuntos NSFW con un solo click.\",\"hide_post_stats\":\"Ocultar las estadísticas de las entradas (p.ej. el número de favoritos)\",\"hide_user_stats\":\"Ocultar las estadísticas del usuario (p.ej. el número de seguidores)\",\"import_followers_from_a_csv_file\":\"Importar personas que tú sigues apartir de un archivo csv\",\"import_theme\":\"Importar tema\",\"inputRadius\":\"Campos de entrada\",\"checkboxRadius\":\"Casillas de verificación\",\"instance_default\":\"(por defecto: {value})\",\"instance_default_simple\":\"(por defecto)\",\"interface\":\"Interfaz\",\"interfaceLanguage\":\"Idioma\",\"invalid_theme_imported\":\"El archivo importado no es un tema válido de Pleroma. No se han realizado cambios.\",\"limited_availability\":\"No disponible en tu navegador\",\"links\":\"Enlaces\",\"lock_account_description\":\"Restringir el acceso a tu cuenta solo a seguidores admitidos\",\"loop_video\":\"Vídeos en bucle\",\"loop_video_silent_only\":\"Bucle solo en vídeos sin sonido (p.ej. \\\"gifs\\\" de Mastodon)\",\"play_videos_in_modal\":\"Reproducir los vídeos directamente en el visor de medios\",\"use_contain_fit\":\"No recortar los adjuntos en miniaturas\",\"name\":\"Nombre\",\"name_bio\":\"Nombre y Biografía\",\"new_password\":\"Nueva contraseña\",\"notification_visibility\":\"Tipos de notificaciones a mostrar\",\"notification_visibility_follows\":\"Nuevos seguidores\",\"notification_visibility_likes\":\"Me gustan (Likes)\",\"notification_visibility_mentions\":\"Menciones\",\"notification_visibility_repeats\":\"Repeticiones (Repeats)\",\"no_rich_text_description\":\"Eliminar el formato de texto enriquecido de todas las entradas\",\"hide_network_description\":\"No mostrar a quién sigo, ni quién me sigue\",\"nsfw_clickthrough\":\"Activar el clic para ocultar los adjuntos NSFW\",\"panelRadius\":\"Paneles\",\"pause_on_unfocused\":\"Parar la transmisión cuando no estés en foco.\",\"presets\":\"Por defecto\",\"profile_background\":\"Fondo del Perfil\",\"profile_banner\":\"Cabecera del Perfil\",\"profile_tab\":\"Perfil\",\"radii_help\":\"Estable el redondeo de las esquinas del interfaz (en píxeles)\",\"replies_in_timeline\":\"Réplicas en la línea temporal\",\"reply_link_preview\":\"Activar la previsualización del enlace de responder al pasar el ratón por encim\",\"reply_visibility_all\":\"Mostrar todas las réplicas\",\"reply_visibility_following\":\"Solo mostrar réplicas para mí o usuarios a los que sigo\",\"reply_visibility_self\":\"Solo mostrar réplicas para mí\",\"saving_err\":\"Error al guardar los ajustes\",\"saving_ok\":\"Ajustes guardados\",\"security_tab\":\"Seguridad\",\"scope_copy\":\"Copiar la visibilidad cuando contestamos (En los mensajes directos (MDs) siempre se copia)\",\"set_new_avatar\":\"Cambiar avatar\",\"set_new_profile_background\":\"Cambiar fondo del perfil\",\"set_new_profile_banner\":\"Cambiar cabecera del perfil\",\"settings\":\"Ajustes\",\"subject_input_always_show\":\"Mostrar siempre el campo del tema\",\"subject_line_behavior\":\"Copiar el tema en las contestaciones\",\"subject_line_email\":\"Tipo email: \\\"re: tema\\\"\",\"subject_line_mastodon\":\"Tipo mastodon: copiar como es\",\"subject_line_noop\":\"No copiar\",\"stop_gifs\":\"Iniciar GIFs al pasar el ratón\",\"streaming\":\"Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.\",\"theme_help_v2_1\":\"También puede invalidar los colores y la opacidad de ciertos componentes si activa la casilla de verificación, use el botón \\\"Borrar todo\\\" para deshacer los cambios.\",\"theme_help_v2_2\":\"Los iconos debajo de algunas entradas son indicadores de contraste de fondo/texto, desplace el ratón para obtener información detallada. Tenga en cuenta que cuando se utilizan indicadores de contraste de transparencia se muestra el peor caso posible.\",\"tooltipRadius\":\"Información/alertas\",\"user_settings\":\"Ajustes de Usuario\",\"values\":{\"false\":\"no\",\"true\":\"sí\"},\"notifications\":\"Notificaciones\",\"enable_web_push_notifications\":\"Habilitar las notificiaciones en el navegador\",\"style\":{\"switcher\":{\"keep_color\":\"Mantener colores\",\"keep_shadows\":\"Mantener sombras\",\"keep_opacity\":\"Mantener opacidad\",\"keep_roundness\":\"Mantener redondeces\",\"keep_fonts\":\"Mantener fuentes\",\"save_load_hint\":\"Las opciones \\\"Mantener\\\" conservan las opciones configuradas actualmente al seleccionar o cargar temas, también almacena dichas opciones al exportar un tema. Cuando se desactiven todas las casillas de verificación, el tema de exportación lo guardará todo.\",\"reset\":\"Reiniciar\",\"clear_all\":\"Limpiar todo\",\"clear_opacity\":\"Limpiar opacidad\"},\"common\":{\"color\":\"Color\",\"opacity\":\"Opacidad\",\"contrast\":{\"hint\":\"El ratio de contraste es {ratio}. {level} {context}\",\"level\":{\"aa\":\"Cumple con la pauta de nivel AA (mínimo)\",\"aaa\":\"Cumple con la pauta de nivel AAA (recomendado)\",\"bad\":\"No cumple con las pautas de accesibilidad\"},\"context\":{\"18pt\":\"para textos grandes (+18pt)\",\"text\":\"para textos\"}}},\"common_colors\":{\"_tab_label\":\"Común\",\"main\":\"Colores comunes\",\"foreground_hint\":\"Vea la pestaña \\\"Avanzado\\\" para un control más detallado\",\"rgbo\":\"Iconos, acentos, insignias\"},\"advanced_colors\":{\"_tab_label\":\"Avanzado\",\"alert\":\"Fondo de Alertas\",\"alert_error\":\"Error\",\"badge\":\"Fondo de Insignias\",\"badge_notification\":\"Notificaciones\",\"panel_header\":\"Cabecera del panel\",\"top_bar\":\"Barra superior\",\"borders\":\"Bordes\",\"buttons\":\"Botones\",\"inputs\":\"Campos de entrada\",\"faint_text\":\"Texto desvanecido\"},\"radii\":{\"_tab_label\":\"Redondez\"},\"shadows\":{\"_tab_label\":\"Sombra e iluminación\",\"component\":\"Componente\",\"override\":\"Sobreescribir\",\"shadow_id\":\"Sombra #{value}\",\"blur\":\"Difuminar\",\"spread\":\"Cantidad\",\"inset\":\"Insertada\",\"hint\":\"Para las sombras, también puede usar --variable como un valor de color para usar las variables CSS3. Tenga en cuenta que establecer la opacidad no funcionará en este caso.\",\"filter_hint\":{\"always_drop_shadow\":\"Advertencia, esta sombra siempre usa {0} cuando el navegador lo soporta.\",\"drop_shadow_syntax\":\"{0} no soporta el parámetro {1} y la palabra clave {2}.\",\"avatar_inset\":\"Tenga en cuenta que la combinación de sombras insertadas como no-insertadas en los avatares, puede dar resultados inesperados con los avatares transparentes.\",\"spread_zero\":\"Sombras con una cantidad > 0 aparecerá como si estuviera puesto a cero\",\"inset_classic\":\"Las sombras insertadas estarán usando {0}\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Cabecera del panel\",\"topBar\":\"Barra superior\",\"avatar\":\"Avatar del usuario (en la vista del perfil)\",\"avatarStatus\":\"Avatar del usuario (en la vista de la entrada)\",\"popup\":\"Ventanas y textos emergentes (popups & tooltips)\",\"button\":\"Botones\",\"buttonHover\":\"Botón (encima)\",\"buttonPressed\":\"Botón (presionado)\",\"buttonPressedHover\":\"Botón (presionado+encima)\",\"input\":\"Campo de entrada\"}},\"fonts\":{\"_tab_label\":\"Fuentes\",\"help\":\"Seleccione la fuente para utilizar para los elementos de la interfaz de usuario. Para \\\"personalizado\\\", debe ingresar el nombre exacto de la fuente tal como aparece en el sistema.\",\"components\":{\"interface\":\"Interfaz\",\"input\":\"Campos de entrada\",\"post\":\"Texto de publicaciones\",\"postCode\":\"Texto monoespaciado en publicación (texto enriquecido)\"},\"family\":\"Nombre de la fuente\",\"size\":\"Tamaño (en px)\",\"weight\":\"Peso (negrita)\",\"custom\":\"Personalizado\"},\"preview\":{\"header\":\"Vista previa\",\"content\":\"Contenido\",\"error\":\"Ejemplo de error\",\"button\":\"Botón\",\"text\":\"Un montón de {0} y {1}\",\"mono\":\"contenido\",\"input\":\"Acaba de aterrizar en L.A.\",\"faint_link\":\"manual útil\",\"fine_print\":\"¡Lea nuestro {0} para aprender nada útil!\",\"header_faint\":\"Esto está bien\",\"checkbox\":\"He revisado los términos y condiciones\",\"link\":\"un bonito enlace\"}}},\"timeline\":{\"collapse\":\"Colapsar\",\"conversation\":\"Conversación\",\"error_fetching\":\"Error al cargar las actualizaciones\",\"load_older\":\"Cargar actualizaciones anteriores\",\"no_retweet_hint\":\"La publicación está marcada como solo para seguidores o directa y no se puede repetir\",\"repeated\":\"repetida\",\"show_new\":\"Mostrar lo nuevo\",\"up_to_date\":\"Actualizado\",\"no_more_statuses\":\"No hay más estados\"},\"user_card\":{\"approve\":\"Aprovar\",\"block\":\"Bloquear\",\"blocked\":\"¡Bloqueado!\",\"deny\":\"Denegar\",\"favorites\":\"Favoritos\",\"follow\":\"Seguir\",\"follow_sent\":\"¡Solicitud enviada!\",\"follow_progress\":\"Solicitando…\",\"follow_again\":\"¿Enviar solicitud de nuevo?\",\"follow_unfollow\":\"Dejar de seguir\",\"followees\":\"Siguiendo\",\"followers\":\"Seguidores\",\"following\":\"¡Siguiendo!\",\"follows_you\":\"¡Te sigue!\",\"its_you\":\"¡Eres tú!\",\"media\":\"Media\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por día\",\"remote_follow\":\"Seguir\",\"statuses\":\"Estados\"},\"user_profile\":{\"timeline_title\":\"Linea temporal del usuario\"},\"who_to_follow\":{\"more\":\"Más\",\"who_to_follow\":\"A quién seguir\"},\"tool_tip\":{\"media_upload\":\"Subir Medios\",\"repeat\":\"Repetir\",\"reply\":\"Contestar\",\"favorite\":\"Favorito\",\"user_settings\":\"Ajustes de usuario\"},\"upload\":{\"error\":{\"base\":\"Subida fallida.\",\"file_too_big\":\"Archivo demasiado grande [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Inténtalo más tarde\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/es.json\n// module id = 403\n// module chunks = 2","module.exports = {\"finder\":{\"error_fetching_user\":\"Viga kasutaja leidmisel\",\"find_user\":\"Otsi kasutajaid\"},\"general\":{\"submit\":\"Postita\"},\"login\":{\"login\":\"Logi sisse\",\"logout\":\"Logi välja\",\"password\":\"Parool\",\"placeholder\":\"nt lain\",\"register\":\"Registreeru\",\"username\":\"Kasutajanimi\"},\"nav\":{\"mentions\":\"Mainimised\",\"public_tl\":\"Avalik Ajajoon\",\"timeline\":\"Ajajoon\",\"twkn\":\"Kogu Teadaolev Võrgustik\"},\"notifications\":{\"followed_you\":\"alustas sinu jälgimist\",\"notifications\":\"Teavitused\",\"read\":\"Loe!\"},\"post_status\":{\"default\":\"Just sõitsin elektrirongiga Tallinnast Pääskülla.\",\"posting\":\"Postitan\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"E-post\",\"fullname\":\"Kuvatav nimi\",\"password_confirm\":\"Parooli kinnitamine\",\"registration\":\"Registreerimine\"},\"settings\":{\"attachments\":\"Manused\",\"autoload\":\"Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud\",\"avatar\":\"Profiilipilt\",\"bio\":\"Bio\",\"current_avatar\":\"Sinu praegune profiilipilt\",\"current_profile_banner\":\"Praegune profiilibänner\",\"filtering\":\"Sisu filtreerimine\",\"filtering_explanation\":\"Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.\",\"hide_attachments_in_convo\":\"Peida manused vastlustes\",\"hide_attachments_in_tl\":\"Peida manused ajajoonel\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja Bio\",\"nsfw_clickthrough\":\"Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha\",\"profile_background\":\"Profiilitaust\",\"profile_banner\":\"Profiilibänner\",\"reply_link_preview\":\"Luba algpostituse kuvamine vastustes\",\"set_new_avatar\":\"Vali uus profiilipilt\",\"set_new_profile_background\":\"Vali uus profiilitaust\",\"set_new_profile_banner\":\"Vali uus profiilibänner\",\"settings\":\"Sätted\",\"theme\":\"Teema\",\"user_settings\":\"Kasutaja sätted\"},\"timeline\":{\"conversation\":\"Vestlus\",\"error_fetching\":\"Viga uuenduste laadimisel\",\"load_older\":\"Kuva vanemaid staatuseid\",\"show_new\":\"Näita uusi\",\"up_to_date\":\"Uuendatud\"},\"user_card\":{\"block\":\"Blokeeri\",\"blocked\":\"Blokeeritud!\",\"follow\":\"Jälgi\",\"followees\":\"Jälgitavaid\",\"followers\":\"Jälgijaid\",\"following\":\"Jälgin!\",\"follows_you\":\"Jälgib sind!\",\"mute\":\"Vaigista\",\"muted\":\"Vaigistatud\",\"per_day\":\"päevas\",\"statuses\":\"Staatuseid\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/et.json\n// module id = 404\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media-välityspalvelin\",\"scope_options\":\"Näkyvyyden rajaus\",\"text_limit\":\"Tekstin pituusraja\",\"title\":\"Ominaisuudet\",\"who_to_follow\":\"Seurausehdotukset\"},\"finder\":{\"error_fetching_user\":\"Virhe hakiessa käyttäjää\",\"find_user\":\"Hae käyttäjä\"},\"general\":{\"apply\":\"Aseta\",\"submit\":\"Lähetä\",\"more\":\"Lisää\",\"generic_error\":\"Virhe tapahtui\"},\"login\":{\"login\":\"Kirjaudu sisään\",\"description\":\"Kirjaudu sisään OAuthilla\",\"logout\":\"Kirjaudu ulos\",\"password\":\"Salasana\",\"placeholder\":\"esim. Seppo\",\"register\":\"Rekisteröidy\",\"username\":\"Käyttäjänimi\"},\"nav\":{\"about\":\"Tietoja\",\"back\":\"Takaisin\",\"chat\":\"Paikallinen Chat\",\"friend_requests\":\"Seurauspyynnöt\",\"mentions\":\"Maininnat\",\"dms\":\"Yksityisviestit\",\"public_tl\":\"Julkinen Aikajana\",\"timeline\":\"Aikajana\",\"twkn\":\"Koko Tunnettu Verkosto\",\"user_search\":\"Käyttäjähaku\",\"who_to_follow\":\"Seurausehdotukset\",\"preferences\":\"Asetukset\"},\"notifications\":{\"broken_favorite\":\"Viestiä ei löydetty...\",\"favorited_you\":\"tykkäsi viestistäsi\",\"followed_you\":\"seuraa sinua\",\"load_older\":\"Lataa vanhempia ilmoituksia\",\"notifications\":\"Ilmoitukset\",\"read\":\"Lue!\",\"repeated_you\":\"toisti viestisi\",\"no_more_notifications\":\"Ei enempää ilmoituksia\"},\"post_status\":{\"new_status\":\"Uusi viesti\",\"account_not_locked_warning\":\"Tilisi ei ole {0}. Kuka vain voi seurata sinua nähdäksesi 'vain-seuraajille' -viestisi\",\"account_not_locked_warning_link\":\"lukittu\",\"attachments_sensitive\":\"Merkkaa liitteet arkaluonteisiksi\",\"content_type\":{\"plain_text\":\"Tavallinen teksti\"},\"content_warning\":\"Aihe (valinnainen)\",\"default\":\"Tulin juuri saunasta.\",\"direct_warning\":\"Tämä viesti näkyy vain mainituille käyttäjille.\",\"posting\":\"Lähetetään\",\"scope\":{\"direct\":\"Yksityisviesti - Näkyy vain mainituille käyttäjille\",\"private\":\"Vain-seuraajille - Näkyy vain seuraajillesi\",\"public\":\"Julkinen - Näkyy julkisilla aikajanoilla\",\"unlisted\":\"Listaamaton - Ei näy julkisilla aikajanoilla\"}},\"registration\":{\"bio\":\"Kuvaus\",\"email\":\"Sähköposti\",\"fullname\":\"Koko nimi\",\"password_confirm\":\"Salasanan vahvistaminen\",\"registration\":\"Rekisteröityminen\",\"token\":\"Kutsuvaltuus\",\"captcha\":\"Varmenne\",\"new_captcha\":\"Paina kuvaa saadaksesi uuden varmenteen\",\"validations\":{\"username_required\":\"ei voi olla tyhjä\",\"fullname_required\":\"ei voi olla tyhjä\",\"email_required\":\"ei voi olla tyhjä\",\"password_required\":\"ei voi olla tyhjä\",\"password_confirmation_required\":\"ei voi olla tyhjä\",\"password_confirmation_match\":\"pitää vastata salasanaa\"}},\"settings\":{\"attachmentRadius\":\"Liitteet\",\"attachments\":\"Liitteet\",\"autoload\":\"Lataa vanhempia viestejä automaattisesti ruudun pohjalla\",\"avatar\":\"Profiilikuva\",\"avatarAltRadius\":\"Profiilikuvat (ilmoitukset)\",\"avatarRadius\":\"Profiilikuvat\",\"background\":\"Tausta\",\"bio\":\"Kuvaus\",\"btnRadius\":\"Napit\",\"cBlue\":\"Sininen (Vastaukset, seuraukset)\",\"cGreen\":\"Vihreä (Toistot)\",\"cOrange\":\"Oranssi (Tykkäykset)\",\"cRed\":\"Punainen (Peruminen)\",\"change_password\":\"Vaihda salasana\",\"change_password_error\":\"Virhe vaihtaessa salasanaa.\",\"changed_password\":\"Salasana vaihdettu!\",\"collapse_subject\":\"Minimoi viestit, joille on asetettu aihe\",\"composing\":\"Viestien laatiminen\",\"confirm_new_password\":\"Vahvista uusi salasana\",\"current_avatar\":\"Nykyinen profiilikuvasi\",\"current_password\":\"Nykyinen salasana\",\"current_profile_banner\":\"Nykyinen julisteesi\",\"data_import_export_tab\":\"Tietojen tuonti / vienti\",\"default_vis\":\"Oletusnäkyvyysrajaus\",\"delete_account\":\"Poista tili\",\"delete_account_description\":\"Poista tilisi ja viestisi pysyvästi.\",\"delete_account_error\":\"Virhe poistaessa tiliäsi. Jos virhe jatkuu, ota yhteyttä palvelimesi ylläpitoon.\",\"delete_account_instructions\":\"Syötä salasanasi vahvistaaksesi tilin poiston.\",\"export_theme\":\"Tallenna teema\",\"filtering\":\"Suodatus\",\"filtering_explanation\":\"Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.\",\"follow_export\":\"Seurausten vienti\",\"follow_export_button\":\"Vie seurauksesi CSV-tiedostoon\",\"follow_export_processing\":\"Käsitellään, sinua pyydetään lataamaan tiedosto hetken päästä\",\"follow_import\":\"Seurausten tuonti\",\"follow_import_error\":\"Virhe tuodessa seuraksia\",\"follows_imported\":\"Seuraukset tuotu! Niiden käsittely vie hetken.\",\"foreground\":\"Korostus\",\"general\":\"Yleinen\",\"hide_attachments_in_convo\":\"Piilota liitteet keskusteluissa\",\"hide_attachments_in_tl\":\"Piilota liitteet aikajanalla\",\"hide_isp\":\"Piilota palvelimenkohtainen ruutu\",\"preload_images\":\"Esilataa kuvat\",\"use_one_click_nsfw\":\"Avaa NSFW-liitteet yhdellä painalluksella\",\"hide_post_stats\":\"Piilota viestien statistiikka (esim. tykkäysten määrä)\",\"hide_user_stats\":\"Piilota käyttäjien statistiikka (esim. seuraajien määrä)\",\"import_followers_from_a_csv_file\":\"Tuo seuraukset CSV-tiedostosta\",\"import_theme\":\"Tuo tallennettu teema\",\"inputRadius\":\"Syöttökentät\",\"checkboxRadius\":\"Valintalaatikot\",\"instance_default\":\"(oletus: {value})\",\"instance_default_simple\":\"(oletus)\",\"interface\":\"Käyttöliittymä\",\"interfaceLanguage\":\"Käyttöliittymän kieli\",\"invalid_theme_imported\":\"Tuotu tallennettu teema on epäkelpo, muutoksia ei tehty nykyiseen teemaasi.\",\"limited_availability\":\"Ei saatavilla selaimessasi\",\"links\":\"Linkit\",\"lock_account_description\":\"Vain erikseen hyväksytyt käyttäjät voivat seurata tiliäsi\",\"loop_video\":\"Uudelleentoista videot\",\"loop_video_silent_only\":\"Uudelleentoista ainoastaan äänettömät videot (Video-\\\"giffit\\\")\",\"play_videos_in_modal\":\"Toista videot modaalissa\",\"use_contain_fit\":\"Älä rajaa liitteitä esikatselussa\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja kuvaus\",\"new_password\":\"Uusi salasana\",\"notification_visibility\":\"Ilmoitusten näkyvyys\",\"notification_visibility_follows\":\"Seuraukset\",\"notification_visibility_likes\":\"Tykkäykset\",\"notification_visibility_mentions\":\"Maininnat\",\"notification_visibility_repeats\":\"Toistot\",\"no_rich_text_description\":\"Älä näytä tekstin muotoilua.\",\"hide_network_description\":\"Älä näytä seurauksiani tai seuraajiani\",\"nsfw_clickthrough\":\"Piilota NSFW liitteet klikkauksen taakse\",\"panelRadius\":\"Ruudut\",\"pause_on_unfocused\":\"Pysäytä automaattinen viestien näyttö välilehden ollessa pois fokuksesta\",\"presets\":\"Valmiit teemat\",\"profile_background\":\"Taustakuva\",\"profile_banner\":\"Juliste\",\"profile_tab\":\"Profiili\",\"radii_help\":\"Aseta reunojen pyöristys (pikseleinä)\",\"replies_in_timeline\":\"Keskustelut aikajanalla\",\"reply_link_preview\":\"Keskusteluiden vastauslinkkien esikatselu\",\"reply_visibility_all\":\"Näytä kaikki vastaukset\",\"reply_visibility_following\":\"Näytä vain vastaukset minulle tai seuraamilleni käyttäjille\",\"reply_visibility_self\":\"Näytä vain vastaukset minulle\",\"saving_err\":\"Virhe tallentaessa asetuksia\",\"saving_ok\":\"Asetukset tallennettu\",\"security_tab\":\"Tietoturva\",\"scope_copy\":\"Kopioi näkyvyysrajaus vastatessa (Yksityisviestit aina kopioivat)\",\"set_new_avatar\":\"Aseta uusi profiilikuva\",\"set_new_profile_background\":\"Aseta uusi taustakuva\",\"set_new_profile_banner\":\"Aseta uusi juliste\",\"settings\":\"Asetukset\",\"subject_input_always_show\":\"Näytä aihe-kenttä\",\"subject_line_behavior\":\"Aihe-kentän kopiointi\",\"subject_line_email\":\"Kuten sähköposti: \\\"re: aihe\\\"\",\"subject_line_mastodon\":\"Kopioi sellaisenaan\",\"subject_line_noop\":\"Älä kopioi\",\"stop_gifs\":\"Toista giffit vain kohdistaessa\",\"streaming\":\"Näytä uudet viestit automaattisesti ollessasi ruudun huipulla\",\"text\":\"Teksti\",\"theme\":\"Teema\",\"theme_help\":\"Käytä heksadesimaalivärejä muokataksesi väriteemaasi.\",\"theme_help_v2_1\":\"Voit asettaa tiettyjen osien värin tai läpinäkyvyyden täyttämällä valintalaatikon, käytä \\\"Tyhjennä kaikki\\\"-nappia tyhjentääksesi kaiken.\",\"theme_help_v2_2\":\"Ikonit kenttien alla ovat kontrasti-indikaattoreita, lisätietoa kohdistamalla. Käyttäessä läpinäkyvyyttä ne näyttävät pahimman skenaarion.\",\"tooltipRadius\":\"Ohje- tai huomioviestit\",\"user_settings\":\"Käyttäjän asetukset\",\"values\":{\"false\":\"pois päältä\",\"true\":\"päällä\"}},\"timeline\":{\"collapse\":\"Sulje\",\"conversation\":\"Keskustelu\",\"error_fetching\":\"Virhe ladatessa viestejä\",\"load_older\":\"Lataa vanhempia viestejä\",\"no_retweet_hint\":\"Viesti ei ole julkinen, eikä sitä voi toistaa\",\"repeated\":\"toisti\",\"show_new\":\"Näytä uudet\",\"up_to_date\":\"Ajantasalla\",\"no_more_statuses\":\"Ei enempää viestejä\"},\"user_card\":{\"approve\":\"Hyväksy\",\"block\":\"Estä\",\"blocked\":\"Estetty!\",\"deny\":\"Älä hyväksy\",\"follow\":\"Seuraa\",\"follow_sent\":\"Pyyntö lähetetty!\",\"follow_progress\":\"Pyydetään...\",\"follow_again\":\"Lähetä pyyntö uudestaan\",\"follow_unfollow\":\"Älä seuraa\",\"followees\":\"Seuraa\",\"followers\":\"Seuraajat\",\"following\":\"Seuraat!\",\"follows_you\":\"Seuraa sinua!\",\"its_you\":\"Sinun tili!\",\"mute\":\"Hiljennä\",\"muted\":\"Hiljennetty\",\"per_day\":\"päivässä\",\"remote_follow\":\"Seuraa muualta\",\"statuses\":\"Viestit\"},\"user_profile\":{\"timeline_title\":\"Käyttäjän aikajana\"},\"who_to_follow\":{\"more\":\"Lisää\",\"who_to_follow\":\"Seurausehdotukset\"},\"tool_tip\":{\"media_upload\":\"Lataa tiedosto\",\"repeat\":\"Toista\",\"reply\":\"Vastaa\",\"favorite\":\"Tykkää\",\"user_settings\":\"Käyttäjäasetukset\"},\"upload\":{\"error\":{\"base\":\"Lataus epäonnistui.\",\"file_too_big\":\"Tiedosto liian suuri [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Yritä uudestaan myöhemmin\"},\"file_size_units\":{\"B\":\"tavua\",\"KiB\":\"kt\",\"MiB\":\"Mt\",\"GiB\":\"Gt\",\"TiB\":\"Tt\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/fi.json\n// module id = 405\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy média\",\"scope_options\":\"Options de visibilité\",\"text_limit\":\"Limite du texte\",\"title\":\"Caractéristiques\",\"who_to_follow\":\"Qui s'abonner\"},\"finder\":{\"error_fetching_user\":\"Erreur lors de la recherche de l'utilisateur\",\"find_user\":\"Chercher un utilisateur\"},\"general\":{\"apply\":\"Appliquer\",\"submit\":\"Envoyer\"},\"login\":{\"login\":\"Connexion\",\"description\":\"Connexion avec OAuth\",\"logout\":\"Déconnexion\",\"password\":\"Mot de passe\",\"placeholder\":\"p.e. lain\",\"register\":\"S'inscrire\",\"username\":\"Identifiant\"},\"nav\":{\"chat\":\"Chat local\",\"friend_requests\":\"Demandes d'ami\",\"dms\":\"Messages adressés\",\"mentions\":\"Notifications\",\"public_tl\":\"Statuts locaux\",\"timeline\":\"Journal\",\"twkn\":\"Le réseau connu\"},\"notifications\":{\"broken_favorite\":\"Chargement d'un message inconnu ...\",\"favorited_you\":\"a aimé votre statut\",\"followed_you\":\"a commencé à vous suivre\",\"load_older\":\"Charger les notifications précédentes\",\"notifications\":\"Notifications\",\"read\":\"Lu !\",\"repeated_you\":\"a partagé votre statut\"},\"post_status\":{\"account_not_locked_warning\":\"Votre compte n'est pas {0}. N'importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.\",\"account_not_locked_warning_link\":\"verrouillé\",\"attachments_sensitive\":\"Marquer le média comme sensible\",\"content_type\":{\"plain_text\":\"Texte brut\"},\"content_warning\":\"Sujet (optionnel)\",\"default\":\"Écrivez ici votre prochain statut.\",\"direct_warning\":\"Ce message sera visible à toutes les personnes mentionnées.\",\"posting\":\"Envoi en cours\",\"scope\":{\"direct\":\"Direct - N'envoyer qu'aux personnes mentionnées\",\"private\":\"Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets\",\"public\":\"Publique - Afficher dans les fils publics\",\"unlisted\":\"Non-Listé - Ne pas afficher dans les fils publics\"}},\"registration\":{\"bio\":\"Biographie\",\"email\":\"Adresse email\",\"fullname\":\"Pseudonyme\",\"password_confirm\":\"Confirmation du mot de passe\",\"registration\":\"Inscription\",\"token\":\"Jeton d'invitation\"},\"settings\":{\"attachmentRadius\":\"Pièces jointes\",\"attachments\":\"Pièces jointes\",\"autoload\":\"Charger la suite automatiquement une fois le bas de la page atteint\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Arrière-plan\",\"bio\":\"Biographie\",\"btnRadius\":\"Boutons\",\"cBlue\":\"Bleu (Répondre, suivre)\",\"cGreen\":\"Vert (Partager)\",\"cOrange\":\"Orange (Aimer)\",\"cRed\":\"Rouge (Annuler)\",\"change_password\":\"Changez votre mot de passe\",\"change_password_error\":\"Il y a eu un problème pour changer votre mot de passe.\",\"changed_password\":\"Mot de passe modifié avec succès !\",\"collapse_subject\":\"Réduire les messages avec des sujets\",\"confirm_new_password\":\"Confirmation du nouveau mot de passe\",\"current_avatar\":\"Avatar actuel\",\"current_password\":\"Mot de passe actuel\",\"current_profile_banner\":\"Bannière de profil actuelle\",\"data_import_export_tab\":\"Import / Export des Données\",\"default_vis\":\"Portée de visibilité par défaut\",\"delete_account\":\"Supprimer le compte\",\"delete_account_description\":\"Supprimer définitivement votre compte et tous vos statuts.\",\"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.\",\"delete_account_instructions\":\"Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.\",\"export_theme\":\"Enregistrer le thème\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Tous les statuts contenant ces mots seront masqués. Un mot par ligne\",\"follow_export\":\"Exporter les abonnements\",\"follow_export_button\":\"Exporter les abonnements en csv\",\"follow_export_processing\":\"Exportation en cours…\",\"follow_import\":\"Importer des abonnements\",\"follow_import_error\":\"Erreur lors de l'importation des abonnements\",\"follows_imported\":\"Abonnements importés ! Le traitement peut prendre un moment.\",\"foreground\":\"Premier plan\",\"general\":\"Général\",\"hide_attachments_in_convo\":\"Masquer les pièces jointes dans les conversations\",\"hide_attachments_in_tl\":\"Masquer les pièces jointes dans le journal\",\"hide_post_stats\":\"Masquer les statistiques de publication (le nombre de favoris)\",\"hide_user_stats\":\"Masquer les statistiques de profil (le nombre d'amis)\",\"import_followers_from_a_csv_file\":\"Importer des abonnements depuis un fichier csv\",\"import_theme\":\"Charger le thème\",\"inputRadius\":\"Champs de texte\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interfaceLanguage\":\"Langue de l'interface\",\"invalid_theme_imported\":\"Le fichier sélectionné n'est pas un thème Pleroma pris en charge. Aucun changement n'a été apporté à votre thème.\",\"limited_availability\":\"Non disponible dans votre navigateur\",\"links\":\"Liens\",\"lock_account_description\":\"Limitez votre compte aux abonnés acceptés uniquement\",\"loop_video\":\"Vidéos en boucle\",\"loop_video_silent_only\":\"Boucle uniquement les vidéos sans le son (les «gifs» de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nouveau mot de passe\",\"no_rich_text_description\":\"Ne formatez pas le texte\",\"notification_visibility\":\"Types de notifications à afficher\",\"notification_visibility_follows\":\"Abonnements\",\"notification_visibility_likes\":\"J’aime\",\"notification_visibility_mentions\":\"Mentionnés\",\"notification_visibility_repeats\":\"Partages\",\"nsfw_clickthrough\":\"Masquer les images marquées comme contenu adulte ou sensible\",\"panelRadius\":\"Fenêtres\",\"pause_on_unfocused\":\"Suspendre le streaming lorsque l'onglet n'est pas centré\",\"presets\":\"Thèmes prédéfinis\",\"profile_background\":\"Image de fond\",\"profile_banner\":\"Bannière de profil\",\"profile_tab\":\"Profil\",\"radii_help\":\"Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)\",\"replies_in_timeline\":\"Réponses au journal\",\"reply_link_preview\":\"Afficher un aperçu lors du survol de liens vers une réponse\",\"reply_visibility_all\":\"Montrer toutes les réponses\",\"reply_visibility_following\":\"Afficher uniquement les réponses adressées à moi ou aux utilisateurs que je suis\",\"reply_visibility_self\":\"Afficher uniquement les réponses adressées à moi\",\"saving_err\":\"Erreur lors de l'enregistrement des paramètres\",\"saving_ok\":\"Paramètres enregistrés\",\"security_tab\":\"Sécurité\",\"set_new_avatar\":\"Changer d'avatar\",\"set_new_profile_background\":\"Changer d'image de fond\",\"set_new_profile_banner\":\"Changer de bannière\",\"settings\":\"Paramètres\",\"stop_gifs\":\"N'animer les GIFS que lors du survol du curseur de la souris\",\"streaming\":\"Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page\",\"text\":\"Texte\",\"theme\":\"Thème\",\"theme_help\":\"Spécifiez des codes couleur hexadécimaux (#rrvvbb) pour personnaliser les couleurs du thème.\",\"tooltipRadius\":\"Info-bulles/alertes\",\"user_settings\":\"Paramètres utilisateur\",\"values\":{\"false\":\"non\",\"true\":\"oui\"}},\"timeline\":{\"collapse\":\"Fermer\",\"conversation\":\"Conversation\",\"error_fetching\":\"Erreur en cherchant les mises à jour\",\"load_older\":\"Afficher plus\",\"no_retweet_hint\":\"Le message est marqué en abonnés-seulement ou direct et ne peut pas être répété\",\"repeated\":\"a partagé\",\"show_new\":\"Afficher plus\",\"up_to_date\":\"À jour\"},\"user_card\":{\"approve\":\"Accepter\",\"block\":\"Bloquer\",\"blocked\":\"Bloqué !\",\"deny\":\"Rejeter\",\"follow\":\"Suivre\",\"followees\":\"Suivis\",\"followers\":\"Vous suivent\",\"following\":\"Suivi !\",\"follows_you\":\"Vous suit !\",\"mute\":\"Masquer\",\"muted\":\"Masqué\",\"per_day\":\"par jour\",\"remote_follow\":\"Suivre d'une autre instance\",\"statuses\":\"Statuts\"},\"user_profile\":{\"timeline_title\":\"Journal de l'utilisateur\"},\"who_to_follow\":{\"more\":\"Plus\",\"who_to_follow\":\"Qui s'abonner\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/fr.json\n// module id = 406\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Comhrá\"},\"features_panel\":{\"chat\":\"Comhrá\",\"gopher\":\"Gófar\",\"media_proxy\":\"Seachfhreastalaí meáin\",\"scope_options\":\"Rogha scóip\",\"text_limit\":\"Teorainn Téacs\",\"title\":\"Gnéithe\",\"who_to_follow\":\"Daoine le leanúint\"},\"finder\":{\"error_fetching_user\":\"Earráid a aimsiú d'úsáideoir\",\"find_user\":\"Aimsigh úsáideoir\"},\"general\":{\"apply\":\"Feidhmigh\",\"submit\":\"Deimhnigh\"},\"login\":{\"login\":\"Logáil isteach\",\"logout\":\"Logáil amach\",\"password\":\"Pasfhocal\",\"placeholder\":\"m.sh. Daire\",\"register\":\"Clárú\",\"username\":\"Ainm Úsáideora\"},\"nav\":{\"chat\":\"Comhrá Áitiúil\",\"friend_requests\":\"Iarratas ar Cairdeas\",\"mentions\":\"Tagairt\",\"public_tl\":\"Amlíne Poiblí\",\"timeline\":\"Amlíne\",\"twkn\":\"An Líonra Iomlán\"},\"notifications\":{\"broken_favorite\":\"Post anaithnid. Cuardach dó...\",\"favorited_you\":\"toghadh le do phost\",\"followed_you\":\"lean tú\",\"load_older\":\"Luchtaigh fógraí aosta\",\"notifications\":\"Fógraí\",\"read\":\"Léigh!\",\"repeated_you\":\"athphostáil tú\"},\"post_status\":{\"account_not_locked_warning\":\"Níl do chuntas {0}. Is féidir le duine ar bith a leanúint leat chun do phoist leantacha amháin a fheiceáil.\",\"account_not_locked_warning_link\":\"faoi glas\",\"attachments_sensitive\":\"Marcáil ceangaltán mar íogair\",\"content_type\":{\"plain_text\":\"Gnáth-théacs\"},\"content_warning\":\"Teideal (roghnach)\",\"default\":\"Lá iontach anseo i nGaillimh\",\"direct_warning\":\"Ní bheidh an post seo le feiceáil ach amháin do na húsáideoirí atá luaite.\",\"posting\":\"Post nua\",\"scope\":{\"direct\":\"Díreach - Post chuig úsáideoirí luaite amháin\",\"private\":\"Leanúna amháin - Post chuig lucht leanúna amháin\",\"public\":\"Poiblí - Post chuig amlínte poiblí\",\"unlisted\":\"Neamhliostaithe - Ná cuir post chuig amlínte poiblí\"}},\"registration\":{\"bio\":\"Scéal saoil\",\"email\":\"Ríomhphost\",\"fullname\":\"Ainm taispeána'\",\"password_confirm\":\"Deimhnigh do pasfhocal\",\"registration\":\"Clárú\",\"token\":\"Cód cuireadh\"},\"settings\":{\"attachmentRadius\":\"Ceangaltáin\",\"attachments\":\"Ceangaltáin\",\"autoload\":\"Cumasaigh luchtú uathoibríoch nuair a scrollaítear go bun\",\"avatar\":\"Phictúir phrófíle\",\"avatarAltRadius\":\"Phictúirí phrófíle (Fograí)\",\"avatarRadius\":\"Phictúirí phrófíle\",\"background\":\"Cúlra\",\"bio\":\"Scéal saoil\",\"btnRadius\":\"Cnaipí\",\"cBlue\":\"Gorm (Freagra, lean)\",\"cGreen\":\"Glas (Athphóstail)\",\"cOrange\":\"Oráiste (Cosúil)\",\"cRed\":\"Dearg (Cealaigh)\",\"change_password\":\"Athraigh do pasfhocal\",\"change_password_error\":\"Bhí fadhb ann ag athrú do pasfhocail\",\"changed_password\":\"Athraigh an pasfhocal go rathúil!\",\"collapse_subject\":\"Poist a chosc le teidil\",\"confirm_new_password\":\"Deimhnigh do pasfhocal nua\",\"current_avatar\":\"Phictúir phrófíle\",\"current_password\":\"Pasfhocal reatha\",\"current_profile_banner\":\"Phictúir ceanntáisc\",\"data_import_export_tab\":\"Iompórtáil / Easpórtáil Sonraí\",\"default_vis\":\"Scóip infheicthe réamhshocraithe\",\"delete_account\":\"Scrios cuntas\",\"delete_account_description\":\"Do chuntas agus do chuid teachtaireachtaí go léir a scriosadh go buan.\",\"delete_account_error\":\"Bhí fadhb ann a scriosadh do chuntas. Má leanann sé seo, téigh i dteagmháil le do riarthóir.\",\"delete_account_instructions\":\"Scríobh do phasfhocal san ionchur thíos chun deimhniú a scriosadh.\",\"export_theme\":\"Sábháil Téama\",\"filtering\":\"Scagadh\",\"filtering_explanation\":\"Beidh gach post ina bhfuil na focail seo i bhfolach, ceann in aghaidh an líne\",\"follow_export\":\"Easpórtáil do leanann\",\"follow_export_button\":\"Easpórtáil do leanann chuig comhad csv\",\"follow_export_processing\":\"Próiseáil. Iarrtar ort go luath an comhad a íoslódáil.\",\"follow_import\":\"Iompórtáil do leanann\",\"follow_import_error\":\"Earráid agus do leanann a iompórtáil\",\"follows_imported\":\"Do leanann iompórtáil! Tógfaidh an próiseas iad le tamall.\",\"foreground\":\"Tulra\",\"general\":\"Ginearálta\",\"hide_attachments_in_convo\":\"Folaigh ceangaltáin i comhráite\",\"hide_attachments_in_tl\":\"Folaigh ceangaltáin sa amlíne\",\"hide_post_stats\":\"Folaigh staitisticí na bpost (m.sh. líon na n-athrá)\",\"hide_user_stats\":\"Folaigh na staitisticí úsáideora (m.sh. líon na leantóiri)\",\"import_followers_from_a_csv_file\":\"Iompórtáil leanann ó chomhad csv\",\"import_theme\":\"Luchtaigh Téama\",\"inputRadius\":\"Limistéar iontrála\",\"instance_default\":\"(Réamhshocrú: {value})\",\"interfaceLanguage\":\"Teanga comhéadain\",\"invalid_theme_imported\":\"Ní téama bailí é an comhad dícheangailte. Níor rinneadh aon athruithe.\",\"limited_availability\":\"Níl sé ar fáil i do bhrabhsálaí\",\"links\":\"Naisc\",\"lock_account_description\":\"Srian a chur ar do chuntas le lucht leanúna ceadaithe amháin\",\"loop_video\":\"Lúb físeáin\",\"loop_video_silent_only\":\"Lúb físeáin amháin gan fuaim (i.e. Mastodon's \\\"gifs\\\")\",\"name\":\"Ainm\",\"name_bio\":\"Ainm ⁊ Scéal\",\"new_password\":\"Pasfhocal nua'\",\"notification_visibility\":\"Cineálacha fógraí a thaispeáint\",\"notification_visibility_follows\":\"Leana\",\"notification_visibility_likes\":\"Thaithin\",\"notification_visibility_mentions\":\"Tagairt\",\"notification_visibility_repeats\":\"Atphostáil\",\"no_rich_text_description\":\"Bain formáidiú téacs saibhir ó gach post\",\"nsfw_clickthrough\":\"Cumasaigh an ceangaltán NSFW cliceáil ar an gcnaipe\",\"panelRadius\":\"Painéil\",\"pause_on_unfocused\":\"Sruthú ar sos nuair a bhíonn an fócas caillte\",\"presets\":\"Réamhshocruithe\",\"profile_background\":\"Cúlra Próifíl\",\"profile_banner\":\"Phictúir Ceanntáisc\",\"profile_tab\":\"Próifíl\",\"radii_help\":\"Cruinniú imeall comhéadan a chumrú (i bpicteilíní)\",\"replies_in_timeline\":\"Freagraí sa amlíne\",\"reply_link_preview\":\"Cumasaigh réamhamharc nasc freagartha ar chlár na luiche\",\"reply_visibility_all\":\"Taispeáin gach freagra\",\"reply_visibility_following\":\"Taispeáin freagraí amháin atá dírithe ar mise nó ar úsáideoirí atá mé ag leanúint\",\"reply_visibility_self\":\"Taispeáin freagraí amháin atá dírithe ar mise\",\"saving_err\":\"Earráid socruithe a shábháil\",\"saving_ok\":\"Socruithe sábháilte\",\"security_tab\":\"Slándáil\",\"set_new_avatar\":\"Athraigh do phictúir phrófíle\",\"set_new_profile_background\":\"Athraigh do cúlra próifíl\",\"set_new_profile_banner\":\"Athraigh do phictúir ceanntáisc\",\"settings\":\"Socruithe\",\"stop_gifs\":\"Seinn GIFs ar an scáileán\",\"streaming\":\"Cumasaigh post nua a shruthú uathoibríoch nuair a scrollaítear go barr an leathanaigh\",\"text\":\"Téacs\",\"theme\":\"Téama\",\"theme_help\":\"Úsáid cód daith hex (#rrggbb) chun do schéim a saincheapadh\",\"tooltipRadius\":\"Bileoga eolais\",\"user_settings\":\"Socruithe úsáideora\",\"values\":{\"false\":\"níl\",\"true\":\"tá\"}},\"timeline\":{\"collapse\":\"Folaigh\",\"conversation\":\"Cómhra\",\"error_fetching\":\"Earráid a thabhairt cothrom le dáta\",\"load_older\":\"Luchtaigh níos mó\",\"no_retweet_hint\":\"Tá an post seo marcáilte mar lucht leanúna amháin nó díreach agus ní féidir é a athphostáil\",\"repeated\":\"athphostáil\",\"show_new\":\"Taispeáin nua\",\"up_to_date\":\"Nuashonraithe\"},\"user_card\":{\"approve\":\"Údaraigh\",\"block\":\"Cosc\",\"blocked\":\"Cuireadh coisc!\",\"deny\":\"Diúltaigh\",\"follow\":\"Lean\",\"followees\":\"Leantóirí\",\"followers\":\"Á Leanúint\",\"following\":\"Á Leanúint\",\"follows_you\":\"Leanann tú\",\"mute\":\"Cuir i mód ciúin\",\"muted\":\"Mód ciúin\",\"per_day\":\"laethúil\",\"remote_follow\":\"Leaníunt iargúlta\",\"statuses\":\"Poist\"},\"user_profile\":{\"timeline_title\":\"Amlíne úsáideora\"},\"who_to_follow\":{\"more\":\"Feach uile\",\"who_to_follow\":\"Daoine le leanúint\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ga.json\n// module id = 407\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"צ'אט\"},\"features_panel\":{\"chat\":\"צ'אט\",\"gopher\":\"גופר\",\"media_proxy\":\"מדיה פרוקסי\",\"scope_options\":\"אפשרויות טווח\",\"text_limit\":\"מגבלת טקסט\",\"title\":\"מאפיינים\",\"who_to_follow\":\"אחרי מי לעקוב\"},\"finder\":{\"error_fetching_user\":\"שגיאה במציאת משתמש\",\"find_user\":\"מציאת משתמש\"},\"general\":{\"apply\":\"החל\",\"submit\":\"שלח\"},\"login\":{\"login\":\"התחבר\",\"logout\":\"התנתק\",\"password\":\"סיסמה\",\"placeholder\":\"למשל lain\",\"register\":\"הירשם\",\"username\":\"שם המשתמש\"},\"nav\":{\"chat\":\"צ'אט מקומי\",\"friend_requests\":\"בקשות עקיבה\",\"mentions\":\"אזכורים\",\"public_tl\":\"ציר הזמן הציבורי\",\"timeline\":\"ציר הזמן\",\"twkn\":\"כל הרשת הידועה\"},\"notifications\":{\"broken_favorite\":\"סטאטוס לא ידוע, מחפש...\",\"favorited_you\":\"אהב את הסטטוס שלך\",\"followed_you\":\"עקב אחריך!\",\"load_older\":\"טען התראות ישנות\",\"notifications\":\"התראות\",\"read\":\"קרא!\",\"repeated_you\":\"חזר על הסטטוס שלך\"},\"post_status\":{\"account_not_locked_warning\":\"המשתמש שלך אינו {0}. כל אחד יכול לעקוב אחריך ולראות את ההודעות לעוקבים-בלבד שלך.\",\"account_not_locked_warning_link\":\"נעול\",\"attachments_sensitive\":\"סמן מסמכים מצורפים כלא בטוחים לצפייה\",\"content_type\":{\"plain_text\":\"טקסט פשוט\"},\"content_warning\":\"נושא (נתון לבחירה)\",\"default\":\"הרגע נחת ב-ל.א.\",\"direct_warning\":\"הודעה זו תהיה זמינה רק לאנשים המוזכרים.\",\"posting\":\"מפרסם\",\"scope\":{\"direct\":\"ישיר - שלח לאנשים המוזכרים בלבד\",\"private\":\"עוקבים-בלבד - שלח לעוקבים בלבד\",\"public\":\"ציבורי - שלח לציר הזמן הציבורי\",\"unlisted\":\"מחוץ לרשימה - אל תשלח לציר הזמן הציבורי\"}},\"registration\":{\"bio\":\"אודות\",\"email\":\"אימייל\",\"fullname\":\"שם תצוגה\",\"password_confirm\":\"אישור סיסמה\",\"registration\":\"הרשמה\",\"token\":\"טוקן הזמנה\"},\"settings\":{\"attachmentRadius\":\"צירופים\",\"attachments\":\"צירופים\",\"autoload\":\"החל טעינה אוטומטית בגלילה לתחתית הדף\",\"avatar\":\"תמונת פרופיל\",\"avatarAltRadius\":\"תמונות פרופיל (התראות)\",\"avatarRadius\":\"תמונות פרופיל\",\"background\":\"רקע\",\"bio\":\"אודות\",\"btnRadius\":\"כפתורים\",\"cBlue\":\"כחול (תגובה, עקיבה)\",\"cGreen\":\"ירוק (חזרה)\",\"cOrange\":\"כתום (לייק)\",\"cRed\":\"אדום (ביטול)\",\"change_password\":\"שנה סיסמה\",\"change_password_error\":\"הייתה בעיה בשינוי סיסמתך.\",\"changed_password\":\"סיסמה שונתה בהצלחה!\",\"collapse_subject\":\"מזער הודעות עם נושאים\",\"confirm_new_password\":\"אשר סיסמה\",\"current_avatar\":\"תמונת הפרופיל הנוכחית שלך\",\"current_password\":\"סיסמה נוכחית\",\"current_profile_banner\":\"כרזת הפרופיל הנוכחית שלך\",\"data_import_export_tab\":\"ייבוא או ייצוא מידע\",\"default_vis\":\"ברירת מחדל לטווח הנראות\",\"delete_account\":\"מחק משתמש\",\"delete_account_description\":\"מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.\",\"delete_account_error\":\"הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.\",\"delete_account_instructions\":\"הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.\",\"export_theme\":\"שמור ערכים\",\"filtering\":\"סינון\",\"filtering_explanation\":\"כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה\",\"follow_export\":\"יצוא עקיבות\",\"follow_export_button\":\"ייצא את הנעקבים שלך לקובץ csv\",\"follow_export_processing\":\"טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך\",\"follow_import\":\"יבוא עקיבות\",\"follow_import_error\":\"שגיאה בייבוא נעקבים.\",\"follows_imported\":\"נעקבים יובאו! ייקח זמן מה לעבד אותם.\",\"foreground\":\"חזית\",\"hide_attachments_in_convo\":\"החבא צירופים בשיחות\",\"hide_attachments_in_tl\":\"החבא צירופים בציר הזמן\",\"import_followers_from_a_csv_file\":\"ייבא את הנעקבים שלך מקובץ csv\",\"import_theme\":\"טען ערכים\",\"inputRadius\":\"שדות קלט\",\"interfaceLanguage\":\"שפת הממשק\",\"invalid_theme_imported\":\"הקובץ הנבחר אינו תמה הנתמכת ע\\\"י פלרומה. שום שינויים לא נעשו לתמה שלך.\",\"limited_availability\":\"לא זמין בדפדפן שלך\",\"links\":\"לינקים\",\"lock_account_description\":\"הגבל את המשתמש לעוקבים מאושרים בלבד\",\"loop_video\":\"נגן סרטונים ללא הפסקה\",\"loop_video_silent_only\":\"נגן רק סרטונים חסרי קול ללא הפסקה\",\"name\":\"שם\",\"name_bio\":\"שם ואודות\",\"new_password\":\"סיסמה חדשה\",\"notification_visibility\":\"סוג ההתראות שתרצו לראות\",\"notification_visibility_follows\":\"עקיבות\",\"notification_visibility_likes\":\"לייקים\",\"notification_visibility_mentions\":\"אזכורים\",\"notification_visibility_repeats\":\"חזרות\",\"nsfw_clickthrough\":\"החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר\",\"panelRadius\":\"פאנלים\",\"pause_on_unfocused\":\"השהה זרימת הודעות כשהחלון לא בפוקוס\",\"presets\":\"ערכים קבועים מראש\",\"profile_background\":\"רקע הפרופיל\",\"profile_banner\":\"כרזת הפרופיל\",\"profile_tab\":\"פרופיל\",\"radii_help\":\"קבע מראש עיגול פינות לממשק (בפיקסלים)\",\"replies_in_timeline\":\"תגובות בציר הזמן\",\"reply_link_preview\":\"החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר\",\"reply_visibility_all\":\"הראה את כל התגובות\",\"reply_visibility_following\":\"הראה תגובות שמופנות אליי או לעקובים שלי בלבד\",\"reply_visibility_self\":\"הראה תגובות שמופנות אליי בלבד\",\"security_tab\":\"ביטחון\",\"set_new_avatar\":\"קבע תמונת פרופיל חדשה\",\"set_new_profile_background\":\"קבע רקע פרופיל חדש\",\"set_new_profile_banner\":\"קבע כרזת פרופיל חדשה\",\"settings\":\"הגדרות\",\"stop_gifs\":\"נגן-בעת-ריחוף GIFs\",\"streaming\":\"החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף\",\"text\":\"טקסט\",\"theme\":\"תמה\",\"theme_help\":\"השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.\",\"tooltipRadius\":\"טולטיפ \\\\ התראות\",\"user_settings\":\"הגדרות משתמש\"},\"timeline\":{\"collapse\":\"מוטט\",\"conversation\":\"שיחה\",\"error_fetching\":\"שגיאה בהבאת הודעות\",\"load_older\":\"טען סטטוסים חדשים\",\"no_retweet_hint\":\"ההודעה מסומנת כ\\\"לעוקבים-בלבד\\\" ולא ניתן לחזור עליה\",\"repeated\":\"חזר\",\"show_new\":\"הראה חדש\",\"up_to_date\":\"עדכני\"},\"user_card\":{\"approve\":\"אשר\",\"block\":\"חסימה\",\"blocked\":\"חסום!\",\"deny\":\"דחה\",\"follow\":\"עקוב\",\"followees\":\"נעקבים\",\"followers\":\"עוקבים\",\"following\":\"עוקב!\",\"follows_you\":\"עוקב אחריך!\",\"mute\":\"השתק\",\"muted\":\"מושתק\",\"per_day\":\"ליום\",\"remote_follow\":\"עקיבה מרחוק\",\"statuses\":\"סטטוסים\"},\"user_profile\":{\"timeline_title\":\"ציר זמן המשתמש\"},\"who_to_follow\":{\"more\":\"עוד\",\"who_to_follow\":\"אחרי מי לעקוב\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/he.json\n// module id = 408\n// module chunks = 2","module.exports = {\"finder\":{\"error_fetching_user\":\"Hiba felhasználó beszerzésével\",\"find_user\":\"Felhasználó keresése\"},\"general\":{\"submit\":\"Elküld\"},\"login\":{\"login\":\"Bejelentkezés\",\"logout\":\"Kijelentkezés\",\"password\":\"Jelszó\",\"placeholder\":\"e.g. lain\",\"register\":\"Feliratkozás\",\"username\":\"Felhasználó név\"},\"nav\":{\"mentions\":\"Említéseim\",\"public_tl\":\"Publikus Idővonal\",\"timeline\":\"Idővonal\",\"twkn\":\"Az Egész Ismert Hálózat\"},\"notifications\":{\"followed_you\":\"követ téged\",\"notifications\":\"Értesítések\",\"read\":\"Olvasva!\"},\"post_status\":{\"default\":\"Most érkeztem L.A.-be\",\"posting\":\"Küldés folyamatban\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Teljes név\",\"password_confirm\":\"Jelszó megerősítése\",\"registration\":\"Feliratkozás\"},\"settings\":{\"attachments\":\"Csatolmányok\",\"autoload\":\"Autoatikus betöltés engedélyezése lap aljára görgetéskor\",\"avatar\":\"Avatár\",\"bio\":\"Bio\",\"current_avatar\":\"Jelenlegi avatár\",\"current_profile_banner\":\"Jelenlegi profil banner\",\"filtering\":\"Szűrés\",\"filtering_explanation\":\"Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy\",\"hide_attachments_in_convo\":\"Csatolmányok elrejtése a társalgásokban\",\"hide_attachments_in_tl\":\"Csatolmányok elrejtése az idővonalon\",\"name\":\"Név\",\"name_bio\":\"Név és Bio\",\"nsfw_clickthrough\":\"NSFW átkattintási tartalom elrejtésének engedélyezése\",\"profile_background\":\"Profil háttérkép\",\"profile_banner\":\"Profil Banner\",\"reply_link_preview\":\"Válasz-link előzetes mutatása egér rátételkor\",\"set_new_avatar\":\"Új avatár\",\"set_new_profile_background\":\"Új profil háttér beállítása\",\"set_new_profile_banner\":\"Új profil banner\",\"settings\":\"Beállítások\",\"theme\":\"Téma\",\"user_settings\":\"Felhasználói beállítások\"},\"timeline\":{\"conversation\":\"Társalgás\",\"error_fetching\":\"Hiba a frissítések beszerzésénél\",\"load_older\":\"Régebbi állapotok betöltése\",\"show_new\":\"Újak mutatása\",\"up_to_date\":\"Naprakész\"},\"user_card\":{\"block\":\"Letilt\",\"blocked\":\"Letiltva!\",\"follow\":\"Követ\",\"followees\":\"Követettek\",\"followers\":\"Követők\",\"following\":\"Követve!\",\"follows_you\":\"Követ téged!\",\"mute\":\"Némít\",\"muted\":\"Némított\",\"per_day\":\"naponta\",\"statuses\":\"Állapotok\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/hu.json\n// module id = 409\n// module chunks = 2","module.exports = {\"general\":{\"submit\":\"Invia\",\"apply\":\"Applica\"},\"nav\":{\"mentions\":\"Menzioni\",\"public_tl\":\"Sequenza temporale pubblica\",\"timeline\":\"Sequenza temporale\",\"twkn\":\"L'intera rete conosciuta\",\"chat\":\"Chat Locale\",\"friend_requests\":\"Richieste di Seguirti\"},\"notifications\":{\"followed_you\":\"ti segue\",\"notifications\":\"Notifiche\",\"read\":\"Leggi!\",\"broken_favorite\":\"Stato sconosciuto, lo sto cercando...\",\"favorited_you\":\"ha messo mi piace al tuo stato\",\"load_older\":\"Carica notifiche più vecchie\",\"repeated_you\":\"ha condiviso il tuo stato\"},\"settings\":{\"attachments\":\"Allegati\",\"autoload\":\"Abilita caricamento automatico quando si raggiunge fondo pagina\",\"avatar\":\"Avatar\",\"bio\":\"Introduzione\",\"current_avatar\":\"Il tuo avatar attuale\",\"current_profile_banner\":\"Il tuo banner attuale\",\"filtering\":\"Filtri\",\"filtering_explanation\":\"Tutti i post contenenti queste parole saranno silenziati, uno per linea\",\"hide_attachments_in_convo\":\"Nascondi gli allegati presenti nelle conversazioni\",\"hide_attachments_in_tl\":\"Nascondi gli allegati presenti nella sequenza temporale\",\"name\":\"Nome\",\"name_bio\":\"Nome & Introduzione\",\"nsfw_clickthrough\":\"Abilita il click per visualizzare gli allegati segnati come NSFW\",\"profile_background\":\"Sfondo della tua pagina\",\"profile_banner\":\"Banner del tuo profilo\",\"reply_link_preview\":\"Abilita il link per la risposta al passaggio del mouse\",\"set_new_avatar\":\"Scegli un nuovo avatar\",\"set_new_profile_background\":\"Scegli un nuovo sfondo per la tua pagina\",\"set_new_profile_banner\":\"Scegli un nuovo banner per il tuo profilo\",\"settings\":\"Impostazioni\",\"theme\":\"Tema\",\"user_settings\":\"Impostazioni Utente\",\"attachmentRadius\":\"Allegati\",\"avatarAltRadius\":\"Avatar (Notifiche)\",\"avatarRadius\":\"Avatar\",\"background\":\"Sfondo\",\"btnRadius\":\"Pulsanti\",\"cBlue\":\"Blu (Rispondere, seguire)\",\"cGreen\":\"Verde (Condividi)\",\"cOrange\":\"Arancio (Mi piace)\",\"cRed\":\"Rosso (Annulla)\",\"change_password\":\"Cambia Password\",\"change_password_error\":\"C'è stato un problema durante il cambiamento della password.\",\"changed_password\":\"Password cambiata correttamente!\",\"collapse_subject\":\"Riduci post che hanno un oggetto\",\"confirm_new_password\":\"Conferma la nuova password\",\"current_password\":\"Password attuale\",\"data_import_export_tab\":\"Importa / Esporta Dati\",\"default_vis\":\"Visibilità predefinita dei post\",\"delete_account\":\"Elimina Account\",\"delete_account_description\":\"Elimina definitivamente il tuo account e tutti i tuoi messaggi.\",\"delete_account_error\":\"C'è stato un problema durante l'eliminazione del tuo account. Se il problema persiste contatta l'amministratore della tua istanza.\",\"delete_account_instructions\":\"Digita la tua password nel campo sottostante per confermare l'eliminazione dell'account.\",\"export_theme\":\"Salva settaggi\",\"follow_export\":\"Esporta la lista di chi segui\",\"follow_export_button\":\"Esporta la lista di chi segui in un file csv\",\"follow_export_processing\":\"Sto elaborando, presto ti sarà chiesto di scaricare il tuo file\",\"follow_import\":\"Importa la lista di chi segui\",\"follow_import_error\":\"Errore nell'importazione della lista di chi segui\",\"follows_imported\":\"Importazione riuscita! L'elaborazione richiederà un po' di tempo.\",\"foreground\":\"In primo piano\",\"general\":\"Generale\",\"hide_post_stats\":\"Nascondi statistiche dei post (es. il numero di mi piace)\",\"hide_user_stats\":\"Nascondi statistiche dell'utente (es. il numero di chi ti segue)\",\"import_followers_from_a_csv_file\":\"Importa una lista di chi segui da un file csv\",\"import_theme\":\"Carica settaggi\",\"inputRadius\":\"Campi di testo\",\"instance_default\":\"(predefinito: {value})\",\"interfaceLanguage\":\"Linguaggio dell'interfaccia\",\"invalid_theme_imported\":\"Il file selezionato non è un file di tema per Pleroma supportato. Il tuo tema non è stato modificato.\",\"limited_availability\":\"Non disponibile nel tuo browser\",\"links\":\"Collegamenti\",\"lock_account_description\":\"Limita il tuo account solo per contatti approvati\",\"loop_video\":\"Riproduci video in ciclo continuo\",\"loop_video_silent_only\":\"Riproduci solo video senza audio in ciclo continuo (es. le gif di Mastodon)\",\"new_password\":\"Nuova password\",\"notification_visibility\":\"Tipi di notifiche da mostrare\",\"notification_visibility_follows\":\"Nuove persone ti seguono\",\"notification_visibility_likes\":\"Mi piace\",\"notification_visibility_mentions\":\"Menzioni\",\"notification_visibility_repeats\":\"Condivisioni\",\"no_rich_text_description\":\"Togli la formattazione del testo da tutti i post\",\"panelRadius\":\"Pannelli\",\"pause_on_unfocused\":\"Metti in pausa l'aggiornamento continuo quando la scheda non è in primo piano\",\"presets\":\"Valori predefiniti\",\"profile_tab\":\"Profilo\",\"radii_help\":\"Imposta l'arrotondamento dei bordi (in pixel)\",\"replies_in_timeline\":\"Risposte nella sequenza temporale\",\"reply_visibility_all\":\"Mostra tutte le risposte\",\"reply_visibility_following\":\"Mostra solo le risposte dirette a me o agli utenti che seguo\",\"reply_visibility_self\":\"Mostra solo risposte dirette a me\",\"saving_err\":\"Errore nel salvataggio delle impostazioni\",\"saving_ok\":\"Impostazioni salvate\",\"security_tab\":\"Sicurezza\",\"stop_gifs\":\"Riproduci GIF al passaggio del cursore del mouse\",\"streaming\":\"Abilita aggiornamento automatico dei nuovi post quando si è in alto alla pagina\",\"text\":\"Testo\",\"theme_help\":\"Usa codici colore esadecimali (#rrggbb) per personalizzare il tuo schema di colori.\",\"tooltipRadius\":\"Descrizioni/avvisi\",\"values\":{\"false\":\"no\",\"true\":\"si\"}},\"timeline\":{\"error_fetching\":\"Errore nel prelievo aggiornamenti\",\"load_older\":\"Carica messaggi più vecchi\",\"show_new\":\"Mostra nuovi\",\"up_to_date\":\"Aggiornato\",\"collapse\":\"Riduci\",\"conversation\":\"Conversazione\",\"no_retweet_hint\":\"La visibilità del post è impostata solo per chi ti segue o messaggio diretto e non può essere condiviso\",\"repeated\":\"condiviso\"},\"user_card\":{\"follow\":\"Segui\",\"followees\":\"Chi stai seguendo\",\"followers\":\"Chi ti segue\",\"following\":\"Lo stai seguendo!\",\"follows_you\":\"Ti segue!\",\"mute\":\"Silenzia\",\"muted\":\"Silenziato\",\"per_day\":\"al giorno\",\"statuses\":\"Messaggi\",\"approve\":\"Approva\",\"block\":\"Blocca\",\"blocked\":\"Bloccato!\",\"deny\":\"Nega\",\"remote_follow\":\"Segui da remoto\"},\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Opzioni di visibilità\",\"text_limit\":\"Lunghezza limite\",\"title\":\"Caratteristiche\",\"who_to_follow\":\"Chi seguire\"},\"finder\":{\"error_fetching_user\":\"Errore nel recupero dell'utente\",\"find_user\":\"Trova utente\"},\"login\":{\"login\":\"Accedi\",\"logout\":\"Disconnettiti\",\"password\":\"Password\",\"placeholder\":\"es. lain\",\"register\":\"Registrati\",\"username\":\"Nome utente\"},\"post_status\":{\"account_not_locked_warning\":\"Il tuo account non è {0}. Chiunque può seguirti e vedere i tuoi post riservati a chi ti segue.\",\"account_not_locked_warning_link\":\"bloccato\",\"attachments_sensitive\":\"Segna allegati come sensibili\",\"content_type\":{\"plain_text\":\"Testo normale\"},\"content_warning\":\"Oggetto (facoltativo)\",\"default\":\"Appena atterrato in L.A.\",\"direct_warning\":\"Questo post sarà visibile solo dagli utenti menzionati.\",\"posting\":\"Pubblica\",\"scope\":{\"direct\":\"Diretto - Pubblicato solo per gli utenti menzionati\",\"private\":\"Solo per chi ti segue - Visibile solo da chi ti segue\",\"public\":\"Pubblico - Visibile sulla sequenza temporale pubblica\",\"unlisted\":\"Non elencato - Non visibile sulla sequenza temporale pubblica\"}},\"registration\":{\"bio\":\"Introduzione\",\"email\":\"Email\",\"fullname\":\"Nome visualizzato\",\"password_confirm\":\"Conferma password\",\"registration\":\"Registrazione\",\"token\":\"Codice d'invito\"},\"user_profile\":{\"timeline_title\":\"Sequenza Temporale dell'Utente\"},\"who_to_follow\":{\"more\":\"Più\",\"who_to_follow\":\"Chi seguire\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/it.json\n// module id = 410\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"チャット\"},\"features_panel\":{\"chat\":\"チャット\",\"gopher\":\"Gopher\",\"media_proxy\":\"メディアプロクシ\",\"scope_options\":\"こうかいはんいせんたく\",\"text_limit\":\"もじのかず\",\"title\":\"ゆうこうなきのう\",\"who_to_follow\":\"おすすめユーザー\"},\"finder\":{\"error_fetching_user\":\"ユーザーけんさくがエラーになりました。\",\"find_user\":\"ユーザーをさがす\"},\"general\":{\"apply\":\"てきよう\",\"submit\":\"そうしん\"},\"login\":{\"login\":\"ログイン\",\"description\":\"OAuthでログイン\",\"logout\":\"ログアウト\",\"password\":\"パスワード\",\"placeholder\":\"れい: lain\",\"register\":\"はじめる\",\"username\":\"ユーザーめい\"},\"nav\":{\"about\":\"これはなに?\",\"back\":\"もどる\",\"chat\":\"ローカルチャット\",\"friend_requests\":\"フォローリクエスト\",\"mentions\":\"メンション\",\"dms\":\"ダイレクトメッセージ\",\"public_tl\":\"パブリックタイムライン\",\"timeline\":\"タイムライン\",\"twkn\":\"つながっているすべてのネットワーク\",\"user_search\":\"ユーザーをさがす\",\"who_to_follow\":\"おすすめユーザー\",\"preferences\":\"せってい\"},\"notifications\":{\"broken_favorite\":\"ステータスがみつかりません。さがしています...\",\"favorited_you\":\"あなたのステータスがおきにいりされました\",\"followed_you\":\"フォローされました\",\"load_older\":\"ふるいつうちをみる\",\"notifications\":\"つうち\",\"read\":\"よんだ!\",\"repeated_you\":\"あなたのステータスがリピートされました\"},\"post_status\":{\"new_status\":\"とうこうする\",\"account_not_locked_warning\":\"あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。\",\"account_not_locked_warning_link\":\"ロックされたアカウント\",\"attachments_sensitive\":\"ファイルをNSFWにする\",\"content_type\":{\"plain_text\":\"プレーンテキスト\"},\"content_warning\":\"せつめい (かかなくてもよい)\",\"default\":\"はねだくうこうに、つきました。\",\"direct_warning\":\"このステータスは、メンションされたユーザーだけが、よむことができます。\",\"posting\":\"とうこう\",\"scope\":{\"direct\":\"ダイレクト: メンションされたユーザーのみにとどきます。\",\"private\":\"フォロワーげんてい: フォロワーのみにとどきます。\",\"public\":\"パブリック: パブリックタイムラインにとどきます。\",\"unlisted\":\"アンリステッド: パブリックタイムラインにとどきません。\"}},\"registration\":{\"bio\":\"プロフィール\",\"email\":\"Eメール\",\"fullname\":\"スクリーンネーム\",\"password_confirm\":\"パスワードのかくにん\",\"registration\":\"はじめる\",\"token\":\"しょうたいトークン\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"もじがよめないときは、がぞうをクリックすると、あたらしいがぞうになります\",\"validations\":{\"username_required\":\"なにかかいてください\",\"fullname_required\":\"なにかかいてください\",\"email_required\":\"なにかかいてください\",\"password_required\":\"なにかかいてください\",\"password_confirmation_required\":\"なにかかいてください\",\"password_confirmation_match\":\"パスワードがちがいます\"}},\"settings\":{\"attachmentRadius\":\"ファイル\",\"attachments\":\"ファイル\",\"autoload\":\"したにスクロールしたとき、じどうてきによみこむ。\",\"avatar\":\"アバター\",\"avatarAltRadius\":\"つうちのアバター\",\"avatarRadius\":\"アバター\",\"background\":\"バックグラウンド\",\"bio\":\"プロフィール\",\"btnRadius\":\"ボタン\",\"cBlue\":\"リプライとフォロー\",\"cGreen\":\"リピート\",\"cOrange\":\"おきにいり\",\"cRed\":\"キャンセル\",\"change_password\":\"パスワードをかえる\",\"change_password_error\":\"パスワードをかえることが、できなかったかもしれません。\",\"changed_password\":\"パスワードが、かわりました!\",\"collapse_subject\":\"せつめいのあるとうこうをたたむ\",\"composing\":\"とうこう\",\"confirm_new_password\":\"あたらしいパスワードのかくにん\",\"current_avatar\":\"いまのアバター\",\"current_password\":\"いまのパスワード\",\"current_profile_banner\":\"いまのプロフィールバナー\",\"data_import_export_tab\":\"インポートとエクスポート\",\"default_vis\":\"デフォルトのこうかいはんい\",\"delete_account\":\"アカウントをけす\",\"delete_account_description\":\"あなたのアカウントとメッセージが、きえます。\",\"delete_account_error\":\"アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。\",\"delete_account_instructions\":\"ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。\",\"export_theme\":\"セーブ\",\"filtering\":\"フィルタリング\",\"filtering_explanation\":\"これらのことばをふくむすべてのものがミュートされます。1ぎょうに1つのことばをかいてください。\",\"follow_export\":\"フォローのエクスポート\",\"follow_export_button\":\"エクスポート\",\"follow_export_processing\":\"おまちください。まもなくファイルをダウンロードできます。\",\"follow_import\":\"フォローインポート\",\"follow_import_error\":\"フォローのインポートがエラーになりました。\",\"follows_imported\":\"フォローがインポートされました! すこしじかんがかかるかもしれません。\",\"foreground\":\"フォアグラウンド\",\"general\":\"ぜんぱん\",\"hide_attachments_in_convo\":\"スレッドのファイルをかくす\",\"hide_attachments_in_tl\":\"タイムラインのファイルをかくす\",\"hide_isp\":\"インスタンススペシフィックパネルをかくす\",\"preload_images\":\"がぞうをさきよみする\",\"hide_post_stats\":\"とうこうのとうけいをかくす (れい: おきにいりのかず)\",\"hide_user_stats\":\"ユーザーのとうけいをかくす (れい: フォロワーのかず)\",\"import_followers_from_a_csv_file\":\"CSVファイルからフォローをインポートする\",\"import_theme\":\"ロード\",\"inputRadius\":\"インプットフィールド\",\"checkboxRadius\":\"チェックボックス\",\"instance_default\":\"(デフォルト: {value})\",\"instance_default_simple\":\"(デフォルト)\",\"interface\":\"インターフェース\",\"interfaceLanguage\":\"インターフェースのことば\",\"invalid_theme_imported\":\"このファイルはPleromaのテーマではありません。テーマはへんこうされませんでした。\",\"limited_availability\":\"あなたのブラウザではできません\",\"links\":\"リンク\",\"lock_account_description\":\"あなたがみとめたひとだけ、あなたのアカウントをフォローできる\",\"loop_video\":\"ビデオをくりかえす\",\"loop_video_silent_only\":\"おとのないビデオだけくりかえす\",\"name\":\"なまえ\",\"name_bio\":\"なまえとプロフィール\",\"new_password\":\"あたらしいパスワード\",\"notification_visibility\":\"ひょうじするつうち\",\"notification_visibility_follows\":\"フォロー\",\"notification_visibility_likes\":\"おきにいり\",\"notification_visibility_mentions\":\"メンション\",\"notification_visibility_repeats\":\"リピート\",\"no_rich_text_description\":\"リッチテキストをつかわない\",\"hide_followings_description\":\"フォローしている人を表示しない\",\"hide_followers_description\":\"フォローしている人を表示しない\",\"nsfw_clickthrough\":\"NSFWなファイルをかくす\",\"panelRadius\":\"パネル\",\"pause_on_unfocused\":\"タブにフォーカスがないときストリーミングをとめる\",\"presets\":\"プリセット\",\"profile_background\":\"プロフィールのバックグラウンド\",\"profile_banner\":\"プロフィールバナー\",\"profile_tab\":\"プロフィール\",\"radii_help\":\"インターフェースのまるさをせっていする。\",\"replies_in_timeline\":\"タイムラインのリプライ\",\"reply_link_preview\":\"カーソルをかさねたとき、リプライのプレビューをみる\",\"reply_visibility_all\":\"すべてのリプライをみる\",\"reply_visibility_following\":\"わたしにあてられたリプライと、フォローしているひとからのリプライをみる\",\"reply_visibility_self\":\"わたしにあてられたリプライをみる\",\"saving_err\":\"せっていをセーブできませんでした\",\"saving_ok\":\"せっていをセーブしました\",\"security_tab\":\"セキュリティ\",\"scope_copy\":\"リプライするとき、こうかいはんいをコピーする (DMのこうかいはんいは、つねにコピーされます)\",\"set_new_avatar\":\"あたらしいアバターをせっていする\",\"set_new_profile_background\":\"あたらしいプロフィールのバックグラウンドをせっていする\",\"set_new_profile_banner\":\"あたらしいプロフィールバナーを設定する\",\"settings\":\"せってい\",\"subject_input_always_show\":\"サブジェクトフィールドをいつでもひょうじする\",\"subject_line_behavior\":\"リプライするときサブジェクトをコピーする\",\"subject_line_email\":\"メールふう: \\\"re: サブジェクト\\\"\",\"subject_line_mastodon\":\"マストドンふう: そのままコピー\",\"subject_line_noop\":\"コピーしない\",\"stop_gifs\":\"カーソルをかさねたとき、GIFをうごかす\",\"streaming\":\"うえまでスクロールしたとき、じどうてきにストリーミングする\",\"text\":\"もじ\",\"theme\":\"テーマ\",\"theme_help\":\"カラーテーマをカスタマイズできます\",\"theme_help_v2_1\":\"チェックボックスをONにすると、コンポーネントごとに、いろと、とうめいどを、オーバーライドできます。「すべてクリア」ボタンをおすと、すべてのオーバーライドを、やめます。\",\"theme_help_v2_2\":\"バックグラウンドとテキストのコントラストをあらわすアイコンがあります。マウスをホバーすると、くわしいせつめいがでます。とうめいないろをつかっているときは、もっともわるいばあいのコントラストがしめされます。\",\"tooltipRadius\":\"ツールチップとアラート\",\"user_settings\":\"ユーザーせってい\",\"values\":{\"false\":\"いいえ\",\"true\":\"はい\"},\"notifications\":\"つうち\",\"enable_web_push_notifications\":\"ウェブプッシュつうちをゆるす\",\"style\":{\"switcher\":{\"keep_color\":\"いろをのこす\",\"keep_shadows\":\"かげをのこす\",\"keep_opacity\":\"とうめいどをのこす\",\"keep_roundness\":\"まるさをのこす\",\"keep_fonts\":\"フォントをのこす\",\"save_load_hint\":\"「のこす」オプションをONにすると、テーマをえらんだときとロードしたとき、いまのせっていをのこします。また、テーマをエクスポートするとき、これらのオプションをストアします。すべてのチェックボックスをOFFにすると、テーマをエクスポートしたとき、すべてのせっていをセーブします。\",\"reset\":\"リセット\",\"clear_all\":\"すべてクリア\",\"clear_opacity\":\"とうめいどをクリア\"},\"common\":{\"color\":\"いろ\",\"opacity\":\"とうめいど\",\"contrast\":{\"hint\":\"コントラストは {ratio} です。{level}。({context})\",\"level\":{\"aa\":\"AAレベルガイドライン (ミニマル) をみたします\",\"aaa\":\"AAAレベルガイドライン (レコメンデッド) をみたします。\",\"bad\":\"ガイドラインをみたしません。\"},\"context\":{\"18pt\":\"おおきい (18ポイントいじょう) テキスト\",\"text\":\"テキスト\"}}},\"common_colors\":{\"_tab_label\":\"きょうつう\",\"main\":\"きょうつうのいろ\",\"foreground_hint\":\"「くわしく」タブで、もっとこまかくせっていできます\",\"rgbo\":\"アイコンとアクセントとバッジ\"},\"advanced_colors\":{\"_tab_label\":\"くわしく\",\"alert\":\"アラートのバックグラウンド\",\"alert_error\":\"エラー\",\"badge\":\"バッジのバックグラウンド\",\"badge_notification\":\"つうち\",\"panel_header\":\"パネルヘッダー\",\"top_bar\":\"トップバー\",\"borders\":\"さかいめ\",\"buttons\":\"ボタン\",\"inputs\":\"インプットフィールド\",\"faint_text\":\"うすいテキスト\"},\"radii\":{\"_tab_label\":\"まるさ\"},\"shadows\":{\"_tab_label\":\"ひかりとかげ\",\"component\":\"コンポーネント\",\"override\":\"オーバーライド\",\"shadow_id\":\"かげ #{value}\",\"blur\":\"ぼかし\",\"spread\":\"ひろがり\",\"inset\":\"うちがわ\",\"hint\":\"かげのせっていでは、いろのあたいとして --variable をつかうことができます。これはCSS3へんすうです。ただし、とうめいどのせっていは、きかなくなります。\",\"filter_hint\":{\"always_drop_shadow\":\"ブラウザーがサポートしていれば、つねに {0} がつかわれます。\",\"drop_shadow_syntax\":\"{0} は、{1} パラメーターと {2} キーワードをサポートしていません。\",\"avatar_inset\":\"うちがわのかげと、そとがわのかげを、いっしょにつかうと、とうめいなアバターが、へんなみためになります。\",\"spread_zero\":\"ひろがりが 0 よりもおおきなかげは、0 とおなじです。\",\"inset_classic\":\"うちがわのかげは {0} をつかいます。\"},\"components\":{\"panel\":\"パネル\",\"panelHeader\":\"パネルヘッダー\",\"topBar\":\"トップバー\",\"avatar\":\"ユーザーアバター (プロフィール)\",\"avatarStatus\":\"ユーザーアバター (とうこう)\",\"popup\":\"ポップアップとツールチップ\",\"button\":\"ボタン\",\"buttonHover\":\"ボタン (ホバー)\",\"buttonPressed\":\"ボタン (おされているとき)\",\"buttonPressedHover\":\"ボタン (ホバー、かつ、おされているとき)\",\"input\":\"インプットフィールド\"}},\"fonts\":{\"_tab_label\":\"フォント\",\"help\":\"「カスタム」をえらんだときは、システムにあるフォントのなまえを、ただしくにゅうりょくしてください。\",\"components\":{\"interface\":\"インターフェース\",\"input\":\"インプットフィールド\",\"post\":\"とうこう\",\"postCode\":\"モノスペース (とうこうがリッチテキストであるとき)\"},\"family\":\"フォントめい\",\"size\":\"おおきさ (px)\",\"weight\":\"ふとさ\",\"custom\":\"カスタム\"},\"preview\":{\"header\":\"プレビュー\",\"content\":\"ほんぶん\",\"error\":\"エラーのれい\",\"button\":\"ボタン\",\"text\":\"これは{0}と{1}のれいです。\",\"mono\":\"monospace\",\"input\":\"はねだくうこうに、つきました。\",\"faint_link\":\"とてもたすけになるマニュアル\",\"fine_print\":\"わたしたちの{0}を、よまないでください!\",\"header_faint\":\"エラーではありません\",\"checkbox\":\"りようきやくを、よみました\",\"link\":\"ハイパーリンク\"}}},\"timeline\":{\"collapse\":\"たたむ\",\"conversation\":\"スレッド\",\"error_fetching\":\"よみこみがエラーになりました\",\"load_older\":\"ふるいステータス\",\"no_retweet_hint\":\"とうこうを「フォロワーのみ」または「ダイレクト」にすると、リピートできなくなります\",\"repeated\":\"リピート\",\"show_new\":\"よみこみ\",\"up_to_date\":\"さいしん\"},\"user_card\":{\"approve\":\"うけいれ\",\"block\":\"ブロック\",\"blocked\":\"ブロックしています!\",\"deny\":\"おことわり\",\"follow\":\"フォロー\",\"follow_sent\":\"リクエストを、おくりました!\",\"follow_progress\":\"リクエストしています…\",\"follow_again\":\"ふたたびリクエストをおくりますか?\",\"follow_unfollow\":\"フォローをやめる\",\"followees\":\"フォロー\",\"followers\":\"フォロワー\",\"following\":\"フォローしています!\",\"follows_you\":\"フォローされました!\",\"its_you\":\"これはあなたです!\",\"mute\":\"ミュート\",\"muted\":\"ミュートしています!\",\"per_day\":\"/日\",\"remote_follow\":\"リモートフォロー\",\"statuses\":\"ステータス\"},\"user_profile\":{\"timeline_title\":\"ユーザータイムライン\"},\"who_to_follow\":{\"more\":\"くわしく\",\"who_to_follow\":\"おすすめユーザー\"},\"tool_tip\":{\"media_upload\":\"メディアをアップロード\",\"repeat\":\"リピート\",\"reply\":\"リプライ\",\"favorite\":\"おきにいり\",\"user_settings\":\"ユーザーせってい\"},\"upload\":{\"error\":{\"base\":\"アップロードにしっぱいしました。\",\"file_too_big\":\"ファイルがおおきすぎます [{filesize} {filesizeunit} / {allowedsize} {allowedsizeunit}]\",\"default\":\"しばらくしてから、ためしてください\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ja.json\n// module id = 411\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"챗\"},\"features_panel\":{\"chat\":\"챗\",\"gopher\":\"고퍼\",\"media_proxy\":\"미디어 프록시\",\"scope_options\":\"범위 옵션\",\"text_limit\":\"텍스트 제한\",\"title\":\"기능\",\"who_to_follow\":\"팔로우 추천\"},\"finder\":{\"error_fetching_user\":\"사용자 정보 불러오기 실패\",\"find_user\":\"사용자 찾기\"},\"general\":{\"apply\":\"적용\",\"submit\":\"보내기\"},\"login\":{\"login\":\"로그인\",\"description\":\"OAuth로 로그인\",\"logout\":\"로그아웃\",\"password\":\"암호\",\"placeholder\":\"예시: lain\",\"register\":\"가입\",\"username\":\"사용자 이름\"},\"nav\":{\"about\":\"About\",\"back\":\"뒤로\",\"chat\":\"로컬 챗\",\"friend_requests\":\"팔로우 요청\",\"mentions\":\"멘션\",\"dms\":\"다이렉트 메시지\",\"public_tl\":\"공개 타임라인\",\"timeline\":\"타임라인\",\"twkn\":\"모든 알려진 네트워크\",\"user_search\":\"사용자 검색\",\"preferences\":\"환경설정\"},\"notifications\":{\"broken_favorite\":\"알 수 없는 게시물입니다, 검색 합니다...\",\"favorited_you\":\"당신의 게시물을 즐겨찾기\",\"followed_you\":\"당신을 팔로우\",\"load_older\":\"오래 된 알림 불러오기\",\"notifications\":\"알림\",\"read\":\"읽음!\",\"repeated_you\":\"당신의 게시물을 리핏\"},\"post_status\":{\"new_status\":\"새 게시물 게시\",\"account_not_locked_warning\":\"당신의 계정은 {0} 상태가 아닙니다. 누구나 당신을 팔로우 하고 팔로워 전용 게시물을 볼 수 있습니다.\",\"account_not_locked_warning_link\":\"잠김\",\"attachments_sensitive\":\"첨부물을 민감함으로 설정\",\"content_type\":{\"plain_text\":\"평문\"},\"content_warning\":\"주제 (필수 아님)\",\"default\":\"LA에 도착!\",\"direct_warning\":\"이 게시물을 멘션 된 사용자들에게만 보여집니다\",\"posting\":\"게시\",\"scope\":{\"direct\":\"다이렉트 - 멘션 된 사용자들에게만\",\"private\":\"팔로워 전용 - 팔로워들에게만\",\"public\":\"공개 - 공개 타임라인으로\",\"unlisted\":\"비공개 - 공개 타임라인에 게시 안 함\"}},\"registration\":{\"bio\":\"소개\",\"email\":\"이메일\",\"fullname\":\"표시 되는 이름\",\"password_confirm\":\"암호 확인\",\"registration\":\"가입하기\",\"token\":\"초대 토큰\",\"captcha\":\"캡차\",\"new_captcha\":\"이미지를 클릭해서 새로운 캡차\",\"validations\":{\"username_required\":\"공백으로 둘 수 없습니다\",\"fullname_required\":\"공백으로 둘 수 없습니다\",\"email_required\":\"공백으로 둘 수 없습니다\",\"password_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_match\":\"패스워드와 일치해야 합니다\"}},\"settings\":{\"attachmentRadius\":\"첨부물\",\"attachments\":\"첨부물\",\"autoload\":\"최하단에 도착하면 자동으로 로드 활성화\",\"avatar\":\"아바타\",\"avatarAltRadius\":\"아바타 (알림)\",\"avatarRadius\":\"아바타\",\"background\":\"배경\",\"bio\":\"소개\",\"btnRadius\":\"버튼\",\"cBlue\":\"파랑 (답글, 팔로우)\",\"cGreen\":\"초록 (리트윗)\",\"cOrange\":\"주황 (즐겨찾기)\",\"cRed\":\"빨강 (취소)\",\"change_password\":\"암호 바꾸기\",\"change_password_error\":\"암호를 바꾸는 데 몇 가지 문제가 있습니다.\",\"changed_password\":\"암호를 바꾸었습니다!\",\"collapse_subject\":\"주제를 가진 게시물 접기\",\"composing\":\"작성\",\"confirm_new_password\":\"새 패스워드 확인\",\"current_avatar\":\"현재 아바타\",\"current_password\":\"현재 패스워드\",\"current_profile_banner\":\"현재 프로필 배너\",\"data_import_export_tab\":\"데이터 불러오기 / 내보내기\",\"default_vis\":\"기본 공개 범위\",\"delete_account\":\"계정 삭제\",\"delete_account_description\":\"계정과 메시지를 영구히 삭제.\",\"delete_account_error\":\"계정을 삭제하는데 문제가 있습니다. 계속 발생한다면 인스턴스 관리자에게 문의하세요.\",\"delete_account_instructions\":\"계정 삭제를 확인하기 위해 아래에 패스워드 입력.\",\"export_theme\":\"프리셋 저장\",\"filtering\":\"필터링\",\"filtering_explanation\":\"아래의 단어를 가진 게시물들은 뮤트 됩니다, 한 줄에 하나씩 적으세요\",\"follow_export\":\"팔로우 내보내기\",\"follow_export_button\":\"팔로우 목록을 csv로 내보내기\",\"follow_export_processing\":\"진행 중입니다, 곧 다운로드 가능해 질 것입니다\",\"follow_import\":\"팔로우 불러오기\",\"follow_import_error\":\"팔로우 불러오기 실패\",\"follows_imported\":\"팔로우 목록을 불러왔습니다! 처리에는 시간이 걸립니다.\",\"foreground\":\"전경\",\"general\":\"일반\",\"hide_attachments_in_convo\":\"대화의 첨부물 숨기기\",\"hide_attachments_in_tl\":\"타임라인의 첨부물 숨기기\",\"hide_isp\":\"인스턴스 전용 패널 숨기기\",\"preload_images\":\"이미지 미리 불러오기\",\"hide_post_stats\":\"게시물 통계 숨기기 (즐겨찾기 수 등)\",\"hide_user_stats\":\"사용자 통계 숨기기 (팔로워 수 등)\",\"import_followers_from_a_csv_file\":\"csv 파일에서 팔로우 목록 불러오기\",\"import_theme\":\"프리셋 불러오기\",\"inputRadius\":\"입력 칸\",\"checkboxRadius\":\"체크박스\",\"instance_default\":\"(기본: {value})\",\"instance_default_simple\":\"(기본)\",\"interface\":\"인터페이스\",\"interfaceLanguage\":\"인터페이스 언어\",\"invalid_theme_imported\":\"선택한 파일은 지원하는 플레로마 테마가 아닙니다. 아무런 변경도 일어나지 않았습니다.\",\"limited_availability\":\"이 브라우저에서 사용 불가\",\"links\":\"링크\",\"lock_account_description\":\"계정을 승인 된 팔로워들로 제한\",\"loop_video\":\"비디오 반복재생\",\"loop_video_silent_only\":\"소리가 없는 비디오만 반복 재생 (마스토돈의 \\\"gifs\\\" 같은 것들)\",\"name\":\"이름\",\"name_bio\":\"이름 & 소개\",\"new_password\":\"새 암호\",\"notification_visibility\":\"보여 줄 알림 종류\",\"notification_visibility_follows\":\"팔로우\",\"notification_visibility_likes\":\"좋아함\",\"notification_visibility_mentions\":\"멘션\",\"notification_visibility_repeats\":\"반복\",\"no_rich_text_description\":\"모든 게시물의 서식을 지우기\",\"hide_followings_description\":\"내가 팔로우하는 사람을 표시하지 않음\",\"hide_followers_description\":\"나를 따르는 사람을 보여주지 마라.\",\"nsfw_clickthrough\":\"NSFW 이미지 \\\"클릭해서 보이기\\\"를 활성화\",\"panelRadius\":\"패널\",\"pause_on_unfocused\":\"탭이 활성 상태가 아닐 때 스트리밍 멈추기\",\"presets\":\"프리셋\",\"profile_background\":\"프로필 배경\",\"profile_banner\":\"프로필 배너\",\"profile_tab\":\"프로필\",\"radii_help\":\"인터페이스 모서리 둥글기 (픽셀 단위)\",\"replies_in_timeline\":\"답글을 타임라인에\",\"reply_link_preview\":\"마우스를 올려서 답글 링크 미리보기 활성화\",\"reply_visibility_all\":\"모든 답글 보기\",\"reply_visibility_following\":\"나에게 직접 오는 답글이나 내가 팔로우 중인 사람에게서 오는 답글만 표시\",\"reply_visibility_self\":\"나에게 직접 전송 된 답글만 보이기\",\"saving_err\":\"설정 저장 실패\",\"saving_ok\":\"설정 저장 됨\",\"security_tab\":\"보안\",\"scope_copy\":\"답글을 달 때 공개 범위 따라가리 (다이렉트 메시지는 언제나 따라감)\",\"set_new_avatar\":\"새 아바타 설정\",\"set_new_profile_background\":\"새 프로필 배경 설정\",\"set_new_profile_banner\":\"새 프로필 배너 설정\",\"settings\":\"설정\",\"subject_input_always_show\":\"항상 주제 칸 보이기\",\"subject_line_behavior\":\"답글을 달 때 주제 복사하기\",\"subject_line_email\":\"이메일처럼: \\\"re: 주제\\\"\",\"subject_line_mastodon\":\"마스토돈처럼: 그대로 복사\",\"subject_line_noop\":\"복사 안 함\",\"stop_gifs\":\"GIF파일에 마우스를 올려서 재생\",\"streaming\":\"최상단에 도달하면 자동으로 새 게시물 스트리밍\",\"text\":\"텍스트\",\"theme\":\"테마\",\"theme_help\":\"16진수 색상코드(#rrggbb)를 사용해 색상 테마를 커스터마이즈.\",\"theme_help_v2_1\":\"체크박스를 통해 몇몇 컴포넌트의 색상과 불투명도를 조절 가능, \\\"모두 지우기\\\" 버튼으로 덮어 씌운 것을 모두 취소.\",\"theme_help_v2_2\":\"몇몇 입력칸 밑의 아이콘은 전경/배경 대비 관련 표시등입니다, 마우스를 올려 자세한 정보를 볼 수 있습니다. 투명도 대비 표시등이 가장 최악의 경우를 나타낸다는 것을 유의하세요.\",\"tooltipRadius\":\"툴팁/경고\",\"user_settings\":\"사용자 설정\",\"values\":{\"false\":\"아니오\",\"true\":\"네\"},\"notifications\":\"알림\",\"enable_web_push_notifications\":\"웹 푸시 알림 활성화\",\"style\":{\"switcher\":{\"keep_color\":\"색상 유지\",\"keep_shadows\":\"그림자 유지\",\"keep_opacity\":\"불투명도 유지\",\"keep_roundness\":\"둥글기 유지\",\"keep_fonts\":\"글자체 유지\",\"save_load_hint\":\"\\\"유지\\\" 옵션들은 다른 테마를 고르거나 불러 올 때 현재 설정 된 옵션들을 건드리지 않게 합니다, 테마를 내보내기 할 때도 이 옵션에 따라 저장합니다. 아무 것도 체크 되지 않았다면 모든 설정을 내보냅니다.\",\"reset\":\"초기화\",\"clear_all\":\"모두 지우기\",\"clear_opacity\":\"불투명도 지우기\"},\"common\":{\"color\":\"색상\",\"opacity\":\"불투명도\",\"contrast\":{\"hint\":\"대비율이 {ratio}입니다, 이것은 {context} {level}\",\"level\":{\"aa\":\"AA등급 가이드라인에 부합합니다 (최소한도)\",\"aaa\":\"AAA등급 가이드라인에 부합합니다 (권장)\",\"bad\":\"아무런 가이드라인 등급에도 미치지 못합니다\"},\"context\":{\"18pt\":\"큰 (18pt 이상) 텍스트에 대해\",\"text\":\"텍스트에 대해\"}}},\"common_colors\":{\"_tab_label\":\"일반\",\"main\":\"일반 색상\",\"foreground_hint\":\"\\\"고급\\\" 탭에서 더 자세한 설정이 가능합니다\",\"rgbo\":\"아이콘, 강조, 배지\"},\"advanced_colors\":{\"_tab_label\":\"고급\",\"alert\":\"주의 배경\",\"alert_error\":\"에러\",\"badge\":\"배지 배경\",\"badge_notification\":\"알림\",\"panel_header\":\"패널 헤더\",\"top_bar\":\"상단 바\",\"borders\":\"테두리\",\"buttons\":\"버튼\",\"inputs\":\"입력칸\",\"faint_text\":\"흐려진 텍스트\"},\"radii\":{\"_tab_label\":\"둥글기\"},\"shadows\":{\"_tab_label\":\"그림자와 빛\",\"component\":\"컴포넌트\",\"override\":\"덮어쓰기\",\"shadow_id\":\"그림자 #{value}\",\"blur\":\"흐리기\",\"spread\":\"퍼지기\",\"inset\":\"안쪽으로\",\"hint\":\"그림자에는 CSS3 변수를 --variable을 통해 색상 값으로 사용할 수 있습니다. 불투명도에는 적용 되지 않습니다.\",\"filter_hint\":{\"always_drop_shadow\":\"경고, 이 그림자는 브라우저가 지원하는 경우 항상 {0}을 사용합니다.\",\"drop_shadow_syntax\":\"{0}는 {1} 파라미터와 {2} 키워드를 지원하지 않습니다.\",\"avatar_inset\":\"안쪽과 안쪽이 아닌 그림자를 모두 설정하는 경우 투명 아바타에서 예상치 못 한 결과가 나올 수 있다는 것에 주의해 주세요.\",\"spread_zero\":\"퍼지기가 0보다 큰 그림자는 0으로 설정한 것과 동일하게 보여집니다\",\"inset_classic\":\"안쪽 그림자는 {0}를 사용합니다\"},\"components\":{\"panel\":\"패널\",\"panelHeader\":\"패널 헤더\",\"topBar\":\"상단 바\",\"avatar\":\"사용자 아바타 (프로필 뷰에서)\",\"avatarStatus\":\"사용자 아바타 (게시물에서)\",\"popup\":\"팝업과 툴팁\",\"button\":\"버튼\",\"buttonHover\":\"버튼 (마우스 올렸을 때)\",\"buttonPressed\":\"버튼 (눌렸을 때)\",\"buttonPressedHover\":\"Button (마우스 올림 + 눌림)\",\"input\":\"입력칸\"}},\"fonts\":{\"_tab_label\":\"글자체\",\"help\":\"인터페이스의 요소에 사용 될 글자체를 고르세요. \\\"커스텀\\\"은 시스템에 있는 폰트 이름을 정확히 입력해야 합니다.\",\"components\":{\"interface\":\"인터페이스\",\"input\":\"입력칸\",\"post\":\"게시물 텍스트\",\"postCode\":\"게시물의 고정폭 텍스트 (서식 있는 텍스트)\"},\"family\":\"글자체 이름\",\"size\":\"크기 (px 단위)\",\"weight\":\"굵기\",\"custom\":\"커스텀\"},\"preview\":{\"header\":\"미리보기\",\"content\":\"내용\",\"error\":\"에러 예시\",\"button\":\"버튼\",\"text\":\"더 많은 {0} 그리고 {1}\",\"mono\":\"내용\",\"input\":\"LA에 막 도착!\",\"faint_link\":\"도움 되는 설명서\",\"fine_print\":\"우리의 {0} 를 읽고 도움 되지 않는 것들을 배우자!\",\"header_faint\":\"이건 괜찮아\",\"checkbox\":\"나는 약관을 대충 훑어보았습니다\",\"link\":\"작고 귀여운 링크\"}}},\"timeline\":{\"collapse\":\"접기\",\"conversation\":\"대화\",\"error_fetching\":\"업데이트 불러오기 실패\",\"load_older\":\"더 오래 된 게시물 불러오기\",\"no_retweet_hint\":\"팔로워 전용, 다이렉트 메시지는 반복할 수 없습니다\",\"repeated\":\"반복 됨\",\"show_new\":\"새로운 것 보기\",\"up_to_date\":\"최신 상태\"},\"user_card\":{\"approve\":\"승인\",\"block\":\"차단\",\"blocked\":\"차단 됨!\",\"deny\":\"거부\",\"follow\":\"팔로우\",\"follow_sent\":\"요청 보내짐!\",\"follow_progress\":\"요청 중…\",\"follow_again\":\"요청을 다시 보낼까요?\",\"follow_unfollow\":\"팔로우 중지\",\"followees\":\"팔로우 중\",\"followers\":\"팔로워\",\"following\":\"팔로우 중!\",\"follows_you\":\"당신을 팔로우 합니다!\",\"its_you\":\"당신입니다!\",\"mute\":\"침묵\",\"muted\":\"침묵 됨\",\"per_day\":\" / 하루\",\"remote_follow\":\"원격 팔로우\",\"statuses\":\"게시물\"},\"user_profile\":{\"timeline_title\":\"사용자 타임라인\"},\"who_to_follow\":{\"more\":\"더 보기\",\"who_to_follow\":\"팔로우 추천\"},\"tool_tip\":{\"media_upload\":\"미디어 업로드\",\"repeat\":\"반복\",\"reply\":\"답글\",\"favorite\":\"즐겨찾기\",\"user_settings\":\"사용자 설정\"},\"upload\":{\"error\":{\"base\":\"업로드 실패.\",\"file_too_big\":\"파일이 너무 커요 [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"잠시 후에 다시 시도해 보세요\"},\"file_size_units\":{\"B\":\"바이트\",\"KiB\":\"키비바이트\",\"MiB\":\"메비바이트\",\"GiB\":\"기비바이트\",\"TiB\":\"테비바이트\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ko.json\n// module id = 412\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Nettprat\"},\"features_panel\":{\"chat\":\"Nettprat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Velg mottakere\",\"text_limit\":\"Tekst-grense\",\"title\":\"Egenskaper\",\"who_to_follow\":\"Hvem å følge\"},\"finder\":{\"error_fetching_user\":\"Feil ved henting av bruker\",\"find_user\":\"Finn bruker\"},\"general\":{\"apply\":\"Bruk\",\"submit\":\"Send\"},\"login\":{\"login\":\"Logg inn\",\"logout\":\"Logg ut\",\"password\":\"Passord\",\"placeholder\":\"f. eks lain\",\"register\":\"Registrer\",\"username\":\"Brukernavn\"},\"nav\":{\"chat\":\"Lokal nettprat\",\"friend_requests\":\"Følgeforespørsler\",\"mentions\":\"Nevnt\",\"public_tl\":\"Offentlig Tidslinje\",\"timeline\":\"Tidslinje\",\"twkn\":\"Det hele kjente nettverket\"},\"notifications\":{\"broken_favorite\":\"Ukjent status, leter etter den...\",\"favorited_you\":\"likte din status\",\"followed_you\":\"fulgte deg\",\"load_older\":\"Last eldre varsler\",\"notifications\":\"Varslinger\",\"read\":\"Les!\",\"repeated_you\":\"Gjentok din status\"},\"post_status\":{\"account_not_locked_warning\":\"Kontoen din er ikke {0}. Hvem som helst kan følge deg for å se dine statuser til følgere\",\"account_not_locked_warning_link\":\"låst\",\"attachments_sensitive\":\"Merk vedlegg som sensitive\",\"content_type\":{\"plain_text\":\"Klar tekst\"},\"content_warning\":\"Tema (valgfritt)\",\"default\":\"Landet akkurat i L.A.\",\"direct_warning\":\"Denne statusen vil kun bli sett av nevnte brukere\",\"posting\":\"Publiserer\",\"scope\":{\"direct\":\"Direkte, publiser bare til nevnte brukere\",\"private\":\"Bare følgere, publiser bare til brukere som følger deg\",\"public\":\"Offentlig, publiser til offentlige tidslinjer\",\"unlisted\":\"Uoppført, ikke publiser til offentlige tidslinjer\"}},\"registration\":{\"bio\":\"Biografi\",\"email\":\"Epost-adresse\",\"fullname\":\"Visningsnavn\",\"password_confirm\":\"Bekreft passord\",\"registration\":\"Registrering\",\"token\":\"Invitasjons-bevis\"},\"settings\":{\"attachmentRadius\":\"Vedlegg\",\"attachments\":\"Vedlegg\",\"autoload\":\"Automatisk lasting når du blar ned til bunnen\",\"avatar\":\"Profilbilde\",\"avatarAltRadius\":\"Profilbilde (Varslinger)\",\"avatarRadius\":\"Profilbilde\",\"background\":\"Bakgrunn\",\"bio\":\"Biografi\",\"btnRadius\":\"Knapper\",\"cBlue\":\"Blå (Svar, følg)\",\"cGreen\":\"Grønn (Gjenta)\",\"cOrange\":\"Oransje (Lik)\",\"cRed\":\"Rød (Avbryt)\",\"change_password\":\"Endre passord\",\"change_password_error\":\"Feil ved endring av passord\",\"changed_password\":\"Passord endret\",\"collapse_subject\":\"Sammenfold statuser med tema\",\"confirm_new_password\":\"Bekreft nytt passord\",\"current_avatar\":\"Ditt nåværende profilbilde\",\"current_password\":\"Nåværende passord\",\"current_profile_banner\":\"Din nåværende profil-banner\",\"data_import_export_tab\":\"Data import / eksport\",\"default_vis\":\"Standard visnings-omfang\",\"delete_account\":\"Slett konto\",\"delete_account_description\":\"Slett din konto og alle dine statuser\",\"delete_account_error\":\"Det oppsto et problem ved sletting av kontoen din, hvis dette problemet forblir kontakt din administrator\",\"delete_account_instructions\":\"Skriv inn ditt passord i feltet nedenfor for å bekrefte sletting av konto\",\"export_theme\":\"Lagre tema\",\"filtering\":\"Filtrering\",\"filtering_explanation\":\"Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje\",\"follow_export\":\"Eksporter følginger\",\"follow_export_button\":\"Eksporter følgingene dine til en .csv fil\",\"follow_export_processing\":\"Jobber, du vil snart bli spurt om å laste ned filen din.\",\"follow_import\":\"Importer følginger\",\"follow_import_error\":\"Feil ved importering av følginger.\",\"follows_imported\":\"Følginger importert! Behandling vil ta litt tid.\",\"foreground\":\"Forgrunn\",\"general\":\"Generell\",\"hide_attachments_in_convo\":\"Gjem vedlegg i samtaler\",\"hide_attachments_in_tl\":\"Gjem vedlegg på tidslinje\",\"import_followers_from_a_csv_file\":\"Importer følginger fra en csv fil\",\"import_theme\":\"Last tema\",\"inputRadius\":\"Input felt\",\"instance_default\":\"(standard: {value})\",\"interfaceLanguage\":\"Grensesnitt-språk\",\"invalid_theme_imported\":\"Den valgte filen er ikke ett støttet Pleroma-tema, ingen endringer til ditt tema ble gjort\",\"limited_availability\":\"Ikke tilgjengelig i din nettleser\",\"links\":\"Linker\",\"lock_account_description\":\"Begrens din konto til bare godkjente følgere\",\"loop_video\":\"Gjenta videoer\",\"loop_video_silent_only\":\"Gjenta bare videoer uten lyd, (for eksempel Mastodon sine \\\"gifs\\\")\",\"name\":\"Navn\",\"name_bio\":\"Navn & Biografi\",\"new_password\":\"Nytt passord\",\"notification_visibility\":\"Typer varsler som skal vises\",\"notification_visibility_follows\":\"Følginger\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Nevnt\",\"notification_visibility_repeats\":\"Gjentakelser\",\"no_rich_text_description\":\"Fjern all formatering fra statuser\",\"nsfw_clickthrough\":\"Krev trykk for å vise statuser som kan være upassende\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Stopp henting av poster når vinduet ikke er i fokus\",\"presets\":\"Forhåndsdefinerte tema\",\"profile_background\":\"Profil-bakgrunn\",\"profile_banner\":\"Profil-banner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)\",\"replies_in_timeline\":\"Svar på tidslinje\",\"reply_link_preview\":\"Vis en forhåndsvisning når du holder musen over svar til en status\",\"reply_visibility_all\":\"Vis alle svar\",\"reply_visibility_following\":\"Vis bare svar som er til meg eller folk jeg følger\",\"reply_visibility_self\":\"Vis bare svar som er til meg\",\"saving_err\":\"Feil ved lagring av innstillinger\",\"saving_ok\":\"Innstillinger lagret\",\"security_tab\":\"Sikkerhet\",\"set_new_avatar\":\"Rediger profilbilde\",\"set_new_profile_background\":\"Rediger profil-bakgrunn\",\"set_new_profile_banner\":\"Sett ny profil-banner\",\"settings\":\"Innstillinger\",\"stop_gifs\":\"Spill av GIFs når du holder over dem\",\"streaming\":\"Automatisk strømming av nye statuser når du har bladd til toppen\",\"text\":\"Tekst\",\"theme\":\"Tema\",\"theme_help\":\"Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.\",\"tooltipRadius\":\"Verktøytips/advarsler\",\"user_settings\":\"Brukerinstillinger\",\"values\":{\"false\":\"nei\",\"true\":\"ja\"}},\"timeline\":{\"collapse\":\"Sammenfold\",\"conversation\":\"Samtale\",\"error_fetching\":\"Feil ved henting av oppdateringer\",\"load_older\":\"Last eldre statuser\",\"no_retweet_hint\":\"Status er markert som bare til følgere eller direkte og kan ikke gjentas\",\"repeated\":\"gjentok\",\"show_new\":\"Vis nye\",\"up_to_date\":\"Oppdatert\"},\"user_card\":{\"approve\":\"Godkjenn\",\"block\":\"Blokker\",\"blocked\":\"Blokkert!\",\"deny\":\"Avslå\",\"follow\":\"Følg\",\"followees\":\"Følger\",\"followers\":\"Følgere\",\"following\":\"Følger!\",\"follows_you\":\"Følger deg!\",\"mute\":\"Demp\",\"muted\":\"Dempet\",\"per_day\":\"per dag\",\"remote_follow\":\"Følg eksternt\",\"statuses\":\"Statuser\"},\"user_profile\":{\"timeline_title\":\"Bruker-tidslinje\"},\"who_to_follow\":{\"more\":\"Mer\",\"who_to_follow\":\"Hvem å følge\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/nb.json\n// module id = 413\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Zichtbaarheidsopties\",\"text_limit\":\"Tekst limiet\",\"title\":\"Features\",\"who_to_follow\":\"Wie te volgen\"},\"finder\":{\"error_fetching_user\":\"Fout tijdens ophalen gebruiker\",\"find_user\":\"Gebruiker zoeken\"},\"general\":{\"apply\":\"toepassen\",\"submit\":\"Verzend\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in met OAuth\",\"logout\":\"Log uit\",\"password\":\"Wachtwoord\",\"placeholder\":\"bv. lain\",\"register\":\"Registreer\",\"username\":\"Gebruikersnaam\"},\"nav\":{\"about\":\"Over\",\"back\":\"Terug\",\"chat\":\"Locale Chat\",\"friend_requests\":\"Volgverzoek\",\"mentions\":\"Vermeldingen\",\"dms\":\"Directe Berichten\",\"public_tl\":\"Publieke Tijdlijn\",\"timeline\":\"Tijdlijn\",\"twkn\":\"Het Geheel Gekende Netwerk\",\"user_search\":\"Zoek Gebruiker\",\"who_to_follow\":\"Wie te volgen\",\"preferences\":\"Voorkeuren\"},\"notifications\":{\"broken_favorite\":\"Onbekende status, aan het zoeken...\",\"favorited_you\":\"vond je status leuk\",\"followed_you\":\"volgt jou\",\"load_older\":\"Laad oudere meldingen\",\"notifications\":\"Meldingen\",\"read\":\"Gelezen!\",\"repeated_you\":\"Herhaalde je status\"},\"post_status\":{\"new_status\":\"Post nieuwe status\",\"account_not_locked_warning\":\"Je account is niet {0}. Iedereen die je volgt kan enkel-volgers posts lezen.\",\"account_not_locked_warning_link\":\"gesloten\",\"attachments_sensitive\":\"Markeer bijlage als gevoelig\",\"content_type\":{\"plain_text\":\"Gewone tekst\"},\"content_warning\":\"Onderwerp (optioneel)\",\"default\":\"Tijd voor een pauze!\",\"direct_warning\":\"Deze post zal enkel zichtbaar zijn voor de personen die genoemd zijn.\",\"posting\":\"Plaatsen\",\"scope\":{\"direct\":\"Direct - Post enkel naar genoemde gebruikers\",\"private\":\"Enkel volgers - Post enkel naar volgers\",\"public\":\"Publiek - Post op publieke tijdlijnen\",\"unlisted\":\"Unlisted - Toon niet op publieke tijdlijnen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Weergave naam\",\"password_confirm\":\"Wachtwoord bevestiging\",\"registration\":\"Registratie\",\"token\":\"Uitnodigingstoken\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Klik op de afbeelding voor een nieuwe captcha\",\"validations\":{\"username_required\":\"moet ingevuld zijn\",\"fullname_required\":\"moet ingevuld zijn\",\"email_required\":\"moet ingevuld zijn\",\"password_required\":\"moet ingevuld zijn\",\"password_confirmation_required\":\"moet ingevuld zijn\",\"password_confirmation_match\":\"komt niet overeen met het wachtwoord\"}},\"settings\":{\"attachmentRadius\":\"Bijlages\",\"attachments\":\"Bijlages\",\"autoload\":\"Automatisch laden wanneer tot de bodem gescrold inschakelen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Meldingen)\",\"avatarRadius\":\"Avatars\",\"background\":\"Achtergrond\",\"bio\":\"Bio\",\"btnRadius\":\"Knoppen\",\"cBlue\":\"Blauw (Antwoord, volgen)\",\"cGreen\":\"Groen (Herhaal)\",\"cOrange\":\"Oranje (Vind ik leuk)\",\"cRed\":\"Rood (Annuleer)\",\"change_password\":\"Verander Wachtwoord\",\"change_password_error\":\"Er was een probleem bij het aanpassen van je wachtwoord.\",\"changed_password\":\"Wachtwoord succesvol aangepast!\",\"collapse_subject\":\"Klap posts met onderwerp in\",\"composing\":\"Samenstellen\",\"confirm_new_password\":\"Bevestig nieuw wachtwoord\",\"current_avatar\":\"Je huidige avatar\",\"current_password\":\"Huidig wachtwoord\",\"current_profile_banner\":\"Je huidige profiel banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Standaard zichtbaarheidsscope\",\"delete_account\":\"Verwijder Account\",\"delete_account_description\":\"Verwijder je account en berichten permanent.\",\"delete_account_error\":\"Er was een probleem bij het verwijderen van je account. Indien dit probleem blijft, gelieve de administratie van deze instantie te verwittigen.\",\"delete_account_instructions\":\"Typ je wachtwoord in de input hieronder om het verwijderen van je account te bevestigen.\",\"export_theme\":\"Sla preset op\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"Alle statussen die deze woorden bevatten worden genegeerd, één filter per lijn.\",\"follow_export\":\"Volgers export\",\"follow_export_button\":\"Exporteer je volgers naar een csv file\",\"follow_export_processing\":\"Aan het verwerken, binnen enkele ogenblikken wordt je gevraagd je bestand te downloaden\",\"follow_import\":\"Volgers import\",\"follow_import_error\":\"Fout bij importeren volgers\",\"follows_imported\":\"Volgers geïmporteerd! Het kan even duren om ze allemaal te verwerken.\",\"foreground\":\"Voorgrond\",\"general\":\"Algemeen\",\"hide_attachments_in_convo\":\"Verberg bijlages in conversaties\",\"hide_attachments_in_tl\":\"Verberg bijlages in de tijdlijn\",\"hide_isp\":\"Verberg instantie-specifiek paneel\",\"preload_images\":\"Afbeeldingen voorladen\",\"hide_post_stats\":\"Verberg post statistieken (bv. het aantal vind-ik-leuks)\",\"hide_user_stats\":\"Verberg post statistieken (bv. het aantal volgers)\",\"import_followers_from_a_csv_file\":\"Importeer volgers uit een csv file\",\"import_theme\":\"Laad preset\",\"inputRadius\":\"Invoer velden\",\"checkboxRadius\":\"Checkboxen\",\"instance_default\":\"(standaard: {value})\",\"instance_default_simple\":\"(standaard)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface taal\",\"invalid_theme_imported\":\"Het geselecteerde thema is geen door Pleroma ondersteund thema. Er zijn geen aanpassingen gedaan.\",\"limited_availability\":\"Onbeschikbaar in je browser\",\"links\":\"Links\",\"lock_account_description\":\"Laat volgers enkel toe na expliciete toestemming\",\"loop_video\":\"Speel videos af in een lus\",\"loop_video_silent_only\":\"Speel enkel videos zonder geluid af in een lus (bv. Mastodon's \\\"gifs\\\")\",\"name\":\"Naam\",\"name_bio\":\"Naam & Bio\",\"new_password\":\"Nieuw wachtwoord\",\"notification_visibility\":\"Type meldingen die getoond worden\",\"notification_visibility_follows\":\"Volgers\",\"notification_visibility_likes\":\"Vind-ik-leuks\",\"notification_visibility_mentions\":\"Vermeldingen\",\"notification_visibility_repeats\":\"Herhalingen\",\"no_rich_text_description\":\"Strip rich text formattering van alle posts\",\"hide_network_description\":\"Toon niet wie mij volgt en wie ik volg.\",\"nsfw_clickthrough\":\"Schakel doorklikbaar verbergen van NSFW bijlages in\",\"panelRadius\":\"Panelen\",\"pause_on_unfocused\":\"Pauzeer streamen wanneer de tab niet gefocused is\",\"presets\":\"Presets\",\"profile_background\":\"Profiel Achtergrond\",\"profile_banner\":\"Profiel Banner\",\"profile_tab\":\"Profiel\",\"radii_help\":\"Stel afronding van hoeken in de interface in (in pixels)\",\"replies_in_timeline\":\"Antwoorden in tijdlijn\",\"reply_link_preview\":\"Schakel antwoordlink preview in bij over zweven met muisaanwijzer\",\"reply_visibility_all\":\"Toon alle antwoorden\",\"reply_visibility_following\":\"Toon enkel antwoorden naar mij of andere gebruikers gericht\",\"reply_visibility_self\":\"Toon enkel antwoorden naar mij gericht\",\"saving_err\":\"Fout tijdens opslaan van instellingen\",\"saving_ok\":\"Instellingen opgeslagen\",\"security_tab\":\"Veiligheid\",\"scope_copy\":\"Neem scope over bij antwoorden (Directe Berichten blijven altijd Direct)\",\"set_new_avatar\":\"Zet nieuwe avatar\",\"set_new_profile_background\":\"Zet nieuwe profiel achtergrond\",\"set_new_profile_banner\":\"Zet nieuwe profiel banner\",\"settings\":\"Instellingen\",\"subject_input_always_show\":\"Maak onderwerpveld altijd zichtbaar\",\"subject_line_behavior\":\"Kopieer onderwerp bij antwoorden\",\"subject_line_email\":\"Zoals email: \\\"re: onderwerp\\\"\",\"subject_line_mastodon\":\"Zoals Mastodon: kopieer zoals het is\",\"subject_line_noop\":\"Kopieer niet\",\"stop_gifs\":\"Speel GIFs af bij zweven\",\"streaming\":\"Schakel automatisch streamen van posts in wanneer tot boven gescrold.\",\"text\":\"Tekst\",\"theme\":\"Thema\",\"theme_help\":\"Gebruik hex color codes (#rrggbb) om je kleurschema te wijzigen.\",\"theme_help_v2_1\":\"Je kan ook de kleur en transparantie van bepaalde componenten overschrijven door de checkbox aan te vinken, gebruik de \\\"Wis alles\\\" knop om alle overschrijvingen te annuleren.\",\"theme_help_v2_2\":\"Iconen onder sommige items zijn achtergrond/tekst contrast indicators, zweef er over voor gedetailleerde info. Hou er rekening mee dat bij doorzichtigheid de ergst mogelijke situatie wordt weer gegeven.\",\"tooltipRadius\":\"Gereedschapstips/alarmen\",\"user_settings\":\"Gebruikers Instellingen\",\"values\":{\"false\":\"nee\",\"true\":\"ja\"},\"notifications\":\"Meldingen\",\"enable_web_push_notifications\":\"Schakel web push meldingen in\",\"style\":{\"switcher\":{\"keep_color\":\"Behoud kleuren\",\"keep_shadows\":\"Behoud schaduwen\",\"keep_opacity\":\"Behoud transparantie\",\"keep_roundness\":\"Behoud afrondingen\",\"keep_fonts\":\"Behoud lettertypes\",\"save_load_hint\":\"\\\"Behoud\\\" opties behouden de momenteel ingestelde opties bij het selecteren of laden van thema's, maar slaan ook de genoemde opties op bij het exporteren van een thema. Wanneer alle selectievakjes zijn uitgeschakeld, zal het exporteren van thema's alles opslaan.\",\"reset\":\"Reset\",\"clear_all\":\"Wis alles\",\"clear_opacity\":\"Wis transparantie\"},\"common\":{\"color\":\"Kleur\",\"opacity\":\"Transparantie\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, {level} {context}\",\"level\":{\"aa\":\"voldoet aan de richtlijn van niveau AA (minimum)\",\"aaa\":\"voldoet aan de richtlijn van niveau AAA (aangeraden)\",\"bad\":\"voldoet aan geen enkele toegankelijkheidsrichtlijn\"},\"context\":{\"18pt\":\"voor grote (18pt+) tekst\",\"text\":\"voor tekst\"}}},\"common_colors\":{\"_tab_label\":\"Gemeenschappelijk\",\"main\":\"Gemeenschappelijke kleuren\",\"foreground_hint\":\"Zie \\\"Geavanceerd\\\" tab voor meer gedetailleerde controle\",\"rgbo\":\"Iconen, accenten, badges\"},\"advanced_colors\":{\"_tab_label\":\"Geavanceerd\",\"alert\":\"Alarm achtergrond\",\"alert_error\":\"Fout\",\"badge\":\"Badge achtergrond\",\"badge_notification\":\"Meldingen\",\"panel_header\":\"Paneel hoofding\",\"top_bar\":\"Top bar\",\"borders\":\"Randen\",\"buttons\":\"Knoppen\",\"inputs\":\"Invoervelden\",\"faint_text\":\"Vervaagde tekst\"},\"radii\":{\"_tab_label\":\"Rondheid\"},\"shadows\":{\"_tab_label\":\"Schaduw en belichting\",\"component\":\"Component\",\"override\":\"Overschrijven\",\"shadow_id\":\"Schaduw #{value}\",\"blur\":\"Vervagen\",\"spread\":\"Spreid\",\"inset\":\"Inzet\",\"hint\":\"Voor schaduw kan je ook --variable gebruiken als een kleur waarde om CSS3 variabelen te gebruiken. Houd er rekening mee dat het instellen van opaciteit in dit geval niet werkt.\",\"filter_hint\":{\"always_drop_shadow\":\"Waarschuwing, deze schaduw gebruikt altijd {0} als de browser dit ondersteund.\",\"drop_shadow_syntax\":\"{0} ondersteund niet de {1} parameter en {2} sleutelwoord.\",\"avatar_inset\":\"Houd er rekening mee dat het combineren van zowel inzet and niet-inzet schaduwen op transparante avatars onverwachte resultaten kan opleveren.\",\"spread_zero\":\"Schaduw met spreiding > 0 worden weergegeven alsof ze op nul staan\",\"inset_classic\":\"Inzet schaduw zal {0} gebruiken\"},\"components\":{\"panel\":\"Paneel\",\"panelHeader\":\"Paneel hoofding\",\"topBar\":\"Top bar\",\"avatar\":\"Gebruiker avatar (in profiel weergave)\",\"avatarStatus\":\"Gebruiker avatar (in post weergave)\",\"popup\":\"Popups en gereedschapstips\",\"button\":\"Knop\",\"buttonHover\":\"Knop (zweven)\",\"buttonPressed\":\"Knop (ingedrukt)\",\"buttonPressedHover\":\"Knop (ingedrukt+zweven)\",\"input\":\"Invoerveld\"}},\"fonts\":{\"_tab_label\":\"Lettertypes\",\"help\":\"Selecteer het lettertype om te gebruiken voor elementen van de UI.Voor \\\"aangepast\\\" moet je de exacte naam van het lettertype invoeren zoals die in het systeem wordt weergegeven.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Invoervelden\",\"post\":\"Post tekst\",\"postCode\":\"Monospaced tekst in een post (rich text)\"},\"family\":\"Naam lettertype\",\"size\":\"Grootte (in px)\",\"weight\":\"Gewicht (vetheid)\",\"custom\":\"Aangepast\"},\"preview\":{\"header\":\"Voorvertoning\",\"content\":\"Inhoud\",\"error\":\"Voorbeeld fout\",\"button\":\"Knop\",\"text\":\"Nog een boel andere {0} en {1}\",\"mono\":\"inhoud\",\"input\":\"Tijd voor een pauze!\",\"faint_link\":\"handige gebruikershandleiding\",\"fine_print\":\"Lees onze {0} om niets nuttig te leren!\",\"header_faint\":\"Alles komt goed\",\"checkbox\":\"Ik heb de gebruikersvoorwaarden eens van ver bekeken\",\"link\":\"een link\"}}},\"timeline\":{\"collapse\":\"Inklappen\",\"conversation\":\"Conversatie\",\"error_fetching\":\"Fout bij ophalen van updates\",\"load_older\":\"Laad oudere Statussen\",\"no_retweet_hint\":\"Post is gemarkeerd als enkel volgers of direct en kan niet worden herhaald\",\"repeated\":\"herhaalde\",\"show_new\":\"Toon nieuwe\",\"up_to_date\":\"Up-to-date\"},\"user_card\":{\"approve\":\"Goedkeuren\",\"block\":\"Blokkeren\",\"blocked\":\"Geblokkeerd!\",\"deny\":\"Ontzeggen\",\"favorites\":\"Vind-ik-leuks\",\"follow\":\"Volgen\",\"follow_sent\":\"Aanvraag verzonden!\",\"follow_progress\":\"Aanvragen…\",\"follow_again\":\"Aanvraag opnieuw zenden?\",\"follow_unfollow\":\"Stop volgen\",\"followees\":\"Aan het volgen\",\"followers\":\"Volgers\",\"following\":\"Aan het volgen!\",\"follows_you\":\"Volgt jou!\",\"its_you\":\"'t is jij!\",\"mute\":\"Dempen\",\"muted\":\"Gedempt\",\"per_day\":\"per dag\",\"remote_follow\":\"Volg vanop afstand\",\"statuses\":\"Statussen\"},\"user_profile\":{\"timeline_title\":\"Gebruikers Tijdlijn\"},\"who_to_follow\":{\"more\":\"Meer\",\"who_to_follow\":\"Wie te volgen\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Herhaal\",\"reply\":\"Antwoord\",\"favorite\":\"Vind-ik-leuk\",\"user_settings\":\"Gebruikers Instellingen\"},\"upload\":{\"error\":{\"base\":\"Upload gefaald.\",\"file_too_big\":\"Bestand is te groot [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Probeer later opnieuw\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/nl.json\n// module id = 414\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Messatjariá\"},\"finder\":{\"error_fetching_user\":\"Error pendent la recèrca d’un utilizaire\",\"find_user\":\"Cercar un utilizaire\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Mandar\"},\"login\":{\"login\":\"Connexion\",\"logout\":\"Desconnexion\",\"password\":\"Senhal\",\"placeholder\":\"e.g. lain\",\"register\":\"Se marcar\",\"username\":\"Nom d’utilizaire\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Notificacions\",\"public_tl\":\"Estatuts locals\",\"timeline\":\"Flux d’actualitat\",\"twkn\":\"Lo malhum conegut\",\"friend_requests\":\"Demandas d'abonament\"},\"notifications\":{\"favorited_you\":\"a aimat vòstre estatut\",\"followed_you\":\"vos a seguit\",\"notifications\":\"Notficacions\",\"read\":\"Legit !\",\"repeated_you\":\"a repetit vòstre estatut\",\"broken_favorite\":\"Estatut desconegut, sèm a lo cercar...\",\"load_older\":\"Cargar las notificaciones mai ancianas\"},\"post_status\":{\"content_warning\":\"Avís de contengut (opcional)\",\"default\":\"Escrivètz aquí vòstre estatut.\",\"posting\":\"Mandadís\",\"account_not_locked_warning\":\"Vòstre compte es pas {0}. Qual que siá pòt vos seguir per veire vòstras publicacions destinadas pas qu'a vòstres seguidors.\",\"account_not_locked_warning_link\":\"clavat\",\"attachments_sensitive\":\"Marcar las pèças juntas coma sensiblas\",\"content_type\":{\"plain_text\":\"Tèxte brut\"},\"direct_warning\":\"Aquesta publicacion serà pas que visibla pels utilizaires mencionats.\",\"scope\":{\"direct\":\"Dirècte - Publicar pels utilizaires mencionats solament\",\"private\":\"Seguidors solament - Publicar pels sols seguidors\",\"public\":\"Public - Publicar pel flux d’actualitat public\",\"unlisted\":\"Pas listat - Publicar pas pel flux public\"}},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Adreça de corrièl\",\"fullname\":\"Nom complèt\",\"password_confirm\":\"Confirmar lo senhal\",\"registration\":\"Inscripcion\",\"token\":\"Geton de convidat\"},\"settings\":{\"attachmentRadius\":\"Pèças juntas\",\"attachments\":\"Pèças juntas\",\"autoload\":\"Activar lo cargament automatic un còp arribat al cap de la pagina\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notificacions)\",\"avatarRadius\":\"Avatars\",\"background\":\"Rèire plan\",\"bio\":\"Biografia\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (Respondre, seguir)\",\"cGreen\":\"Verd (Repartajar)\",\"cOrange\":\"Irange (Aimar)\",\"cRed\":\"Roge (Anullar)\",\"change_password\":\"Cambiar lo senhal\",\"change_password_error\":\"Una error s’es producha en cambiant lo senhal.\",\"changed_password\":\"Senhal corrèctament cambiat !\",\"confirm_new_password\":\"Confirmatz lo nòu senhal\",\"current_avatar\":\"Vòstre avatar actual\",\"current_password\":\"Senhal actual\",\"current_profile_banner\":\"Bandièra actuala del perfil\",\"delete_account\":\"Suprimir lo compte\",\"delete_account_description\":\"Suprimir vòstre compte e los messatges per sempre.\",\"delete_account_error\":\"Una error s’es producha en suprimir lo compte. S’aquò ten d’arribar mercés de contactar vòstre administrador d’instància.\",\"delete_account_instructions\":\"Picatz vòstre senhal dins lo camp tèxte çai-jos per confirmar la supression del compte.\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha\",\"follow_export\":\"Exportar los abonaments\",\"follow_export_button\":\"Exportar vòstres abonaments dins un fichièr csv\",\"follow_export_processing\":\"Tractament, vos demandarem lèu de telecargar lo fichièr\",\"follow_import\":\"Importar los abonaments\",\"follow_import_error\":\"Error en important los seguidors\",\"follows_imported\":\"Seguidors importats. Lo tractament pòt trigar una estona.\",\"foreground\":\"Endavant\",\"hide_attachments_in_convo\":\"Rescondre las pèças juntas dins las conversacions\",\"hide_attachments_in_tl\":\"Rescondre las pèças juntas\",\"import_followers_from_a_csv_file\":\"Importar los seguidors d’un fichièr csv\",\"inputRadius\":\"Camps tèxte\",\"links\":\"Ligams\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nòu senhal\",\"nsfw_clickthrough\":\"Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles\",\"panelRadius\":\"Panèls\",\"presets\":\"Pre-enregistrats\",\"profile_background\":\"Imatge de fons\",\"profile_banner\":\"Bandièra del perfil\",\"radii_help\":\"Configurar los caires arredondits de l’interfàcia (en pixèls)\",\"reply_link_preview\":\"Activar l’apercebut en passar la mirga\",\"set_new_avatar\":\"Cambiar l’avatar\",\"set_new_profile_background\":\"Cambiar l’imatge de fons\",\"set_new_profile_banner\":\"Cambiar de bandièra\",\"settings\":\"Paramètres\",\"stop_gifs\":\"Lançar los GIFs al subrevòl\",\"streaming\":\"Activar lo cargament automatic dels novèls estatus en anar amont\",\"text\":\"Tèxte\",\"theme\":\"Tèma\",\"theme_help\":\"Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.\",\"tooltipRadius\":\"Astúcias/Alèrta\",\"user_settings\":\"Paramètres utilizaire\",\"collapse_subject\":\"Replegar las publicacions amb de subjèctes\",\"data_import_export_tab\":\"Importar / Exportar las donadas\",\"default_vis\":\"Nivèl de visibilitat per defaut\",\"export_theme\":\"Enregistrar la preconfiguracion\",\"general\":\"General\",\"hide_post_stats\":\"Amagar los estatistics de publicacion (ex. lo ombre de favorits)\",\"hide_user_stats\":\"Amagar las estatisticas de l’utilizaire (ex. lo nombre de seguidors)\",\"import_theme\":\"Cargar un tèma\",\"instance_default\":\"(defaut : {value})\",\"interfaceLanguage\":\"Lenga de l’interfàcia\",\"invalid_theme_imported\":\"Lo fichièr seleccionat es pas un tèma Pleroma valid. Cap de cambiament es estat fach a vòstre tèma.\",\"limited_availability\":\"Pas disponible per vòstre navigador\",\"lock_account_description\":\"Limitar vòstre compte als seguidors acceptats solament\",\"loop_video\":\"Bocla vidèo\",\"loop_video_silent_only\":\"Legir en bocla solament las vidèos sens son (coma los « Gifs » de Mastodon)\",\"notification_visibility\":\"Tipes de notificacion de mostrar\",\"notification_visibility_follows\":\"Abonaments\",\"notification_visibility_likes\":\"Aiman\",\"notification_visibility_mentions\":\"Mencions\",\"notification_visibility_repeats\":\"Repeticions\",\"no_rich_text_description\":\"Netejar lo format tèxte de totas las publicacions\",\"pause_on_unfocused\":\"Pausar la difusion quand l’onglet es pas seleccionat\",\"profile_tab\":\"Perfil\",\"replies_in_timeline\":\"Responsas del flux\",\"reply_visibility_all\":\"Mostrar totas las responsas\",\"reply_visibility_following\":\"Mostrar pas que las responsas que me son destinada a ieu o un utilizaire que seguissi\",\"reply_visibility_self\":\"Mostrar pas que las responsas que me son destinadas\",\"saving_err\":\"Error en enregistrant los paramètres\",\"saving_ok\":\"Paramètres enregistrats\",\"security_tab\":\"Seguretat\",\"values\":{\"false\":\"non\",\"true\":\"òc\"}},\"timeline\":{\"collapse\":\"Tampar\",\"conversation\":\"Conversacion\",\"error_fetching\":\"Error en cercant de mesas a jorn\",\"load_older\":\"Ne veire mai\",\"repeated\":\"repetit\",\"show_new\":\"Ne veire mai\",\"up_to_date\":\"A jorn\",\"no_retweet_hint\":\"La publicacion marcada coma pels seguidors solament o dirècte pòt pas èsser repetida\"},\"user_card\":{\"block\":\"Blocar\",\"blocked\":\"Blocat !\",\"follow\":\"Seguir\",\"followees\":\"Abonaments\",\"followers\":\"Seguidors\",\"following\":\"Seguit !\",\"follows_you\":\"Vos sèc !\",\"mute\":\"Amagar\",\"muted\":\"Amagat\",\"per_day\":\"per jorn\",\"remote_follow\":\"Seguir a distància\",\"statuses\":\"Estatuts\",\"approve\":\"Validar\",\"deny\":\"Refusar\"},\"user_profile\":{\"timeline_title\":\"Flux utilizaire\"},\"features_panel\":{\"chat\":\"Discutida\",\"gopher\":\"Gopher\",\"media_proxy\":\"Servidor mandatari dels mèdias\",\"scope_options\":\"Opcions d'encastres\",\"text_limit\":\"Limit de tèxte\",\"title\":\"Foncionalitats\",\"who_to_follow\":\"Qui seguir\"},\"who_to_follow\":{\"more\":\"Mai\",\"who_to_follow\":\"Qui seguir\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/oc.json\n// module id = 415\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Czat\"},\"finder\":{\"error_fetching_user\":\"Błąd przy pobieraniu profilu\",\"find_user\":\"Znajdź użytkownika\"},\"general\":{\"apply\":\"Zastosuj\",\"submit\":\"Wyślij\"},\"login\":{\"login\":\"Zaloguj\",\"logout\":\"Wyloguj\",\"password\":\"Hasło\",\"placeholder\":\"n.p. lain\",\"register\":\"Zarejestruj\",\"username\":\"Użytkownik\"},\"nav\":{\"chat\":\"Lokalny czat\",\"mentions\":\"Wzmianki\",\"public_tl\":\"Publiczna oś czasu\",\"timeline\":\"Oś czasu\",\"twkn\":\"Cała znana sieć\"},\"notifications\":{\"favorited_you\":\"dodał twój status do ulubionych\",\"followed_you\":\"obserwuje cię\",\"notifications\":\"Powiadomienia\",\"read\":\"Przeczytane!\",\"repeated_you\":\"powtórzył twój status\"},\"post_status\":{\"default\":\"Właśnie wróciłem z kościoła\",\"posting\":\"Wysyłanie\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Wyświetlana nazwa profilu\",\"password_confirm\":\"Potwierdzenie hasła\",\"registration\":\"Rejestracja\"},\"settings\":{\"attachmentRadius\":\"Załączniki\",\"attachments\":\"Załączniki\",\"autoload\":\"Włącz automatyczne ładowanie po przewinięciu do końca strony\",\"avatar\":\"Awatar\",\"avatarAltRadius\":\"Awatary (powiadomienia)\",\"avatarRadius\":\"Awatary\",\"background\":\"Tło\",\"bio\":\"Bio\",\"btnRadius\":\"Przyciski\",\"cBlue\":\"Niebieski (odpowiedz, obserwuj)\",\"cGreen\":\"Zielony (powtórzenia)\",\"cOrange\":\"Pomarańczowy (ulubione)\",\"cRed\":\"Czerwony (anuluj)\",\"change_password\":\"Zmień hasło\",\"change_password_error\":\"Podczas zmiany hasła wystąpił problem.\",\"changed_password\":\"Hasło zmienione poprawnie!\",\"confirm_new_password\":\"Potwierdź nowe hasło\",\"current_avatar\":\"Twój obecny awatar\",\"current_password\":\"Obecne hasło\",\"current_profile_banner\":\"Twój obecny banner profilu\",\"delete_account\":\"Usuń konto\",\"delete_account_description\":\"Trwale usuń konto i wszystkie posty.\",\"delete_account_error\":\"Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.\",\"delete_account_instructions\":\"Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.\",\"filtering\":\"Filtrowanie\",\"filtering_explanation\":\"Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.\",\"follow_export\":\"Eksport obserwowanych\",\"follow_export_button\":\"Eksportuj swoją listę obserwowanych do pliku CSV\",\"follow_export_processing\":\"Przetwarzanie, wkrótce twój plik zacznie się ściągać.\",\"follow_import\":\"Import obserwowanych\",\"follow_import_error\":\"Błąd przy importowaniu obserwowanych\",\"follows_imported\":\"Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.\",\"foreground\":\"Pierwszy plan\",\"hide_attachments_in_convo\":\"Ukryj załączniki w rozmowach\",\"hide_attachments_in_tl\":\"Ukryj załączniki w osi czasu\",\"import_followers_from_a_csv_file\":\"Importuj obserwowanych z pliku CSV\",\"inputRadius\":\"Pola tekstowe\",\"links\":\"Łącza\",\"name\":\"Imię\",\"name_bio\":\"Imię i bio\",\"new_password\":\"Nowe hasło\",\"nsfw_clickthrough\":\"Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)\",\"panelRadius\":\"Panele\",\"presets\":\"Gotowe motywy\",\"profile_background\":\"Tło profilu\",\"profile_banner\":\"Banner profilu\",\"radii_help\":\"Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)\",\"reply_link_preview\":\"Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi\",\"set_new_avatar\":\"Ustaw nowy awatar\",\"set_new_profile_background\":\"Ustaw nowe tło profilu\",\"set_new_profile_banner\":\"Ustaw nowy banner profilu\",\"settings\":\"Ustawienia\",\"stop_gifs\":\"Odtwarzaj GIFy po najechaniu kursorem\",\"streaming\":\"Włącz automatycznie strumieniowanie nowych postów gdy na początku strony\",\"text\":\"Tekst\",\"theme\":\"Motyw\",\"theme_help\":\"Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.\",\"tooltipRadius\":\"Etykiety/alerty\",\"user_settings\":\"Ustawienia użytkownika\"},\"timeline\":{\"collapse\":\"Zwiń\",\"conversation\":\"Rozmowa\",\"error_fetching\":\"Błąd pobierania\",\"load_older\":\"Załaduj starsze statusy\",\"repeated\":\"powtórzono\",\"show_new\":\"Pokaż nowe\",\"up_to_date\":\"Na bieżąco\"},\"user_card\":{\"block\":\"Zablokuj\",\"blocked\":\"Zablokowany!\",\"follow\":\"Obserwuj\",\"followees\":\"Obserwowani\",\"followers\":\"Obserwujący\",\"following\":\"Obserwowany!\",\"follows_you\":\"Obserwuje cię!\",\"mute\":\"Wycisz\",\"muted\":\"Wyciszony\",\"per_day\":\"dziennie\",\"remote_follow\":\"Zdalna obserwacja\",\"statuses\":\"Statusy\"},\"user_profile\":{\"timeline_title\":\"Oś czasu użytkownika\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/pl.json\n// module id = 416\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"finder\":{\"error_fetching_user\":\"Erro procurando usuário\",\"find_user\":\"Buscar usuário\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\"},\"login\":{\"login\":\"Entrar\",\"logout\":\"Sair\",\"password\":\"Senha\",\"placeholder\":\"p.e. lain\",\"register\":\"Registrar\",\"username\":\"Usuário\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Menções\",\"public_tl\":\"Linha do tempo pública\",\"timeline\":\"Linha do tempo\",\"twkn\":\"Toda a rede conhecida\"},\"notifications\":{\"favorited_you\":\"favoritou sua postagem\",\"followed_you\":\"seguiu você\",\"notifications\":\"Notificações\",\"read\":\"Lido!\",\"repeated_you\":\"repetiu sua postagem\"},\"post_status\":{\"default\":\"Acabei de chegar no Rio!\",\"posting\":\"Publicando\"},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Correio eletrônico\",\"fullname\":\"Nome para exibição\",\"password_confirm\":\"Confirmação de senha\",\"registration\":\"Registro\"},\"settings\":{\"attachmentRadius\":\"Anexos\",\"attachments\":\"Anexos\",\"autoload\":\"Habilitar carregamento automático quando a rolagem chegar ao fim.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatares (Notificações)\",\"avatarRadius\":\"Avatares\",\"background\":\"Plano de Fundo\",\"bio\":\"Biografia\",\"btnRadius\":\"Botões\",\"cBlue\":\"Azul (Responder, seguir)\",\"cGreen\":\"Verde (Repetir)\",\"cOrange\":\"Laranja (Favoritar)\",\"cRed\":\"Vermelho (Cancelar)\",\"current_avatar\":\"Seu avatar atual\",\"current_profile_banner\":\"Sua capa de perfil atual\",\"filtering\":\"Filtragem\",\"filtering_explanation\":\"Todas as postagens contendo estas palavras serão silenciadas, uma por linha.\",\"follow_import\":\"Importar seguidas\",\"follow_import_error\":\"Erro ao importar seguidores\",\"follows_imported\":\"Seguidores importados! O processamento pode demorar um pouco.\",\"foreground\":\"Primeiro Plano\",\"hide_attachments_in_convo\":\"Ocultar anexos em conversas\",\"hide_attachments_in_tl\":\"Ocultar anexos na linha do tempo.\",\"import_followers_from_a_csv_file\":\"Importe seguidores a partir de um arquivo CSV\",\"links\":\"Links\",\"name\":\"Nome\",\"name_bio\":\"Nome & Biografia\",\"nsfw_clickthrough\":\"Habilitar clique para ocultar anexos NSFW\",\"panelRadius\":\"Paineis\",\"presets\":\"Predefinições\",\"profile_background\":\"Plano de fundo de perfil\",\"profile_banner\":\"Capa de perfil\",\"radii_help\":\"Arredondar arestas da interface (em píxeis)\",\"reply_link_preview\":\"Habilitar a pré-visualização de link de respostas ao passar o mouse.\",\"set_new_avatar\":\"Alterar avatar\",\"set_new_profile_background\":\"Alterar o plano de fundo de perfil\",\"set_new_profile_banner\":\"Alterar capa de perfil\",\"settings\":\"Configurações\",\"stop_gifs\":\"Reproduzir GIFs ao passar o cursor em cima\",\"streaming\":\"Habilitar o fluxo automático de postagens quando ao topo da página\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.\",\"tooltipRadius\":\"Dicass/alertas\",\"user_settings\":\"Configurações de Usuário\"},\"timeline\":{\"conversation\":\"Conversa\",\"error_fetching\":\"Erro buscando atualizações\",\"load_older\":\"Carregar postagens antigas\",\"show_new\":\"Mostrar novas\",\"up_to_date\":\"Atualizado\"},\"user_card\":{\"block\":\"Bloquear\",\"blocked\":\"Bloqueado!\",\"follow\":\"Seguir\",\"followees\":\"Seguindo\",\"followers\":\"Seguidores\",\"following\":\"Seguindo!\",\"follows_you\":\"Segue você!\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por dia\",\"remote_follow\":\"Seguidor Remoto\",\"statuses\":\"Postagens\"},\"user_profile\":{\"timeline_title\":\"Linha do tempo do usuário\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/pt.json\n// module id = 417\n// module chunks = 2","module.exports = {\"finder\":{\"error_fetching_user\":\"Eroare la preluarea utilizatorului\",\"find_user\":\"Găsește utilizator\"},\"general\":{\"submit\":\"trimite\"},\"login\":{\"login\":\"Loghează\",\"logout\":\"Deloghează\",\"password\":\"Parolă\",\"placeholder\":\"d.e. lain\",\"register\":\"Înregistrare\",\"username\":\"Nume utilizator\"},\"nav\":{\"mentions\":\"Menționări\",\"public_tl\":\"Cronologie Publică\",\"timeline\":\"Cronologie\",\"twkn\":\"Toată Reșeaua Cunoscută\"},\"notifications\":{\"followed_you\":\"te-a urmărit\",\"notifications\":\"Notificări\",\"read\":\"Citit!\"},\"post_status\":{\"default\":\"Nu de mult am aterizat în L.A.\",\"posting\":\"Postează\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Numele întreg\",\"password_confirm\":\"Cofirmă parola\",\"registration\":\"Îregistrare\"},\"settings\":{\"attachments\":\"Atașamente\",\"autoload\":\"Permite încărcarea automată când scrolat la capăt\",\"avatar\":\"Avatar\",\"bio\":\"Bio\",\"current_avatar\":\"Avatarul curent\",\"current_profile_banner\":\"Bannerul curent al profilului\",\"filtering\":\"Filtru\",\"filtering_explanation\":\"Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie\",\"hide_attachments_in_convo\":\"Ascunde atașamentele în conversații\",\"hide_attachments_in_tl\":\"Ascunde atașamentele în cronologie\",\"name\":\"Nume\",\"name_bio\":\"Nume și Bio\",\"nsfw_clickthrough\":\"Permite ascunderea al atașamentelor NSFW\",\"profile_background\":\"Fundalul de profil\",\"profile_banner\":\"Banner de profil\",\"reply_link_preview\":\"Permite previzualizarea linkului de răspuns la planarea de mouse\",\"set_new_avatar\":\"Setează avatar nou\",\"set_new_profile_background\":\"Setează fundal nou\",\"set_new_profile_banner\":\"Setează banner nou la profil\",\"settings\":\"Setări\",\"theme\":\"Temă\",\"user_settings\":\"Setările utilizatorului\"},\"timeline\":{\"conversation\":\"Conversație\",\"error_fetching\":\"Erare la preluarea actualizărilor\",\"load_older\":\"Încarcă stări mai vechi\",\"show_new\":\"Arată cele noi\",\"up_to_date\":\"La zi\"},\"user_card\":{\"block\":\"Blochează\",\"blocked\":\"Blocat!\",\"follow\":\"Urmărește\",\"followees\":\"Urmărește\",\"followers\":\"Următori\",\"following\":\"Urmărit!\",\"follows_you\":\"Te urmărește!\",\"mute\":\"Pune pe mut\",\"muted\":\"Pus pe mut\",\"per_day\":\"pe zi\",\"statuses\":\"Stări\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ro.json\n// module id = 418\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Чат\"},\"finder\":{\"error_fetching_user\":\"Пользователь не найден\",\"find_user\":\"Найти пользователя\"},\"general\":{\"apply\":\"Применить\",\"submit\":\"Отправить\"},\"login\":{\"login\":\"Войти\",\"logout\":\"Выйти\",\"password\":\"Пароль\",\"placeholder\":\"e.c. lain\",\"register\":\"Зарегистрироваться\",\"username\":\"Имя пользователя\"},\"nav\":{\"back\":\"Назад\",\"chat\":\"Локальный чат\",\"mentions\":\"Упоминания\",\"public_tl\":\"Публичная лента\",\"timeline\":\"Лента\",\"twkn\":\"Федеративная лента\"},\"notifications\":{\"broken_favorite\":\"Неизвестный статус, ищем...\",\"favorited_you\":\"нравится ваш статус\",\"followed_you\":\"начал(а) читать вас\",\"load_older\":\"Загрузить старые уведомления\",\"notifications\":\"Уведомления\",\"read\":\"Прочесть\",\"repeated_you\":\"повторил(а) ваш статус\"},\"post_status\":{\"account_not_locked_warning\":\"Ваш аккаунт не {0}. Кто угодно может зафоловить вас чтобы прочитать посты только для подписчиков\",\"account_not_locked_warning_link\":\"залочен\",\"attachments_sensitive\":\"Вложения содержат чувствительный контент\",\"content_warning\":\"Тема (не обязательно)\",\"default\":\"Что нового?\",\"direct_warning\":\"Этот пост будет видет только упомянутым пользователям\",\"posting\":\"Отправляется\",\"scope\":{\"direct\":\"Личное - этот пост видят только те кто в нём упомянут\",\"private\":\"Для подписчиков - этот пост видят только подписчики\",\"public\":\"Публичный - этот пост виден всем\",\"unlisted\":\"Непубличный - этот пост не виден на публичных лентах\"}},\"registration\":{\"bio\":\"Описание\",\"email\":\"Email\",\"fullname\":\"Отображаемое имя\",\"password_confirm\":\"Подтверждение пароля\",\"registration\":\"Регистрация\",\"token\":\"Код приглашения\",\"validations\":{\"username_required\":\"не должно быть пустым\",\"fullname_required\":\"не должно быть пустым\",\"email_required\":\"не должен быть пустым\",\"password_required\":\"не должен быть пустым\",\"password_confirmation_required\":\"не должно быть пустым\",\"password_confirmation_match\":\"должно совпадать с паролем\"}},\"settings\":{\"attachmentRadius\":\"Прикреплённые файлы\",\"attachments\":\"Вложения\",\"autoload\":\"Включить автоматическую загрузку при прокрутке вниз\",\"avatar\":\"Аватар\",\"avatarAltRadius\":\"Аватары в уведомлениях\",\"avatarRadius\":\"Аватары\",\"background\":\"Фон\",\"bio\":\"Описание\",\"btnRadius\":\"Кнопки\",\"cBlue\":\"Ответить, читать\",\"cGreen\":\"Повторить\",\"cOrange\":\"Нравится\",\"cRed\":\"Отменить\",\"change_password\":\"Сменить пароль\",\"change_password_error\":\"Произошла ошибка при попытке изменить пароль.\",\"changed_password\":\"Пароль изменён успешно.\",\"collapse_subject\":\"Сворачивать посты с темой\",\"confirm_new_password\":\"Подтверждение нового пароля\",\"current_avatar\":\"Текущий аватар\",\"current_password\":\"Текущий пароль\",\"current_profile_banner\":\"Текущий баннер профиля\",\"data_import_export_tab\":\"Импорт / Экспорт данных\",\"delete_account\":\"Удалить аккаунт\",\"delete_account_description\":\"Удалить ваш аккаунт и все ваши сообщения.\",\"delete_account_error\":\"Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.\",\"delete_account_instructions\":\"Введите ваш пароль в поле ниже для подтверждения удаления.\",\"export_theme\":\"Сохранить Тему\",\"filtering\":\"Фильтрация\",\"filtering_explanation\":\"Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке\",\"follow_export\":\"Экспортировать читаемых\",\"follow_export_button\":\"Экспортировать читаемых в файл .csv\",\"follow_export_processing\":\"Ведётся обработка, скоро вам будет предложено загрузить файл\",\"follow_import\":\"Импортировать читаемых\",\"follow_import_error\":\"Ошибка при импортировании читаемых.\",\"follows_imported\":\"Список читаемых импортирован. Обработка займёт некоторое время..\",\"foreground\":\"Передний план\",\"general\":\"Общие\",\"hide_attachments_in_convo\":\"Прятать вложения в разговорах\",\"hide_attachments_in_tl\":\"Прятать вложения в ленте\",\"hide_isp\":\"Скрыть серверную панель\",\"import_followers_from_a_csv_file\":\"Импортировать читаемых из файла .csv\",\"import_theme\":\"Загрузить Тему\",\"inputRadius\":\"Поля ввода\",\"checkboxRadius\":\"Чекбоксы\",\"interface\":\"Интерфейс\",\"interfaceLanguage\":\"Язык интерфейса\",\"limited_availability\":\"Не доступно в вашем браузере\",\"links\":\"Ссылки\",\"lock_account_description\":\"Аккаунт доступен только подтверждённым подписчикам\",\"loop_video\":\"Зациливать видео\",\"loop_video_silent_only\":\"Зацикливать только беззвучные видео (т.е. \\\"гифки\\\" с Mastodon)\",\"name\":\"Имя\",\"name_bio\":\"Имя и описание\",\"new_password\":\"Новый пароль\",\"notification_visibility\":\"Показывать уведомления\",\"notification_visibility_follows\":\"Подписки\",\"notification_visibility_likes\":\"Лайки\",\"notification_visibility_mentions\":\"Упоминания\",\"notification_visibility_repeats\":\"Повторы\",\"no_rich_text_description\":\"Убрать форматирование из всех постов\",\"hide_followings_description\":\"Не показывать кого я читаю\",\"hide_followers_description\":\"Не показывать кто читает меня\",\"nsfw_clickthrough\":\"Включить скрытие NSFW вложений\",\"panelRadius\":\"Панели\",\"pause_on_unfocused\":\"Приостановить загрузку когда вкладка не в фокусе\",\"presets\":\"Пресеты\",\"profile_background\":\"Фон профиля\",\"profile_banner\":\"Баннер профиля\",\"profile_tab\":\"Профиль\",\"radii_help\":\"Скругление углов элементов интерфейса (в пикселях)\",\"replies_in_timeline\":\"Ответы в ленте\",\"reply_link_preview\":\"Включить предварительный просмотр ответа при наведении мыши\",\"reply_visibility_all\":\"Показывать все ответы\",\"reply_visibility_following\":\"Показывать только ответы мне и тех на кого я подписан\",\"reply_visibility_self\":\"Показывать только ответы мне\",\"security_tab\":\"Безопасность\",\"set_new_avatar\":\"Загрузить новый аватар\",\"set_new_profile_background\":\"Загрузить новый фон профиля\",\"set_new_profile_banner\":\"Загрузить новый баннер профиля\",\"settings\":\"Настройки\",\"subject_input_always_show\":\"Всегда показывать поле ввода темы\",\"stop_gifs\":\"Проигрывать GIF анимации только при наведении\",\"streaming\":\"Включить автоматическую загрузку новых сообщений при прокрутке вверх\",\"text\":\"Текст\",\"theme\":\"Тема\",\"theme_help\":\"Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.\",\"theme_help_v2_1\":\"Вы так же можете перепоределить цвета определенных компонентов нажав соотв. галочку. Используйте кнопку \\\"Очистить всё\\\" чтобы снять все переопределения\",\"theme_help_v2_2\":\"Под некоторыми полями ввода это идикаторы контрастности, наведите на них мышью чтобы узнать больше. Приспользовании прозрачности контраст расчитывается для наихудшего варианта.\",\"tooltipRadius\":\"Всплывающие подсказки/уведомления\",\"user_settings\":\"Настройки пользователя\",\"style\":{\"switcher\":{\"keep_color\":\"Оставить цвета\",\"keep_shadows\":\"Оставить тени\",\"keep_opacity\":\"Оставить прозрачность\",\"keep_roundness\":\"Оставить скругление\",\"keep_fonts\":\"Оставить шрифты\",\"save_load_hint\":\"Опции \\\"оставить...\\\" позволяют сохранить текущие настройки при выборе другой темы или импорта её из файла. Так же они влияют на то какие компоненты будут сохранены при экспорте темы. Когда все галочки сняты все компоненты будут экспортированы.\",\"reset\":\"Сбросить\",\"clear_all\":\"Очистить всё\",\"clear_opacity\":\"Очистить прозрачность\"},\"common\":{\"color\":\"Цвет\",\"opacity\":\"Прозрачность\",\"contrast\":{\"hint\":\"Уровень контраста: {ratio}, что {level} {context}\",\"level\":{\"aa\":\"соответствует гайдлайну Level AA (минимальный)\",\"aaa\":\"соответствует гайдлайну Level AAA (рекомендуемый)\",\"bad\":\"не соответствует каким либо гайдлайнам\"},\"context\":{\"18pt\":\"для крупного (18pt+) текста\",\"text\":\"для текста\"}}},\"common_colors\":{\"_tab_label\":\"Общие\",\"main\":\"Общие цвета\",\"foreground_hint\":\"См. вкладку \\\"Дополнительно\\\" для более детального контроля\",\"rgbo\":\"Иконки, акценты, ярылки\"},\"advanced_colors\":{\"_tab_label\":\"Дополнительно\",\"alert\":\"Фон уведомлений\",\"alert_error\":\"Ошибки\",\"badge\":\"Фон значков\",\"badge_notification\":\"Уведомления\",\"panel_header\":\"Заголовок панели\",\"top_bar\":\"Верняя полоска\",\"borders\":\"Границы\",\"buttons\":\"Кнопки\",\"inputs\":\"Поля ввода\",\"faint_text\":\"Маловажный текст\"},\"radii\":{\"_tab_label\":\"Скругление\"},\"shadows\":{\"_tab_label\":\"Светотень\",\"component\":\"Компонент\",\"override\":\"Переопределить\",\"shadow_id\":\"Тень №{value}\",\"blur\":\"Размытие\",\"spread\":\"Разброс\",\"inset\":\"Внутренняя\",\"hint\":\"Для теней вы так же можете использовать --variable в качестве цвета чтобы использовать CSS3-переменные. В таком случае прозрачность работать не будет.\",\"filter_hint\":{\"always_drop_shadow\":\"Внимание, эта тень всегда использует {0} когда браузер поддерживает это\",\"drop_shadow_syntax\":\"{0} не поддерживает параметр {1} и ключевое слово {2}\",\"avatar_inset\":\"Одновременное использование внутренних и внешних теней на (прозрачных) аватарках может дать не те результаты что вы ожидаете\",\"spread_zero\":\"Тени с разбросом > 0 будут выглядеть как если бы разброс установлен в 0\",\"inset_classic\":\"Внутренние тени будут использовать {0}\"},\"components\":{\"panel\":\"Панель\",\"panelHeader\":\"Заголовок панели\",\"topBar\":\"Верхняя полоска\",\"avatar\":\"Аватарка (профиль)\",\"avatarStatus\":\"Аватарка (в ленте)\",\"popup\":\"Всплывающие подсказки\",\"button\":\"Кнопки\",\"buttonHover\":\"Кнопки (наведен курсор)\",\"buttonPressed\":\"Кнопки (нажата)\",\"buttonPressedHover\":\"Кнопки (нажата+наведен курсор)\",\"input\":\"Поля ввода\"}},\"fonts\":{\"_tab_label\":\"Шрифты\",\"help\":\"Выберите тип шрифта для использования в интерфейсе. При выборе варианта \\\"другой\\\" надо ввести название шрифта в точности как он называется в системе.\",\"components\":{\"interface\":\"Интерфейс\",\"input\":\"Поля ввода\",\"post\":\"Текст постов\",\"postCode\":\"Моноширинный текст в посте (форматирование)\"},\"family\":\"Шрифт\",\"size\":\"Размер (в пикселях)\",\"weight\":\"Ширина\",\"custom\":\"Другой\"},\"preview\":{\"header\":\"Пример\",\"content\":\"Контент\",\"error\":\"Ошибка стоп 000\",\"button\":\"Кнопка\",\"text\":\"Еще немного {0} и масенькая {1}\",\"mono\":\"контента\",\"input\":\"Что нового?\",\"faint_link\":\"Его придется убрать\",\"fine_print\":\"Если проблемы остались — ваш гуртовщик мыши плохо стоит. {0}.\",\"header_faint\":\"Все идет по плану\",\"checkbox\":\"Я подтверждаю что не было ни единого разрыва\",\"link\":\"ссылка\"}}},\"timeline\":{\"collapse\":\"Свернуть\",\"conversation\":\"Разговор\",\"error_fetching\":\"Ошибка при обновлении\",\"load_older\":\"Загрузить старые статусы\",\"no_retweet_hint\":\"Пост помечен как \\\"только для подписчиков\\\" или \\\"личное\\\" и поэтому не может быть повторён\",\"repeated\":\"повторил(а)\",\"show_new\":\"Показать новые\",\"up_to_date\":\"Обновлено\"},\"user_card\":{\"block\":\"Заблокировать\",\"blocked\":\"Заблокирован\",\"favorites\":\"Понравившиеся\",\"follow\":\"Читать\",\"follow_sent\":\"Запрос отправлен!\",\"follow_progress\":\"Запрашиваем…\",\"follow_again\":\"Запросить еще заново?\",\"follow_unfollow\":\"Перестать читать\",\"followees\":\"Читаемые\",\"followers\":\"Читатели\",\"following\":\"Читаю\",\"follows_you\":\"Читает вас\",\"mute\":\"Игнорировать\",\"muted\":\"Игнорирую\",\"per_day\":\"в день\",\"remote_follow\":\"Читать удалённо\",\"statuses\":\"Статусы\"},\"user_profile\":{\"timeline_title\":\"Лента пользователя\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ru.json\n// module id = 419\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"聊天\"},\"features_panel\":{\"chat\":\"聊天\",\"gopher\":\"Gopher\",\"media_proxy\":\"媒体代理\",\"scope_options\":\"可见范围设置\",\"text_limit\":\"文本长度限制\",\"title\":\"功能\",\"who_to_follow\":\"推荐关注\"},\"finder\":{\"error_fetching_user\":\"获取用户时发生错误\",\"find_user\":\"寻找用户\"},\"general\":{\"apply\":\"应用\",\"submit\":\"提交\"},\"login\":{\"login\":\"登录\",\"logout\":\"登出\",\"password\":\"密码\",\"placeholder\":\"例如:lain\",\"register\":\"注册\",\"username\":\"用户名\"},\"nav\":{\"chat\":\"本地聊天\",\"friend_requests\":\"关注请求\",\"mentions\":\"提及\",\"public_tl\":\"公共时间线\",\"timeline\":\"时间线\",\"twkn\":\"所有已知网络\"},\"notifications\":{\"broken_favorite\":\"未知的状态,正在搜索中...\",\"favorited_you\":\"收藏了你的状态\",\"followed_you\":\"关注了你\",\"load_older\":\"加载更早的通知\",\"notifications\":\"通知\",\"read\":\"阅读!\",\"repeated_you\":\"转发了你的状态\"},\"post_status\":{\"account_not_locked_warning\":\"你的帐号没有 {0}。任何人都可以关注你并浏览你的上锁内容。\",\"account_not_locked_warning_link\":\"上锁\",\"attachments_sensitive\":\"标记附件为敏感内容\",\"content_type\":{\"plain_text\":\"纯文本\"},\"content_warning\":\"主题(可选)\",\"default\":\"刚刚抵达上海\",\"direct_warning\":\"本条内容只有被提及的用户能够看到。\",\"posting\":\"发送\",\"scope\":{\"direct\":\"私信 - 只发送给被提及的用户\",\"private\":\"仅关注者 - 只有关注了你的人能看到\",\"public\":\"公共 - 发送到公共时间轴\",\"unlisted\":\"不公开 - 所有人可见,但不会发送到公共时间轴\"}},\"registration\":{\"bio\":\"简介\",\"email\":\"电子邮箱\",\"fullname\":\"全名\",\"password_confirm\":\"确认密码\",\"registration\":\"注册\",\"token\":\"邀请码\"},\"settings\":{\"attachmentRadius\":\"附件\",\"attachments\":\"附件\",\"autoload\":\"启用滚动到底部时的自动加载\",\"avatar\":\"头像\",\"avatarAltRadius\":\"头像(通知)\",\"avatarRadius\":\"头像\",\"background\":\"背景\",\"bio\":\"简介\",\"btnRadius\":\"按钮\",\"cBlue\":\"蓝色(回复,关注)\",\"cGreen\":\"绿色(转发)\",\"cOrange\":\"橙色(收藏)\",\"cRed\":\"红色(取消)\",\"change_password\":\"修改密码\",\"change_password_error\":\"修改密码的时候出了点问题。\",\"changed_password\":\"成功修改了密码!\",\"collapse_subject\":\"折叠带主题的内容\",\"confirm_new_password\":\"确认新密码\",\"current_avatar\":\"当前头像\",\"current_password\":\"当前密码\",\"current_profile_banner\":\"您当前的横幅图片\",\"data_import_export_tab\":\"数据导入/导出\",\"default_vis\":\"默认可见范围\",\"delete_account\":\"删除账户\",\"delete_account_description\":\"永久删除你的帐号和所有消息。\",\"delete_account_error\":\"删除账户时发生错误,如果一直删除不了,请联系实例管理员。\",\"delete_account_instructions\":\"在下面输入你的密码来确认删除账户\",\"export_theme\":\"导出预置主题\",\"filtering\":\"过滤器\",\"filtering_explanation\":\"所有包含以下词汇的内容都会被隐藏,一行一个\",\"follow_export\":\"导出关注\",\"follow_export_button\":\"将关注导出成 csv 文件\",\"follow_export_processing\":\"正在处理,过一会儿就可以下载你的文件了\",\"follow_import\":\"导入关注\",\"follow_import_error\":\"导入关注时错误\",\"follows_imported\":\"关注已导入!尚需要一些时间来处理。\",\"foreground\":\"前景\",\"general\":\"通用\",\"hide_attachments_in_convo\":\"在对话中隐藏附件\",\"hide_attachments_in_tl\":\"在时间线上隐藏附件\",\"hide_post_stats\":\"隐藏推文相关的统计数据(例如:收藏的次数)\",\"hide_user_stats\":\"隐藏用户的统计数据(例如:关注者的数量)\",\"import_followers_from_a_csv_file\":\"从 csv 文件中导入关注\",\"import_theme\":\"导入预置主题\",\"inputRadius\":\"输入框\",\"instance_default\":\"(默认:{value})\",\"interfaceLanguage\":\"界面语言\",\"invalid_theme_imported\":\"您所选择的主题文件不被 Pleroma 支持,因此主题未被修改。\",\"limited_availability\":\"在您的浏览器中无法使用\",\"links\":\"链接\",\"lock_account_description\":\"你需要手动审核关注请求\",\"loop_video\":\"循环视频\",\"loop_video_silent_only\":\"只循环没有声音的视频(例如:Mastodon 里的“GIF”)\",\"name\":\"名字\",\"name_bio\":\"名字及简介\",\"new_password\":\"新密码\",\"notification_visibility\":\"要显示的通知类型\",\"notification_visibility_follows\":\"关注\",\"notification_visibility_likes\":\"点赞\",\"notification_visibility_mentions\":\"提及\",\"notification_visibility_repeats\":\"转发\",\"no_rich_text_description\":\"不显示富文本格式\",\"nsfw_clickthrough\":\"将不和谐附件隐藏,点击才能打开\",\"panelRadius\":\"面板\",\"pause_on_unfocused\":\"在离开页面时暂停时间线推送\",\"presets\":\"预置\",\"profile_background\":\"个人资料背景图\",\"profile_banner\":\"横幅图片\",\"profile_tab\":\"个人资料\",\"radii_help\":\"设置界面边缘的圆角 (单位:像素)\",\"replies_in_timeline\":\"时间线中的回复\",\"reply_link_preview\":\"启用鼠标悬停时预览回复链接\",\"reply_visibility_all\":\"显示所有回复\",\"reply_visibility_following\":\"只显示发送给我的回复/发送给我关注的用户的回复\",\"reply_visibility_self\":\"只显示发送给我的回复\",\"saving_err\":\"保存设置时发生错误\",\"saving_ok\":\"设置已保存\",\"security_tab\":\"安全\",\"set_new_avatar\":\"设置新头像\",\"set_new_profile_background\":\"设置新的个人资料背景\",\"set_new_profile_banner\":\"设置新的横幅图片\",\"settings\":\"设置\",\"stop_gifs\":\"鼠标悬停时播放GIF\",\"streaming\":\"开启滚动到顶部时的自动推送\",\"text\":\"文本\",\"theme\":\"主题\",\"theme_help\":\"使用十六进制代码(#rrggbb)来设置主题颜色。\",\"tooltipRadius\":\"提醒\",\"user_settings\":\"用户设置\",\"values\":{\"false\":\"否\",\"true\":\"是\"}},\"timeline\":{\"collapse\":\"折叠\",\"conversation\":\"对话\",\"error_fetching\":\"获取更新时发生错误\",\"load_older\":\"加载更早的状态\",\"no_retweet_hint\":\"这条内容仅关注者可见,或者是私信,因此不能转发。\",\"repeated\":\"已转发\",\"show_new\":\"显示新内容\",\"up_to_date\":\"已是最新\"},\"user_card\":{\"approve\":\"允许\",\"block\":\"屏蔽\",\"blocked\":\"已屏蔽!\",\"deny\":\"拒绝\",\"follow\":\"关注\",\"followees\":\"正在关注\",\"followers\":\"关注者\",\"following\":\"正在关注!\",\"follows_you\":\"关注了你!\",\"mute\":\"隐藏\",\"muted\":\"已隐藏\",\"per_day\":\"每天\",\"remote_follow\":\"跨站关注\",\"statuses\":\"状态\"},\"user_profile\":{\"timeline_title\":\"用户时间线\"},\"who_to_follow\":{\"more\":\"更多\",\"who_to_follow\":\"推荐关注\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/zh.json\n// module id = 420\n// module chunks = 2","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 = 421\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 = 422\n// module chunks = 2","module.exports = __webpack_public_path__ + \"static/img/nsfw.74818f9.png\";\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/assets/nsfw.png\n// module id = 595\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 = 598\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-519c4ebc\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./about.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./about.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-519c4ebc\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./about.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/about/about.vue\n// module id = 599\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-205b4e20\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./contrast_ratio.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./contrast_ratio.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-205b4e20\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./contrast_ratio.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/contrast_ratio/contrast_ratio.vue\n// module id = 600\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 = 601\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 = 602\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./dm_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-55994110\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./dm_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/dm_timeline/dm_timeline.vue\n// module id = 603\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-e5bdcefc\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./export_import.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./export_import.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-e5bdcefc\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./export_import.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/export_import/export_import.vue\n// module id = 604\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 = 605\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-570f920c\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./follow_list.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./follow_list.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-570f920c\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./follow_list.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_list/follow_list.vue\n// module id = 606\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 = 607\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-4bc1e940\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./font_control.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./font_control.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4bc1e940\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./font_control.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/font_control/font_control.vue\n// module id = 608\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 = 609\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-d4665f74\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./gallery.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./gallery.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d4665f74\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./gallery.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/gallery/gallery.vue\n// module id = 610\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3de351e6\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interface_language_switcher.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/interface_language_switcher/interface_language_switcher.vue\n// module id = 611\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-6efb6640\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./link-preview.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./link-preview.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6efb6640\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./link-preview.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/link-preview/link-preview.vue\n// module id = 612\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-556eb774\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_modal.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./media_modal.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-556eb774\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_modal.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_modal/media_modal.vue\n// module id = 613\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 = 614\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 = 615\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 = 616\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 = 617\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./oauth_callback.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-410c9440\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./oauth_callback.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/oauth_callback/oauth_callback.vue\n// module id = 618\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 = 619\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 = 620\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./range_input.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6553acb2\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./range_input.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/range_input/range_input.vue\n// module id = 621\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 = 622\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 = 623\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 = 624\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-6a1c4fc0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./shadow_control.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./shadow_control.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6a1c4fc0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./shadow_control.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/shadow_control/shadow_control.vue\n// module id = 625\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-69918754\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./side_drawer.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./side_drawer.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-69918754\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./side_drawer.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/side_drawer/side_drawer.vue\n// module id = 626\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 = 627\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n null,\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b5c96572\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./preview.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/preview.vue\n// module id = 628\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 = 629\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-1faeb7a0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./terms_of_service_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./terms_of_service_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1faeb7a0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./terms_of_service_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/terms_of_service_panel/terms_of_service_panel.vue\n// module id = 630\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 = 631\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 = 632\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-5e33ef5a\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_search.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_search.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5e33ef5a\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_search.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_search/user_search.vue\n// module id = 633\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 = 634\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-1a7865ca\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./who_to_follow.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1a7865ca\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow.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/who_to_follow.vue\n// module id = 635\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 = 636\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 }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.notifications')) + \"\\n \"), (_vm.unseenCount) ? _c('span', {\n staticClass: \"badge badge-notification unseen-count\"\n }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e()]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"loadmore-error alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.unseenCount) ? _c('button', {\n staticClass: \"read-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.markAsSeen($event)\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.visibleNotifications), function(notification) {\n return _c('div', {\n key: notification.action.id,\n staticClass: \"notification\",\n class: {\n \"unseen\": !notification.seen\n }\n }, [_c('div', {\n staticClass: \"notification-overlay\"\n }), _vm._v(\" \"), _c('notification', {\n attrs: {\n \"notification\": notification\n }\n })], 1)\n }), 0), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(_vm.bottomedOut) ? _c('div', {\n staticClass: \"new-status-notification text-center panel-footer faint\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.no_more_notifications')) + \"\\n \")]) : (!_vm.loading) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.fetchOlderNotifications()\n }\n }\n }, [_c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(_vm._s(_vm.$t('notifications.load_older')))])]) : _c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\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 = 637\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 }, [_c('div', {\n staticClass: \"container\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_c('UserAvatar', {\n attrs: {\n \"betterShadow\": _vm.betterShadow,\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: \"top-line\"\n }, [(_vm.user.name_html) ? _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.name_html)\n }\n }) : _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), (!_vm.isOtherUser) ? _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-settings'\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-cog usersettings\",\n attrs: {\n \"title\": _vm.$t('tool_tip.user_settings')\n }\n })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\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()], 1), _vm._v(\" \"), _c('router-link', {\n staticClass: \"user-screen-name\",\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_c('span', {\n staticClass: \"handle\"\n }, [_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(\" \"), (!_vm.hideUserStatsLocal && !_vm.hideBio) ? _c('span', {\n staticClass: \"dailyAvg\"\n }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))]) : _vm._e()])], 1)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"user-meta\"\n }, [(_vm.user.follows_you && _vm.loggedIn && _vm.isOtherUser) ? _c('div', {\n staticClass: \"following\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && (_vm.loggedIn || !_vm.switcher)) ? _c('div', {\n staticClass: \"highlighter\"\n }, [(_vm.userHighlightType !== 'disabled') ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightColor),\n expression: \"userHighlightColor\"\n }],\n staticClass: \"userHighlightText\",\n attrs: {\n \"type\": \"text\",\n \"id\": 'userHighlightColorTx' + _vm.user.id\n },\n domProps: {\n \"value\": (_vm.userHighlightColor)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.userHighlightColor = $event.target.value\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.userHighlightType !== 'disabled') ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightColor),\n expression: \"userHighlightColor\"\n }],\n staticClass: \"userHighlightCl\",\n attrs: {\n \"type\": \"color\",\n \"id\": 'userHighlightColor' + _vm.user.id\n },\n domProps: {\n \"value\": (_vm.userHighlightColor)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.userHighlightColor = $event.target.value\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('label', {\n staticClass: \"userHighlightSel select\",\n attrs: {\n \"for\": \"style-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightType),\n expression: \"userHighlightType\"\n }],\n staticClass: \"userHighlightSel\",\n attrs: {\n \"id\": 'userHighlightSel' + _vm.user.id\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.userHighlightType = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"disabled\"\n }\n }, [_vm._v(\"No highlight\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"solid\"\n }\n }, [_vm._v(\"Solid bg\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"striped\"\n }\n }, [_vm._v(\"Striped bg\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"side\"\n }\n }, [_vm._v(\"Side stripe\")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]) : _vm._e()]), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n staticClass: \"user-interactions\"\n }, [(_vm.loggedIn) ? _c('div', {\n staticClass: \"follow\"\n }, [(_vm.user.following) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n attrs: {\n \"disabled\": _vm.followRequestInProgress,\n \"title\": _vm.$t('user_card.follow_unfollow')\n },\n on: {\n \"click\": _vm.unfollowUser\n }\n }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")]], 2)]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n attrs: {\n \"disabled\": _vm.followRequestInProgress,\n \"title\": _vm.followRequestSent ? _vm.$t('user_card.follow_again') : ''\n },\n on: {\n \"click\": _vm.followUser\n }\n }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : (_vm.followRequestSent) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_sent')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")]], 2)]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _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()])]), _vm._v(\" \"), (!_vm.hideBio) ? _c('div', {\n staticClass: \"panel-body profile-panel-body\"\n }, [(!_vm.hideUserStatsLocal && _vm.switcher) ? _c('div', {\n staticClass: \"user-counts\"\n }, [_c('div', {\n staticClass: \"user-count\",\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 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 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._e(), _vm._v(\" \"), (!_vm.hideBio && _vm.user.description_html) ? _c('p', {\n staticClass: \"profile-bio\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.description_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }) : (!_vm.hideBio) ? _c('p', {\n staticClass: \"profile-bio\"\n }, [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()]) : _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 = 638\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 class: _vm.classes.root\n }, [_c('div', {\n class: _vm.classes.header\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _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('button', {\n staticClass: \"loadmore-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.showNewStatuses($event)\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n staticClass: \"loadmore-text faint\",\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 class: _vm.classes.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 }), 1)]), _vm._v(\" \"), _c('div', {\n class: _vm.classes.footer\n }, [(_vm.bottomedOut) ? _c('div', {\n staticClass: \"new-status-notification text-center panel-footer faint\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.no_more_statuses')) + \"\\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 }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])])])\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 = 639\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 }), 1)])\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 = 640\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('StillImage', {\n staticClass: \"avatar\",\n class: {\n 'avatar-compact': _vm.compact, 'better-shadow': _vm.betterShadow\n },\n attrs: {\n \"src\": _vm.imgSrc,\n \"imageLoadError\": _vm.imageLoadError\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-0a19e43c\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_avatar/user_avatar.vue\n// module id = 641\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"post-status-form\"\n }, [_c('form', {\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.postStatus(_vm.newStatus)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [(!this.$store.state.users.currentUser.locked && this.newStatus.visibility == 'private') ? _c('i18n', {\n staticClass: \"visibility-notice\",\n attrs: {\n \"path\": \"post_status.account_not_locked_warning\",\n \"tag\": \"p\"\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-settings'\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.account_not_locked_warning_link')))])], 1) : _vm._e(), _vm._v(\" \"), (this.newStatus.visibility == 'direct') ? _c('p', {\n staticClass: \"visibility-notice\"\n }, [_vm._v(_vm._s(_vm.$t('post_status.direct_warning')))]) : _vm._e(), _vm._v(\" \"), (_vm.newStatus.spoilerText || _vm.alwaysShowSubject) ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.spoilerText),\n expression: \"newStatus.spoilerText\"\n }],\n staticClass: \"form-cw\",\n attrs: {\n \"type\": \"text\",\n \"placeholder\": _vm.$t('post_status.content_warning')\n },\n domProps: {\n \"value\": (_vm.newStatus.spoilerText)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.status),\n expression: \"newStatus.status\"\n }],\n ref: \"textarea\",\n staticClass: \"form-control\",\n attrs: {\n \"placeholder\": _vm.$t('post_status.default'),\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.newStatus.status)\n },\n on: {\n \"click\": _vm.setCaret,\n \"keyup\": [_vm.setCaret, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n if (!$event.ctrlKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"keydown\": [function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key, [\"Down\", \"ArrowDown\"])) { return null; }\n return _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key, [\"Up\", \"ArrowUp\"])) { return null; }\n return _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n if (!$event.shiftKey) { return null; }\n return _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n return _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n return _vm.replaceCandidate($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n if (!$event.metaKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"drop\": _vm.fileDrop,\n \"dragover\": function($event) {\n $event.preventDefault();\n return _vm.fileDrag($event)\n },\n \"input\": [function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n }, _vm.resize],\n \"paste\": _vm.paste\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"visibility-tray\"\n }, [(_vm.formattingOptionsEnabled) ? _c('span', {\n staticClass: \"text-format\"\n }, [_c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"post-content-type\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.contentType),\n expression: \"newStatus.contentType\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"id\": \"post-content-type\"\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.$set(_vm.newStatus, \"contentType\", $event.target.multiple ? $$selectedVal : $$selectedVal[0])\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"text/plain\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.content_type.plain_text')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"text/html\"\n }\n }, [_vm._v(\"HTML\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"text/markdown\"\n }\n }, [_vm._v(\"Markdown\")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n attrs: {\n \"title\": _vm.$t('post_status.scope.direct')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n attrs: {\n \"title\": _vm.$t('post_status.scope.private')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n attrs: {\n \"title\": _vm.$t('post_status.scope.unlisted')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n attrs: {\n \"title\": _vm.$t('post_status.scope.public')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })]) : _vm._e()])], 1), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n staticStyle: {\n \"position\": \"relative\"\n }\n }, [_c('div', {\n staticClass: \"autocomplete-panel\"\n }, _vm._l((_vm.candidates), function(candidate) {\n return _c('div', {\n on: {\n \"click\": function($event) {\n _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n }\n }\n }, [_c('div', {\n staticClass: \"autocomplete\",\n class: {\n highlighted: candidate.highlighted\n }\n }, [(candidate.img) ? _c('span', [_c('img', {\n attrs: {\n \"src\": candidate.img\n }\n })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n }), 0)]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-bottom\"\n }, [_c('media-upload', {\n ref: \"mediaUpload\",\n attrs: {\n \"drop-files\": _vm.dropFiles\n },\n on: {\n \"uploading\": _vm.disableSubmit,\n \"uploaded\": _vm.addMediaFile,\n \"upload-failed\": _vm.uploadFailed\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: \"button-icon icon-cancel\",\n on: {\n \"click\": _vm.clearError\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"attachments\"\n }, _vm._l((_vm.newStatus.files), function(file) {\n return _c('div', {\n staticClass: \"media-upload-wrapper\"\n }, [_c('i', {\n staticClass: \"fa button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.removeMediaFile(file)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"media-upload-container attachment\"\n }, [(_vm.type(file) === 'image') ? _c('img', {\n staticClass: \"thumbnail media-upload\",\n attrs: {\n \"src\": file.image\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n attrs: {\n \"href\": file.image\n }\n }, [_vm._v(_vm._s(file.url))]) : _vm._e()])])\n }), 0), _vm._v(\" \"), (_vm.newStatus.files.length > 0) ? _c('div', {\n staticClass: \"upload_settings\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.nsfw),\n expression: \"newStatus.nsfw\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"filesSensitive\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newStatus.nsfw) ? _vm._i(_vm.newStatus.nsfw, null) > -1 : (_vm.newStatus.nsfw)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newStatus.nsfw,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.newStatus, \"nsfw\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"filesSensitive\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.attachments_sensitive')))])]) : _vm._e()])])\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 = 642\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 }, [_c('span', {\n staticClass: \"title\"\n }, [_vm._v(\" \" + _vm._s(_vm.$t('timeline.conversation')) + \" \")]), _vm._v(\" \"), (_vm.collapsable) ? _c('span', [_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 }), 1)])])\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 = 643\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 = 644\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: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.users), function(user) {\n return _c('user-card', {\n key: user.id,\n attrs: {\n \"user\": user,\n \"showFollows\": true\n }\n })\n }), 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1a7865ca\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/who_to_follow/who_to_follow.vue\n// module id = 645\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', [(_vm.visibility !== 'private' && _vm.visibility !== 'direct') ? [_c('i', {\n staticClass: \"button-icon retweet-button icon-retweet rt-active\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.retweet()\n }\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()] : [_c('i', {\n staticClass: \"button-icon icon-lock\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('timeline.no_retweet_hint')\n }\n })]], 2) : (!_vm.loggedIn) ? _c('div', [_c('i', {\n staticClass: \"button-icon icon-retweet\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1ca01100\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/retweet_button/retweet_button.vue\n// module id = 646\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', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"tos-content\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.content)\n }\n })])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1faeb7a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/terms_of_service_panel/terms_of_service_panel.vue\n// module id = 647\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.contrast) ? _c('span', {\n staticClass: \"contrast-ratio\"\n }, [_c('span', {\n staticClass: \"rating\",\n attrs: {\n \"title\": _vm.hint\n }\n }, [(_vm.contrast.aaa) ? _c('span', [_c('i', {\n staticClass: \"icon-thumbs-up-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && _vm.contrast.aa) ? _c('span', [_c('i', {\n staticClass: \"icon-adjust\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && !_vm.contrast.aa) ? _c('span', [_c('i', {\n staticClass: \"icon-attention\"\n })]) : _vm._e()]), _vm._v(\" \"), (_vm.contrast && _vm.large) ? _c('span', {\n staticClass: \"rating\",\n attrs: {\n \"title\": _vm.hint_18pt\n }\n }, [(_vm.contrast.laaa) ? _c('span', [_c('i', {\n staticClass: \"icon-thumbs-up-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && _vm.contrast.laa) ? _c('span', [_c('i', {\n staticClass: \"icon-adjust\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && !_vm.contrast.laa) ? _c('span', [_c('i', {\n staticClass: \"icon-attention\"\n })]) : _vm._e()]) : _vm._e()]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-205b4e20\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/contrast_ratio/contrast_ratio.vue\n// module id = 648\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 = 649\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 = 650\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 || !this.floating) ? _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\",\n class: {\n 'chat-heading': _vm.floating\n },\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), (_vm.floating) ? _c('i', {\n staticClass: \"icon-cancel\",\n staticStyle: {\n \"float\": \"right\"\n }\n }) : _vm._e()])]), _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\": _vm.userProfileLink(message.author)\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 }), 0), _vm._v(\" \"), _c('div', {\n staticClass: \"chat-input\"\n }, [_c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.currentMessage),\n expression: \"currentMessage\"\n }],\n staticClass: \"chat-input-textarea\",\n attrs: {\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.currentMessage)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.submit(_vm.currentMessage)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.currentMessage = $event.target.value\n }\n }\n })])])]) : _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading stub timeline-heading chat-heading\",\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_c('i', {\n staticClass: \"icon-comment-empty\"\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-37c7b840\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/chat_panel/chat_panel.vue\n// module id = 651\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [_c('label', {\n attrs: {\n \"for\": \"interface-language-switcher\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.interfaceLanguage')) + \"\\n \")]), _vm._v(\" \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"interface-language-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.language),\n expression: \"language\"\n }],\n attrs: {\n \"id\": \"interface-language-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.language = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.languageCodes), function(langCode, i) {\n return _c('option', {\n domProps: {\n \"value\": langCode\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.languageNames[i]) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-3de351e6\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/interface_language_switcher/interface_language_switcher.vue\n// module id = 652\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', {\n staticClass: \"user-finder-container\"\n }, [(_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 \"title\": _vm.$t('finder.find_user')\n }\n }, [_c('i', {\n staticClass: \"icon-user-plus user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n return _vm.toggleHidden($event)\n }\n }\n })]) : [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.username),\n expression: \"username\"\n }],\n staticClass: \"user-finder-input\",\n attrs: {\n \"placeholder\": _vm.$t('finder.find_user'),\n \"id\": \"user-finder-input\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.username)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.findUser(_vm.username)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.username = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"btn search-button\",\n on: {\n \"click\": function($event) {\n _vm.findUser(_vm.username)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-search\"\n })]), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-cancel user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n return _vm.toggleHidden($event)\n }\n }\n })]], 2)])\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 = 653\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('h1', [_vm._v(\"...\")])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-410c9440\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/oauth_callback/oauth_callback.vue\n// module id = 654\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 = 655\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 }, [(_vm.loginMethod == 'password') ? _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._e(), _vm._v(\" \"), (_vm.loginMethod == 'token') ? _c('form', {\n staticClass: \"login-form\",\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n return _vm.oAuthLogin($event)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('login.description')))])]), _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._e(), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.authError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": _vm.clearError\n }\n })])]) : _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 = 656\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 class: {\n 'form-group--error': _vm.$v.user.username.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-username\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model.trim\",\n value: (_vm.$v.user.username.$model),\n expression: \"$v.user.username.$model\",\n modifiers: {\n \"trim\": true\n }\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"sign-up-username\",\n \"placeholder\": \"e.g. lain\"\n },\n domProps: {\n \"value\": (_vm.$v.user.username.$model)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.$v.user.username, \"$model\", $event.target.value.trim())\n },\n \"blur\": function($event) {\n _vm.$forceUpdate()\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.username.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.username.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.username_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\",\n class: {\n 'form-group--error': _vm.$v.user.fullname.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-fullname\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.fullname')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model.trim\",\n value: (_vm.$v.user.fullname.$model),\n expression: \"$v.user.fullname.$model\",\n modifiers: {\n \"trim\": true\n }\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"sign-up-fullname\",\n \"placeholder\": \"e.g. Lain Iwakura\"\n },\n domProps: {\n \"value\": (_vm.$v.user.fullname.$model)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.$v.user.fullname, \"$model\", $event.target.value.trim())\n },\n \"blur\": function($event) {\n _vm.$forceUpdate()\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.fullname.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.fullname.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.fullname_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\",\n class: {\n 'form-group--error': _vm.$v.user.email.$error\n }\n }, [_c('label', {\n staticClass: \"form--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.$v.user.email.$model),\n expression: \"$v.user.email.$model\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"email\",\n \"type\": \"email\"\n },\n domProps: {\n \"value\": (_vm.$v.user.email.$model)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.$v.user.email, \"$model\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.email.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.email.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.email_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n staticClass: \"form--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.isPending,\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 class: {\n 'form-group--error': _vm.$v.user.password.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-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.isPending,\n \"id\": \"sign-up-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(\" \"), (_vm.$v.user.password.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.password.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\",\n class: {\n 'form-group--error': _vm.$v.user.confirm.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-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.isPending,\n \"id\": \"sign-up-password-confirmation\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.confirm)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"confirm\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.confirm.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.confirm.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_required')))])]) : _vm._e(), _vm._v(\" \"), (!_vm.$v.user.confirm.sameAsPassword) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_match')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), (_vm.captcha.type != 'none') ? _c('div', {\n staticClass: \"form-group\",\n attrs: {\n \"id\": \"captcha-group\"\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"captcha-label\"\n }\n }, [_vm._v(_vm._s(_vm.$t('captcha')))]), _vm._v(\" \"), (_vm.captcha.type == 'kocaptcha') ? [_c('img', {\n attrs: {\n \"src\": _vm.captcha.url\n },\n on: {\n \"click\": _vm.setCaptcha\n }\n }), _vm._v(\" \"), _c('sub', [_vm._v(_vm._s(_vm.$t('registration.new_captcha')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.captcha.solution),\n expression: \"captcha.solution\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"captcha-answer\",\n \"type\": \"text\",\n \"autocomplete\": \"off\"\n },\n domProps: {\n \"value\": (_vm.captcha.solution)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.captcha, \"solution\", $event.target.value)\n }\n }\n })] : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.token) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"token\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.token')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.token),\n expression: \"token\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": \"true\",\n \"id\": \"token\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.token)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.token = $event.target.value\n }\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.isPending,\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.serverValidationErrors.length) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, _vm._l((_vm.serverValidationErrors), function(error) {\n return _c('span', [_vm._v(_vm._s(error))])\n }), 0)]) : _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 = 657\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: \"features-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default base01-background\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading base02-background base04\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('features_panel.title')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body features-panel\"\n }, [_c('ul', [(_vm.chat) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.chat')))]) : _vm._e(), _vm._v(\" \"), (_vm.gopher) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.gopher')))]) : _vm._e(), _vm._v(\" \"), (_vm.whoToFollow) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.who_to_follow')))]) : _vm._e(), _vm._v(\" \"), (_vm.mediaProxy) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.media_proxy')))]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptions) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.scope_options')))]) : _vm._e(), _vm._v(\" \"), _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.text_limit')) + \" = \" + _vm._s(_vm.textlimit))])])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-46b7c7a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/features_panel/features_panel.vue\n// module id = 658\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.id) ? _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 }), _vm._v(\" \"), _c('tab-switcher', {\n attrs: {\n \"renderOnlyFocused\": true\n }\n }, [_c('Timeline', {\n attrs: {\n \"label\": _vm.$t('user_card.statuses'),\n \"embedded\": true,\n \"title\": _vm.$t('user_profile.timeline_title'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'user',\n \"user-id\": _vm.fetchBy\n }\n }), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('user_card.followees')\n }\n }, [(_vm.user.friends_count > 0) ? _c('FollowList', {\n attrs: {\n \"userId\": _vm.userId,\n \"showFollowers\": false\n }\n }) : _c('div', {\n staticClass: \"userlist-placeholder\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])], 1), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('user_card.followers')\n }\n }, [(_vm.user.followers_count > 0) ? _c('FollowList', {\n attrs: {\n \"userId\": _vm.userId,\n \"showFollowers\": true\n }\n }) : _c('div', {\n staticClass: \"userlist-placeholder\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])], 1), _vm._v(\" \"), _c('Timeline', {\n attrs: {\n \"label\": _vm.$t('user_card.media'),\n \"embedded\": true,\n \"title\": _vm.$t('user_card.media'),\n \"timeline-name\": \"media\",\n \"timeline\": _vm.media,\n \"user-id\": _vm.fetchBy\n }\n }), _vm._v(\" \"), (_vm.isUs) ? _c('Timeline', {\n attrs: {\n \"label\": _vm.$t('user_card.favorites'),\n \"embedded\": true,\n \"title\": _vm.$t('user_card.favorites'),\n \"timeline-name\": \"favorites\",\n \"timeline\": _vm.favorites\n }\n }) : _vm._e()], 1)], 1) : _c('div', {\n staticClass: \"panel user-profile-placeholder\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.profile_tab')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)])])\n},staticRenderFns: [function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"panel-body\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])\n}]}\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 = 659\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.usePlaceHolder) ? _c('div', {\n on: {\n \"click\": _vm.openModal\n }\n }, [(_vm.type !== 'html') ? _c('a', {\n staticClass: \"placeholder\",\n attrs: {\n \"target\": \"_blank\",\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(\"\\n [\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\\n \")]) : _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 'fullwidth': _vm.fullwidth,\n 'nsfw-placeholder': _vm.hidden\n }, _obj[_vm.type] = true, _obj )\n }, [(_vm.hidden) ? _c('a', {\n staticClass: \"image-attachment\",\n attrs: {\n \"href\": _vm.attachment.url\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleHidden($event)\n }\n }\n }, [_c('img', {\n key: _vm.nsfwImage,\n staticClass: \"nsfw\",\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"src\": _vm.nsfwImage\n }\n }), _vm._v(\" \"), (_vm.type === 'video') ? _c('i', {\n staticClass: \"play-icon icon-play-circled\"\n }) : _vm._e()]) : _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 return _vm.toggleHidden($event)\n }\n }\n }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && (!_vm.hidden || _vm.preloadImage)) ? _c('a', {\n staticClass: \"image-attachment\",\n class: {\n 'hidden': _vm.hidden && _vm.preloadImage\n },\n attrs: {\n \"href\": _vm.attachment.url,\n \"target\": \"_blank\",\n \"title\": _vm.attachment.description\n },\n on: {\n \"click\": _vm.openModal\n }\n }, [_c('StillImage', {\n attrs: {\n \"referrerpolicy\": _vm.referrerpolicy,\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('a', {\n staticClass: \"video-container\",\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"href\": _vm.allowPlay ? undefined : _vm.attachment.url\n },\n on: {\n \"click\": _vm.openModal\n }\n }, [_c('VideoAttachment', {\n staticClass: \"video\",\n attrs: {\n \"attachment\": _vm.attachment,\n \"controls\": _vm.allowPlay\n }\n }), _vm._v(\" \"), (!_vm.allowPlay) ? _c('i', {\n staticClass: \"play-icon icon-play-circled\"\n }) : _vm._e()], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n attrs: {\n \"src\": _vm.attachment.url,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n staticClass: \"oembed\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }, [(_vm.attachment.thumb_url) ? _c('div', {\n staticClass: \"image\"\n }, [_c('img', {\n attrs: {\n \"src\": _vm.attachment.thumb_url\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"text\"\n }, [_c('h1', [_c('a', {\n attrs: {\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n }\n })])]) : _vm._e()])\n var _obj;\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-48d74080\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/attachment/attachment.vue\n// module id = 660\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: \"font-control style-control\",\n class: {\n custom: _vm.isCustom\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.preset === 'custom' ? _vm.name : _vm.name + '-font-switcher'\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exlcude-disabled\",\n attrs: {\n \"type\": \"checkbox\",\n \"id\": _vm.name + '-o'\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": _vm.name + '-font-switcher',\n \"disabled\": !_vm.present\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.preset),\n expression: \"preset\"\n }],\n staticClass: \"font-switcher\",\n attrs: {\n \"disabled\": !_vm.present,\n \"id\": _vm.name + '-font-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.preset = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.availableOptions), function(option) {\n return _c('option', {\n domProps: {\n \"value\": option\n }\n }, [_vm._v(\"\\n \" + _vm._s(option === 'custom' ? _vm.$t('settings.style.fonts.custom') : option) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })]), _vm._v(\" \"), (_vm.isCustom) ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.family),\n expression: \"family\"\n }],\n staticClass: \"custom-font\",\n attrs: {\n \"type\": \"text\",\n \"id\": _vm.name\n },\n domProps: {\n \"value\": (_vm.family)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.family = $event.target.value\n }\n }\n }) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4bc1e940\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/font_control/font_control.vue\n// module id = 661\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: \"nav-bar container\",\n attrs: {\n \"id\": \"nav\"\n },\n on: {\n \"click\": function($event) {\n _vm.scrollToTop()\n }\n }\n }, [_c('div', {\n staticClass: \"logo\",\n style: (_vm.logoBgStyle)\n }, [_c('div', {\n staticClass: \"mask\",\n style: (_vm.logoMaskStyle)\n }), _vm._v(\" \"), _c('img', {\n style: (_vm.logoStyle),\n attrs: {\n \"src\": _vm.logo\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"inner-nav\"\n }, [_c('div', {\n staticClass: \"item\"\n }, [_c('a', {\n staticClass: \"menu-button\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n _vm.toggleMobileSidebar()\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-menu\"\n }), _vm._v(\" \"), (_vm.unseenNotificationsCount) ? _c('div', {\n staticClass: \"alert-dot\"\n }) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n staticClass: \"site-name\",\n attrs: {\n \"to\": {\n name: 'root'\n },\n \"active-class\": \"home\"\n }\n }, [_vm._v(_vm._s(_vm.sitename))])], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"item right\"\n }, [_c('user-finder', {\n staticClass: \"button-icon nav-icon mobile-hidden\",\n on: {\n \"toggled\": _vm.onFinderToggled\n }\n }), _vm._v(\" \"), _c('router-link', {\n staticClass: \"mobile-hidden\",\n attrs: {\n \"to\": {\n name: 'settings'\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-cog nav-icon\",\n attrs: {\n \"title\": _vm.$t('nav.preferences')\n }\n })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n staticClass: \"mobile-hidden\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.logout($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon 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('side-drawer', {\n ref: \"sideDrawer\",\n attrs: {\n \"logout\": _vm.logout\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"sidebar-flexer mobile-hidden\"\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.showFeaturesPanel) ? _c('features-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('who-to-follow-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('notifications') : _vm._e()], 1)])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"main\"\n }, [_c('transition', {\n attrs: {\n \"name\": \"fade\"\n }\n }, [_c('router-view')], 1)], 1), _vm._v(\" \"), _c('media-modal')], 1), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n staticClass: \"floating-chat mobile-hidden\",\n attrs: {\n \"floating\": true\n }\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 = 662\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: \"opacity-control style-control\",\n class: {\n disabled: !_vm.present || _vm.disabled\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.common.opacity')) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exclude-disabled\",\n attrs: {\n \"id\": _vm.name + '-o',\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticClass: \"input-number\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"number\",\n \"disabled\": !_vm.present || _vm.disabled,\n \"max\": \"1\",\n \"min\": \"0\",\n \"step\": \".05\"\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4cc8580e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/opacity_input/opacity_input.vue\n// module id = 663\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: \"sidebar\"\n }, [_c('instance-specific-panel'), _vm._v(\" \"), (_vm.showFeaturesPanel) ? _c('features-panel') : _vm._e(), _vm._v(\" \"), _c('terms-of-service-panel')], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-519c4ebc\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/about/about.vue\n// module id = 664\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('video', {\n staticClass: \"video\",\n attrs: {\n \"src\": _vm.attachment.url,\n \"loop\": _vm.loopVideo,\n \"controls\": _vm.controls,\n \"playsinline\": \"\"\n },\n on: {\n \"loadeddata\": _vm.onVideoDataLoad\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-526a5280\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/video_attachment/video_attachment.vue\n// module id = 665\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"media-upload\",\n on: {\n \"drop\": [function($event) {\n $event.preventDefault();\n }, _vm.fileDrop],\n \"dragover\": function($event) {\n $event.preventDefault();\n return _vm.fileDrag($event)\n }\n }\n }, [_c('label', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"title\": _vm.$t('tool_tip.media_upload')\n }\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(\" \"), (_vm.uploadReady) ? _c('input', {\n staticStyle: {\n \"position\": \"fixed\",\n \"top\": \"-100em\"\n },\n attrs: {\n \"type\": \"file\",\n \"multiple\": \"true\"\n },\n on: {\n \"change\": _vm.change\n }\n }) : _vm._e()])])\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 = 666\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.showing) ? _c('div', {\n staticClass: \"modal-view\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.hide($event)\n }\n }\n }, [(_vm.type === 'image') ? _c('img', {\n staticClass: \"modal-image\",\n attrs: {\n \"src\": _vm.currentMedia.url\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video') ? _c('VideoAttachment', {\n staticClass: \"modal-image\",\n attrs: {\n \"attachment\": _vm.currentMedia,\n \"controls\": true\n },\n nativeOn: {\n \"click\": function($event) {\n $event.stopPropagation();\n }\n }\n }) : _vm._e()], 1) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-556eb774\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/media_modal/media_modal.vue\n// module id = 667\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.dms'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'dms'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-55994110\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/dm_timeline/dm_timeline.vue\n// module id = 668\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: \"follow-list\"\n }, [_vm._l((_vm.entries), function(entry) {\n return _c('user-card', {\n key: entry.id,\n attrs: {\n \"user\": entry,\n \"showFollows\": true\n }\n })\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"text-center panel-footer\"\n }, [(_vm.error) ? _c('a', {\n staticClass: \"alert error\",\n on: {\n \"click\": _vm.fetchEntries\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('general.generic_error')) + \"\\n \")]) : (_vm.loading) ? _c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n }) : (_vm.bottomedOut) ? _c('span') : _c('a', {\n on: {\n \"click\": _vm.fetchEntries\n }\n }, [_vm._v(_vm._s(_vm.$t('general.more')))])])], 2)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-570f920c\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/follow_list/follow_list.vue\n// module id = 669\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-search panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.user_search')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"user-search-input-container\"\n }, [_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 },\n domProps: {\n \"value\": (_vm.username)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.newQuery(_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('button', {\n staticClass: \"btn search-button\",\n on: {\n \"click\": function($event) {\n _vm.newQuery(_vm.username)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-search\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.users), function(user) {\n return _c('user-card', {\n key: user.id,\n attrs: {\n \"user\": user,\n \"showFollows\": true\n }\n })\n }), 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-5e33ef5a\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_search/user_search.vue\n// module id = 670\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 = 671\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: \"range-control style-control\",\n class: {\n disabled: !_vm.present || _vm.disabled\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exclude-disabled\",\n attrs: {\n \"id\": _vm.name + '-o',\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticClass: \"input-number\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"range\",\n \"disabled\": !_vm.present || _vm.disabled,\n \"max\": _vm.max || _vm.hardMax || 100,\n \"min\": _vm.min || _vm.hardMin || 0,\n \"step\": _vm.step || 1\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n staticClass: \"input-number\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"number\",\n \"disabled\": !_vm.present || _vm.disabled,\n \"max\": _vm.hardMax,\n \"min\": _vm.hardMin,\n \"step\": _vm.step || 1\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6553acb2\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/range_input/range_input.vue\n// module id = 672\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.notification.type === 'mention') ? _c('status', {\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status\n }\n }) : _c('div', {\n staticClass: \"non-mention\",\n class: [_vm.userClass, {\n highlighted: _vm.userStyle\n }],\n style: ([_vm.userStyle])\n }, [_c('a', {\n staticClass: \"avatar-container\",\n attrs: {\n \"href\": _vm.notification.action.user.statusnet_profile_url\n },\n on: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('UserAvatar', {\n attrs: {\n \"compact\": true,\n \"betterShadow\": _vm.betterShadow,\n \"src\": _vm.notification.action.user.profile_image_url_original\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"notification-right\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard notification-usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.notification.action.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n staticClass: \"notification-details\"\n }, [_c('div', {\n staticClass: \"name-and-action\"\n }, [(!!_vm.notification.action.user.name_html) ? _c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.notification.action.user.name_html)\n }\n }) : _c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'like') ? _c('span', [_c('i', {\n staticClass: \"fa icon-star lit\"\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.favorited_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'repeat') ? _c('span', [_c('i', {\n staticClass: \"fa icon-retweet lit\",\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n }\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.repeated_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('span', [_c('i', {\n staticClass: \"fa icon-user-plus lit\"\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n staticClass: \"timeago\"\n }, [(_vm.notification.status) ? _c('router-link', {\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.notification.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.notification.action.created_at,\n \"auto-update\": 240\n }\n })], 1) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n staticClass: \"follow-text\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(_vm.notification.action.user)\n }\n }, [_vm._v(\"\\n @\" + _vm._s(_vm.notification.action.user.screen_name) + \"\\n \")])], 1) : [_c('status', {\n staticClass: \"faint\",\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status,\n \"noHeading\": true\n }\n })]], 2)])\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 = 673\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: \"side-drawer-container\",\n class: {\n 'side-drawer-container-closed': _vm.closed, 'side-drawer-container-open': !_vm.closed\n }\n }, [_c('div', {\n staticClass: \"side-drawer\",\n class: {\n 'side-drawer-closed': _vm.closed\n },\n on: {\n \"touchstart\": _vm.touchStart,\n \"touchmove\": _vm.touchMove\n }\n }, [_c('div', {\n staticClass: \"side-drawer-heading\",\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [(_vm.currentUser) ? _c('user-card-content', {\n attrs: {\n \"user\": _vm.currentUser,\n \"switcher\": false,\n \"hideBio\": true\n }\n }) : _c('div', {\n staticClass: \"side-drawer-logo-wrapper\"\n }, [_c('img', {\n attrs: {\n \"src\": _vm.logo\n }\n }), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(_vm.sitename))])])], 1), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'new-status',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"post_status.new_status\")) + \"\\n \")])], 1) : _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'login'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.login\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'notifications',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"notifications.notifications\")) + \" \" + _vm._s(_vm.unseenNotificationsCount > 0 ? (\"(\" + _vm.unseenNotificationsCount + \")\") : '') + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'dms',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.dms\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'friends'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_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', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_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', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": \"/main/all\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'chat'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.chat\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [_c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-search'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.user_search\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'who-to-follow'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.who_to_follow\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'settings'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"settings.settings\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'about'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.about\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": _vm.doLogout\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.logout\")) + \"\\n \")])]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n staticClass: \"side-drawer-click-outside\",\n class: {\n 'side-drawer-click-outside-closed': _vm.closed\n },\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleDrawer($event)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-69918754\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/side_drawer/side_drawer.vue\n// module id = 674\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: \"shadow-control\",\n class: {\n disabled: !_vm.present\n }\n }, [_c('div', {\n staticClass: \"shadow-preview-container\"\n }, [_c('div', {\n staticClass: \"y-shift-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.y),\n expression: \"selected.y\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\"\n },\n domProps: {\n \"value\": (_vm.selected.y)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"y\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"wrap\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.y),\n expression: \"selected.y\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"-20\"\n },\n domProps: {\n \"value\": (_vm.selected.y)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"y\", $event.target.value)\n }\n }\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"preview-window\"\n }, [_c('div', {\n staticClass: \"preview-block\",\n style: (_vm.style)\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"x-shift-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.x),\n expression: \"selected.x\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\"\n },\n domProps: {\n \"value\": (_vm.selected.x)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"x\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"wrap\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.x),\n expression: \"selected.x\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"-20\"\n },\n domProps: {\n \"value\": (_vm.selected.x)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"x\", $event.target.value)\n }\n }\n })])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"shadow-tweak\"\n }, [_c('div', {\n staticClass: \"id-control style-control\",\n attrs: {\n \"disabled\": _vm.usingFallback\n }\n }, [_c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"shadow-switcher\",\n \"disabled\": !_vm.ready || _vm.usingFallback\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selectedId),\n expression: \"selectedId\"\n }],\n staticClass: \"shadow-switcher\",\n attrs: {\n \"disabled\": !_vm.ready || _vm.usingFallback,\n \"id\": \"shadow-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.selectedId = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.cValue), function(shadow, index) {\n return _c('option', {\n domProps: {\n \"value\": index\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.shadow_id', {\n value: index\n })) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": !_vm.ready || !_vm.present\n },\n on: {\n \"click\": _vm.del\n }\n }, [_c('i', {\n staticClass: \"icon-cancel\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": !_vm.moveUpValid\n },\n on: {\n \"click\": _vm.moveUp\n }\n }, [_c('i', {\n staticClass: \"icon-up-open\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": !_vm.moveDnValid\n },\n on: {\n \"click\": _vm.moveDn\n }\n }, [_c('i', {\n staticClass: \"icon-down-open\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.usingFallback\n },\n on: {\n \"click\": _vm.add\n }\n }, [_c('i', {\n staticClass: \"icon-plus\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"inset-control style-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"inset\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.inset')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.inset),\n expression: \"selected.inset\"\n }],\n staticClass: \"input-inset\",\n attrs: {\n \"disabled\": !_vm.present,\n \"name\": \"inset\",\n \"id\": \"inset\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.selected.inset) ? _vm._i(_vm.selected.inset, null) > -1 : (_vm.selected.inset)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.selected.inset,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.selected, \"inset\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.selected, \"inset\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.selected, \"inset\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n staticClass: \"checkbox-label\",\n attrs: {\n \"for\": \"inset\"\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"blur-control style-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"spread\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.blur')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.blur),\n expression: \"selected.blur\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"name\": \"blur\",\n \"id\": \"blur\",\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"0\"\n },\n domProps: {\n \"value\": (_vm.selected.blur)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"blur\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.blur),\n expression: \"selected.blur\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\",\n \"min\": \"0\"\n },\n domProps: {\n \"value\": (_vm.selected.blur)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"blur\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"spread-control style-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"spread\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.spread')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.spread),\n expression: \"selected.spread\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"name\": \"spread\",\n \"id\": \"spread\",\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"-20\"\n },\n domProps: {\n \"value\": (_vm.selected.spread)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"spread\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.spread),\n expression: \"selected.spread\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\"\n },\n domProps: {\n \"value\": (_vm.selected.spread)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"spread\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"disabled\": !_vm.present,\n \"label\": _vm.$t('settings.style.common.color'),\n \"name\": \"shadow\"\n },\n model: {\n value: (_vm.selected.color),\n callback: function($$v) {\n _vm.$set(_vm.selected, \"color\", $$v)\n },\n expression: \"selected.color\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"disabled\": !_vm.present\n },\n model: {\n value: (_vm.selected.alpha),\n callback: function($$v) {\n _vm.$set(_vm.selected, \"alpha\", $$v)\n },\n expression: \"selected.alpha\"\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.hint')) + \"\\n \")])], 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6a1c4fc0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/shadow_control/shadow_control.vue\n// module id = 675\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 = 676\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 \"error\": _vm.onError\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 = 677\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('a', {\n staticClass: \"link-preview-card\",\n attrs: {\n \"href\": _vm.card.url,\n \"target\": \"_blank\",\n \"rel\": \"noopener\"\n }\n }, [(_vm.useImage) ? _c('div', {\n staticClass: \"card-image\",\n class: {\n 'small-image': _vm.size === 'small'\n }\n }, [_c('img', {\n attrs: {\n \"src\": _vm.card.image\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"card-content\"\n }, [_c('span', {\n staticClass: \"card-host faint\"\n }, [_vm._v(_vm._s(_vm.card.provider_name))]), _vm._v(\" \"), _c('h4', {\n staticClass: \"card-title\"\n }, [_vm._v(_vm._s(_vm.card.title))]), _vm._v(\" \"), (_vm.useDescription) ? _c('p', {\n staticClass: \"card-description\"\n }, [_vm._v(_vm._s(_vm.card.description))]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6efb6640\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/link-preview/link-preview.vue\n// module id = 678\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: \"color-control style-control\",\n class: {\n disabled: !_vm.present || _vm.disabled\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exlcude-disabled\",\n attrs: {\n \"id\": _vm.name + '-o',\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticClass: \"color-input\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"color\",\n \"disabled\": !_vm.present || _vm.disabled\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n staticClass: \"text-input\",\n attrs: {\n \"id\": _vm.name + '-t',\n \"type\": \"text\",\n \"disabled\": !_vm.present || _vm.disabled\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-73de3e04\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/color_input/color_input.vue\n// module id = 679\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (!_vm.hideReply && !_vm.deleted) ? _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\": _vm.userProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")])], 1), _vm._v(\" \"), _c('small', {\n staticClass: \"muteWords\"\n }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n staticClass: \"unmute\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-eye-off\"\n })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n staticClass: \"media container retweet-info\",\n class: [_vm.repeaterClass, {\n highlighted: _vm.repeaterStyle\n }],\n style: ([_vm.repeaterStyle])\n }, [(_vm.retweet) ? _c('UserAvatar', {\n attrs: {\n \"betterShadow\": _vm.betterShadow,\n \"src\": _vm.statusoid.user.profile_image_url_original\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media-body faint\"\n }, [_c('span', {\n staticClass: \"user-name\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.retweeterProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.retweeterHtml || _vm.retweeter) + \"\\n \")])], 1), _vm._v(\" \"), _c('i', {\n staticClass: \"fa icon-retweet retweeted\",\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n }\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media status\",\n class: [_vm.userClass, {\n highlighted: _vm.userStyle,\n 'is-retweet': _vm.retweet\n }],\n style: ([_vm.userStyle])\n }, [(!_vm.noHeading) ? _c('div', {\n staticClass: \"media-left\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink\n },\n nativeOn: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('UserAvatar', {\n attrs: {\n \"compact\": _vm.compact,\n \"betterShadow\": _vm.betterShadow,\n \"src\": _vm.status.user.profile_image_url_original\n }\n })], 1)], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-body\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard media-body\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.status.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n staticClass: \"media-body container media-heading\"\n }, [_c('div', {\n staticClass: \"media-heading-left\"\n }, [_c('div', {\n staticClass: \"name-and-links\"\n }, [(_vm.status.user.name_html) ? _c('h4', {\n staticClass: \"user-name\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.user.name_html)\n }\n }) : _c('h4', {\n staticClass: \"user-name\"\n }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n staticClass: \"links\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")]), _vm._v(\" \"), (_vm.isReply) ? _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\": _vm.replyProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.replyToName) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n attrs: {\n \"href\": \"#\",\n \"aria-label\": _vm.$t('tool_tip.reply')\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: \"button-icon icon-reply\",\n on: {\n \"mouseenter\": function($event) {\n _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n staticClass: \"replies\"\n }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n return _c('small', {\n staticClass: \"reply-link\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.gotoOriginal(reply.id)\n },\n \"mouseenter\": function($event) {\n _vm.replyEnter(reply.id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n }, [_vm._v(_vm._s(reply.name) + \" \")])])\n })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"media-heading-right\"\n }, [_c('router-link', {\n staticClass: \"timeago\",\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.status.created_at,\n \"auto-update\": 60\n }\n })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('div', {\n staticClass: \"button-icon visibility-icon\"\n }, [_c('i', {\n class: _vm.visibilityIcon(_vm.status.visibility),\n attrs: {\n \"title\": _vm._f(\"capitalize\")(_vm.status.visibility)\n }\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 \"title\": \"Source\"\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-link-ext-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n attrs: {\n \"href\": \"#\",\n \"title\": \"Expand\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleExpanded($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-plus-squared\"\n })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon 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(\" \"), (_vm.longSubject) ? _c('div', {\n staticClass: \"status-content-wrapper\",\n class: {\n 'tall-status': !_vm.showingLongSubject\n }\n }, [(!_vm.showingLongSubject) ? _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.showingLongSubject = true\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 return _vm.linkClicked($event)\n }\n }\n }), _vm._v(\" \"), (_vm.showingLongSubject) ? _c('a', {\n staticClass: \"status-unhider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.showingLongSubject = false\n }\n }\n }, [_vm._v(\"Show less\")]) : _vm._e()]) : _c('div', {\n staticClass: \"status-content-wrapper\",\n class: {\n 'tall-status': _vm.hideTallStatus\n }\n }, [(_vm.hideTallStatus) ? _c('a', {\n staticClass: \"tall-status-hider\",\n class: {\n 'tall-status-hider_focused': _vm.isFocused\n },\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (!_vm.hideSubjectStatus) ? _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }) : _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.summary_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }), _vm._v(\" \"), (_vm.hideSubjectStatus) ? _c('a', {\n staticClass: \"cw-status-hider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (_vm.showingMore) ? _c('a', {\n staticClass: \"status-unhider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments && (!_vm.hideSubjectStatus || _vm.showingLongSubject)) ? _c('div', {\n staticClass: \"attachments media-body\"\n }, [_vm._l((_vm.nonGalleryAttachments), function(attachment) {\n return _c('attachment', {\n key: attachment.id,\n staticClass: \"non-gallery\",\n attrs: {\n \"size\": _vm.attachmentSize,\n \"nsfw\": _vm.nsfwClickthrough,\n \"attachment\": attachment,\n \"allowPlay\": true,\n \"setMedia\": _vm.setMedia()\n }\n })\n }), _vm._v(\" \"), (_vm.galleryAttachments.length > 0) ? _c('gallery', {\n attrs: {\n \"nsfw\": _vm.nsfwClickthrough,\n \"attachments\": _vm.galleryAttachments,\n \"setMedia\": _vm.setMedia()\n }\n }) : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.status.card && !_vm.hideSubjectStatus && !_vm.noHeading) ? _c('div', {\n staticClass: \"link-preview media-body\"\n }, [_c('link-preview', {\n attrs: {\n \"card\": _vm.status.card,\n \"size\": _vm.attachmentSize,\n \"nsfw\": _vm.nsfwClickthrough\n }\n })], 1) : _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 \"title\": _vm.$t('tool_tip.reply')\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleReplying($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-reply\",\n class: {\n 'icon-reply-active': _vm.replying\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n attrs: {\n \"visibility\": _vm.status.visibility,\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('favorite-button', {\n attrs: {\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('delete-button', {\n attrs: {\n \"status\": _vm.status\n }\n })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n staticClass: \"container\"\n }, [_c('div', {\n staticClass: \"reply-left\"\n }), _vm._v(\" \"), _c('post-status-form', {\n staticClass: \"reply-body\",\n attrs: {\n \"reply-to\": _vm.status.id,\n \"attentions\": _vm.status.attentions,\n \"repliedUser\": _vm.status.user,\n \"copy-message-scope\": _vm.status.visibility,\n \"subject\": _vm.replySubject\n },\n on: {\n \"posted\": _vm.toggleReplying\n }\n })], 1) : _vm._e()]], 2) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-769e38a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/status/status.vue\n// module id = 680\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.show) ? _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 })])])]) : _vm._e()\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 = 681\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 = 682\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('tab-switcher', [_c('div', {\n attrs: {\n \"label\": _vm.$t('settings.profile_tab')\n }\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('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newLocked),\n expression: \"newLocked\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-locked\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newLocked) ? _vm._i(_vm.newLocked, null) > -1 : (_vm.newLocked)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newLocked,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.newLocked = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.newLocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.newLocked = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-locked\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('label', {\n attrs: {\n \"for\": \"default-vis\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.default_vis')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"visibility-tray\",\n attrs: {\n \"id\": \"default-vis\"\n }\n }, [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n attrs: {\n \"title\": _vm.$t('post_status.scope.direct')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n attrs: {\n \"title\": _vm.$t('post_status.scope.private')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n attrs: {\n \"title\": _vm.$t('post_status.scope.unlisted')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n attrs: {\n \"title\": _vm.$t('post_status.scope.public')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newNoRichText),\n expression: \"newNoRichText\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-no-rich-text\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newNoRichText) ? _vm._i(_vm.newNoRichText, null) > -1 : (_vm.newNoRichText)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newNoRichText,\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.newNoRichText = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.newNoRichText = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.newNoRichText = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-no-rich-text\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.no_rich_text_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideFollowings),\n expression: \"hideFollowings\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-hide-followings\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideFollowings) ? _vm._i(_vm.hideFollowings, null) > -1 : (_vm.hideFollowings)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideFollowings,\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.hideFollowings = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideFollowings = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideFollowings = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-hide-followings\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_followings_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideFollowers),\n expression: \"hideFollowers\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-hide-followers\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideFollowers) ? _vm._i(_vm.hideFollowers, null) > -1 : (_vm.hideFollowers)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideFollowers,\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.hideFollowers = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideFollowers = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideFollowers = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-hide-followers\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_followers_description')))])]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.newName && _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', {\n staticClass: \"visibility-notice\"\n }, [_vm._v(_vm._s(_vm.$t('settings.avatar_size_instruction')))]), _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.avatarPreview) ? _c('img', {\n staticClass: \"new-avatar\",\n attrs: {\n \"src\": _vm.avatarPreview\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('avatar', $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.avatarUploading) ? _c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n }) : (_vm.avatarPreview) ? _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(\" \"), (_vm.avatarUploadError) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.avatarUploadError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.clearUploadError('avatar')\n }\n }\n })]) : _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.bannerPreview) ? _c('img', {\n staticClass: \"banner\",\n attrs: {\n \"src\": _vm.bannerPreview\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('banner', $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.bannerUploading) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.bannerPreview) ? _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(\" \"), (_vm.bannerUploadError) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.bannerUploadError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.clearUploadError('banner')\n }\n }\n })]) : _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.backgroundPreview) ? _c('img', {\n staticClass: \"bg\",\n attrs: {\n \"src\": _vm.backgroundPreview\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('background', $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.backgroundUploading) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.backgroundPreview) ? _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(\" \"), (_vm.backgroundUploadError) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.backgroundUploadError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.clearUploadError('background')\n }\n }\n })]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.security_tab')\n }\n }, [_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(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _vm._e(), _vm._v(\" \"), (_vm.deletingAccount) ? _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_instructions')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.deleteAccountConfirmPasswordInput),\n expression: \"deleteAccountConfirmPasswordInput\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.deleteAccountConfirmPasswordInput)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.deleteAccountConfirmPasswordInput = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.deleteAccount\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.confirmDelete\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()])]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.data_import_export_tab')\n }\n }, [_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', [_c('input', {\n ref: \"followlist\",\n attrs: {\n \"type\": \"file\"\n },\n on: {\n \"change\": _vm.followListChange\n }\n })]), _vm._v(\" \"), (_vm.followListUploading) ? _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._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._e()])], 1)])\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 = 683\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: \"button-icon 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 = 684\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: \"style-switcher\"\n }, [_c('div', {\n staticClass: \"presets-container\"\n }, [_c('div', {\n staticClass: \"save-load\"\n }, [_c('export-import', {\n attrs: {\n \"exportObject\": _vm.exportedTheme,\n \"exportLabel\": _vm.$t(\"settings.export_theme\"),\n \"importLabel\": _vm.$t(\"settings.import_theme\"),\n \"importFailedText\": _vm.$t(\"settings.invalid_theme_imported\"),\n \"onImport\": _vm.onImport,\n \"validator\": _vm.importValidator\n }\n }, [_c('template', {\n slot: \"before\"\n }, [_c('div', {\n staticClass: \"presets\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"preset-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected),\n expression: \"selected\"\n }],\n staticClass: \"preset-switcher\",\n attrs: {\n \"id\": \"preset-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.availableStyles), function(style) {\n return _c('option', {\n style: ({\n backgroundColor: style[1] || style.theme.colors.bg,\n color: style[3] || style.theme.colors.text\n }),\n domProps: {\n \"value\": style\n }\n }, [_vm._v(\"\\n \" + _vm._s(style[0] || style.name) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])])], 2)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"save-load-options\"\n }, [_c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepColor),\n expression: \"keepColor\"\n }],\n attrs: {\n \"id\": \"keep-color\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepColor) ? _vm._i(_vm.keepColor, null) > -1 : (_vm.keepColor)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepColor,\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.keepColor = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepColor = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepColor = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-color\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_color')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepShadows),\n expression: \"keepShadows\"\n }],\n attrs: {\n \"id\": \"keep-shadows\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepShadows) ? _vm._i(_vm.keepShadows, null) > -1 : (_vm.keepShadows)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepShadows,\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.keepShadows = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepShadows = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepShadows = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-shadows\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_shadows')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepOpacity),\n expression: \"keepOpacity\"\n }],\n attrs: {\n \"id\": \"keep-opacity\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepOpacity) ? _vm._i(_vm.keepOpacity, null) > -1 : (_vm.keepOpacity)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepOpacity,\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.keepOpacity = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepOpacity = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepOpacity = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-opacity\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_opacity')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepRoundness),\n expression: \"keepRoundness\"\n }],\n attrs: {\n \"id\": \"keep-roundness\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepRoundness) ? _vm._i(_vm.keepRoundness, null) > -1 : (_vm.keepRoundness)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepRoundness,\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.keepRoundness = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepRoundness = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepRoundness = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-roundness\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_roundness')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepFonts),\n expression: \"keepFonts\"\n }],\n attrs: {\n \"id\": \"keep-fonts\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepFonts) ? _vm._i(_vm.keepFonts, null) > -1 : (_vm.keepFonts)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepFonts,\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.keepFonts = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepFonts = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepFonts = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-fonts\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_fonts')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.switcher.save_load_hint')))])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"preview-container\"\n }, [_c('preview', {\n style: (_vm.previewRules)\n })], 1), _vm._v(\" \"), _c('keep-alive', [_c('tab-switcher', {\n key: \"style-tweak\"\n }, [_c('div', {\n staticClass: \"color-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.common_colors._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearOpacity\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearV1\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_1')))]), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.main')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"bgColor\",\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.bgColorLocal),\n callback: function($$v) {\n _vm.bgColorLocal = $$v\n },\n expression: \"bgColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"bgOpacity\",\n \"fallback\": _vm.previewTheme.opacity.bg || 1\n },\n model: {\n value: (_vm.bgOpacityLocal),\n callback: function($$v) {\n _vm.bgOpacityLocal = $$v\n },\n expression: \"bgOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"textColor\",\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.textColorLocal),\n callback: function($$v) {\n _vm.textColorLocal = $$v\n },\n expression: \"textColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgText\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"linkColor\",\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.linkColorLocal),\n callback: function($$v) {\n _vm.linkColorLocal = $$v\n },\n expression: \"linkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgLink\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"fgColor\",\n \"label\": _vm.$t('settings.foreground')\n },\n model: {\n value: (_vm.fgColorLocal),\n callback: function($$v) {\n _vm.fgColorLocal = $$v\n },\n expression: \"fgColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"fgTextColor\",\n \"label\": _vm.$t('settings.text'),\n \"fallback\": _vm.previewTheme.colors.fgText\n },\n model: {\n value: (_vm.fgTextColorLocal),\n callback: function($$v) {\n _vm.fgTextColorLocal = $$v\n },\n expression: \"fgTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"fgLinkColor\",\n \"label\": _vm.$t('settings.links'),\n \"fallback\": _vm.previewTheme.colors.fgLink\n },\n model: {\n value: (_vm.fgLinkColorLocal),\n callback: function($$v) {\n _vm.fgLinkColorLocal = $$v\n },\n expression: \"fgLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.foreground_hint')))])], 1), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.rgbo')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"cRedColor\",\n \"label\": _vm.$t('settings.cRed')\n },\n model: {\n value: (_vm.cRedColorLocal),\n callback: function($$v) {\n _vm.cRedColorLocal = $$v\n },\n expression: \"cRedColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgRed\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"cBlueColor\",\n \"label\": _vm.$t('settings.cBlue')\n },\n model: {\n value: (_vm.cBlueColorLocal),\n callback: function($$v) {\n _vm.cBlueColorLocal = $$v\n },\n expression: \"cBlueColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgBlue\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"cGreenColor\",\n \"label\": _vm.$t('settings.cGreen')\n },\n model: {\n value: (_vm.cGreenColorLocal),\n callback: function($$v) {\n _vm.cGreenColorLocal = $$v\n },\n expression: \"cGreenColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgGreen\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"cOrangeColor\",\n \"label\": _vm.$t('settings.cOrange')\n },\n model: {\n value: (_vm.cOrangeColorLocal),\n callback: function($$v) {\n _vm.cOrangeColorLocal = $$v\n },\n expression: \"cOrangeColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgOrange\n }\n })], 1), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_2')))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.advanced_colors._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearOpacity\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearV1\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.alert')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"alertError\",\n \"label\": _vm.$t('settings.style.advanced_colors.alert_error'),\n \"fallback\": _vm.previewTheme.colors.alertError\n },\n model: {\n value: (_vm.alertErrorColorLocal),\n callback: function($$v) {\n _vm.alertErrorColorLocal = $$v\n },\n expression: \"alertErrorColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.alertError\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.badge')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"badgeNotification\",\n \"label\": _vm.$t('settings.style.advanced_colors.badge_notification'),\n \"fallback\": _vm.previewTheme.colors.badgeNotification\n },\n model: {\n value: (_vm.badgeNotificationColorLocal),\n callback: function($$v) {\n _vm.badgeNotificationColorLocal = $$v\n },\n expression: \"badgeNotificationColorLocal\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.panel_header')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.panelColorLocal),\n callback: function($$v) {\n _vm.panelColorLocal = $$v\n },\n expression: \"panelColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"panelOpacity\",\n \"fallback\": _vm.previewTheme.opacity.panel || 1\n },\n model: {\n value: (_vm.panelOpacityLocal),\n callback: function($$v) {\n _vm.panelOpacityLocal = $$v\n },\n expression: \"panelOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelTextColor\",\n \"fallback\": _vm.previewTheme.colors.panelText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.panelTextColorLocal),\n callback: function($$v) {\n _vm.panelTextColorLocal = $$v\n },\n expression: \"panelTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.panelText,\n \"large\": \"1\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelLinkColor\",\n \"fallback\": _vm.previewTheme.colors.panelLink,\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.panelLinkColorLocal),\n callback: function($$v) {\n _vm.panelLinkColorLocal = $$v\n },\n expression: \"panelLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.panelLink,\n \"large\": \"1\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.top_bar')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"topBarColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.topBarColorLocal),\n callback: function($$v) {\n _vm.topBarColorLocal = $$v\n },\n expression: \"topBarColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"topBarTextColor\",\n \"fallback\": _vm.previewTheme.colors.topBarText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.topBarTextColorLocal),\n callback: function($$v) {\n _vm.topBarTextColorLocal = $$v\n },\n expression: \"topBarTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.topBarText\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"topBarLinkColor\",\n \"fallback\": _vm.previewTheme.colors.topBarLink,\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.topBarLinkColorLocal),\n callback: function($$v) {\n _vm.topBarLinkColorLocal = $$v\n },\n expression: \"topBarLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.topBarLink\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.inputs')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"inputColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.inputColorLocal),\n callback: function($$v) {\n _vm.inputColorLocal = $$v\n },\n expression: \"inputColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"inputOpacity\",\n \"fallback\": _vm.previewTheme.opacity.input || 1\n },\n model: {\n value: (_vm.inputOpacityLocal),\n callback: function($$v) {\n _vm.inputOpacityLocal = $$v\n },\n expression: \"inputOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"inputTextColor\",\n \"fallback\": _vm.previewTheme.colors.inputText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.inputTextColorLocal),\n callback: function($$v) {\n _vm.inputTextColorLocal = $$v\n },\n expression: \"inputTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.inputText\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.buttons')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"btnColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.btnColorLocal),\n callback: function($$v) {\n _vm.btnColorLocal = $$v\n },\n expression: \"btnColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"btnOpacity\",\n \"fallback\": _vm.previewTheme.opacity.btn || 1\n },\n model: {\n value: (_vm.btnOpacityLocal),\n callback: function($$v) {\n _vm.btnOpacityLocal = $$v\n },\n expression: \"btnOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"btnTextColor\",\n \"fallback\": _vm.previewTheme.colors.btnText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.btnTextColorLocal),\n callback: function($$v) {\n _vm.btnTextColorLocal = $$v\n },\n expression: \"btnTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.btnText\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.borders')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"borderColor\",\n \"fallback\": _vm.previewTheme.colors.border,\n \"label\": _vm.$t('settings.style.common.color')\n },\n model: {\n value: (_vm.borderColorLocal),\n callback: function($$v) {\n _vm.borderColorLocal = $$v\n },\n expression: \"borderColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"borderOpacity\",\n \"fallback\": _vm.previewTheme.opacity.border || 1\n },\n model: {\n value: (_vm.borderOpacityLocal),\n callback: function($$v) {\n _vm.borderOpacityLocal = $$v\n },\n expression: \"borderOpacityLocal\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.faint_text')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"faintColor\",\n \"fallback\": _vm.previewTheme.colors.faint || 1,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.faintColorLocal),\n callback: function($$v) {\n _vm.faintColorLocal = $$v\n },\n expression: \"faintColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"faintLinkColor\",\n \"fallback\": _vm.previewTheme.colors.faintLink,\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.faintLinkColorLocal),\n callback: function($$v) {\n _vm.faintLinkColorLocal = $$v\n },\n expression: \"faintLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelFaintColor\",\n \"fallback\": _vm.previewTheme.colors.panelFaint,\n \"label\": _vm.$t('settings.style.advanced_colors.panel_header')\n },\n model: {\n value: (_vm.panelFaintColorLocal),\n callback: function($$v) {\n _vm.panelFaintColorLocal = $$v\n },\n expression: \"panelFaintColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"faintOpacity\",\n \"fallback\": _vm.previewTheme.opacity.faint || 0.5\n },\n model: {\n value: (_vm.faintOpacityLocal),\n callback: function($$v) {\n _vm.faintOpacityLocal = $$v\n },\n expression: \"faintOpacityLocal\"\n }\n })], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.radii._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearRoundness\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"btnRadius\",\n \"label\": _vm.$t('settings.btnRadius'),\n \"fallback\": _vm.previewTheme.radii.btn,\n \"max\": \"16\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.btnRadiusLocal),\n callback: function($$v) {\n _vm.btnRadiusLocal = $$v\n },\n expression: \"btnRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"inputRadius\",\n \"label\": _vm.$t('settings.inputRadius'),\n \"fallback\": _vm.previewTheme.radii.input,\n \"max\": \"9\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.inputRadiusLocal),\n callback: function($$v) {\n _vm.inputRadiusLocal = $$v\n },\n expression: \"inputRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"checkboxRadius\",\n \"label\": _vm.$t('settings.checkboxRadius'),\n \"fallback\": _vm.previewTheme.radii.checkbox,\n \"max\": \"16\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.checkboxRadiusLocal),\n callback: function($$v) {\n _vm.checkboxRadiusLocal = $$v\n },\n expression: \"checkboxRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"panelRadius\",\n \"label\": _vm.$t('settings.panelRadius'),\n \"fallback\": _vm.previewTheme.radii.panel,\n \"max\": \"50\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.panelRadiusLocal),\n callback: function($$v) {\n _vm.panelRadiusLocal = $$v\n },\n expression: \"panelRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"avatarRadius\",\n \"label\": _vm.$t('settings.avatarRadius'),\n \"fallback\": _vm.previewTheme.radii.avatar,\n \"max\": \"28\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.avatarRadiusLocal),\n callback: function($$v) {\n _vm.avatarRadiusLocal = $$v\n },\n expression: \"avatarRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"avatarAltRadius\",\n \"label\": _vm.$t('settings.avatarAltRadius'),\n \"fallback\": _vm.previewTheme.radii.avatarAlt,\n \"max\": \"28\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.avatarAltRadiusLocal),\n callback: function($$v) {\n _vm.avatarAltRadiusLocal = $$v\n },\n expression: \"avatarAltRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"attachmentRadius\",\n \"label\": _vm.$t('settings.attachmentRadius'),\n \"fallback\": _vm.previewTheme.radii.attachment,\n \"max\": \"50\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.attachmentRadiusLocal),\n callback: function($$v) {\n _vm.attachmentRadiusLocal = $$v\n },\n expression: \"attachmentRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"tooltipRadius\",\n \"label\": _vm.$t('settings.tooltipRadius'),\n \"fallback\": _vm.previewTheme.radii.tooltip,\n \"max\": \"50\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.tooltipRadiusLocal),\n callback: function($$v) {\n _vm.tooltipRadiusLocal = $$v\n },\n expression: \"tooltipRadiusLocal\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"shadow-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.shadows._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header shadow-selector\"\n }, [_c('div', {\n staticClass: \"select-container\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.component')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"shadow-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.shadowSelected),\n expression: \"shadowSelected\"\n }],\n staticClass: \"shadow-switcher\",\n attrs: {\n \"id\": \"shadow-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.shadowSelected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.shadowsAvailable), function(shadow) {\n return _c('option', {\n domProps: {\n \"value\": shadow\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.components.' + shadow)) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"override\"\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"override\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.override')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.currentShadowOverriden),\n expression: \"currentShadowOverriden\"\n }],\n staticClass: \"input-override\",\n attrs: {\n \"name\": \"override\",\n \"id\": \"override\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.currentShadowOverriden) ? _vm._i(_vm.currentShadowOverriden, null) > -1 : (_vm.currentShadowOverriden)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.currentShadowOverriden,\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.currentShadowOverriden = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.currentShadowOverriden = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.currentShadowOverriden = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n staticClass: \"checkbox-label\",\n attrs: {\n \"for\": \"override\"\n }\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearShadows\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('shadow-control', {\n attrs: {\n \"ready\": !!_vm.currentShadowFallback,\n \"fallback\": _vm.currentShadowFallback\n },\n model: {\n value: (_vm.currentShadow),\n callback: function($$v) {\n _vm.currentShadow = $$v\n },\n expression: \"currentShadow\"\n }\n }), _vm._v(\" \"), (_vm.shadowSelected === 'avatar' || _vm.shadowSelected === 'avatarStatus') ? _c('div', [_c('i18n', {\n attrs: {\n \"path\": \"settings.style.shadows.filter_hint.always_drop_shadow\",\n \"tag\": \"p\"\n }\n }, [_c('code', [_vm._v(\"filter: drop-shadow()\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.avatar_inset')))]), _vm._v(\" \"), _c('i18n', {\n attrs: {\n \"path\": \"settings.style.shadows.filter_hint.drop_shadow_syntax\",\n \"tag\": \"p\"\n }\n }, [_c('code', [_vm._v(\"drop-shadow\")]), _vm._v(\" \"), _c('code', [_vm._v(\"spread-radius\")]), _vm._v(\" \"), _c('code', [_vm._v(\"inset\")])]), _vm._v(\" \"), _c('i18n', {\n attrs: {\n \"path\": \"settings.style.shadows.filter_hint.inset_classic\",\n \"tag\": \"p\"\n }\n }, [_c('code', [_vm._v(\"box-shadow\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.spread_zero')))])], 1) : _vm._e()], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"fonts-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.fonts._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.style.fonts.help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearFonts\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"ui\",\n \"label\": _vm.$t('settings.style.fonts.components.interface'),\n \"fallback\": _vm.previewTheme.fonts.interface,\n \"no-inherit\": \"1\"\n },\n model: {\n value: (_vm.fontsLocal.interface),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"interface\", $$v)\n },\n expression: \"fontsLocal.interface\"\n }\n }), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"input\",\n \"label\": _vm.$t('settings.style.fonts.components.input'),\n \"fallback\": _vm.previewTheme.fonts.input\n },\n model: {\n value: (_vm.fontsLocal.input),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"input\", $$v)\n },\n expression: \"fontsLocal.input\"\n }\n }), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"post\",\n \"label\": _vm.$t('settings.style.fonts.components.post'),\n \"fallback\": _vm.previewTheme.fonts.post\n },\n model: {\n value: (_vm.fontsLocal.post),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"post\", $$v)\n },\n expression: \"fontsLocal.post\"\n }\n }), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"postCode\",\n \"label\": _vm.$t('settings.style.fonts.components.postCode'),\n \"fallback\": _vm.previewTheme.fonts.postCode\n },\n model: {\n value: (_vm.fontsLocal.postCode),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"postCode\", $$v)\n },\n expression: \"fontsLocal.postCode\"\n }\n })], 1)])], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"apply-container\"\n }, [_c('button', {\n staticClass: \"btn submit\",\n attrs: {\n \"disabled\": !_vm.themeValid\n },\n on: {\n \"click\": _vm.setCustomTheme\n }\n }, [_vm._v(_vm._s(_vm.$t('general.apply')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearAll\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.reset')))])])], 1)\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 = 685\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: \"panel dummy\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header')) + \"\\n \"), _c('span', {\n staticClass: \"badge badge-notification\"\n }, [_vm._v(\"\\n 99\\n \")])]), _vm._v(\" \"), _c('span', {\n staticClass: \"faint\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header_faint')) + \"\\n \")]), _vm._v(\" \"), _c('span', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body theme-preview-content\"\n }, [_c('div', {\n staticClass: \"post\"\n }, [_c('div', {\n staticClass: \"avatar\"\n }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"content\"\n }, [_c('h4', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.content')) + \"\\n \")]), _vm._v(\" \"), _c('i18n', {\n attrs: {\n \"path\": \"settings.style.preview.text\"\n }\n }, [_c('code', {\n staticStyle: {\n \"font-family\": \"var(--postCodeFont)\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.mono')) + \"\\n \")]), _vm._v(\" \"), _c('a', {\n staticStyle: {\n \"color\": \"var(--link)\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.link')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"after-post\"\n }, [_c('div', {\n staticClass: \"avatar-alt\"\n }, [_vm._v(\"\\n :^)\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"content\"\n }, [_c('i18n', {\n staticClass: \"faint\",\n attrs: {\n \"path\": \"settings.style.preview.fine_print\",\n \"tag\": \"span\"\n }\n }, [_c('a', {\n staticStyle: {\n \"color\": \"var(--faintLink)\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.faint_link')) + \"\\n \")])])], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"separator\"\n }), _vm._v(\" \"), _c('span', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n attrs: {\n \"type\": \"text\"\n },\n domProps: {\n \"value\": _vm.$t('settings.style.preview.input')\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"actions\"\n }, [_c('span', {\n staticClass: \"checkbox\"\n }, [_c('input', {\n attrs: {\n \"checked\": \"very yes\",\n \"type\": \"checkbox\",\n \"id\": \"preview_checkbox\"\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"preview_checkbox\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.preview.checkbox')))])]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])])])])\n},staticRenderFns: [function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"icons\"\n }, [_c('i', {\n staticClass: \"button-icon icon-reply\",\n staticStyle: {\n \"color\": \"var(--cBlue)\"\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-retweet\",\n staticStyle: {\n \"color\": \"var(--cGreen)\"\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-star\",\n staticStyle: {\n \"color\": \"var(--cOrange)\"\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n staticStyle: {\n \"color\": \"var(--cRed)\"\n }\n })])\n}]}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-b5c96572\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/style_switcher/preview.vue\n// module id = 686\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: \"button-icon favorite-button fav-active\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.favorite')\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.favorite()\n }\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n staticClass: \"button-icon favorite-button\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.favorite')\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _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 = 687\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 }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('transition', {\n attrs: {\n \"name\": \"fade\"\n }\n }, [(_vm.currentSaveStateNotice) ? [(_vm.currentSaveStateNotice.error) ? _c('div', {\n staticClass: \"alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.saving_err')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.currentSaveStateNotice.error) ? _c('div', {\n staticClass: \"alert transparent\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.saving_ok')) + \"\\n \")]) : _vm._e()] : _vm._e()], 2)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('keep-alive', [_c('tab-switcher', [_c('div', {\n attrs: {\n \"label\": _vm.$t('settings.general')\n }\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.interface')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('interface-language-switcher')], 1), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideISPLocal),\n expression: \"hideISPLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideISP\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideISPLocal) ? _vm._i(_vm.hideISPLocal, null) > -1 : (_vm.hideISPLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideISPLocal,\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.hideISPLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideISPLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideISPLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideISP\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_isp')))])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('nav.timeline')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.collapseMessageWithSubjectLocal),\n expression: \"collapseMessageWithSubjectLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"collapseMessageWithSubject\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.collapseMessageWithSubjectLocal) ? _vm._i(_vm.collapseMessageWithSubjectLocal, null) > -1 : (_vm.collapseMessageWithSubjectLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.collapseMessageWithSubjectLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.collapseMessageWithSubjectLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.collapseMessageWithSubjectLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.collapseMessageWithSubjectLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"collapseMessageWithSubject\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.collapse_subject')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.collapseMessageWithSubjectDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.streamingLocal),\n expression: \"streamingLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"streaming\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.streamingLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.streamingLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"streaming\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\",\n class: [{\n disabled: !_vm.streamingLocal\n }]\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.pauseOnUnfocusedLocal),\n expression: \"pauseOnUnfocusedLocal\"\n }],\n attrs: {\n \"disabled\": !_vm.streamingLocal,\n \"type\": \"checkbox\",\n \"id\": \"pauseOnUnfocused\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.pauseOnUnfocusedLocal) ? _vm._i(_vm.pauseOnUnfocusedLocal, null) > -1 : (_vm.pauseOnUnfocusedLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.pauseOnUnfocusedLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.pauseOnUnfocusedLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.pauseOnUnfocusedLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.pauseOnUnfocusedLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"pauseOnUnfocused\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.pause_on_unfocused')))])])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.autoLoadLocal),\n expression: \"autoLoadLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"autoload\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.autoLoadLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.autoLoadLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"autoload\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hoverPreviewLocal),\n expression: \"hoverPreviewLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hoverPreview\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hoverPreviewLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hoverPreviewLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hoverPreview\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.composing')))]), _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.scopeCopyLocal),\n expression: \"scopeCopyLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"scopeCopy\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.scopeCopyLocal) ? _vm._i(_vm.scopeCopyLocal, null) > -1 : (_vm.scopeCopyLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.scopeCopyLocal,\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.scopeCopyLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.scopeCopyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.scopeCopyLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"scopeCopy\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.scope_copy')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.scopeCopyDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.alwaysShowSubjectInputLocal),\n expression: \"alwaysShowSubjectInputLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"subjectHide\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.alwaysShowSubjectInputLocal) ? _vm._i(_vm.alwaysShowSubjectInputLocal, null) > -1 : (_vm.alwaysShowSubjectInputLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.alwaysShowSubjectInputLocal,\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.alwaysShowSubjectInputLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.alwaysShowSubjectInputLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.alwaysShowSubjectInputLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"subjectHide\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_input_always_show')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.alwaysShowSubjectInputDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_behavior')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"subjectLineBehavior\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.subjectLineBehaviorLocal),\n expression: \"subjectLineBehaviorLocal\"\n }],\n attrs: {\n \"id\": \"subjectLineBehavior\"\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.subjectLineBehaviorLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"email\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_email')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'email' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"masto\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_mastodon')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'mastodon' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"noop\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_noop')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'noop' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsLocal),\n expression: \"hideAttachmentsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachments\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachments\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsInConvLocal),\n expression: \"hideAttachmentsInConvLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachmentsInConv\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsInConvLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsInConvLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachmentsInConv\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideNsfwLocal),\n expression: \"hideNsfwLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideNsfw\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideNsfwLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideNsfwLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideNsfw\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.preloadImage),\n expression: \"preloadImage\"\n }],\n attrs: {\n \"disabled\": !_vm.hideNsfwLocal,\n \"type\": \"checkbox\",\n \"id\": \"preloadImage\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.preloadImage) ? _vm._i(_vm.preloadImage, null) > -1 : (_vm.preloadImage)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.preloadImage,\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.preloadImage = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.preloadImage = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.preloadImage = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"preloadImage\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.preload_images')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.useOneClickNsfw),\n expression: \"useOneClickNsfw\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"useOneClickNsfw\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.useOneClickNsfw) ? _vm._i(_vm.useOneClickNsfw, null) > -1 : (_vm.useOneClickNsfw)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.useOneClickNsfw,\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.useOneClickNsfw = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.useOneClickNsfw = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.useOneClickNsfw = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"useOneClickNsfw\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.use_one_click_nsfw')))])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.stopGifs),\n expression: \"stopGifs\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"stopGifs\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.stopGifs,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.stopGifs = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"stopGifs\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.loopVideoLocal),\n expression: \"loopVideoLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"loopVideo\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.loopVideoLocal) ? _vm._i(_vm.loopVideoLocal, null) > -1 : (_vm.loopVideoLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.loopVideoLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.loopVideoLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.loopVideoLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.loopVideoLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"loopVideo\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.loop_video')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\",\n class: [{\n disabled: !_vm.streamingLocal\n }]\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.loopVideoSilentOnlyLocal),\n expression: \"loopVideoSilentOnlyLocal\"\n }],\n attrs: {\n \"disabled\": !_vm.loopVideoLocal || !_vm.loopSilentAvailable,\n \"type\": \"checkbox\",\n \"id\": \"loopVideoSilentOnly\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.loopVideoSilentOnlyLocal) ? _vm._i(_vm.loopVideoSilentOnlyLocal, null) > -1 : (_vm.loopVideoSilentOnlyLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.loopVideoSilentOnlyLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.loopVideoSilentOnlyLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.loopVideoSilentOnlyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.loopVideoSilentOnlyLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"loopVideoSilentOnly\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.loop_video_silent_only')))]), _vm._v(\" \"), (!_vm.loopSilentAvailable) ? _c('div', {\n staticClass: \"unavailable\"\n }, [_c('i', {\n staticClass: \"icon-globe\"\n }), _vm._v(\"! \" + _vm._s(_vm.$t('settings.limited_availability')) + \"\\n \")]) : _vm._e()])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.playVideosInModal),\n expression: \"playVideosInModal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"playVideosInModal\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.playVideosInModal) ? _vm._i(_vm.playVideosInModal, null) > -1 : (_vm.playVideosInModal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.playVideosInModal,\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.playVideosInModal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.playVideosInModal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.playVideosInModal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"playVideosInModal\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.play_videos_in_modal')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.useContainFit),\n expression: \"useContainFit\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"useContainFit\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.useContainFit) ? _vm._i(_vm.useContainFit, null) > -1 : (_vm.useContainFit)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.useContainFit,\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.useContainFit = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.useContainFit = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.useContainFit = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"useContainFit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.use_contain_fit')))])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.notifications')))]), _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.webPushNotificationsLocal),\n expression: \"webPushNotificationsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"webPushNotifications\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.webPushNotificationsLocal) ? _vm._i(_vm.webPushNotificationsLocal, null) > -1 : (_vm.webPushNotificationsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.webPushNotificationsLocal,\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.webPushNotificationsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.webPushNotificationsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.webPushNotificationsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"webPushNotifications\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.enable_web_push_notifications')) + \"\\n \")])])])])]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.theme')\n }\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('style-switcher')], 1)]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.filtering')\n }\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('div', {\n staticClass: \"select-multiple\"\n }, [_c('span', {\n staticClass: \"label\"\n }, [_vm._v(_vm._s(_vm.$t('settings.notification_visibility')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"option-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.likes),\n expression: \"notificationVisibilityLocal.likes\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-likes\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.likes) ? _vm._i(_vm.notificationVisibilityLocal.likes, null) > -1 : (_vm.notificationVisibilityLocal.likes)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.likes,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-likes\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_likes')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.repeats),\n expression: \"notificationVisibilityLocal.repeats\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-repeats\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.repeats) ? _vm._i(_vm.notificationVisibilityLocal.repeats, null) > -1 : (_vm.notificationVisibilityLocal.repeats)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.repeats,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-repeats\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_repeats')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.follows),\n expression: \"notificationVisibilityLocal.follows\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-follows\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.follows) ? _vm._i(_vm.notificationVisibilityLocal.follows, null) > -1 : (_vm.notificationVisibilityLocal.follows)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.follows,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-follows\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_follows')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.mentions),\n expression: \"notificationVisibilityLocal.mentions\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-mentions\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.mentions) ? _vm._i(_vm.notificationVisibilityLocal.mentions, null) > -1 : (_vm.notificationVisibilityLocal.mentions)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.mentions,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-mentions\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_mentions')) + \"\\n \")])])])]), _vm._v(\" \"), _c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.replies_in_timeline')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"replyVisibility\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.replyVisibilityLocal),\n expression: \"replyVisibilityLocal\"\n }],\n attrs: {\n \"id\": \"replyVisibility\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.replyVisibilityLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"all\",\n \"selected\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"following\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"self\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]), _vm._v(\" \"), _c('div', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hidePostStatsLocal),\n expression: \"hidePostStatsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hidePostStats\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hidePostStatsLocal) ? _vm._i(_vm.hidePostStatsLocal, null) > -1 : (_vm.hidePostStatsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hidePostStatsLocal,\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.hidePostStatsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hidePostStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hidePostStatsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hidePostStats\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_post_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.hidePostStatsDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('div', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideUserStatsLocal),\n expression: \"hideUserStatsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideUserStats\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideUserStatsLocal) ? _vm._i(_vm.hideUserStatsLocal, null) > -1 : (_vm.hideUserStatsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideUserStatsLocal,\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.hideUserStatsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideUserStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideUserStatsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideUserStats\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_user_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.hideUserStatsDefault\n })) + \"\\n \")])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_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 })])])])], 1)], 1)])\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 = 688\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\": {\n name: 'friends'\n }\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) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'dms',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.dms\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'friend-requests'\n }\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\": {\n name: 'public-timeline'\n }\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\": {\n name: 'public-external-timeline'\n }\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 = 689\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 ref: \"galleryContainer\",\n staticStyle: {\n \"width\": \"100%\"\n }\n }, _vm._l((_vm.rows), function(row) {\n return _c('div', {\n staticClass: \"gallery-row\",\n class: {\n 'contain-fit': _vm.useContainFit, 'cover-fit': !_vm.useContainFit\n },\n style: (_vm.rowHeight(row.length))\n }, _vm._l((row), function(attachment) {\n return _c('attachment', {\n key: attachment.id,\n attrs: {\n \"setMedia\": _vm.setMedia,\n \"nsfw\": _vm.nsfw,\n \"attachment\": attachment,\n \"allowPlay\": false\n }\n })\n }), 1)\n }), 0)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d4665f74\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/gallery/gallery.vue\n// module id = 690\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"who-to-follow-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default base01-background\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading base02-background base04\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body who-to-follow\"\n }, [_vm._l((_vm.usersToFollow), function(user) {\n return _c('span', [_c('img', {\n attrs: {\n \"src\": user.img\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(user.id, user.name)\n }\n }, [_vm._v(\"\\n \" + _vm._s(user.name) + \"\\n \")]), _c('br')], 1)\n }), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.$store.state.instance.logo\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'who-to-follow'\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('who_to_follow.more')))])], 2)])])\n},staticRenderFns: []}\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 = 691\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: \"import-export-container\"\n }, [_vm._t(\"before\"), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.exportData\n }\n }, [_vm._v(_vm._s(_vm.exportLabel))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.importData\n }\n }, [_vm._v(_vm._s(_vm.importLabel))]), _vm._v(\" \"), _vm._t(\"afterButtons\"), _vm._v(\" \"), (_vm.importFailed) ? _c('p', {\n staticClass: \"alert error\"\n }, [_vm._v(_vm._s(_vm.importFailedText))]) : _vm._e(), _vm._v(\" \"), _vm._t(\"afterError\")], 2)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-e5bdcefc\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/export_import/export_import.vue\n// module id = 692\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 = 693\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('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_c('UserAvatar', {\n staticClass: \"avatar\",\n attrs: {\n \"compact\": true,\n \"src\": _vm.user.profile_image_url\n },\n nativeOn: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n })], 1), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": false\n }\n })], 1) : _c('div', {\n staticClass: \"name-and-screen-name\"\n }, [(_vm.user.name_html) ? _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_c('span', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.name_html)\n }\n }), _vm._v(\" \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]) : _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n staticClass: \"user-screen-name\",\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_vm._v(\"\\n @\" + _vm._s(_vm.user.screen_name) + \"\\n \")])], 1), _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()], 1)\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 = 694\n// module chunks = 2"],"sourceRoot":""}
\ No newline at end of file
diff --git a/priv/static/static/js/app.59ebcfb47f86a7a5ba3f.js b/priv/static/static/js/app.59ebcfb47f86a7a5ba3f.js
deleted file mode 100644
index 7bbedd5fd..000000000
--- a/priv/static/static/js/app.59ebcfb47f86a7a5ba3f.js
+++ /dev/null
@@ -1,15 +0,0 @@
-webpackJsonp([2,0],[function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}var n=i(15),s=a(n),o=i(204),r=a(o),l=i(206),c=a(l),u=i(216),d=a(u),p=i(215),f=a(p),_=i(219),h=a(_),m=i(220),v=a(m),g=i(211),b=a(g),w=i(213),y=a(w),k=i(212),C=a(k),x=i(218),S=a(x),L=i(217),$=a(L),P=i(686),j=a(P),A=i(590),I=a(A),T=i(209),F=a(T),R=i(210),N=a(R),O=i(123),M=a(O),B=i(589),E=a(B),z=i(207),U=a(z),V=(window.navigator.language||"en").split("-")[0];s.default.use(c.default),s.default.use(r.default),s.default.use(j.default,{locale:"ja"===V?"ja":"en",locales:{en:i(415),ja:i(416)}}),s.default.use(I.default),s.default.use(E.default);var D=new I.default({locale:V,fallbackLocale:"en",messages:M.default}),q={paths:["config","users.lastLoginName","oauth"]};(0,F.default)(q).then(function(e){var t=new c.default.Store({modules:{interface:d.default,instance:f.default,statuses:h.default,users:v.default,api:b.default,config:y.default,chat:C.default,oauth:S.default,mediaViewer:$.default},plugins:[e,N.default],strict:!1});(0,U.default)({store:t,i18n:D})}),window.___pleromafe_mode={NODE_ENV:"production"},window.___pleromafe_commit_hash="fbe7af3\n",window.___pleromafe_dev_overrides=void 0},,,,,,,,,,,,,,,,,,,,,,function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(37),s=a(n),o=i(77),r=a(o),l=i(222);i(713);var c="/api/account/verify_credentials.json",u="/api/statuses/friends_timeline.json",d="/api/qvitter/allfollowing",p="/api/statuses/public_timeline.json",f="/api/statuses/public_and_external_timeline.json",_="/api/statusnet/tags/timeline",h="/api/favorites/create",m="/api/favorites/destroy",v="/api/statuses/retweet",g="/api/statuses/unretweet",b="/api/statuses/update.json",w="/api/statuses/destroy",y="/api/statuses/show",k="/api/statusnet/media/upload",C="/api/statusnet/conversation",x="/api/statuses/mentions.json",S="/api/statuses/dm_timeline.json",L="/api/statuses/followers.json",$="/api/statuses/friends.json",P="/api/friendships/create.json",j="/api/friendships/destroy.json",A="/api/qvitter/set_profile_pref.json",I="/api/account/register.json",T="/api/qvitter/update_avatar.json",F="/api/qvitter/update_background_image.json",R="/api/account/update_profile_banner.json",N="/api/account/update_profile.json",O="/api/externalprofile/show.json",M="/api/qvitter/statuses/user_timeline.json",B="/api/qvitter/statuses/notifications.json",E="/api/qvitter/statuses/notifications/read.json",z="/api/blocks/create.json",U="/api/blocks/destroy.json",V="/api/users/show.json",D="/api/pleroma/follow_import",q="/api/pleroma/delete_account",H="/api/pleroma/change_password",G="/api/pleroma/friend_requests",W="/api/pleroma/friendships/approve",K="/api/pleroma/friendships/deny",Z="/api/v1/suggestions",J="/api/v1/favourites",Y=window.fetch,Q=function(e,t){t=t||{};var i="",a=i+e;return t.credentials="same-origin",Y(a,t)},X=function(e){var t=e.credentials,i=e.params,a=T,n=new FormData;return(0,r.default)(i,function(e,t){e&&n.append(t,e)}),Q(a,{headers:se(t),method:"POST",body:n}).then(function(e){return e.json()})},ee=function(e){var t=e.credentials,i=e.params,a=F,n=new FormData;return(0,r.default)(i,function(e,t){e&&n.append(t,e)}),Q(a,{headers:se(t),method:"POST",body:n}).then(function(e){return e.json()})},te=function(e){var t=e.credentials,i=e.params,a=R,n=new FormData;return(0,r.default)(i,function(e,t){e&&n.append(t,e)}),Q(a,{headers:se(t),method:"POST",body:n}).then(function(e){return e.json()})},ie=function(e){var t=e.credentials,i=e.params,a=["description","locked","no_rich_text","hide_followings","hide_followers"],n=N,s=new FormData;return(0,r.default)(i,function(e,t){(a.includes(t)||e)&&s.append(t,e)}),Q(n,{headers:se(t),method:"POST",body:s}).then(function(e){return e.json()})},ae=function(e){var t=new FormData;return(0,r.default)(e,function(e,i){e&&t.append(i,e)}),Q(I,{method:"POST",body:t})},ne=function(){return Q("/api/pleroma/captcha").then(function(e){return e.json()})},se=function(e){return e?{Authorization:"Bearer "+e}:{}},oe=function(e){var t=e.profileUrl,i=e.credentials,a=O+"?profileurl="+t;return Q(a,{headers:se(i),method:"GET"}).then(function(e){return e.json()})},re=function(e){var t=e.id,i=e.credentials,a=P+"?user_id="+t;return Q(a,{headers:se(i),method:"POST"}).then(function(e){return e.json()})},le=function(e){var t=e.id,i=e.credentials,a=j+"?user_id="+t;return Q(a,{headers:se(i),method:"POST"}).then(function(e){return e.json()})},ce=function(e){var t=e.id,i=e.credentials,a=z+"?user_id="+t;return Q(a,{headers:se(i),method:"POST"}).then(function(e){return e.json()})},ue=function(e){var t=e.id,i=e.credentials,a=U+"?user_id="+t;return Q(a,{headers:se(i),method:"POST"}).then(function(e){return e.json()})},de=function(e){var t=e.id,i=e.credentials,a=W+"?user_id="+t;return Q(a,{headers:se(i),method:"POST"}).then(function(e){return e.json()})},pe=function(e){var t=e.id,i=e.credentials,a=K+"?user_id="+t;return Q(a,{headers:se(i),method:"POST"}).then(function(e){return e.json()})},fe=function(e){var t=e.id,i=e.credentials,a=V+"?user_id="+t;return Q(a,{headers:se(i)}).then(function(e){return e.json()}).then(function(e){return(0,l.parseUser)(e)})},_e=function(e){var t=e.id,i=e.credentials,a=$+"?user_id="+t;return Q(a,{headers:se(i)}).then(function(e){return e.json()}).then(function(e){return e.map(l.parseUser)})},he=function(e){var t=e.id,i=e.credentials,a=L+"?user_id="+t;return Q(a,{headers:se(i)}).then(function(e){return e.json()}).then(function(e){return e.map(l.parseUser)})},me=function(e){var t=e.username,i=e.credentials,a=d+"/"+t+".json";return Q(a,{headers:se(i)}).then(function(e){return e.json()}).then(function(e){return e.map(l.parseUser)})},ve=function(e){var t=e.credentials,i=G;return Q(i,{headers:se(t)}).then(function(e){return e.json()})},ge=function(e){var t=e.id,i=e.credentials,a=C+"/"+t+".json?count=100";return Q(a,{headers:se(i)}).then(function(e){if(e.ok)return e;throw new Error("Error fetching timeline",e)}).then(function(e){return e.json()}).then(function(e){return e.map(l.parseStatus)})},be=function(e){var t=e.id,i=e.credentials,a=y+"/"+t+".json";return Q(a,{headers:se(i)}).then(function(e){if(e.ok)return e;throw new Error("Error fetching timeline",e)}).then(function(e){return e.json()}).then(function(e){return(0,l.parseStatus)(e)})},we=function(e){var t=e.id,i=e.credentials,a=e.muted,n=void 0===a||a,s=new FormData,o=n?1:0;return s.append("namespace","qvitter"),s.append("data",o),s.append("topic","mute:"+t),Q(A,{method:"POST",headers:se(i),body:s})},ye=function(e){var t=e.timeline,i=e.credentials,a=e.since,n=void 0!==a&&a,o=e.until,r=void 0!==o&&o,c=e.userId,d=void 0!==c&&c,h=e.tag,m=void 0!==h&&h,v={public:p,friends:u,mentions:x,dms:S,notifications:B,publicAndExternal:f,user:M,media:M,favorites:J,tag:_},g="notifications"===t,b=[],w=v[t];n&&b.push(["since_id",n]),r&&b.push(["max_id",r]),d&&b.push(["user_id",d]),m&&(w+="/"+m+".json"),"media"===t&&b.push(["only_media",1]),b.push(["count",20]);var y=(0,s.default)(b,function(e){return e[0]+"="+e[1]}).join("&");return w+="?"+y,Q(w,{headers:se(i)}).then(function(e){if(e.ok)return e;throw new Error("Error fetching timeline",e)}).then(function(e){return e.json()}).then(function(e){return e.map(g?l.parseNotification:l.parseStatus)})},ke=function(e){return Q(c,{method:"POST",headers:se(e)}).then(function(e){return e.ok?e.json():{error:e}}).then(function(e){return e.error?e:(0,l.parseUser)(e)})},Ce=function(e){var t=e.id,i=e.credentials;return Q(h+"/"+t+".json",{headers:se(i),method:"POST"})},xe=function(e){var t=e.id,i=e.credentials;return Q(m+"/"+t+".json",{headers:se(i),method:"POST"})},Se=function(e){var t=e.id,i=e.credentials;return Q(v+"/"+t+".json",{headers:se(i),method:"POST"})},Le=function(e){var t=e.id,i=e.credentials;return Q(g+"/"+t+".json",{headers:se(i),method:"POST"})},$e=function(e){var t=e.credentials,i=e.status,a=e.spoilerText,n=e.visibility,s=e.sensitive,o=e.mediaIds,r=e.inReplyToStatusId,c=e.contentType,u=e.noAttachmentLinks,d=o.join(","),p=new FormData;return p.append("status",i),p.append("source","Pleroma FE"),u&&p.append("no_attachment_links",u),a&&p.append("spoiler_text",a),n&&p.append("visibility",n),s&&p.append("sensitive",s),c&&p.append("content_type",c),p.append("media_ids",d),r&&p.append("in_reply_to_status_id",r),Q(b,{body:p,method:"POST",headers:se(t)}).then(function(e){return e.ok?e.json():{error:e}}).then(function(e){return e.error?e:(0,l.parseStatus)(e)})},Pe=function(e){var t=e.id,i=e.credentials;return Q(w+"/"+t+".json",{headers:se(i),method:"POST"})},je=function(e){var t=e.formData,i=e.credentials;return Q(k,{body:t,method:"POST",headers:se(i)}).then(function(e){return e.text()}).then(function(e){return(new DOMParser).parseFromString(e,"application/xml")})},Ae=function(e){var t=e.params,i=e.credentials;return Q(D,{body:t,method:"POST",headers:se(i)}).then(function(e){return e.ok})},Ie=function(e){var t=e.credentials,i=e.password,a=new FormData;return a.append("password",i),Q(q,{body:a,method:"POST",headers:se(t)}).then(function(e){return e.json()})},Te=function(e){var t=e.credentials,i=e.password,a=e.newPassword,n=e.newPasswordConfirmation,s=new FormData;return s.append("password",i),s.append("new_password",a),s.append("new_password_confirmation",n),Q(H,{body:s,method:"POST",headers:se(t)}).then(function(e){return e.json()})},Fe=function(e){var t=e.credentials,i="/api/qvitter/mutes.json";return Q(i,{headers:se(t)}).then(function(e){return e.json()})},Re=function(e){var t=e.credentials;return Q(Z,{headers:se(t)}).then(function(e){return e.json()})},Ne=function(e){var t=e.id,i=e.credentials,a=new FormData;return a.append("latest_id",t),Q(E,{body:a,headers:se(i),method:"POST"}).then(function(e){return e.json()})},Oe={verifyCredentials:ke,fetchTimeline:ye,fetchConversation:ge,fetchStatus:be,fetchFriends:_e,fetchFollowers:he,followUser:re,unfollowUser:le,blockUser:ce,unblockUser:ue,fetchUser:fe,favorite:Ce,unfavorite:xe,retweet:Se,unretweet:Le,postStatus:$e,deleteStatus:Pe,uploadMedia:je,fetchAllFollowing:me,setUserMute:we,fetchMutes:Fe,register:ae,getCaptcha:ne,updateAvatar:X,updateBg:ee,updateProfile:ie,updateBanner:te,externalProfile:oe,followImport:Ae,deleteAccount:Ie,changePassword:Te,fetchFollowRequests:ve,approveUser:de,denyUser:pe,suggestions:Re,markNotificationsAsSeen:Ne};t.default=Oe},,,,,,function(e,t,i){i(353);var a=i(1)(i(272),i(631),null,null);e.exports=a.exports},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(555),s=a(n),o=function(e,t,i){var a=r(t)||(0,s.default)(i,t);return{name:a?"external-user-profile":"user-profile",params:a?{id:e}:{name:t}}},r=function(e){return e.includes("@")};t.default=o},,,,,,,,,,function(e,t,i){i(375);var a=i(1)(i(268),i(667),null,null);e.exports=a.exports},function(e,t,i){i(352);var a=i(1)(i(274),i(630),null,null);e.exports=a.exports},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.alphaBlend=t.getContrastRatio=t.invert=t.mixrgb=t.hex2rgb=t.rgb2hex=void 0;var n=i(43),s=a(n),o=i(16),r=a(o),l=i(85),c=a(l),u=i(37),d=a(u),p=function(e,t,i){if(null!==e&&"undefined"!=typeof e){if("#"===e[0])return e;if("object"===("undefined"==typeof e?"undefined":(0,c.default)(e))){var a=e;e=a.r,t=a.g,i=a.b}var n=(0,d.default)([e,t,i],function(e){return e=Math.ceil(e),e=e<0?0:e,e=e>255?255:e}),s=(0,r.default)(n,3);return e=s[0],t=s[1],i=s[2],"#"+((1<<24)+(e<<16)+(t<<8)+i).toString(16).slice(1)}},f=function(e){var t=e/255;return t<.03928?t/12.92:Math.pow((t+.055)/1.055,2.4)},_=function(e){return"rgb".split("").reduce(function(t,i){return t[i]=f(e[i]),t},{})},h=function(e){var t=_(e),i=t.r,a=t.g,n=t.b;return.2126*i+.7152*a+.0722*n},m=function(e,t){var i=h(e),a=h(t),n=i>a?[i,a]:[a,i],s=(0,r.default)(n,2),o=s[0],l=s[1];return(o+.05)/(l+.05)},v=function(e,t,i){return 1===t||"undefined"==typeof t?e:"rgb".split("").reduce(function(a,n){return a[n]=e[n]*t+i[n]*(1-t),a},{})},g=function(e){return"rgb".split("").reduce(function(t,i){return t[i]=255-e[i],t},{})},b=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},w=function(e,t){return(0,s.default)(e).reduce(function(i,a){return i[a]=(e[a]+t[a])/2,i},{})};t.rgb2hex=p,t.hex2rgb=b,t.mixrgb=w,t.invert=g,t.getContrastRatio=m,t.alphaBlend=v},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){return e.match(/text\/html/)?"html":e.match(/image/)?"image":e.match(/video/)?"video":e.match(/audio/)?"audio":"unknown"},a=function(e,t){return e.some(function(e){return i(t.mimetype)===e})},n={fileType:i,fileMatchesSomeType:a};t.default=n},,,,,,,,,,,,,,,,,,function(e,t,i){i(390);var a=i(1)(i(273),i(684),null,null);e.exports=a.exports},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.getCssShadowFilter=t.getCssShadow=t.composePreset=t.getThemes=t.generatePreset=t.generateFonts=t.generateShadows=t.generateRadii=t.generateColors=t.getTextColor=t.applyTheme=t.setPreset=t.setStyle=void 0;var n=i(31),s=a(n),o=i(16),r=a(o),l=i(63),c=a(l),u=i(131),d=a(u),p=i(85),f=a(p),_=i(30),h=a(_),m=i(575),v=a(m),g=i(292),b=i(41),w=function(e,t){var i=document.head,a=document.body;a.style.display="none";var n=document.createElement("link");n.setAttribute("rel","stylesheet"),n.setAttribute("href",e),i.appendChild(n);var s=function(){var e=document.createElement("div");a.appendChild(e);var t={};(0,v.default)(16,function(i){var a="base0"+i.toString(16).toUpperCase();e.setAttribute("class",a);var n=window.getComputedStyle(e).getPropertyValue("color");t[a]=n}),a.removeChild(e);var n=document.createElement("style");i.appendChild(n),a.style.display="initial"};n.addEventListener("load",s)},y=function(e){return"rgba("+e.r+", "+e.g+", "+e.b+", "+e.a+")"},k=function(e,t,i){var a=(0,g.convert)(e).hsl.l>50,n=(0,g.convert)(t).hsl.l>50;if(a&&n||!a&&!n){var s="undefined"!=typeof t.a?{a:t.a}:{},o=(0,h.default)(s,(0,g.invertLightness)(t).rgb);return!i&&(0,b.getContrastRatio)(e,o)<4.5?(0,g.contrastRatio)(e,t).rgb:o}return t},C=function(e,t){var i=T(e),a=i.rules,n=i.theme,s=document.head,o=document.body;o.style.display="none";var r=document.createElement("style");s.appendChild(r);var l=r.sheet;l.toString(),l.insertRule("body { "+a.radii+" }","index-max"),l.insertRule("body { "+a.colors+" }","index-max"),l.insertRule("body { "+a.shadows+" }","index-max"),l.insertRule("body { "+a.fonts+" }","index-max"),o.style.display="initial",t("setOption",{name:"customTheme",value:e}),t("setOption",{name:"colors",value:n.colors})},x=function(e,t){return 0===e.length?"none":e.filter(function(e){return t?e.inset:e}).map(function(e){return[e.x,e.y,e.blur,e.spread].map(function(e){return e+"px"}).concat([L(e.color,e.alpha),e.inset?"inset":""]).join(" ")}).join(", ")},S=function(e){return 0===e.length?"none":e.filter(function(e){return!e.inset&&0===Number(e.spread)}).map(function(e){return[e.x,e.y,e.blur/2].map(function(e){return e+"px"}).concat([L(e.color,e.alpha)]).join(" ")}).map(function(e){return"drop-shadow("+e+")"}).join(" ")},L=function(e,t){var i={};if("object"===("undefined"==typeof e?"undefined":(0,f.default)(e)))i=e;else if("string"==typeof e){if(!e.startsWith("#"))return e.startsWith("--")?"var("+e+")":e;i=(0,b.hex2rgb)(e)}return y((0,d.default)({},i,{a:t}))},$=function(e){var t={},i=(0,h.default)({alert:.5,input:.5,faint:.5},(0,c.default)(e.opacity||{}).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return"undefined"!=typeof n&&(e[a]=n),e},{})),a=(0,c.default)(e.colors||e).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return"object"===("undefined"==typeof n?"undefined":(0,f.default)(n))?e[a]=n:e[a]=(0,b.hex2rgb)(n),e},{}),n=(0,g.convert)(a.bg).hsl.l<(0,g.convert)(a.text).hsl.l,s=n?1:-1;t.text=a.text,t.lightText=(0,g.brightness)(20*s,t.text).rgb,t.link=a.link,t.faint=a.faint||(0,h.default)({},a.text),t.bg=a.bg,t.lightBg=a.lightBg||(0,g.brightness)(5,t.bg).rgb,t.fg=a.fg,t.fgText=a.fgText||k(t.fg,t.text),t.fgLink=a.fgLink||k(t.fg,t.link,!0),t.border=a.border||(0,g.brightness)(2*s,t.fg).rgb,t.btn=a.btn||(0,h.default)({},a.fg),t.btnText=a.btnText||k(t.btn,t.fgText),t.input=a.input||(0,h.default)({},a.fg),t.inputText=a.inputText||k(t.input,t.lightText),t.panel=a.panel||(0,h.default)({},a.fg),t.panelText=a.panelText||k(t.panel,t.fgText),t.panelLink=a.panelLink||k(t.panel,t.fgLink),t.panelFaint=a.panelFaint||k(t.panel,t.faint),t.topBar=a.topBar||(0,h.default)({},a.fg),t.topBarText=a.topBarText||k(t.topBar,t.fgText),t.topBarLink=a.topBarLink||k(t.topBar,t.fgLink),t.faintLink=a.faintLink||(0,h.default)({},a.link),t.icon=(0,b.mixrgb)(t.bg,t.text),t.cBlue=a.cBlue||(0,b.hex2rgb)("#0000FF"),t.cRed=a.cRed||(0,b.hex2rgb)("#FF0000"),t.cGreen=a.cGreen||(0,b.hex2rgb)("#00FF00"),t.cOrange=a.cOrange||(0,b.hex2rgb)("#E3FF00"),t.alertError=a.alertError||(0,h.default)({},t.cRed),t.alertErrorText=k((0,b.alphaBlend)(t.alertError,i.alert,t.bg),t.text),t.alertErrorPanelText=k((0,b.alphaBlend)(t.alertError,i.alert,t.panel),t.panelText),t.badgeNotification=a.badgeNotification||(0,h.default)({},t.cRed),t.badgeNotificationText=(0,g.contrastRatio)(t.badgeNotification).rgb,(0,c.default)(i).forEach(function(e){var i=(0,r.default)(e,2),a=i[0],n=i[1];if("undefined"!=typeof n){if("alert"===a)return void(t.alertError.a=n);"faint"===a&&(t[a+"Link"].a=n,t.panelFaint.a=n),"bg"===a&&(t.lightBg.a=n),t[a]?t[a].a=n:console.error("Wrong key "+a)}});var o=(0,c.default)(t).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return n?(e.solid[a]=(0,b.rgb2hex)(n),e.complete[a]="undefined"==typeof n.a?(0,b.rgb2hex)(n):y(n),e):e},{complete:{},solid:{}});return{rules:{colors:(0,c.default)(o.complete).filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).map(function(e){var t=(0,r.default)(e,2),i=t[0],a=t[1];return"--"+i+": "+a}).join(";")},theme:{colors:o.solid,opacity:i}}},P=function(e){var t=e.radii||{};"undefined"!=typeof e.btnRadius&&(t=(0,c.default)(e).filter(function(e){var t=(0,r.default)(e,2),i=t[0];t[1];return i.endsWith("Radius")}).reduce(function(e,t){return e[t[0].split("Radius")[0]]=t[1],e},{}));var i=(0,c.default)(t).filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return e[a]=n,e},{btn:4,input:4,checkbox:2,panel:10,avatar:5,avatarAlt:50,tooltip:2,attachment:5});return{rules:{radii:(0,c.default)(i).filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).map(function(e){var t=(0,r.default)(e,2),i=t[0],a=t[1];return"--"+i+"Radius: "+a+"px"}).join(";")},theme:{radii:i}}},j=function(e){var t=(0,c.default)(e.fonts||{}).filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return e[a]=(0,c.default)(n).filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return e[a]=n,e},e[a]),e},{interface:{family:"sans-serif"},input:{family:"inherit"},post:{family:"inherit"},postCode:{family:"monospace"}});return{rules:{fonts:(0,c.default)(t).filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).map(function(e){var t=(0,r.default)(e,2),i=t[0],a=t[1];return"--"+i+"Font: "+a.family}).join(";")},theme:{fonts:t}}},A=function(e){var t=function(e,t){return{x:0,y:e?1:-1,blur:0,spread:0,color:t?"#000000":"#FFFFFF",alpha:.2,inset:!0}},i=[t(!0,!1),t(!1,!0)],a=[t(!0,!0),t(!1,!1)],n={x:0,y:0,blur:4,spread:0,color:"--faint",alpha:1},s=(0,d.default)({panel:[{x:1,y:1,blur:4,spread:0,color:"#000000",alpha:.6}],topBar:[{x:0,y:0,blur:4,spread:0,color:"#000000",alpha:.6}],popup:[{x:2,y:2,blur:3,spread:0,color:"#000000",alpha:.5}],avatar:[{x:0,y:1,blur:8,spread:0,color:"#000000",alpha:.7}],avatarStatus:[],panelHeader:[],button:[{x:0,y:0,blur:2,spread:0,color:"#000000",alpha:1}].concat(i),buttonHover:[n].concat(i),buttonPressed:[n].concat(a),input:[].concat(a,[{x:0,y:0,blur:2,inset:!0,spread:0,color:"#000000",alpha:1}])},e.shadows||{});return{rules:{shadows:(0,c.default)(s).map(function(e){var t=(0,r.default)(e,2),i=t[0],a=t[1];return["--"+i+"Shadow: "+x(a),"--"+i+"ShadowFilter: "+S(a),"--"+i+"ShadowInset: "+x(a,!0)].join(";")}).join(";")},theme:{shadows:s}}},I=function(e,t,i,a){return{rules:(0,d.default)({},i.rules,e.rules,t.rules,a.rules),theme:(0,d.default)({},i.theme,e.theme,t.theme,a.theme)}},T=function(e){var t=A(e),i=$(e),a=P(e),n=j(e);return I(i,a,t,n)},F=function(){return window.fetch("/static/styles.json").then(function(e){return e.json()}).then(function(e){return s.default.all((0,c.default)(e).map(function(e){var t=(0,r.default)(e,2),i=t[0],a=t[1];return"object"===("undefined"==typeof a?"undefined":(0,f.default)(a))?s.default.resolve([i,a]):"string"==typeof a?window.fetch(a).then(function(e){return e.json()}).then(function(e){return[i,e]}).catch(function(e){return console.error(e),[]}):void 0}))}).then(function(e){return e.filter(function(e){var t=(0,r.default)(e,2),i=(t[0],t[1]);return i}).reduce(function(e,t){var i=(0,r.default)(t,2),a=i[0],n=i[1];return e[a]=n,e},{})})},R=function(e,t){F().then(function(i){var a=i[e]?i[e]:i["pleroma-dark"],n=Array.isArray(a),s=n?{}:a.theme;if(n){var o=(0,b.hex2rgb)(a[1]),r=(0,b.hex2rgb)(a[2]),l=(0,b.hex2rgb)(a[3]),c=(0,b.hex2rgb)(a[4]),u=(0,b.hex2rgb)(a[5]||"#FF0000"),d=(0,b.hex2rgb)(a[6]||"#00FF00"),p=(0,b.hex2rgb)(a[7]||"#0000FF"),f=(0,b.hex2rgb)(a[8]||"#E3FF00");s.colors={bg:o,fg:r,text:l,link:c,cRed:u,cBlue:p,cGreen:d,cOrange:f}}window.themeLoaded||C(s,t)})};t.setStyle=w,t.setPreset=R,t.applyTheme=C,t.getTextColor=k,t.generateColors=$,t.generateRadii=P,t.generateShadows=A,t.generateFonts=j,t.generatePreset=T,t.getThemes=F,t.composePreset=I,t.getCssShadow=x,t.getCssShadowFilter=S},,,,,,,,,,,,,,,,,,,function(e,t,i){i(378);var a=i(1)(i(266),i(670),null,null);e.exports=a.exports},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(121),s=a(n),o=function(e){var t=(e.oauth,e.instance),i=t+"/api/v1/apps",a=new window.FormData;return a.append("client_name","PleromaFE_"+Math.random()),a.append("redirect_uris",window.location.origin+"/oauth-callback"),a.append("scopes","read write follow"),window.fetch(i,{method:"POST",body:a}).then(function(e){return e.json()})},r=function(e){o(e).then(function(t){e.commit("setClientData",t);var i={response_type:"code",client_id:t.client_id,redirect_uri:t.redirect_uri,scope:"read write follow"},a=(0,s.default)(i,function(e,t,i){var a=i+"="+encodeURIComponent(t);return e?e+"&"+a:a},!1),n=e.instance+"/oauth/authorize?"+a;window.location.href=n})},l=function(e){var t=e.app,i=e.instance,a=e.username,n=e.password,s=i+"/oauth/token",o=new window.FormData;return o.append("client_id",t.client_id),o.append("client_secret",t.client_secret),o.append("grant_type","password"),o.append("username",a),o.append("password",n),window.fetch(s,{method:"POST",body:o}).then(function(e){return e.json()})},c=function(e){var t=e.app,i=e.instance,a=e.code,n=i+"/oauth/token",s=new window.FormData;return s.append("client_id",t.client_id),s.append("client_secret",t.client_secret),s.append("grant_type","authorization_code"),s.append("code",a),s.append("redirect_uri",window.location.origin+"/oauth-callback"),window.fetch(n,{method:"POST",body:s}).then(function(e){return e.json()})},u={login:r,getToken:c,getTokenWithCredentials:l,getOrCreateApp:o};t.default=u},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.unseenNotificationsFromStore=t.visibleNotificationsFromStore=t.visibleTypes=t.notificationsFromStore=void 0;var n=i(62),s=a(n),o=i(570),r=a(o),l=i(57),c=a(l),u=t.notificationsFromStore=function(e){return e.state.statuses.notifications.data},d=t.visibleTypes=function(e){return[e.state.config.notificationVisibility.likes&&"like",e.state.config.notificationVisibility.mentions&&"mention",e.state.config.notificationVisibility.repeats&&"repeat",e.state.config.notificationVisibility.follows&&"follow"].filter(function(e){return e})},p=function(e,t){var i=Number(e.action.id),a=Number(t.action.id),n=!(0,s.default)(i),o=!(0,s.default)(a);return n&&o?i>a?-1:1:n&&!o?1:!n&&o?-1:e.action.id>t.action.id?-1:1},f=t.visibleNotificationsFromStore=function(e){var t=u(e).map(function(e){return e}).sort(p);return t=(0,r.default)(t,"seen"),t.filter(function(t){return d(e).includes(t.type)})};t.unseenNotificationsFromStore=function(e){return(0,c.default)(f(e),function(e){var t=e.seen;return!t})}},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(15),s=a(n);i(350),t.default=s.default.component("tab-switcher",{name:"TabSwitcher",data:function(){return{active:this.$slots.default.findIndex(function(e){return e.tag})}},methods:{activateTab:function(e){var t=this;return function(){t.active=e}}},beforeUpdate:function(){var e=this.$slots.default[this.active];e.tag||(this.active=this.$slots.default.findIndex(function(e){return e.tag}))},render:function(e){var t=this,i=this.$slots.default.map(function(i,a){if(i.tag){var n=["tab"],s=["tab-wrapper"];return a===t.active&&(n.push("active"),s.push("active")),e("div",{class:s.join(" ")},[e("button",{on:{click:t.activateTab(a)},class:n.join(" ")},[i.data.attrs.label])])}}),a=this.$slots.default.map(function(i,a){if(i.tag){var n=a===t.active;return e("div",{class:n?"active":"hidden"},[i])}});return e("div",{class:"tab-switcher"},[e("div",{class:"tabs"},[i]),e("div",{class:"contents"},[a])])}})},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a={ar:i(392),ca:i(393),de:i(394),en:i(395),eo:i(396),es:i(397),et:i(398),fi:i(399),fr:i(400),ga:i(401),he:i(402),hu:i(403),it:i(404),ja:i(405),ko:i(406),nb:i(407),nl:i(408),oc:i(409),pl:i(410),pt:i(411),ro:i(412),ru:i(413),zh:i(414)};t.default=a},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(22),s=a(n),o=i(127),r=a(o),l=function(e){var t=function(t){var i=t.id;return s.default.fetchStatus({id:i,credentials:e})},i=function(t){var i=t.id;return s.default.fetchConversation({id:i,credentials:e})},a=function(t){var i=t.id;return s.default.fetchFriends({id:i,credentials:e})},n=function(t){var i=t.id;return s.default.fetchFollowers({id:i,credentials:e})},o=function(t){var i=t.username;return s.default.fetchAllFollowing({username:i,credentials:e})},l=function(t){var i=t.id;return s.default.fetchUser({id:i,credentials:e})},c=function(t){return s.default.followUser({credentials:e,id:t})},u=function(t){return s.default.unfollowUser({credentials:e,id:t})},d=function(t){return s.default.blockUser({credentials:e,id:t})},p=function(t){return s.default.unblockUser({credentials:e,id:t})},f=function(t){return s.default.approveUser({credentials:e,id:t})},_=function(t){return s.default.denyUser({credentials:e,id:t})},h=function(t){var i=t.timeline,a=t.store,n=t.userId,s=void 0!==n&&n;return r.default.startFetching({timeline:i,store:a,credentials:e,userId:s})},m=function(t){var i=t.id,a=t.muted,n=void 0===a||a;return s.default.setUserMute({id:i,muted:n,credentials:e})},v=function(){return s.default.fetchMutes({credentials:e})},g=function(){return s.default.fetchFollowRequests({credentials:e})},b=function(){return s.default.getCaptcha()},w=function(e){return s.default.register(e)},y=function(t){var i=t.params;return s.default.updateAvatar({credentials:e,params:i})},k=function(t){var i=t.params;return s.default.updateBg({credentials:e,params:i})},C=function(t){var i=t.params;return s.default.updateBanner({credentials:e,params:i})},x=function(t){var i=t.params;return s.default.updateProfile({credentials:e,params:i})},S=function(t){return s.default.externalProfile({profileUrl:t,credentials:e})},L=function(t){var i=t.params;return s.default.followImport({params:i,credentials:e})},$=function(t){var i=t.password;return s.default.deleteAccount({credentials:e,password:i})},P=function(t){var i=t.password,a=t.newPassword,n=t.newPasswordConfirmation;return s.default.changePassword({credentials:e,password:i,newPassword:a,newPasswordConfirmation:n})},j={fetchStatus:t,fetchConversation:i,fetchFriends:a,fetchFollowers:n,followUser:c,unfollowUser:u,blockUser:d,unblockUser:p,fetchUser:l,fetchAllFollowing:o,verifyCredentials:s.default.verifyCredentials,startFetching:h,setUserMute:m,fetchMutes:v,register:w,getCaptcha:b,updateAvatar:y,updateBg:k,updateBanner:C,updateProfile:x,externalProfile:S,followImport:L,deleteAccount:$,changePassword:P,fetchFollowRequests:g,approveUser:f,denyUser:_};return j};t.default=l},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){var t,i,a=["B","KiB","MiB","GiB","TiB"];return e<1?e+" "+a[0]:(t=Math.min(Math.floor(Math.log(e)/Math.log(1024)),a.length-1),e=1*(e/Math.pow(1024,t)).toFixed(2),i=a[t],{num:e,unit:i})},a={fileSizeFormat:i};t.default=a},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(37),s=a(n),o=i(22),r=a(o),l=function(e){var t=e.store,i=e.status,a=e.spoilerText,n=e.visibility,o=e.sensitive,l=e.media,c=void 0===l?[]:l,u=e.inReplyToStatusId,d=void 0===u?void 0:u,p=e.contentType,f=void 0===p?"text/plain":p,_=(0,s.default)(c,"id");return r.default.postStatus({credentials:t.state.users.currentUser.credentials,status:i,spoilerText:a,visibility:n,sensitive:o,mediaIds:_,inReplyToStatusId:d,contentType:f,noAttachmentLinks:t.state.instance.noAttachmentLinks}).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}})},c=function(e){var t=e.store,i=e.formData,a=t.state.users.currentUser.credentials;return r.default.uploadMedia({credentials:a,formData:i}).then(function(e){var t=e.getElementsByTagName("link");0===t.length&&(t=e.getElementsByTagName("atom:link")),t=t[0];var i={id:e.getElementsByTagName("media_id")[0].textContent,url:e.getElementsByTagName("media_url")[0].textContent,image:t.getAttribute("href"),mimetype:t.getAttribute("type")};return i})},u={postStatus:l,uploadMedia:c};t.default=u},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(544),s=a(n),o=i(22),r=a(o),l=function(e){var t=e.store,i=e.statuses,a=e.timeline,n=e.showImmediately,o=e.userId,r=(0,s.default)(a);t.dispatch("setError",{value:!1}),t.dispatch("addNewStatuses",{timeline:r,userId:o,statuses:i,showImmediately:n})},c=function(e){var t=e.store,i=e.credentials,a=e.timeline,n=void 0===a?"friends":a,o=e.older,c=void 0!==o&&o,u=e.showImmediately,d=void 0!==u&&u,p=e.userId,f=void 0!==p&&p,_=e.tag,h=void 0!==_&&_,m=e.until,v={timeline:n,credentials:i},g=t.rootState||t.state,b=g.statuses.timelines[(0,s.default)(n)];c?v.until=m||b.minVisibleId:v.since=b.maxId,v.userId=f,v.tag=h;var w=b.statuses.length;return r.default.fetchTimeline(v).then(function(e){return!c&&e.length>=20&&!b.loading&&w>0&&t.dispatch("queueFlush",{timeline:n,id:b.maxId}),l({store:t,statuses:e,timeline:n,showImmediately:d,userId:f}),e},function(){return t.dispatch("setError",{value:!0})})},u=function(e){var t=e.timeline,i=void 0===t?"friends":t,a=e.credentials,n=e.store,o=e.userId,r=void 0!==o&&o,l=e.tag,u=void 0!==l&&l,d=n.rootState||n.state,p=d.statuses.timelines[(0,s.default)(i)],f=0===p.visibleStatuses.length;p.userId=r,c({timeline:i,credentials:a,store:n,showImmediately:f,userId:r,tag:u});var _=function(){return c({timeline:i,credentials:a,store:n,userId:r,tag:u})};return setInterval(_,1e4)},d={fetchAndUpdate:c,startFetching:u};t.default=d},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{
-value:!0}),t.highlightStyle=t.highlightClass=void 0;var a=i(41),n=function(e){if(void 0!==e){var t=e.color,i=e.type;if("string"==typeof t){var n=(0,a.hex2rgb)(t);if(null!=n){var s="rgb("+Math.floor(n.r)+", "+Math.floor(n.g)+", "+Math.floor(n.b)+")",o="rgba("+Math.floor(n.r)+", "+Math.floor(n.g)+", "+Math.floor(n.b)+", .1)",r="rgba("+Math.floor(n.r)+", "+Math.floor(n.g)+", "+Math.floor(n.b)+", .2)";return"striped"===i?{backgroundImage:["repeating-linear-gradient(135deg,",o+" ,",o+" 20px,",r+" 20px,",r+" 40px"].join(" "),backgroundPosition:"0 0"}:"solid"===i?{backgroundColor:r}:"side"===i?{backgroundImage:["linear-gradient(to right,",s+" ,",s+" 2px,","transparent 6px"].join(" "),backgroundPosition:"0 0"}:void 0}}}},s=function(e){return"USER____"+e.screen_name.replace(/\./g,"_").replace(/@/g,"_AT_")};t.highlightClass=s,t.highlightStyle=n},,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,,function(e,t,i){i(366);var a=i(1)(i(236),i(651),null,null);e.exports=a.exports},function(e,t,i){i(359);var a=i(1)(i(237),i(642),null,null);e.exports=a.exports},function(e,t,i){i(377);var a=i(1)(i(228),i(669),null,null);e.exports=a.exports},function(e,t,i){var a=i(1)(i(239),i(634),null,null);e.exports=a.exports},function(e,t,i){i(364);var a=i(1)(i(243),i(649),null,null);e.exports=a.exports},function(e,t,i){i(379);var a=i(1)(i(248),i(671),null,null);e.exports=a.exports},function(e,t,i){i(362);var a=i(1)(i(250),i(647),null,null);e.exports=a.exports},function(e,t,i){i(351);var a=i(1)(i(256),i(629),null,null);e.exports=a.exports},function(e,t,i){var a=i(1)(i(232),i(654),null,null);e.exports=a.exports},function(e,t,i){i(354);var a=i(1)(i(258),i(633),null,null);e.exports=a.exports},function(e,t,i){i(382);var a=i(1)(i(269),i(675),null,null);e.exports=a.exports},function(e,t,i){i(389);var a=i(1)(i(276),i(683),null,null);e.exports=a.exports},function(e,t,i){var a=i(1)(i(280),i(656),null,null);e.exports=a.exports},,,,function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(43),s=a(n),o=i(30),r=a(o),l=i(15),c=a(l),u=i(204),d=a(u),p=i(208),f=a(p),_=i(591),h=a(_),m=function(e){var t=e.store,i=e.i18n;window.fetch("/api/statusnet/config.json").then(function(e){return e.json()}).then(function(e){var a=e.site,n=a.name,s=a.closed,o=a.textlimit,l=a.uploadlimit,u=a.server,p=a.vapidPublicKey;t.dispatch("setInstanceOption",{name:"name",value:n}),t.dispatch("setInstanceOption",{name:"registrationOpen",value:"0"===s}),t.dispatch("setInstanceOption",{name:"textlimit",value:parseInt(o)}),t.dispatch("setInstanceOption",{name:"server",value:u}),l&&(t.dispatch("setInstanceOption",{name:"uploadlimit",value:parseInt(l.uploadlimit)}),t.dispatch("setInstanceOption",{name:"avatarlimit",value:parseInt(l.avatarlimit)}),t.dispatch("setInstanceOption",{name:"backgroundlimit",value:parseInt(l.backgroundlimit)}),t.dispatch("setInstanceOption",{name:"bannerlimit",value:parseInt(l.bannerlimit)})),p&&t.dispatch("setInstanceOption",{name:"vapidPublicKey",value:p});var _=e.site.pleromafe;window.fetch("/static/config.json").then(function(e){return e.json()}).catch(function(e){return console.warn("Failed to load static/config.json, continuing without it."),console.warn(e),{}}).then(function(e){var a=window.___pleromafe_dev_overrides||{},n=window.___pleromafe_mode.NODE_ENV,s={};a.staticConfigPreference&&"development"===n?(console.warn("OVERRIDING API CONFIG WITH STATIC CONFIG"),s=(0,r.default)({},_,e)):s=(0,r.default)({},e,_);var o=function(e){t.dispatch("setInstanceOption",{name:e,value:s[e]})};o("nsfwCensorImage"),o("theme"),o("background"),o("hidePostStats"),o("hideUserStats"),o("logo"),t.dispatch("setInstanceOption",{name:"logoMask",value:"undefined"==typeof s.logoMask||s.logoMask}),t.dispatch("setInstanceOption",{name:"logoMargin",value:"undefined"==typeof s.logoMargin?0:s.logoMargin}),o("redirectRootNoLogin"),o("redirectRootLogin"),o("showInstanceSpecificPanel"),o("scopeOptionsEnabled"),o("formattingOptionsEnabled"),o("collapseMessageWithSubject"),o("loginMethod"),o("scopeCopy"),o("subjectLineBehavior"),o("alwaysShowSubjectInput"),o("noAttachmentLinks"),s.chatDisabled?t.dispatch("disableChat"):t.dispatch("initializeSocket");var l=new d.default({mode:"history",routes:(0,f.default)(t),scrollBehavior:function(e,t,i){return!e.matched.some(function(e){return e.meta.dontScroll})&&(i||{x:0,y:0})}});new c.default({router:l,store:t,i18n:i,el:"#app",render:function(e){return e(h.default)}})})}),window.fetch("/static/terms-of-service.html").then(function(e){return e.text()}).then(function(e){t.dispatch("setInstanceOption",{name:"tos",value:e})}),window.fetch("/api/pleroma/emoji.json").then(function(e){return e.json().then(function(e){var i=(0,s.default)(e).map(function(t){return{shortcode:t,image_url:e[t]}});t.dispatch("setInstanceOption",{name:"customEmoji",value:i}),t.dispatch("setInstanceOption",{name:"pleromaBackend",value:!0})},function(e){t.dispatch("setInstanceOption",{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 i=(0,s.default)(e).map(function(t){return{shortcode:t,image_url:!1,utf:e[t]}});t.dispatch("setInstanceOption",{name:"emoji",value:i})}),window.fetch("/instance/panel.html").then(function(e){return e.text()}).then(function(e){t.dispatch("setInstanceOption",{name:"instanceSpecificPanelContent",value:e})}),window.fetch("/nodeinfo/2.0.json").then(function(e){return e.json()}).then(function(e){var i=e.metadata,a=i.features;t.dispatch("setInstanceOption",{name:"mediaProxyAvailable",value:a.includes("media_proxy")}),t.dispatch("setInstanceOption",{name:"chatAvailable",value:a.includes("chat")}),t.dispatch("setInstanceOption",{name:"gopherAvailable",value:a.includes("gopher")}),t.dispatch("setInstanceOption",{name:"restrictedNicknames",value:i.restrictedNicknames});var n=i.suggestions;t.dispatch("setInstanceOption",{name:"suggestionsEnabled",value:n.enabled}),t.dispatch("setInstanceOption",{name:"suggestionsWeb",value:n.web})})};t.default=m},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(612),s=a(n),o=i(611),r=a(o),l=i(601),c=a(l),u=i(621),d=a(u),p=i(594),f=a(p),_=i(607),h=a(_),m=i(596),v=a(m),g=i(624),b=a(g),w=i(616),y=a(w),k=i(614),C=a(k),x=i(626),S=a(x),L=i(599),$=a(L),P=i(610),j=a(P),A=i(625),I=a(A),T=i(198),F=a(T),R=i(202),N=a(R),O=i(197),M=a(O),B=i(192),E=a(B),z=i(627),U=a(z),V=i(592),D=a(V);t.default=function(e){return[{name:"root",path:"/",redirect:function(t){return(e.state.users.currentUser?e.state.instance.redirectRootLogin:e.state.instance.redirectRootNoLogin)||"/main/all"}},{name:"public-external-timeline",path:"/main/all",component:r.default},{name:"public-timeline",path:"/main/public",component:s.default},{name:"friends",path:"/main/friends",component:c.default},{name:"tag-timeline",path:"/tag/:tag",component:d.default},{name:"conversation",path:"/notice/:id",component:f.default,meta:{dontScroll:!0}},{name:"external-user-profile",path:"/users/:id",component:b.default},{name:"mentions",path:"/users/:username/mentions",component:h.default},{name:"dms",path:"/users/:username/dms",component:v.default},{name:"settings",path:"/settings",component:y.default},{name:"registration",path:"/registration",component:C.default},{name:"registration-token",path:"/registration/:token",component:C.default},{name:"friend-requests",path:"/friend-requests",component:$.default},{name:"user-settings",path:"/user-settings",component:S.default},{name:"notifications",path:"/:username/notifications",component:F.default},{name:"new-status",path:"/:username/new-status",component:N.default},{name:"login",path:"/login",component:M.default},{name:"chat",path:"/chat",component:E.default,props:function(){return{floating:!1}}},{name:"oauth-callback",path:"/oauth-callback",component:j.default,props:function(e){return{code:e.query.code}}},{name:"user-search",path:"/user-search",component:I.default,props:function(e){return{query:e.query.query}}},{name:"who-to-follow",path:"/who-to-follow",component:U.default},{name:"about",path:"/about",component:D.default},{name:"user-profile",path:"/(users/)?:name",component:b.default}]}},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}function n(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.key,i=void 0===t?"vuex-lz":t,a=e.paths,n=void 0===a?[]:a,s=e.getState,r=void 0===s?function(e,t){var i=t.getItem(e);return i}:s,c=e.setState,d=void 0===c?function(e,t,i){return v?i.setItem(e,t):(console.log("waiting for old state to be loaded..."),l.default.resolve())}:c,f=e.reducer,_=void 0===f?g:f,h=e.storage,m=void 0===h?w:h,y=e.subscriber,k=void 0===y?function(e){return function(t){return e.subscribe(t)}}:y;return r(i,m).then(function(e){return function(t){try{if("object"===("undefined"==typeof e?"undefined":(0,o.default)(e))){var a=e.users||{};a.usersObject={};var s=a.users||[];(0,u.default)(s,function(e){a.usersObject[e.id]=e}),e.users=a,t.replaceState((0,p.default)({},t.state,e))}t.state.config.customTheme&&(window.themeLoaded=!0,t.dispatch("setOption",{name:"customTheme",value:t.state.config.customTheme})),t.state.oauth.token&&t.dispatch("loginUser",t.state.oauth.token),v=!0}catch(e){console.log("Couldn't load state"),console.error(e),v=!0}k(t)(function(e,a){try{b.includes(e.type)&&d(i,_(a,n),m).then(function(i){"undefined"!=typeof i&&"setOption"===e.type&&t.dispatch("settingsSaved",{success:i})},function(i){"setOption"===e.type&&t.dispatch("settingsSaved",{error:i})})}catch(e){console.log("Couldn't persist state:"),console.log(e)}})}})}Object.defineProperty(t,"__esModule",{value:!0});var s=i(85),o=a(s),r=i(31),l=a(r),c=i(77),u=a(c);t.default=n;var d=i(429),p=a(d),f=i(582),_=a(f),h=i(417),m=a(h),v=!1,g=function(e,t){return 0===t.length?e:t.reduce(function(t,i){return _.default.set(t,i,_.default.get(e,i)),t},{})},b=["markNotificationsAsSeen","clearCurrentUser","setCurrentUser","setHighlight","setOption","setClientData","setToken"],w=function(){return m.default}()},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){e.subscribe(function(t,i){var a=i.instance.vapidPublicKey,n=i.config.webPushNotifications,s="granted"===i.interface.notificationPermission,o=i.users.currentUser,r="setCurrentUser"===t.type,l="setInstanceOption"===t.type&&"vapidPublicKey"===t.payload.name,c="setNotificationPermission"===t.type&&"granted"===t.payload,u="setOption"===t.type&&"webPushNotifications"===t.payload.name,d="setOption"===t.type&&"notificationVisibility"===t.payload.name;if(r||l||c||u||d){if(o&&a&&s&&n)return e.dispatch("registerPushNotifications");if(u&&!n)return e.dispatch("unregisterPushNotifications")}})}},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(4),s=a(n),o=i(124),r=a(o),l=i(583),c={state:{backendInteractor:(0,r.default)(),fetchers:{},socket:null,chatDisabled:!1,followRequests:[]},mutations:{setBackendInteractor:function(e,t){e.backendInteractor=t},addFetcher:function(e,t){var i=t.timeline,a=t.fetcher;e.fetchers[i]=a},removeFetcher:function(e,t){var i=t.timeline;delete e.fetchers[i]},setWsToken:function(e,t){e.wsToken=t},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 i=!1;if((0,s.default)(t)&&(i=t[1],t=t[0]),!e.state.fetchers[t]){var a=e.state.backendInteractor.startFetching({timeline:t,store:e,userId:i});e.commit("addFetcher",{timeline:t,fetcher:a})}},stopFetching:function(e,t){var i=e.state.fetchers[t];window.clearInterval(i),e.commit("removeFetcher",{timeline:t})},setWsToken:function(e,t){e.commit("setWsToken",t)},initializeSocket:function(e){if(!e.state.chatDisabled){var t=e.state.wsToken,i=new l.Socket("/socket",{params:{token:t}});i.connect(),e.dispatch("initializeChat",i)}},disableChat:function(e){e.commit("setChatDisabled",!0)},removeFollowRequest:function(e,t){var i=e.state.followRequests.filter(function(e){return e!==t});e.commit("setFollowRequests",i)}}};t.default=c},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var i={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 i=t.channel("chat:public");i.on("new_msg",function(t){e.commit("addMessage",t)}),i.on("messages",function(t){var i=t.messages;e.commit("setMessages",i)}),i.join(),e.commit("setChannel",i)}}};t.default=i},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a=i(15),n=i(61),s=(window.navigator.language||"en").split("-")[0],o={colors:{},collapseMessageWithSubject:void 0,hideAttachments:!1,hideAttachmentsInConv:!1,hideNsfw:!0,preloadImage:!0,loopVideo:!0,loopVideoSilentOnly:!0,autoLoad:!0,streaming:!1,hoverPreview:!0,pauseOnUnfocused:!0,stopGifs:!1,replyVisibility:"all",notificationVisibility:{follows:!0,mentions:!0,likes:!0,repeats:!0},webPushNotifications:!1,muteWords:[],highlight:{},interfaceLanguage:s,scopeCopy:void 0,subjectLineBehavior:void 0,alwaysShowSubjectInput:void 0},r={state:o,mutations:{setOption:function(e,t){var i=t.name,n=t.value;(0,a.set)(e,i,n)},setHighlight:function(e,t){var i=t.user,n=t.color,s=t.type,o=this.state.config.highlight[i];n||s?(0,a.set)(e.highlight,i,{color:n||o.color,type:s||o.type}):(0,a.delete)(e.highlight,i)}},actions:{setHighlight:function(e,t){var i=e.commit,a=(e.dispatch,t.user),n=t.color,s=t.type;i("setHighlight",{user:a,color:n,type:s})},setOption:function(e,t){var i=e.commit,a=(e.dispatch,t.name),s=t.value;switch(i("setOption",{name:a,value:s}),a){case"theme":(0,n.setPreset)(s,i);break;case"customTheme":(0,n.applyTheme)(s,i)}}}};t.default=r},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}function n(e){return(0,u.default)(e).reduce(function(e,t){var i=(0,l.default)(t,2),a=i[0],n=i[1],s=n.reduce(function(e,t){var i=(0,p.default)(a.replace(/_/g," "));return e+[i,t].join(" ")+". "},"");return[].concat((0,o.default)(e),[s])},[])}Object.defineProperty(t,"__esModule",{value:!0});var s=i(44),o=a(s),r=i(16),l=a(r),c=i(63),u=a(c),d=i(186),p=a(d);t.humanizeErrors=n},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a=i(15),n=i(61),s={name:"Pleroma FE",registrationOpen:!0,textlimit:5e3,server:"http://localhost:4040/",theme:"pleroma-dark",background:"/static/aurora_borealis.jpg",logo:"/static/logo.png",logoMask:!0,logoMargin:".2em",redirectRootNoLogin:"/main/all",redirectRootLogin:"/main/friends",showInstanceSpecificPanel:!1,scopeOptionsEnabled:!0,formattingOptionsEnabled:!1,alwaysShowSubjectInput:!0,collapseMessageWithSubject:!1,hidePostStats:!1,hideUserStats:!1,disableChat:!1,scopeCopy:!0,subjectLineBehavior:"email",loginMethod:"password",nsfwCensorImage:void 0,vapidPublicKey:void 0,noAttachmentLinks:!1,pleromaBackend:!0,emoji:[],customEmoji:[],restrictedNicknames:[],mediaProxyAvailable:!1,chatAvailable:!1,gopherAvailable:!1,suggestionsEnabled:!1,suggestionsWeb:"",instanceSpecificPanelContent:"",tos:""},o={state:s,mutations:{setInstanceOption:function(e,t){var i=t.name,n=t.value;"undefined"!=typeof n&&(0,a.set)(e,i,n)}},actions:{setInstanceOption:function(e,t){var i=e.commit,a=e.dispatch,s=t.name,o=t.value;switch(i("setInstanceOption",{name:s,value:o}),s){case"name":a("setPageTitle");break;case"theme":(0,n.setPreset)(o,i)}}}};t.default=o},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var a=i(15),n={settings:{currentSaveStateNotice:null,noticeClearTimeout:null,notificationPermission:null},browserSupport:{cssFilter:window.CSS&&window.CSS.supports&&(window.CSS.supports("filter","drop-shadow(0 0)")||window.CSS.supports("-webkit-filter","drop-shadow(0 0)"))}},s={state:n,mutations:{settingsSaved:function(e,t){var i=t.success,n=t.error;i?(e.noticeClearTimeout&&clearTimeout(e.noticeClearTimeout),(0,a.set)(e.settings,"currentSaveStateNotice",{error:!1,data:i}),(0,a.set)(e.settings,"noticeClearTimeout",setTimeout(function(){return(0,a.delete)(e.settings,"currentSaveStateNotice")},2e3))):(0,a.set)(e.settings,"currentSaveStateNotice",{error:!0,errorData:n})},setNotificationPermission:function(e,t){e.notificationPermission=t}},actions:{setPageTitle:function(e){var t=e.rootState,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";document.title=i+" "+t.instance.name},settingsSaved:function(e,t){var i=e.commit,a=(e.dispatch,t.success),n=t.error;i("settingsSaved",{success:a,error:n})},setNotificationPermission:function(e,t){var i=e.commit;i("setNotificationPermission",t)}}};t.default=s},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0});var n=i(42),s=a(n),o={state:{media:[],currentIndex:0,activated:!1},mutations:{setMedia:function(e,t){e.media=t},setCurrent:function(e,t){e.activated=!0,e.currentIndex=t},close:function(e){e.activated=!1}},actions:{setMedia:function(e,t){var i=e.commit,a=t.filter(function(e){var t=s.default.fileType(e.mimetype);return"image"===t||"video"===t});i("setMedia",a)},setCurrent:function(e,t){var i=e.commit,a=e.state,n=a.media.indexOf(t);i("setCurrent",n||0)},closeMediaViewer:function(e){var t=e.commit;t("close")}}};t.default=o},function(e,t){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var i={state:{client_id:!1,client_secret:!1,token:!1},mutations:{setClientData:function(e,t){e.client_id=t.client_id,e.client_secret=t.client_secret},setToken:function(e,t){e.token=t}}};t.default=i},function(e,t,i){"use strict";function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"__esModule",{value:!0}),t.mutations=t.prepareStatus=t.defaultState=void 0;var n=i(62),s=a(n),o=i(129),r=a(o),l=i(4),c=a(l),u=i(120),d=a(u),p=i(188),f=a(p),_=i(561),h=a(_),m=i(559),v=a(m),g=i(78),b=a(g),w=i(77),y=a(w),k=i(569),C=a(k),x=i(567),S=a(x),L=i(22),$=a(L),P=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0;return{statuses:[],statusesObject:{},faves:[],visibleStatuses:[],visibleStatusesObject:{},newStatusCount:0,maxId:0,minVisibleId:0,loading:!1,followers:[],friends:[],userId:e,flushMarker:0}},j=t.defaultState={allStatuses:[],allStatusesObject:{},maxId:0,notifications:{desktopNotificationSilence:!0,maxId:0,minId:Number.POSITIVE_INFINITY,data:[],idStore:{},loading:!1,error:!1},favorites:new r.default,error:!1,timelines:{mentions:P(),public:P(),user:P(),favorites:P(),media:P(),publicAndExternal:P(),friends:P(),tag:P(),dms:P()}},A=t.prepareStatus=function(e){return e.deleted=!1,e.attachments=e.attachments||[],e},I=function(e){return[e.config.notificationVisibility.likes&&"like",e.config.notificationVisibility.mentions&&"mention",e.config.notificationVisibility.repeats&&"repeat",e.config.notificationVisibility.follows&&"follow"].filter(function(e){return e})},T=function(e,t,i){var a=t[i.id];return a?((0,f.default)(a,i),a.attachments.splice(a.attachments.length),{item:a,new:!1}):(A(i),e.push(i),t[i.id]=i,{item:i,new:!0})},F=function(e,t){var i=Number(e.id),a=Number(t.id),n=!(0,s.default)(i),o=!(0,s.default)(a);return n&&o?i>a?-1:1:n&&!o?1:!n&&o?-1:e.id>t.id?-1:1},R=function(e){return e.visibleStatuses=e.visibleStatuses.sort(F),e.statuses=e.statuses.sort(F),e.minVisibleId=((0,d.default)(e.visibleStatuses)||{}).id,e},N=function(e,t){var i=t.statuses,a=t.showImmediately,n=void 0!==a&&a,s=t.timeline,o=t.user,r=void 0===o?{}:o,l=t.noIdUpdate,u=void 0!==l&&l,d=t.userId;if(!(0,c.default)(i))return!1;var p=e.allStatuses,f=e.allStatusesObject,_=e.timelines[s],m=i.length>0?(0,v.default)(i,"id").id:0,g=s&&m<_.maxId;if(s&&!u&&i.length>0&&!g&&(_.maxId=m),"user"!==s||_.userId===d){var w=function(t,i){var a=!(arguments.length>2&&void 0!==arguments[2])||arguments[2],n=T(p,f,t),o=n.item;if(n.new){if("status"===o.type&&(0,b.default)(o.attentions,{id:r.id})){var l=e.timelines.mentions;_!==l&&(T(l.statuses,l.statusesObject,o),l.newStatusCount+=1,R(l))}if("direct"===o.visibility){var c=e.timelines.dms;T(c.statuses,c.statusesObject,o),c.newStatusCount+=1,R(c)}}var u=void 0;return s&&a&&(u=T(_.statuses,_.statusesObject,o)),s&&i?T(_.visibleStatuses,_.visibleStatusesObject,o):s&&a&&u.new&&(_.newStatusCount+=1),o},k=function(e,t){var i=(0,b.default)(p,{id:e.in_reply_to_status_id});return i&&(e.user.id===r.id?i.favorited=!0:i.fave_num+=1),i},C={status:function(e){w(e,n)},retweet:function e(t){var i=w(t.retweeted_status,!1,!1),e=void 0;e=s&&(0,b.default)(_.statuses,function(e){return e.retweeted_status?e.id===i.id||e.retweeted_status.id===i.id:e.id===i.id})?w(t,!1,!1):w(t,n),e.retweeted_status=i},favorite:function(t){e.favorites.has(t.id)||(e.favorites.add(t.id),k(t))},deletion:function(t){var i=t.uri,a=(0,b.default)(p,{uri:i});a&&((0,S.default)(e.notifications.data,function(e){var t=e.action.id;return t===a.id}),(0,S.default)(p,{uri:i}),s&&((0,S.default)(_.statuses,{uri:i}),(0,S.default)(_.visibleStatuses,{uri:i})))},follow:function(e){},default:function(e){console.log("unknown status type"),console.log(e)}};(0,y.default)(i,function(e){var t=e.type,i=C[t]||C.default;i(e)}),s&&(R(_),(g||_.minVisibleId<=0)&&i.length>0&&(_.minVisibleId=(0,h.default)(i,"id").id))}},O=function(e,t){var i=(t.dispatch,t.notifications),a=(t.older,t.visibleNotificationTypes),n=e.allStatuses,s=e.allStatusesObject;(0,y.default)(i,function(t){if(t.action=T(n,s,t.action).item,t.status=t.status&&T(n,s,t.status).item,!e.notifications.idStore.hasOwnProperty(t.id)&&(e.notifications.maxId=t.id>e.notifications.maxId?t.id:e.notifications.maxId,e.notifications.minId=t.id 20},isReply:function(){return!(!this.status.in_reply_to_status_id||!this.status.in_reply_to_user_id)},replyToName:function(){var e=this.$store.state.users.usersObject[this.status.in_reply_to_user_id];return e?e.screen_name:this.status.in_reply_to_screen_name},hideReply:function(){if("all"===this.$store.state.config.replyVisibility)return!1;if(this.inlineExpanded||this.expanded||this.inConversation||!this.isReply)return!1;if(this.status.user.id===this.$store.state.users.currentUser.id)return!1;if("retweet"===this.status.type)return!1;for(var e="following"===this.$store.state.config.replyVisibility,t=0;t 20;\n\t },\n\t isReply: function isReply() {\n\t return !!(this.status.in_reply_to_status_id && this.status.in_reply_to_user_id);\n\t },\n\t replyToName: function replyToName() {\n\t var user = this.$store.state.users.usersObject[this.status.in_reply_to_user_id];\n\t if (user) {\n\t return user.screen_name;\n\t } else {\n\t return this.status.in_reply_to_screen_name;\n\t }\n\t },\n\t hideReply: function hideReply() {\n\t if (this.$store.state.config.replyVisibility === 'all') {\n\t return false;\n\t }\n\t if (this.inlineExpanded || this.expanded || this.inConversation || !this.isReply) {\n\t return false;\n\t }\n\t if (this.status.user.id === this.$store.state.users.currentUser.id) {\n\t return false;\n\t }\n\t if (this.status.type === 'retweet') {\n\t return false;\n\t }\n\t var checkFollowing = this.$store.state.config.replyVisibility === 'following';\n\t for (var i = 0; i < this.status.attentions.length; ++i) {\n\t if (this.status.user.id === this.status.attentions[i].id) {\n\t continue;\n\t }\n\t if (checkFollowing && this.status.attentions[i].following) {\n\t return false;\n\t }\n\t if (this.status.attentions[i].id === this.$store.state.users.currentUser.id) {\n\t return false;\n\t }\n\t }\n\t return this.status.attentions.length > 0;\n\t },\n\t hideSubjectStatus: function hideSubjectStatus() {\n\t if (this.tallStatus && !this.localCollapseSubjectDefault) {\n\t return false;\n\t }\n\t return !this.expandingSubject && this.status.summary;\n\t },\n\t hideTallStatus: function hideTallStatus() {\n\t if (this.status.summary && this.localCollapseSubjectDefault) {\n\t return false;\n\t }\n\t if (this.showingTall) {\n\t return false;\n\t }\n\t return this.tallStatus;\n\t },\n\t showingMore: function showingMore() {\n\t return this.tallStatus && this.showingTall || this.status.summary && this.expandingSubject;\n\t },\n\t nsfwClickthrough: function nsfwClickthrough() {\n\t if (!this.status.nsfw) {\n\t return false;\n\t }\n\t if (this.status.summary && this.localCollapseSubjectDefault) {\n\t return false;\n\t }\n\t return true;\n\t },\n\t replySubject: function replySubject() {\n\t if (!this.status.summary) return '';\n\t var behavior = typeof this.$store.state.config.subjectLineBehavior === 'undefined' ? this.$store.state.instance.subjectLineBehavior : this.$store.state.config.subjectLineBehavior;\n\t var startsWithRe = this.status.summary.match(/^re[: ]/i);\n\t if (behavior !== 'noop' && startsWithRe || behavior === 'masto') {\n\t return this.status.summary;\n\t } else if (behavior === 'email') {\n\t return 're: '.concat(this.status.summary);\n\t } else if (behavior === 'noop') {\n\t return '';\n\t }\n\t },\n\t attachmentSize: function attachmentSize() {\n\t if (this.$store.state.config.hideAttachments && !this.inConversation || this.$store.state.config.hideAttachmentsInConv && this.inConversation || this.status.attachments.length > this.maxAttachments) {\n\t return 'hide';\n\t } else if (this.compact) {\n\t return 'small';\n\t }\n\t return 'normal';\n\t },\n\t galleryTypes: function galleryTypes() {\n\t if (this.attachmentSize === 'hide') {\n\t return [];\n\t }\n\t return this.$store.state.config.playVideosInline ? ['image'] : ['image', 'video'];\n\t },\n\t galleryAttachments: function galleryAttachments() {\n\t var _this = this;\n\t\n\t return this.status.attachments.filter(function (file) {\n\t return _file_type2.default.fileMatchesSomeType(_this.galleryTypes, file);\n\t });\n\t },\n\t nonGalleryAttachments: function nonGalleryAttachments() {\n\t var _this2 = this;\n\t\n\t return this.status.attachments.filter(function (file) {\n\t return !_file_type2.default.fileMatchesSomeType(_this2.galleryTypes, file);\n\t });\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 Gallery: _gallery2.default,\n\t LinkPreview: _linkPreview2.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(event) {\n\t var target = event.target;\n\t\n\t if (target.tagName === 'SPAN') {\n\t target = target.parentNode;\n\t }\n\t if (target.tagName === 'A') {\n\t if (target.className.match(/mention/)) {\n\t var href = target.getAttribute('href');\n\t var attn = this.status.attentions.find(function (attn) {\n\t return (0, _mention_matcher.mentionMatchesUrl)(attn, href);\n\t });\n\t if (attn) {\n\t event.stopPropagation();\n\t event.preventDefault();\n\t var link = this.generateUserProfileLink(attn.id, attn.screen_name);\n\t this.$router.push(link);\n\t return;\n\t }\n\t }\n\t window.open(target.href, '_blank');\n\t }\n\t },\n\t toggleReplying: function toggleReplying() {\n\t this.replying = !this.replying;\n\t },\n\t gotoOriginal: function gotoOriginal(id) {\n\t if (this.inConversation) {\n\t this.$emit('goto', id);\n\t }\n\t },\n\t toggleExpanded: function toggleExpanded() {\n\t this.$emit('toggleExpanded');\n\t },\n\t toggleMute: function toggleMute() {\n\t this.unmuted = !this.unmuted;\n\t },\n\t toggleUserExpanded: function toggleUserExpanded() {\n\t this.userExpanded = !this.userExpanded;\n\t },\n\t toggleShowMore: function toggleShowMore() {\n\t if (this.showingTall) {\n\t this.showingTall = false;\n\t } else if (this.expandingSubject && this.status.summary) {\n\t this.expandingSubject = false;\n\t } else if (this.hideTallStatus) {\n\t this.showingTall = true;\n\t } else if (this.hideSubjectStatus && this.status.summary) {\n\t this.expandingSubject = true;\n\t }\n\t },\n\t replyEnter: function replyEnter(id, event) {\n\t var _this3 = this;\n\t\n\t this.showPreview = true;\n\t var targetId = 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 _this3.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 generateUserProfileLink: function generateUserProfileLink(id, name) {\n\t return (0, _user_profile_link_generator2.default)(id, name, this.$store.state.instance.restrictedNicknames);\n\t },\n\t setMedia: function setMedia() {\n\t var _this4 = this;\n\t\n\t var attachments = this.attachmentSize === 'hide' ? this.status.attachments : this.galleryAttachments;\n\t return function () {\n\t return _this4.$store.dispatch('setMedia', attachments);\n\t };\n\t }\n\t },\n\t watch: {\n\t 'highlight': function highlight(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 - 100);\n\t } else if (rect.height >= window.innerHeight - 50) {\n\t window.scrollBy(0, rect.top - 100);\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 filters: {\n\t capitalize: function capitalize(str) {\n\t return str.charAt(0).toUpperCase() + str.slice(1);\n\t }\n\t }\n\t};\n\t\n\texports.default = Status;\n\n/***/ }),\n/* 267 */\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__(80);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _conversation = __webpack_require__(194);\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/* 268 */\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 var width = this.$refs.src.naturalWidth;\n\t var height = this.$refs.src.naturalHeight;\n\t canvas.width = width;\n\t canvas.height = height;\n\t canvas.getContext('2d').drawImage(this.$refs.src, 0, 0, width, height);\n\t }\n\t }\n\t};\n\t\n\texports.default = StillImage;\n\n/***/ }),\n/* 269 */\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 _isNan = __webpack_require__(62);\n\t\n\tvar _isNan2 = _interopRequireDefault(_isNan);\n\t\n\tvar _set2 = __webpack_require__(129);\n\t\n\tvar _set3 = _interopRequireDefault(_set2);\n\t\n\tvar _assign = __webpack_require__(30);\n\t\n\tvar _assign2 = _interopRequireDefault(_assign);\n\t\n\tvar _keys = __webpack_require__(43);\n\t\n\tvar _keys2 = _interopRequireDefault(_keys);\n\t\n\tvar _values = __webpack_require__(287);\n\t\n\tvar _values2 = _interopRequireDefault(_values);\n\t\n\tvar _toConsumableArray2 = __webpack_require__(44);\n\t\n\tvar _toConsumableArray3 = _interopRequireDefault(_toConsumableArray2);\n\t\n\tvar _slicedToArray2 = __webpack_require__(16);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _entries = __webpack_require__(63);\n\t\n\tvar _entries2 = _interopRequireDefault(_entries);\n\t\n\tvar _color_convert = __webpack_require__(41);\n\t\n\tvar _vue = __webpack_require__(15);\n\t\n\tvar _style_setter = __webpack_require__(61);\n\t\n\tvar _color_input = __webpack_require__(193);\n\t\n\tvar _color_input2 = _interopRequireDefault(_color_input);\n\t\n\tvar _range_input = __webpack_require__(613);\n\t\n\tvar _range_input2 = _interopRequireDefault(_range_input);\n\t\n\tvar _opacity_input = __webpack_require__(199);\n\t\n\tvar _opacity_input2 = _interopRequireDefault(_opacity_input);\n\t\n\tvar _shadow_control = __webpack_require__(617);\n\t\n\tvar _shadow_control2 = _interopRequireDefault(_shadow_control);\n\t\n\tvar _font_control = __webpack_require__(600);\n\t\n\tvar _font_control2 = _interopRequireDefault(_font_control);\n\t\n\tvar _contrast_ratio = __webpack_require__(593);\n\t\n\tvar _contrast_ratio2 = _interopRequireDefault(_contrast_ratio);\n\t\n\tvar _tab_switcher = __webpack_require__(83);\n\t\n\tvar _tab_switcher2 = _interopRequireDefault(_tab_switcher);\n\t\n\tvar _preview = __webpack_require__(620);\n\t\n\tvar _preview2 = _interopRequireDefault(_preview);\n\t\n\tvar _export_import = __webpack_require__(597);\n\t\n\tvar _export_import2 = _interopRequireDefault(_export_import);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar v1OnlyNames = ['bg', 'fg', 'text', 'link', 'cRed', 'cGreen', 'cBlue', 'cOrange'].map(function (_) {\n\t return _ + 'ColorLocal';\n\t});\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\n\t previewShadows: {},\n\t previewColors: {},\n\t previewRadii: {},\n\t previewFonts: {},\n\t\n\t shadowsInvalid: true,\n\t colorsInvalid: true,\n\t radiiInvalid: true,\n\t\n\t keepColor: false,\n\t keepShadows: false,\n\t keepOpacity: false,\n\t keepRoundness: false,\n\t keepFonts: false,\n\t\n\t textColorLocal: '',\n\t linkColorLocal: '',\n\t\n\t bgColorLocal: '',\n\t bgOpacityLocal: undefined,\n\t\n\t fgColorLocal: '',\n\t fgTextColorLocal: undefined,\n\t fgLinkColorLocal: undefined,\n\t\n\t btnColorLocal: undefined,\n\t btnTextColorLocal: undefined,\n\t btnOpacityLocal: undefined,\n\t\n\t inputColorLocal: undefined,\n\t inputTextColorLocal: undefined,\n\t inputOpacityLocal: undefined,\n\t\n\t panelColorLocal: undefined,\n\t panelTextColorLocal: undefined,\n\t panelLinkColorLocal: undefined,\n\t panelFaintColorLocal: undefined,\n\t panelOpacityLocal: undefined,\n\t\n\t topBarColorLocal: undefined,\n\t topBarTextColorLocal: undefined,\n\t topBarLinkColorLocal: undefined,\n\t\n\t alertErrorColorLocal: undefined,\n\t\n\t badgeOpacityLocal: undefined,\n\t badgeNotificationColorLocal: undefined,\n\t\n\t borderColorLocal: undefined,\n\t borderOpacityLocal: undefined,\n\t\n\t faintColorLocal: undefined,\n\t faintOpacityLocal: undefined,\n\t faintLinkColorLocal: undefined,\n\t\n\t cRedColorLocal: '',\n\t cBlueColorLocal: '',\n\t cGreenColorLocal: '',\n\t cOrangeColorLocal: '',\n\t\n\t shadowSelected: undefined,\n\t shadowsLocal: {},\n\t fontsLocal: {},\n\t\n\t btnRadiusLocal: '',\n\t inputRadiusLocal: '',\n\t checkboxRadiusLocal: '',\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 (0, _style_setter.getThemes)().then(function (themesComplete) {\n\t self.availableStyles = themesComplete;\n\t });\n\t },\n\t mounted: function mounted() {\n\t this.normalizeLocalState(this.$store.state.config.customTheme);\n\t if (typeof this.shadowSelected === 'undefined') {\n\t this.shadowSelected = this.shadowsAvailable[0];\n\t }\n\t },\n\t\n\t computed: {\n\t selectedVersion: function selectedVersion() {\n\t return Array.isArray(this.selected) ? 1 : 2;\n\t },\n\t currentColors: function currentColors() {\n\t return {\n\t bg: this.bgColorLocal,\n\t text: this.textColorLocal,\n\t link: this.linkColorLocal,\n\t\n\t fg: this.fgColorLocal,\n\t fgText: this.fgTextColorLocal,\n\t fgLink: this.fgLinkColorLocal,\n\t\n\t panel: this.panelColorLocal,\n\t panelText: this.panelTextColorLocal,\n\t panelLink: this.panelLinkColorLocal,\n\t panelFaint: this.panelFaintColorLocal,\n\t\n\t input: this.inputColorLocal,\n\t inputText: this.inputTextColorLocal,\n\t\n\t topBar: this.topBarColorLocal,\n\t topBarText: this.topBarTextColorLocal,\n\t topBarLink: this.topBarLinkColorLocal,\n\t\n\t btn: this.btnColorLocal,\n\t btnText: this.btnTextColorLocal,\n\t\n\t alertError: this.alertErrorColorLocal,\n\t badgeNotification: this.badgeNotificationColorLocal,\n\t\n\t faint: this.faintColorLocal,\n\t faintLink: this.faintLinkColorLocal,\n\t border: this.borderColorLocal,\n\t\n\t cRed: this.cRedColorLocal,\n\t cBlue: this.cBlueColorLocal,\n\t cGreen: this.cGreenColorLocal,\n\t cOrange: this.cOrangeColorLocal\n\t };\n\t },\n\t currentOpacity: function currentOpacity() {\n\t return {\n\t bg: this.bgOpacityLocal,\n\t btn: this.btnOpacityLocal,\n\t input: this.inputOpacityLocal,\n\t panel: this.panelOpacityLocal,\n\t topBar: this.topBarOpacityLocal,\n\t border: this.borderOpacityLocal,\n\t faint: this.faintOpacityLocal\n\t };\n\t },\n\t currentRadii: function currentRadii() {\n\t return {\n\t btn: this.btnRadiusLocal,\n\t input: this.inputRadiusLocal,\n\t checkbox: this.checkboxRadiusLocal,\n\t panel: this.panelRadiusLocal,\n\t avatar: this.avatarRadiusLocal,\n\t avatarAlt: this.avatarAltRadiusLocal,\n\t tooltip: this.tooltipRadiusLocal,\n\t attachment: this.attachmentRadiusLocal\n\t };\n\t },\n\t preview: function preview() {\n\t return (0, _style_setter.composePreset)(this.previewColors, this.previewRadii, this.previewShadows, this.previewFonts);\n\t },\n\t previewTheme: function previewTheme() {\n\t if (!this.preview.theme.colors) return { colors: {}, opacity: {}, radii: {}, shadows: {}, fonts: {} };\n\t return this.preview.theme;\n\t },\n\t previewContrast: function previewContrast() {\n\t if (!this.previewTheme.colors.bg) return {};\n\t var colors = this.previewTheme.colors;\n\t var opacity = this.previewTheme.opacity;\n\t if (!colors.bg) return {};\n\t var hints = function hints(ratio) {\n\t return {\n\t text: ratio.toPrecision(3) + ':1',\n\t\n\t aa: ratio >= 4.5,\n\t aaa: ratio >= 7,\n\t\n\t laa: ratio >= 3,\n\t laaa: ratio >= 4.5\n\t };\n\t };\n\t\n\t var fgs = {\n\t text: (0, _color_convert.hex2rgb)(colors.text),\n\t panelText: (0, _color_convert.hex2rgb)(colors.panelText),\n\t panelLink: (0, _color_convert.hex2rgb)(colors.panelLink),\n\t btnText: (0, _color_convert.hex2rgb)(colors.btnText),\n\t topBarText: (0, _color_convert.hex2rgb)(colors.topBarText),\n\t inputText: (0, _color_convert.hex2rgb)(colors.inputText),\n\t\n\t link: (0, _color_convert.hex2rgb)(colors.link),\n\t topBarLink: (0, _color_convert.hex2rgb)(colors.topBarLink),\n\t\n\t red: (0, _color_convert.hex2rgb)(colors.cRed),\n\t green: (0, _color_convert.hex2rgb)(colors.cGreen),\n\t blue: (0, _color_convert.hex2rgb)(colors.cBlue),\n\t orange: (0, _color_convert.hex2rgb)(colors.cOrange)\n\t };\n\t\n\t var bgs = {\n\t bg: (0, _color_convert.hex2rgb)(colors.bg),\n\t btn: (0, _color_convert.hex2rgb)(colors.btn),\n\t panel: (0, _color_convert.hex2rgb)(colors.panel),\n\t topBar: (0, _color_convert.hex2rgb)(colors.topBar),\n\t input: (0, _color_convert.hex2rgb)(colors.input),\n\t alertError: (0, _color_convert.hex2rgb)(colors.alertError),\n\t badgeNotification: (0, _color_convert.hex2rgb)(colors.badgeNotification)\n\t };\n\t\n\t var ratios = {\n\t bgText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.text), fgs.text),\n\t bgLink: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.link), fgs.link),\n\t bgRed: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.red), fgs.red),\n\t bgGreen: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.green), fgs.green),\n\t bgBlue: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.blue), fgs.blue),\n\t bgOrange: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, opacity.bg, fgs.orange), fgs.orange),\n\t\n\t tintText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.bg, 0.5, fgs.panelText), fgs.text),\n\t\n\t panelText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.panel, opacity.panel, fgs.panelText), fgs.panelText),\n\t panelLink: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.panel, opacity.panel, fgs.panelLink), fgs.panelLink),\n\t\n\t btnText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.btn, opacity.btn, fgs.btnText), fgs.btnText),\n\t\n\t inputText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.input, opacity.input, fgs.inputText), fgs.inputText),\n\t\n\t topBarText: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.topBar, opacity.topBar, fgs.topBarText), fgs.topBarText),\n\t topBarLink: (0, _color_convert.getContrastRatio)((0, _color_convert.alphaBlend)(bgs.topBar, opacity.topBar, fgs.topBarLink), fgs.topBarLink)\n\t };\n\t\n\t return (0, _entries2.default)(ratios).reduce(function (acc, _ref) {\n\t var _ref2 = (0, _slicedToArray3.default)(_ref, 2),\n\t k = _ref2[0],\n\t v = _ref2[1];\n\t\n\t acc[k] = hints(v);return acc;\n\t }, {});\n\t },\n\t previewRules: function previewRules() {\n\t if (!this.preview.rules) return '';\n\t return [].concat((0, _toConsumableArray3.default)((0, _values2.default)(this.preview.rules)), ['color: var(--text)', 'font-family: var(--interfaceFont, sans-serif)']).join(';');\n\t },\n\t shadowsAvailable: function shadowsAvailable() {\n\t return (0, _keys2.default)(this.previewTheme.shadows).sort();\n\t },\n\t\n\t currentShadowOverriden: {\n\t get: function get() {\n\t return !!this.currentShadow;\n\t },\n\t set: function set(val) {\n\t if (val) {\n\t (0, _vue.set)(this.shadowsLocal, this.shadowSelected, this.currentShadowFallback.map(function (_) {\n\t return (0, _assign2.default)({}, _);\n\t }));\n\t } else {\n\t (0, _vue.delete)(this.shadowsLocal, this.shadowSelected);\n\t }\n\t }\n\t },\n\t currentShadowFallback: function currentShadowFallback() {\n\t return this.previewTheme.shadows[this.shadowSelected];\n\t },\n\t\n\t currentShadow: {\n\t get: function get() {\n\t return this.shadowsLocal[this.shadowSelected];\n\t },\n\t set: function set(v) {\n\t (0, _vue.set)(this.shadowsLocal, this.shadowSelected, v);\n\t }\n\t },\n\t themeValid: function themeValid() {\n\t return !this.shadowsInvalid && !this.colorsInvalid && !this.radiiInvalid;\n\t },\n\t exportedTheme: function exportedTheme() {\n\t var saveEverything = !this.keepFonts && !this.keepShadows && !this.keepOpacity && !this.keepRoundness && !this.keepColor;\n\t\n\t var theme = {};\n\t\n\t if (this.keepFonts || saveEverything) {\n\t theme.fonts = this.fontsLocal;\n\t }\n\t if (this.keepShadows || saveEverything) {\n\t theme.shadows = this.shadowsLocal;\n\t }\n\t if (this.keepOpacity || saveEverything) {\n\t theme.opacity = this.currentOpacity;\n\t }\n\t if (this.keepColor || saveEverything) {\n\t theme.colors = this.currentColors;\n\t }\n\t if (this.keepRoundness || saveEverything) {\n\t theme.radii = this.currentRadii;\n\t }\n\t\n\t return {\n\t _pleroma_theme_version: 2, theme: theme\n\t };\n\t }\n\t },\n\t components: {\n\t ColorInput: _color_input2.default,\n\t OpacityInput: _opacity_input2.default,\n\t RangeInput: _range_input2.default,\n\t ContrastRatio: _contrast_ratio2.default,\n\t ShadowControl: _shadow_control2.default,\n\t FontControl: _font_control2.default,\n\t TabSwitcher: _tab_switcher2.default,\n\t Preview: _preview2.default,\n\t ExportImport: _export_import2.default\n\t },\n\t methods: {\n\t setCustomTheme: function setCustomTheme() {\n\t this.$store.dispatch('setOption', {\n\t name: 'customTheme',\n\t value: {\n\t shadows: this.shadowsLocal,\n\t fonts: this.fontsLocal,\n\t opacity: this.currentOpacity,\n\t colors: this.currentColors,\n\t radii: this.currentRadii\n\t }\n\t });\n\t },\n\t onImport: function onImport(parsed) {\n\t if (parsed._pleroma_theme_version === 1) {\n\t this.normalizeLocalState(parsed, 1);\n\t } else if (parsed._pleroma_theme_version === 2) {\n\t this.normalizeLocalState(parsed.theme, 2);\n\t }\n\t },\n\t importValidator: function importValidator(parsed) {\n\t var version = parsed._pleroma_theme_version;\n\t return version >= 1 || version <= 2;\n\t },\n\t clearAll: function clearAll() {\n\t var state = this.$store.state.config.customTheme;\n\t var version = state.colors ? 2 : 'l1';\n\t this.normalizeLocalState(this.$store.state.config.customTheme, version);\n\t },\n\t clearV1: function clearV1() {\n\t var _this = this;\n\t\n\t (0, _keys2.default)(this.$data).filter(function (_) {\n\t return _.endsWith('ColorLocal') || _.endsWith('OpacityLocal');\n\t }).filter(function (_) {\n\t return !v1OnlyNames.includes(_);\n\t }).forEach(function (key) {\n\t (0, _vue.set)(_this.$data, key, undefined);\n\t });\n\t },\n\t clearRoundness: function clearRoundness() {\n\t var _this2 = this;\n\t\n\t (0, _keys2.default)(this.$data).filter(function (_) {\n\t return _.endsWith('RadiusLocal');\n\t }).forEach(function (key) {\n\t (0, _vue.set)(_this2.$data, key, undefined);\n\t });\n\t },\n\t clearOpacity: function clearOpacity() {\n\t var _this3 = this;\n\t\n\t (0, _keys2.default)(this.$data).filter(function (_) {\n\t return _.endsWith('OpacityLocal');\n\t }).forEach(function (key) {\n\t (0, _vue.set)(_this3.$data, key, undefined);\n\t });\n\t },\n\t clearShadows: function clearShadows() {\n\t this.shadowsLocal = {};\n\t },\n\t clearFonts: function clearFonts() {\n\t this.fontsLocal = {};\n\t },\n\t normalizeLocalState: function normalizeLocalState(input) {\n\t var _this4 = this;\n\t\n\t var version = arguments.length > 1 && arguments[1] !== undefined ? arguments[1] : 0;\n\t\n\t var colors = input.colors || input;\n\t var radii = input.radii || input;\n\t var opacity = input.opacity;\n\t var shadows = input.shadows || {};\n\t var fonts = input.fonts || {};\n\t\n\t if (version === 0) {\n\t if (input.version) version = input.version;\n\t\n\t if (typeof colors.text === 'undefined' && typeof colors.fg !== 'undefined') {\n\t version = 1;\n\t }\n\t\n\t if (typeof colors.text !== 'undefined' && typeof colors.fg !== 'undefined') {\n\t version = 2;\n\t }\n\t }\n\t\n\t if (version === 1) {\n\t this.fgColorLocal = (0, _color_convert.rgb2hex)(colors.btn);\n\t this.textColorLocal = (0, _color_convert.rgb2hex)(colors.fg);\n\t }\n\t\n\t if (!this.keepColor) {\n\t this.clearV1();\n\t var keys = new _set3.default(version !== 1 ? (0, _keys2.default)(colors) : []);\n\t if (version === 1 || version === 'l1') {\n\t keys.add('bg').add('link').add('cRed').add('cBlue').add('cGreen').add('cOrange');\n\t }\n\t\n\t keys.forEach(function (key) {\n\t _this4[key + 'ColorLocal'] = (0, _color_convert.rgb2hex)(colors[key]);\n\t });\n\t }\n\t\n\t if (!this.keepRoundness) {\n\t this.clearRoundness();\n\t (0, _entries2.default)(radii).forEach(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 var key = k.endsWith('Radius') ? k.split('Radius')[0] : k;\n\t _this4[key + 'RadiusLocal'] = v;\n\t });\n\t }\n\t\n\t if (!this.keepShadows) {\n\t this.clearShadows();\n\t this.shadowsLocal = shadows;\n\t this.shadowSelected = this.shadowsAvailable[0];\n\t }\n\t\n\t if (!this.keepFonts) {\n\t this.clearFonts();\n\t this.fontsLocal = fonts;\n\t }\n\t\n\t if (opacity && !this.keepOpacity) {\n\t this.clearOpacity();\n\t (0, _entries2.default)(opacity).forEach(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 if (typeof v === 'undefined' || v === null || (0, _isNan2.default)(v)) return;\n\t _this4[k + 'OpacityLocal'] = v;\n\t });\n\t }\n\t }\n\t },\n\t watch: {\n\t currentRadii: function currentRadii() {\n\t try {\n\t this.previewRadii = (0, _style_setter.generateRadii)({ radii: this.currentRadii });\n\t this.radiiInvalid = false;\n\t } catch (e) {\n\t this.radiiInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t\n\t shadowsLocal: {\n\t handler: function handler() {\n\t try {\n\t this.previewShadows = (0, _style_setter.generateShadows)({ shadows: this.shadowsLocal });\n\t this.shadowsInvalid = false;\n\t } catch (e) {\n\t this.shadowsInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t\n\t deep: true\n\t },\n\t fontsLocal: {\n\t handler: function handler() {\n\t try {\n\t this.previewFonts = (0, _style_setter.generateFonts)({ fonts: this.fontsLocal });\n\t this.fontsInvalid = false;\n\t } catch (e) {\n\t this.fontsInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t\n\t deep: true\n\t },\n\t currentColors: function currentColors() {\n\t try {\n\t this.previewColors = (0, _style_setter.generateColors)({\n\t opacity: this.currentOpacity,\n\t colors: this.currentColors\n\t });\n\t this.colorsInvalid = false;\n\t } catch (e) {\n\t this.colorsInvalid = true;\n\t console.warn(e);\n\t }\n\t },\n\t currentOpacity: function currentOpacity() {\n\t try {\n\t this.previewColors = (0, _style_setter.generateColors)({\n\t opacity: this.currentOpacity,\n\t colors: this.currentColors\n\t });\n\t } catch (e) {\n\t console.warn(e);\n\t }\n\t },\n\t selected: function selected() {\n\t if (this.selectedVersion === 1) {\n\t if (!this.keepRoundness) {\n\t this.clearRoundness();\n\t }\n\t\n\t if (!this.keepShadows) {\n\t this.clearShadows();\n\t }\n\t\n\t if (!this.keepOpacity) {\n\t this.clearOpacity();\n\t }\n\t\n\t if (!this.keepColor) {\n\t this.clearV1();\n\t\n\t this.bgColorLocal = this.selected[1];\n\t this.fgColorLocal = this.selected[2];\n\t this.textColorLocal = this.selected[3];\n\t this.linkColorLocal = this.selected[4];\n\t this.cRedColorLocal = this.selected[5];\n\t this.cGreenColorLocal = this.selected[6];\n\t this.cBlueColorLocal = this.selected[7];\n\t this.cOrangeColorLocal = this.selected[8];\n\t }\n\t } else if (this.selectedVersion >= 2) {\n\t this.normalizeLocalState(this.selected.theme, 2);\n\t }\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 270 */\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/* 271 */\n/***/ (function(module, exports) {\n\n\t\"use strict\";\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\tvar TermsOfServicePanel = {\n\t computed: {\n\t content: function content() {\n\t return this.$store.state.instance.tos;\n\t }\n\t }\n\t};\n\t\n\texports.default = TermsOfServicePanel;\n\n/***/ }),\n/* 272 */\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 _throttle2 = __webpack_require__(574);\n\t\n\tvar _throttle3 = _interopRequireDefault(_throttle2);\n\t\n\tvar _status = __webpack_require__(80);\n\t\n\tvar _status2 = _interopRequireDefault(_status);\n\t\n\tvar _timeline_fetcherService = __webpack_require__(127);\n\t\n\tvar _timeline_fetcherService2 = _interopRequireDefault(_timeline_fetcherService);\n\t\n\tvar _status_or_conversation = __webpack_require__(619);\n\t\n\tvar _status_or_conversation2 = _interopRequireDefault(_status_or_conversation);\n\t\n\tvar _user_card = __webpack_require__(60);\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', 'embedded'],\n\t data: function data() {\n\t return {\n\t paused: false,\n\t unfocused: false,\n\t bottomedOut: 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 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 classes: function classes() {\n\t return {\n\t root: ['timeline'].concat(!this.embedded ? ['panel', 'panel-default'] : []),\n\t header: ['timeline-heading'].concat(!this.embedded ? ['panel-heading'] : []),\n\t body: ['timeline-body'].concat(!this.embedded ? ['panel-body'] : []),\n\t footer: ['timeline-footer'].concat(!this.embedded ? ['panel-footer'] : [])\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 mounted: function mounted() {\n\t if (typeof document.hidden !== 'undefined') {\n\t document.addEventListener('visibilitychange', this.handleVisibilityChange, false);\n\t this.unfocused = document.hidden;\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t window.removeEventListener('scroll', this.scrollLoad);\n\t if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false);\n\t this.$store.commit('setLoading', { timeline: this.timelineName, value: false });\n\t },\n\t\n\t methods: {\n\t showNewStatuses: function showNewStatuses() {\n\t if (this.timeline.flushMarker !== 0) {\n\t this.$store.commit('clearTimeline', { timeline: this.timelineName });\n\t this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 });\n\t this.fetchOlderStatuses();\n\t } else {\n\t this.$store.commit('showNewStatuses', { timeline: this.timelineName });\n\t this.paused = false;\n\t }\n\t },\n\t\n\t fetchOlderStatuses: (0, _throttle3.default)(function () {\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 (statuses) {\n\t store.commit('setLoading', { timeline: _this.timelineName, value: false });\n\t if (statuses.length === 0) {\n\t _this.bottomedOut = true;\n\t }\n\t });\n\t }, 1000, undefined),\n\t scrollLoad: function scrollLoad(e) {\n\t var bodyBRect = document.body.getBoundingClientRect();\n\t var height = Math.max(bodyBRect.height, -bodyBRect.y);\n\t if (this.timeline.loading === false && this.$store.state.config.autoLoad && this.$el.offsetHeight > 0 && window.innerHeight + window.pageYOffset >= height - 750) {\n\t this.fetchOlderStatuses();\n\t }\n\t },\n\t handleVisibilityChange: function handleVisibilityChange() {\n\t this.unfocused = document.hidden;\n\t }\n\t },\n\t watch: {\n\t newStatusCount: function newStatusCount(count) {\n\t if (!this.$store.state.config.streaming) {\n\t return;\n\t }\n\t if (count > 0) {\n\t if (window.pageYOffset < 15 && !this.paused && !(this.unfocused && this.$store.state.config.pauseOnUnfocused)) {\n\t this.showNewStatuses();\n\t } else {\n\t this.paused = true;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = Timeline;\n\n/***/ }),\n/* 273 */\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__(40);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _stillImage = __webpack_require__(39);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _user_profile_link_generator = __webpack_require__(29);\n\t\n\tvar _user_profile_link_generator2 = _interopRequireDefault(_user_profile_link_generator);\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 StillImage: _stillImage2.default\n\t },\n\t computed: {\n\t currentUser: function currentUser() {\n\t return this.$store.state.users.currentUser;\n\t }\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 userProfileLink: function userProfileLink(user) {\n\t return (0, _user_profile_link_generator2.default)(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames);\n\t }\n\t }\n\t};\n\t\n\texports.default = UserCard;\n\n/***/ }),\n/* 274 */\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__(16);\n\t\n\tvar _slicedToArray3 = _interopRequireDefault(_slicedToArray2);\n\t\n\tvar _promise = __webpack_require__(31);\n\t\n\tvar _promise2 = _interopRequireDefault(_promise);\n\t\n\tvar _stillImage = __webpack_require__(39);\n\t\n\tvar _stillImage2 = _interopRequireDefault(_stillImage);\n\t\n\tvar _color_convert = __webpack_require__(41);\n\t\n\tvar _user_profile_link_generator = __webpack_require__(29);\n\t\n\tvar _user_profile_link_generator2 = _interopRequireDefault(_user_profile_link_generator);\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 data: function data() {\n\t return {\n\t followRequestInProgress: false,\n\t followRequestSent: false,\n\t hideUserStatsLocal: typeof this.$store.state.config.hideUserStats === 'undefined' ? this.$store.state.instance.hideUserStats : this.$store.state.config.hideUserStats,\n\t betterShadow: this.$store.state.interface.browserSupport.cssFilter\n\t };\n\t },\n\t\n\t computed: {\n\t headingStyle: function headingStyle() {\n\t var color = this.$store.state.config.customTheme.colors ? this.$store.state.config.customTheme.colors.bg : this.$store.state.config.colors.bg;\n\t\n\t if (color) {\n\t var rgb = typeof color === 'string' ? (0, _color_convert.hex2rgb)(color) : color;\n\t var tintColor = 'rgba(' + Math.floor(rgb.r) + ', ' + Math.floor(rgb.g) + ', ' + Math.floor(rgb.b) + ', .5)';\n\t\n\t var gradient = [[tintColor, this.hideBio ? '60%' : ''], this.hideBio ? [color, '100%'] : [tintColor, '']].map(function (_) {\n\t return _.join(' ');\n\t }).join(', ');\n\t\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, ' + gradient + ')', 'url(' + this.user.cover_photo + ')'].join(', ')\n\t };\n\t }\n\t },\n\t isOtherUser: function isOtherUser() {\n\t return this.user.id !== this.$store.state.users.currentUser.id;\n\t },\n\t subscribeUrl: function subscribeUrl() {\n\t var serverUrl = new URL(this.user.statusnet_profile_url);\n\t return serverUrl.protocol + '//' + serverUrl.host + '/main/ostatus';\n\t },\n\t loggedIn: function loggedIn() {\n\t return this.$store.state.users.currentUser;\n\t },\n\t dailyAvg: function dailyAvg() {\n\t var days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000));\n\t return Math.round(this.user.statuses_count / days);\n\t },\n\t\n\t userHighlightType: {\n\t get: function get() {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t return data && data.type || 'disabled';\n\t },\n\t set: function set(type) {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t if (type !== 'disabled') {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: data && data.color || '#FFFFFF', type: type });\n\t } else {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined });\n\t }\n\t }\n\t },\n\t userHighlightColor: {\n\t get: function get() {\n\t var data = this.$store.state.config.highlight[this.user.screen_name];\n\t return data && data.color;\n\t },\n\t set: function set(color) {\n\t this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: color });\n\t }\n\t }\n\t },\n\t components: {\n\t StillImage: _stillImage2.default\n\t },\n\t methods: {\n\t followUser: function followUser() {\n\t var _this = this;\n\t\n\t var store = this.$store;\n\t this.followRequestInProgress = true;\n\t store.state.api.backendInteractor.followUser(this.user.id).then(function (followedUser) {\n\t return store.commit('addNewUsers', [followedUser]);\n\t }).then(function () {\n\t if (_this.user.locked) {\n\t _this.followRequestInProgress = false;\n\t _this.followRequestSent = true;\n\t return;\n\t }\n\t\n\t if (_this.user.following) {\n\t _this.followRequestInProgress = false;\n\t return;\n\t }\n\t\n\t var fetchUser = function fetchUser(attempt) {\n\t return new _promise2.default(function (resolve, reject) {\n\t setTimeout(function () {\n\t store.state.api.backendInteractor.fetchUser({ id: _this.user.id }).then(function (user) {\n\t return store.commit('addNewUsers', [user]);\n\t }).then(function () {\n\t return resolve([_this.user.following, attempt]);\n\t }).catch(function (e) {\n\t return reject(e);\n\t });\n\t }, 500);\n\t }).then(function (_ref) {\n\t var _ref2 = (0, _slicedToArray3.default)(_ref, 2),\n\t following = _ref2[0],\n\t attempt = _ref2[1];\n\t\n\t if (!following && attempt <= 3) {\n\t return fetchUser(++attempt);\n\t } else {\n\t return following;\n\t }\n\t });\n\t };\n\t\n\t return fetchUser(1).then(function (following) {\n\t if (following) {\n\t _this.followRequestInProgress = false;\n\t } else {\n\t _this.followRequestInProgress = false;\n\t _this.followRequestSent = true;\n\t }\n\t });\n\t });\n\t },\n\t unfollowUser: function unfollowUser() {\n\t var _this2 = this;\n\t\n\t var store = this.$store;\n\t this.followRequestInProgress = true;\n\t store.state.api.backendInteractor.unfollowUser(this.user.id).then(function (unfollowedUser) {\n\t return store.commit('addNewUsers', [unfollowedUser]);\n\t }).then(function () {\n\t _this2.followRequestInProgress = false;\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 linkClicked: function linkClicked(_ref3) {\n\t var target = _ref3.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 userProfileLink: function userProfileLink(user) {\n\t return (0, _user_profile_link_generator2.default)(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames);\n\t }\n\t }\n\t};\n\n/***/ }),\n/* 275 */\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 this.$router.push({ name: 'user-search', query: { query: username } });\n\t },\n\t toggleHidden: function toggleHidden() {\n\t this.hidden = !this.hidden;\n\t this.$emit('toggled', this.hidden);\n\t }\n\t }\n\t};\n\t\n\texports.default = UserFinder;\n\n/***/ }),\n/* 276 */\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__(197);\n\t\n\tvar _login_form2 = _interopRequireDefault(_login_form);\n\t\n\tvar _post_status_form = __webpack_require__(200);\n\t\n\tvar _post_status_form2 = _interopRequireDefault(_post_status_form);\n\t\n\tvar _user_card_content = __webpack_require__(40);\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/* 277 */\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__(40);\n\t\n\tvar _user_card_content2 = _interopRequireDefault(_user_card_content);\n\t\n\tvar _user_card = __webpack_require__(60);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\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.commit('clearTimeline', { timeline: 'favorites' });\n\t this.$store.commit('clearTimeline', { timeline: 'media' });\n\t this.$store.dispatch('startFetching', ['user', this.fetchBy]);\n\t this.$store.dispatch('startFetching', ['media', this.fetchBy]);\n\t this.startFetchFavorites();\n\t if (!this.user.id) {\n\t this.$store.dispatch('fetchUser', this.fetchBy);\n\t }\n\t },\n\t destroyed: function destroyed() {\n\t this.$store.dispatch('stopFetching', 'user');\n\t this.$store.dispatch('stopFetching', 'favorites');\n\t this.$store.dispatch('stopFetching', 'media');\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 favorites: function favorites() {\n\t return this.$store.state.statuses.timelines.favorites;\n\t },\n\t media: function media() {\n\t return this.$store.state.statuses.timelines.media;\n\t },\n\t userId: function userId() {\n\t return this.$route.params.id || this.user.id;\n\t },\n\t userName: function userName() {\n\t return this.$route.params.name || this.user.screen_name;\n\t },\n\t isUs: function isUs() {\n\t return this.userId && this.$store.state.users.currentUser.id && this.userId === this.$store.state.users.currentUser.id;\n\t },\n\t friends: function friends() {\n\t return this.user.friends;\n\t },\n\t followers: function followers() {\n\t return this.user.followers;\n\t },\n\t userInStore: function userInStore() {\n\t if (this.isExternal) {\n\t return this.$store.getters.userById(this.userId);\n\t }\n\t return this.$store.getters.userByName(this.userName);\n\t },\n\t user: function user() {\n\t if (this.timeline.statuses[0]) {\n\t return this.timeline.statuses[0].user;\n\t }\n\t if (this.userInStore) {\n\t return this.userInStore;\n\t }\n\t return {};\n\t },\n\t fetchBy: function fetchBy() {\n\t return this.isExternal ? this.userId : this.userName;\n\t },\n\t isExternal: function isExternal() {\n\t return this.$route.name === 'external-user-profile';\n\t }\n\t },\n\t methods: {\n\t fetchFollowers: function fetchFollowers() {\n\t var id = this.userId;\n\t this.$store.dispatch('addFollowers', { id: id });\n\t },\n\t fetchFriends: function fetchFriends() {\n\t var id = this.userId;\n\t this.$store.dispatch('addFriends', { id: id });\n\t },\n\t startFetchFavorites: function startFetchFavorites() {\n\t if (this.isUs) {\n\t this.$store.dispatch('startFetching', ['favorites', this.fetchBy]);\n\t }\n\t }\n\t },\n\t watch: {\n\t userName: function userName() {\n\t if (this.isExternal) {\n\t return;\n\t }\n\t this.$store.dispatch('stopFetching', 'user');\n\t this.$store.dispatch('stopFetching', 'favorites');\n\t this.$store.dispatch('stopFetching', 'media');\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.commit('clearTimeline', { timeline: 'favorites' });\n\t this.$store.commit('clearTimeline', { timeline: 'media' });\n\t this.$store.dispatch('startFetching', ['user', this.fetchBy]);\n\t this.$store.dispatch('startFetching', ['media', this.fetchBy]);\n\t this.startFetchFavorites();\n\t },\n\t userId: function userId() {\n\t if (!this.isExternal) {\n\t return;\n\t }\n\t this.$store.dispatch('stopFetching', 'user');\n\t this.$store.dispatch('stopFetching', 'favorites');\n\t this.$store.dispatch('stopFetching', 'media');\n\t this.$store.commit('clearTimeline', { timeline: 'user' });\n\t this.$store.commit('clearTimeline', { timeline: 'favorites' });\n\t this.$store.commit('clearTimeline', { timeline: 'media' });\n\t this.$store.dispatch('startFetching', ['user', this.fetchBy]);\n\t this.$store.dispatch('startFetching', ['media', this.fetchBy]);\n\t this.startFetchFavorites();\n\t },\n\t user: function user() {\n\t if (this.user.id && !this.user.followers) {\n\t this.fetchFollowers();\n\t this.fetchFriends();\n\t }\n\t }\n\t },\n\t components: {\n\t UserCardContent: _user_card_content2.default,\n\t UserCard: _user_card2.default,\n\t Timeline: _timeline2.default\n\t }\n\t};\n\t\n\texports.default = UserProfile;\n\n/***/ }),\n/* 278 */\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__(60);\n\t\n\tvar _user_card2 = _interopRequireDefault(_user_card);\n\t\n\tvar _user_search = __webpack_require__(224);\n\t\n\tvar _user_search2 = _interopRequireDefault(_user_search);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tvar userSearch = {\n\t components: {\n\t UserCard: _user_card2.default\n\t },\n\t props: ['query'],\n\t data: function data() {\n\t return {\n\t username: '',\n\t users: []\n\t };\n\t },\n\t mounted: function mounted() {\n\t this.search(this.query);\n\t },\n\t\n\t watch: {\n\t query: function query(newV) {\n\t this.search(newV);\n\t }\n\t },\n\t methods: {\n\t newQuery: function newQuery(query) {\n\t this.$router.push({ name: 'user-search', query: { query: query } });\n\t },\n\t search: function search(query) {\n\t var _this = this;\n\t\n\t if (!query) {\n\t this.users = [];\n\t return;\n\t }\n\t _user_search2.default.search({ query: query, store: this.$store }).then(function (res) {\n\t _this.users = res;\n\t });\n\t }\n\t }\n\t};\n\t\n\texports.default = userSearch;\n\n/***/ }),\n/* 279 */\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__(84);\n\t\n\tvar _stringify2 = _interopRequireDefault(_stringify);\n\t\n\tvar _tab_switcher = __webpack_require__(83);\n\t\n\tvar _tab_switcher2 = _interopRequireDefault(_tab_switcher);\n\t\n\tvar _style_switcher = __webpack_require__(201);\n\t\n\tvar _style_switcher2 = _interopRequireDefault(_style_switcher);\n\t\n\tvar _file_size_format = __webpack_require__(125);\n\t\n\tvar _file_size_format2 = _interopRequireDefault(_file_size_format);\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 newNoRichText: this.$store.state.users.currentUser.no_rich_text,\n\t newDefaultScope: this.$store.state.users.currentUser.default_scope,\n\t hideFollowings: this.$store.state.users.currentUser.hide_followings,\n\t hideFollowers: this.$store.state.users.currentUser.hide_followers,\n\t followList: null,\n\t followImportError: false,\n\t followsImported: false,\n\t enableFollowsExport: true,\n\t avatarUploading: false,\n\t bannerUploading: false,\n\t backgroundUploading: false,\n\t followListUploading: false,\n\t avatarPreview: null,\n\t bannerPreview: null,\n\t backgroundPreview: null,\n\t avatarUploadError: null,\n\t bannerUploadError: null,\n\t backgroundUploadError: null,\n\t deletingAccount: false,\n\t deleteAccountConfirmPasswordInput: '',\n\t deleteAccountError: false,\n\t changePasswordInputs: ['', '', ''],\n\t changedPassword: false,\n\t changePasswordError: false,\n\t activeTab: 'profile'\n\t };\n\t },\n\t\n\t components: {\n\t StyleSwitcher: _style_switcher2.default,\n\t TabSwitcher: _tab_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.instance.pleromaBackend;\n\t },\n\t scopeOptionsEnabled: function scopeOptionsEnabled() {\n\t return this.$store.state.instance.scopeOptionsEnabled;\n\t },\n\t vis: function vis() {\n\t return {\n\t public: { selected: this.newDefaultScope === 'public' },\n\t unlisted: { selected: this.newDefaultScope === 'unlisted' },\n\t private: { selected: this.newDefaultScope === 'private' },\n\t direct: { selected: this.newDefaultScope === 'direct' }\n\t };\n\t }\n\t },\n\t methods: {\n\t updateProfile: function updateProfile() {\n\t var _this = this;\n\t\n\t var name = this.newName;\n\t var description = this.newBio;\n\t var locked = this.newLocked;\n\t\n\t var default_scope = this.newDefaultScope;\n\t var no_rich_text = this.newNoRichText;\n\t var hide_followings = this.hideFollowings;\n\t var hide_followers = this.hideFollowers;\n\t\n\t this.$store.state.api.backendInteractor.updateProfile({\n\t params: {\n\t name: name,\n\t description: description,\n\t locked: locked,\n\t\n\t default_scope: default_scope,\n\t no_rich_text: no_rich_text,\n\t hide_followings: hide_followings,\n\t hide_followers: hide_followers\n\t } }).then(function (user) {\n\t if (!user.error) {\n\t _this.$store.commit('addNewUsers', [user]);\n\t _this.$store.commit('setCurrentUser', user);\n\t }\n\t });\n\t },\n\t changeVis: function changeVis(visibility) {\n\t this.newDefaultScope = visibility;\n\t },\n\t uploadFile: function uploadFile(slot, e) {\n\t var _this2 = this;\n\t\n\t var file = e.target.files[0];\n\t if (!file) {\n\t return;\n\t }\n\t if (file.size > this.$store.state.instance[slot + 'limit']) {\n\t var filesize = _file_size_format2.default.fileSizeFormat(file.size);\n\t var allowedsize = _file_size_format2.default.fileSizeFormat(this.$store.state.instance[slot + 'limit']);\n\t this[slot + 'UploadError'] = this.$t('upload.error.base') + ' ' + this.$t('upload.error.file_too_big', { filesize: filesize.num, filesizeunit: filesize.unit, allowedsize: allowedsize.num, allowedsizeunit: allowedsize.unit });\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[slot + 'Preview'] = img;\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.avatarPreview) {\n\t return;\n\t }\n\t\n\t var img = this.avatarPreview;\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.avatarUploading = 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.avatarPreview = null;\n\t } else {\n\t _this3.avatarUploadError = _this3.$t('upload.error.base') + user.error;\n\t }\n\t _this3.avatarUploading = false;\n\t });\n\t },\n\t clearUploadError: function clearUploadError(slot) {\n\t this[slot + 'UploadError'] = null;\n\t },\n\t submitBanner: function submitBanner() {\n\t var _this4 = this;\n\t\n\t if (!this.bannerPreview) {\n\t return;\n\t }\n\t\n\t var banner = this.bannerPreview;\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.bannerUploading = 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.bannerPreview = null;\n\t } else {\n\t _this4.bannerUploadError = _this4.$t('upload.error.base') + data.error;\n\t }\n\t _this4.bannerUploading = false;\n\t });\n\t },\n\t submitBg: function submitBg() {\n\t var _this5 = this;\n\t\n\t if (!this.backgroundPreview) {\n\t return;\n\t }\n\t var img = this.backgroundPreview;\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.backgroundUploading = 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.backgroundPreview = null;\n\t } else {\n\t _this5.backgroundUploadError = _this5.$t('upload.error.base') + data.error;\n\t }\n\t _this5.backgroundUploading = false;\n\t });\n\t },\n\t importFollows: function importFollows() {\n\t var _this6 = this;\n\t\n\t this.followListUploading = 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.followListUploading = 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 setTimeout(function () {\n\t _this7.enableFollowsExport = true;\n\t }, 2000);\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({ name: 'root' });\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 _this9.logout();\n\t } else {\n\t _this9.changedPassword = false;\n\t _this9.changePasswordError = res.error;\n\t }\n\t });\n\t },\n\t activateTab: function activateTab(tabName) {\n\t this.activeTab = tabName;\n\t },\n\t logout: function logout() {\n\t this.$store.dispatch('logout');\n\t this.$router.replace('/');\n\t }\n\t }\n\t};\n\t\n\texports.default = UserSettings;\n\n/***/ }),\n/* 280 */\n/***/ (function(module, exports) {\n\n\t'use strict';\n\t\n\tObject.defineProperty(exports, \"__esModule\", {\n\t value: true\n\t});\n\t\n\tvar VideoAttachment = {\n\t props: ['attachment', 'controls'],\n\t data: function data() {\n\t return {\n\t loopVideo: this.$store.state.config.loopVideo\n\t };\n\t },\n\t\n\t methods: {\n\t onVideoDataLoad: function onVideoDataLoad(e) {\n\t var target = e.srcElement || e.target;\n\t if (typeof target.webkitAudioDecodedByteCount !== 'undefined') {\n\t if (target.webkitAudioDecodedByteCount > 0) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t } else if (typeof target.mozHasAudio !== 'undefined') {\n\t if (target.mozHasAudio) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t } else if (typeof target.audioTracks !== 'undefined') {\n\t if (target.audioTracks.length > 0) {\n\t this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly;\n\t }\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = VideoAttachment;\n\n/***/ }),\n/* 281 */\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__(22);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tvar _user_card = __webpack_require__(60);\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 WhoToFollow = {\n\t components: {\n\t UserCard: _user_card2.default\n\t },\n\t data: function data() {\n\t return {\n\t users: []\n\t };\n\t },\n\t mounted: function mounted() {\n\t this.getWhoToFollow();\n\t },\n\t\n\t methods: {\n\t showWhoToFollow: function showWhoToFollow(reply) {\n\t var _this = this;\n\t\n\t reply.forEach(function (i, index) {\n\t var user = {\n\t id: 0,\n\t name: i.display_name,\n\t screen_name: i.acct,\n\t profile_image_url: i.avatar || '/images/avi.png'\n\t };\n\t _this.users.push(user);\n\t\n\t _this.$store.state.api.backendInteractor.externalProfile(user.screen_name).then(function (externalUser) {\n\t if (!externalUser.error) {\n\t _this.$store.commit('addNewUsers', [externalUser]);\n\t user.id = externalUser.id;\n\t }\n\t });\n\t });\n\t },\n\t getWhoToFollow: function getWhoToFollow() {\n\t var _this2 = this;\n\t\n\t var credentials = this.$store.state.users.currentUser.credentials;\n\t if (credentials) {\n\t _apiService2.default.suggestions({ credentials: credentials }).then(function (reply) {\n\t _this2.showWhoToFollow(reply);\n\t });\n\t }\n\t }\n\t }\n\t};\n\t\n\texports.default = WhoToFollow;\n\n/***/ }),\n/* 282 */\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 _shuffle2 = __webpack_require__(568);\n\t\n\tvar _shuffle3 = _interopRequireDefault(_shuffle2);\n\t\n\tvar _apiService = __webpack_require__(22);\n\t\n\tvar _apiService2 = _interopRequireDefault(_apiService);\n\t\n\tvar _user_profile_link_generator = __webpack_require__(29);\n\t\n\tvar _user_profile_link_generator2 = _interopRequireDefault(_user_profile_link_generator);\n\t\n\tfunction _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; }\n\t\n\tfunction showWhoToFollow(panel, reply) {\n\t var shuffled = (0, _shuffle3.default)(reply);\n\t\n\t panel.usersToFollow.forEach(function (toFollow, index) {\n\t var user = shuffled[index];\n\t var img = user.avatar || '/images/avi.png';\n\t var name = user.acct;\n\t\n\t toFollow.img = img;\n\t toFollow.name = name;\n\t\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 toFollow.id = externalUser.id;\n\t }\n\t });\n\t });\n\t}\n\t\n\tfunction getWhoToFollow(panel) {\n\t var credentials = panel.$store.state.users.currentUser.credentials;\n\t if (credentials) {\n\t panel.usersToFollow.forEach(function (toFollow) {\n\t toFollow.name = 'Loading...';\n\t });\n\t _apiService2.default.suggestions({ credentials: credentials }).then(function (reply) {\n\t showWhoToFollow(panel, reply);\n\t });\n\t }\n\t}\n\t\n\tvar WhoToFollowPanel = {\n\t data: function data() {\n\t return {\n\t usersToFollow: new Array(3).fill().map(function (x) {\n\t return {\n\t img: '/images/avi.png',\n\t name: '',\n\t id: 0\n\t };\n\t })\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 suggestionsEnabled: function suggestionsEnabled() {\n\t return this.$store.state.instance.suggestionsEnabled;\n\t }\n\t },\n\t methods: {\n\t userProfileLink: function userProfileLink(id, name) {\n\t return (0, _user_profile_link_generator2.default)(id, name, this.$store.state.instance.restrictedNicknames);\n\t }\n\t },\n\t watch: {\n\t user: function user(_user, oldUser) {\n\t if (this.suggestionsEnabled) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t },\n\t mounted: function mounted() {\n\t if (this.suggestionsEnabled) {\n\t getWhoToFollow(this);\n\t }\n\t }\n\t};\n\t\n\texports.default = WhoToFollowPanel;\n\n/***/ }),\n/* 283 */,\n/* 284 */,\n/* 285 */,\n/* 286 */,\n/* 287 */,\n/* 288 */,\n/* 289 */,\n/* 290 */,\n/* 291 */,\n/* 292 */,\n/* 293 */,\n/* 294 */,\n/* 295 */,\n/* 296 */,\n/* 297 */,\n/* 298 */,\n/* 299 */,\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/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 351 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 352 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 353 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 354 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 355 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 356 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 357 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 358 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 359 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 360 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 361 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 362 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 363 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 364 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 365 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 366 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 367 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 368 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 369 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 370 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 371 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 372 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 373 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 374 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 375 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 376 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 377 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 378 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 379 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 380 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 381 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 382 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 383 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 384 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 385 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 386 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 387 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 388 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 389 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 390 */\n/***/ (function(module, exports) {\n\n\t// removed by extract-text-webpack-plugin\n\n/***/ }),\n/* 391 */,\n/* 392 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"الدردشة\"},\"features_panel\":{\"chat\":\"الدردشة\",\"gopher\":\"غوفر\",\"media_proxy\":\"بروكسي الوسائط\",\"scope_options\":\"\",\"text_limit\":\"الحد الأقصى للنص\",\"title\":\"الميّزات\",\"who_to_follow\":\"للمتابعة\"},\"finder\":{\"error_fetching_user\":\"خطأ أثناء جلب صفحة المستخدم\",\"find_user\":\"البحث عن مستخدِم\"},\"general\":{\"apply\":\"تطبيق\",\"submit\":\"إرسال\"},\"login\":{\"login\":\"تسجيل الدخول\",\"logout\":\"الخروج\",\"password\":\"الكلمة السرية\",\"placeholder\":\"مثال lain\",\"register\":\"انشاء حساب\",\"username\":\"إسم المستخدم\"},\"nav\":{\"chat\":\"الدردشة المحلية\",\"friend_requests\":\"طلبات المتابَعة\",\"mentions\":\"الإشارات\",\"public_tl\":\"الخيط الزمني العام\",\"timeline\":\"الخيط الزمني\",\"twkn\":\"كافة الشبكة المعروفة\"},\"notifications\":{\"broken_favorite\":\"منشور مجهول، جارٍ البحث عنه…\",\"favorited_you\":\"أعجِب بمنشورك\",\"followed_you\":\"يُتابعك\",\"load_older\":\"تحميل الإشعارات الأقدم\",\"notifications\":\"الإخطارات\",\"read\":\"مقروء!\",\"repeated_you\":\"شارَك منشورك\"},\"post_status\":{\"account_not_locked_warning\":\"\",\"account_not_locked_warning_link\":\"مقفل\",\"attachments_sensitive\":\"اعتبر المرفقات كلها كمحتوى حساس\",\"content_type\":{\"plain_text\":\"نص صافٍ\"},\"content_warning\":\"الموضوع (اختياري)\",\"default\":\"وصلت للتوّ إلى لوس أنجلس.\",\"direct_warning\":\"\",\"posting\":\"النشر\",\"scope\":{\"direct\":\"\",\"private\":\"\",\"public\":\"علني - يُنشر على الخيوط الزمنية العمومية\",\"unlisted\":\"غير مُدرَج - لا يُنشَر على الخيوط الزمنية العمومية\"}},\"registration\":{\"bio\":\"السيرة الذاتية\",\"email\":\"عنوان البريد الإلكتروني\",\"fullname\":\"الإسم المعروض\",\"password_confirm\":\"تأكيد الكلمة السرية\",\"registration\":\"التسجيل\",\"token\":\"رمز الدعوة\"},\"settings\":{\"attachmentRadius\":\"المُرفَقات\",\"attachments\":\"المُرفَقات\",\"autoload\":\"\",\"avatar\":\"الصورة الرمزية\",\"avatarAltRadius\":\"الصور الرمزية (الإشعارات)\",\"avatarRadius\":\"الصور الرمزية\",\"background\":\"الخلفية\",\"bio\":\"السيرة الذاتية\",\"btnRadius\":\"الأزرار\",\"cBlue\":\"أزرق (الرد، المتابَعة)\",\"cGreen\":\"أخضر (إعادة النشر)\",\"cOrange\":\"برتقالي (مفضلة)\",\"cRed\":\"أحمر (إلغاء)\",\"change_password\":\"تغيير كلمة السر\",\"change_password_error\":\"وقع هناك خلل أثناء تعديل كلمتك السرية.\",\"changed_password\":\"تم تغيير كلمة المرور بنجاح!\",\"collapse_subject\":\"\",\"confirm_new_password\":\"تأكيد كلمة السر الجديدة\",\"current_avatar\":\"صورتك الرمزية الحالية\",\"current_password\":\"كلمة السر الحالية\",\"current_profile_banner\":\"الرأسية الحالية لصفحتك الشخصية\",\"data_import_export_tab\":\"تصدير واستيراد البيانات\",\"default_vis\":\"أسلوب العرض الافتراضي\",\"delete_account\":\"حذف الحساب\",\"delete_account_description\":\"حذف حسابك و كافة منشوراتك نهائيًا.\",\"delete_account_error\":\"\",\"delete_account_instructions\":\"يُرجى إدخال كلمتك السرية أدناه لتأكيد عملية حذف الحساب.\",\"export_theme\":\"حفظ النموذج\",\"filtering\":\"التصفية\",\"filtering_explanation\":\"سيتم إخفاء كافة المنشورات التي تحتوي على هذه الكلمات، كلمة واحدة في كل سطر\",\"follow_export\":\"تصدير الاشتراكات\",\"follow_export_button\":\"تصدير الاشتراكات كملف csv\",\"follow_export_processing\":\"التصدير جارٍ، سوف يُطلَب منك تنزيل ملفك بعد حين\",\"follow_import\":\"استيراد الاشتراكات\",\"follow_import_error\":\"خطأ أثناء استيراد المتابِعين\",\"follows_imported\":\"\",\"foreground\":\"الأمامية\",\"general\":\"الإعدادات العامة\",\"hide_attachments_in_convo\":\"إخفاء المرفقات على المحادثات\",\"hide_attachments_in_tl\":\"إخفاء المرفقات على الخيط الزمني\",\"hide_post_stats\":\"\",\"hide_user_stats\":\"\",\"import_followers_from_a_csv_file\":\"\",\"import_theme\":\"تحميل نموذج\",\"inputRadius\":\"\",\"instance_default\":\"\",\"interfaceLanguage\":\"لغة الواجهة\",\"invalid_theme_imported\":\"\",\"limited_availability\":\"غير متوفر على متصفحك\",\"links\":\"الروابط\",\"lock_account_description\":\"\",\"loop_video\":\"\",\"loop_video_silent_only\":\"\",\"name\":\"الاسم\",\"name_bio\":\"الاسم والسيرة الذاتية\",\"new_password\":\"كلمة السر الجديدة\",\"no_rich_text_description\":\"\",\"notification_visibility\":\"نوع الإشعارات التي تريد عرضها\",\"notification_visibility_follows\":\"يتابع\",\"notification_visibility_likes\":\"الإعجابات\",\"notification_visibility_mentions\":\"الإشارات\",\"notification_visibility_repeats\":\"\",\"nsfw_clickthrough\":\"\",\"panelRadius\":\"\",\"pause_on_unfocused\":\"\",\"presets\":\"النماذج\",\"profile_background\":\"خلفية الصفحة الشخصية\",\"profile_banner\":\"رأسية الصفحة الشخصية\",\"profile_tab\":\"الملف الشخصي\",\"radii_help\":\"\",\"replies_in_timeline\":\"الردود على الخيط الزمني\",\"reply_link_preview\":\"\",\"reply_visibility_all\":\"عرض كافة الردود\",\"reply_visibility_following\":\"\",\"reply_visibility_self\":\"\",\"saving_err\":\"خطأ أثناء حفظ الإعدادات\",\"saving_ok\":\"تم حفظ الإعدادات\",\"security_tab\":\"الأمان\",\"set_new_avatar\":\"اختيار صورة رمزية جديدة\",\"set_new_profile_background\":\"اختيار خلفية جديدة للملف الشخصي\",\"set_new_profile_banner\":\"اختيار رأسية جديدة للصفحة الشخصية\",\"settings\":\"الإعدادات\",\"stop_gifs\":\"\",\"streaming\":\"\",\"text\":\"النص\",\"theme\":\"المظهر\",\"theme_help\":\"\",\"tooltipRadius\":\"\",\"user_settings\":\"إعدادات المستخدم\",\"values\":{\"false\":\"لا\",\"true\":\"نعم\"}},\"timeline\":{\"collapse\":\"\",\"conversation\":\"محادثة\",\"error_fetching\":\"خطأ أثناء جلب التحديثات\",\"load_older\":\"تحميل المنشورات القديمة\",\"no_retweet_hint\":\"\",\"repeated\":\"\",\"show_new\":\"عرض الجديد\",\"up_to_date\":\"تم تحديثه\"},\"user_card\":{\"approve\":\"قبول\",\"block\":\"حظر\",\"blocked\":\"تم حظره!\",\"deny\":\"رفض\",\"follow\":\"اتبع\",\"followees\":\"\",\"followers\":\"مُتابِعون\",\"following\":\"\",\"follows_you\":\"يتابعك!\",\"mute\":\"كتم\",\"muted\":\"تم كتمه\",\"per_day\":\"في اليوم\",\"remote_follow\":\"مُتابَعة عن بُعد\",\"statuses\":\"المنشورات\"},\"user_profile\":{\"timeline_title\":\"الخيط الزمني للمستخدم\"},\"who_to_follow\":{\"more\":\"المزيد\",\"who_to_follow\":\"للمتابعة\"}}\n\n/***/ }),\n/* 393 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Xat\"},\"features_panel\":{\"chat\":\"Xat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy per multimèdia\",\"scope_options\":\"Opcions d'abast i visibilitat\",\"text_limit\":\"Límit de text\",\"title\":\"Funcionalitats\",\"who_to_follow\":\"A qui seguir\"},\"finder\":{\"error_fetching_user\":\"No s'ha pogut carregar l'usuari/a\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Aplica\",\"submit\":\"Desa\"},\"login\":{\"login\":\"Inicia sessió\",\"logout\":\"Tanca la sessió\",\"password\":\"Contrasenya\",\"placeholder\":\"p.ex.: Maria\",\"register\":\"Registra't\",\"username\":\"Nom d'usuari/a\"},\"nav\":{\"chat\":\"Xat local públic\",\"friend_requests\":\"Soŀlicituds de connexió\",\"mentions\":\"Mencions\",\"public_tl\":\"Flux públic del node\",\"timeline\":\"Flux personal\",\"twkn\":\"Flux de la xarxa coneguda\"},\"notifications\":{\"broken_favorite\":\"No es coneix aquest estat. S'està cercant.\",\"favorited_you\":\"ha marcat un estat teu\",\"followed_you\":\"ha començat a seguir-te\",\"load_older\":\"Carrega més notificacions\",\"notifications\":\"Notificacions\",\"read\":\"Read!\",\"repeated_you\":\"ha repetit el teu estat\"},\"post_status\":{\"account_not_locked_warning\":\"El teu compte no està {0}. Qualsevol persona pot seguir-te per llegir les teves entrades reservades només a seguidores.\",\"account_not_locked_warning_link\":\"bloquejat\",\"attachments_sensitive\":\"Marca l'adjunt com a delicat\",\"content_type\":{\"plain_text\":\"Text pla\"},\"content_warning\":\"Assumpte (opcional)\",\"default\":\"Em sento…\",\"direct_warning\":\"Aquesta entrada només serà visible per les usuràries que etiquetis\",\"posting\":\"Publicació\",\"scope\":{\"direct\":\"Directa - Publica només per les usuàries etiquetades\",\"private\":\"Només seguidors/es - Publica només per comptes que et segueixin\",\"public\":\"Pública - Publica als fluxos públics\",\"unlisted\":\"Silenciosa - No la mostris en fluxos públics\"}},\"registration\":{\"bio\":\"Presentació\",\"email\":\"Correu\",\"fullname\":\"Nom per mostrar\",\"password_confirm\":\"Confirma la contrasenya\",\"registration\":\"Registra't\",\"token\":\"Codi d'invitació\"},\"settings\":{\"attachmentRadius\":\"Adjunts\",\"attachments\":\"Adjunts\",\"autoload\":\"Recarrega automàticament en arribar a sota de tot.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars en les notificacions\",\"avatarRadius\":\"Avatars\",\"background\":\"Fons de pantalla\",\"bio\":\"Presentació\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (respon, segueix)\",\"cGreen\":\"Verd (republica)\",\"cOrange\":\"Taronja (marca com a preferit)\",\"cRed\":\"Vermell (canceŀla)\",\"change_password\":\"Canvia la contrasenya\",\"change_password_error\":\"No s'ha pogut canviar la contrasenya\",\"changed_password\":\"S'ha canviat la contrasenya\",\"collapse_subject\":\"Replega les entrades amb títol\",\"confirm_new_password\":\"Confirma la nova contrasenya\",\"current_avatar\":\"L'avatar actual\",\"current_password\":\"La contrasenya actual\",\"current_profile_banner\":\"El fons de perfil actual\",\"data_import_export_tab\":\"Importa o exporta dades\",\"default_vis\":\"Abast per defecte de les entrades\",\"delete_account\":\"Esborra el compte\",\"delete_account_description\":\"Esborra permanentment el teu compte i tots els missatges\",\"delete_account_error\":\"No s'ha pogut esborrar el compte. Si continua el problema, contacta amb l'administració del node\",\"delete_account_instructions\":\"Confirma que vols esborrar el compte escrivint la teva contrasenya aquí sota\",\"export_theme\":\"Desa el tema\",\"filtering\":\"Filtres\",\"filtering_explanation\":\"Es silenciaran totes les entrades que continguin aquestes paraules. Separa-les per línies\",\"follow_export\":\"Exporta la llista de contactes\",\"follow_export_button\":\"Exporta tots els comptes que segueixes a un fitxer CSV\",\"follow_export_processing\":\"S'està processant la petició. Aviat podràs descarregar el fitxer\",\"follow_import\":\"Importa els contactes\",\"follow_import_error\":\"No s'ha pogut importar els contactes\",\"follows_imported\":\"S'han importat els contactes. Trigaran una estoneta en ser processats.\",\"foreground\":\"Primer pla\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Amaga els adjunts en les converses\",\"hide_attachments_in_tl\":\"Amaga els adjunts en el flux d'entrades\",\"import_followers_from_a_csv_file\":\"Importa els contactes des d'un fitxer CSV\",\"import_theme\":\"Carrega un tema\",\"inputRadius\":\"Caixes d'entrada de text\",\"instance_default\":\"(default: {value})\",\"interfaceLanguage\":\"Llengua de la interfície\",\"invalid_theme_imported\":\"No s'ha entès l'arxiu carregat perquè no és un tema vàlid de Pleroma. No s'ha fet cap canvi als temes actuals.\",\"limited_availability\":\"No està disponible en aquest navegador\",\"links\":\"Enllaços\",\"lock_account_description\":\"Restringeix el teu compte només a seguidores aprovades.\",\"loop_video\":\"Reprodueix els vídeos en bucle\",\"loop_video_silent_only\":\"Reprodueix en bucles només els vídeos sense so (com els \\\"GIF\\\" de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom i presentació\",\"new_password\":\"Contrasenya nova\",\"notification_visibility\":\"Notifica'm quan algú\",\"notification_visibility_follows\":\"Comença a seguir-me\",\"notification_visibility_likes\":\"Marca com a preferida una entrada meva\",\"notification_visibility_mentions\":\"Em menciona\",\"notification_visibility_repeats\":\"Republica una entrada meva\",\"no_rich_text_description\":\"Neteja el formatat de text de totes les entrades\",\"nsfw_clickthrough\":\"Amaga el contingut NSFW darrer d'una imatge clicable\",\"panelRadius\":\"Panells\",\"pause_on_unfocused\":\"Pausa la reproducció en continu quan la pestanya perdi el focus\",\"presets\":\"Temes\",\"profile_background\":\"Fons de pantalla\",\"profile_banner\":\"Fons de perfil\",\"profile_tab\":\"Perfil\",\"radii_help\":\"Configura l'arrodoniment de les vores (en píxels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Mostra el missatge citat en passar el ratolí per sobre de l'enllaç de resposta\",\"reply_visibility_all\":\"Mostra totes les respostes\",\"reply_visibility_following\":\"Mostra només les respostes a entrades meves o d'usuàries que jo segueixo\",\"reply_visibility_self\":\"Mostra només les respostes a entrades meves\",\"saving_err\":\"No s'ha pogut desar la configuració\",\"saving_ok\":\"S'ha desat la configuració\",\"security_tab\":\"Seguretat\",\"set_new_avatar\":\"Canvia l'avatar\",\"set_new_profile_background\":\"Canvia el fons de pantalla\",\"set_new_profile_banner\":\"Canvia el fons del perfil\",\"settings\":\"Configuració\",\"stop_gifs\":\"Anima els GIF només en passar-hi el ratolí per sobre\",\"streaming\":\"Carrega automàticament entrades noves quan estigui a dalt de tot\",\"text\":\"Text\",\"theme\":\"Tema\",\"theme_help\":\"Personalitza els colors del tema. Escriu-los en format RGB hexadecimal (#rrggbb)\",\"tooltipRadius\":\"Missatges sobreposats\",\"user_settings\":\"Configuració personal\",\"values\":{\"false\":\"no\",\"true\":\"sí\"}},\"timeline\":{\"collapse\":\"Replega\",\"conversation\":\"Conversa\",\"error_fetching\":\"S'ha produït un error en carregar les entrades\",\"load_older\":\"Carrega entrades anteriors\",\"no_retweet_hint\":\"L'entrada és només per a seguidores o és \\\"directa\\\", i per tant no es pot republicar\",\"repeated\":\"republicat\",\"show_new\":\"Mostra els nous\",\"up_to_date\":\"Actualitzat\"},\"user_card\":{\"approve\":\"Aprova\",\"block\":\"Bloqueja\",\"blocked\":\"Bloquejat!\",\"deny\":\"Denega\",\"follow\":\"Segueix\",\"followees\":\"Segueixo\",\"followers\":\"Seguidors/es\",\"following\":\"Seguint!\",\"follows_you\":\"Et segueix!\",\"mute\":\"Silencia\",\"muted\":\"Silenciat\",\"per_day\":\"per dia\",\"remote_follow\":\"Seguiment remot\",\"statuses\":\"Estats\"},\"user_profile\":{\"timeline_title\":\"Flux personal\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"A qui seguir\"}}\n\n/***/ }),\n/* 394 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media Proxy\",\"scope_options\":\"Reichweitenoptionen\",\"text_limit\":\"Textlimit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Fehler beim Suchen des Benutzers\",\"find_user\":\"Finde Benutzer\"},\"general\":{\"apply\":\"Anwenden\",\"submit\":\"Absenden\"},\"login\":{\"login\":\"Anmelden\",\"description\":\"Mit OAuth anmelden\",\"logout\":\"Abmelden\",\"password\":\"Passwort\",\"placeholder\":\"z.B. lain\",\"register\":\"Registrieren\",\"username\":\"Benutzername\"},\"nav\":{\"back\":\"Zurück\",\"chat\":\"Lokaler Chat\",\"friend_requests\":\"Followanfragen\",\"mentions\":\"Erwähnungen\",\"dms\":\"Direktnachrichten\",\"public_tl\":\"Öffentliche Zeitleiste\",\"timeline\":\"Zeitleiste\",\"twkn\":\"Das gesamte bekannte Netzwerk\",\"user_search\":\"Benutzersuche\",\"preferences\":\"Voreinstellungen\"},\"notifications\":{\"broken_favorite\":\"Unbekannte Nachricht, suche danach...\",\"favorited_you\":\"favorisierte deine Nachricht\",\"followed_you\":\"folgt dir\",\"load_older\":\"Ältere Benachrichtigungen laden\",\"notifications\":\"Benachrichtigungen\",\"read\":\"Gelesen!\",\"repeated_you\":\"wiederholte deine Nachricht\"},\"post_status\":{\"new_status\":\"Neuen Status veröffentlichen\",\"account_not_locked_warning\":\"Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.\",\"account_not_locked_warning_link\":\"gesperrt\",\"attachments_sensitive\":\"Anhänge als heikel markieren\",\"content_type\":{\"plain_text\":\"Nur Text\"},\"content_warning\":\"Betreff (optional)\",\"default\":\"Sitze gerade im Hofbräuhaus.\",\"direct_warning\":\"Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.\",\"posting\":\"Veröffentlichen\",\"scope\":{\"direct\":\"Direkt - Beitrag nur an erwähnte Profile\",\"private\":\"Nur Follower - Beitrag nur für Follower sichtbar\",\"public\":\"Öffentlich - Beitrag an öffentliche Zeitleisten\",\"unlisted\":\"Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Angezeigter Name\",\"password_confirm\":\"Passwort bestätigen\",\"registration\":\"Registrierung\",\"token\":\"Einladungsschlüssel\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Zum Erstellen eines neuen Captcha auf das Bild klicken.\",\"validations\":{\"username_required\":\"darf nicht leer sein\",\"fullname_required\":\"darf nicht leer sein\",\"email_required\":\"darf nicht leer sein\",\"password_required\":\"darf nicht leer sein\",\"password_confirmation_required\":\"darf nicht leer sein\",\"password_confirmation_match\":\"sollte mit dem Passwort identisch sein.\"}},\"settings\":{\"attachmentRadius\":\"Anhänge\",\"attachments\":\"Anhänge\",\"autoload\":\"Aktiviere automatisches Laden von älteren Beiträgen beim scrollen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatare (Benachrichtigungen)\",\"avatarRadius\":\"Avatare\",\"background\":\"Hintergrund\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blau (Antworten, Folgt dir)\",\"cGreen\":\"Grün (Retweet)\",\"cOrange\":\"Orange (Favorisieren)\",\"cRed\":\"Rot (Abbrechen)\",\"change_password\":\"Passwort ändern\",\"change_password_error\":\"Es gab ein Problem bei der Änderung des Passworts.\",\"changed_password\":\"Passwort erfolgreich geändert!\",\"collapse_subject\":\"Beiträge mit Betreff einklappen\",\"composing\":\"Verfassen\",\"confirm_new_password\":\"Neues Passwort bestätigen\",\"current_avatar\":\"Dein derzeitiger Avatar\",\"current_password\":\"Aktuelles Passwort\",\"current_profile_banner\":\"Der derzeitige Banner deines Profils\",\"data_import_export_tab\":\"Datenimport/-export\",\"default_vis\":\"Standard-Sichtbarkeitsumfang\",\"delete_account\":\"Account löschen\",\"delete_account_description\":\"Lösche deinen Account und alle deine Nachrichten unwiderruflich.\",\"delete_account_error\":\"Es ist ein Fehler beim Löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.\",\"delete_account_instructions\":\"Tippe dein Passwort unten in das Feld ein, um die Löschung deines Accounts zu bestätigen.\",\"export_theme\":\"Farbschema speichern\",\"filtering\":\"Filtern\",\"filtering_explanation\":\"Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.\",\"follow_export\":\"Follower exportieren\",\"follow_export_button\":\"Exportiere deine Follows in eine csv-Datei\",\"follow_export_processing\":\"In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.\",\"follow_import\":\"Followers importieren\",\"follow_import_error\":\"Fehler beim importieren der Follower\",\"follows_imported\":\"Followers importiert! Die Bearbeitung kann eine Zeit lang dauern.\",\"foreground\":\"Vordergrund\",\"general\":\"Allgemein\",\"hide_attachments_in_convo\":\"Anhänge in Unterhaltungen ausblenden\",\"hide_attachments_in_tl\":\"Anhänge in der Zeitleiste ausblenden\",\"hide_isp\":\"Instanz-spezifisches Panel ausblenden\",\"preload_images\":\"Bilder vorausladen\",\"hide_post_stats\":\"Beitragsstatistiken verbergen (z.B. die Anzahl der Favoriten)\",\"hide_user_stats\":\"Benutzerstatistiken verbergen (z.B. die Anzahl der Follower)\",\"import_followers_from_a_csv_file\":\"Importiere Follower, denen du folgen möchtest, aus einer CSV-Datei\",\"import_theme\":\"Farbschema laden\",\"inputRadius\":\"Eingabefelder\",\"checkboxRadius\":\"Auswahlfelder\",\"instance_default\":\"(Standard: {value})\",\"instance_default_simple\":\"(Standard)\",\"interface\":\"Oberfläche\",\"interfaceLanguage\":\"Sprache der Oberfläche\",\"invalid_theme_imported\":\"Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.\",\"limited_availability\":\"In deinem Browser nicht verfügbar\",\"links\":\"Links\",\"lock_account_description\":\"Sperre deinen Account, um neue Follower zu genehmigen oder abzulehnen\",\"loop_video\":\"Videos wiederholen\",\"loop_video_silent_only\":\"Nur Videos ohne Ton wiederholen (z.B. Mastodons \\\"gifs\\\")\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"Neues Passwort\",\"notification_visibility\":\"Benachrichtigungstypen, die angezeigt werden sollen\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Favoriten\",\"notification_visibility_mentions\":\"Erwähnungen\",\"notification_visibility_repeats\":\"Wiederholungen\",\"no_rich_text_description\":\"Rich-Text Formatierungen von allen Beiträgen entfernen\",\"hide_followings_description\":\"Zeige nicht, wem ich folge\",\"hide_followers_description\":\"Zeige nicht, wer mir folgt\",\"nsfw_clickthrough\":\"Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Streaming pausieren, wenn das Tab nicht fokussiert ist\",\"presets\":\"Voreinstellungen\",\"profile_background\":\"Profilhintergrund\",\"profile_banner\":\"Profilbanner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Kantenrundung (in Pixel) der Oberfläche anpassen\",\"replies_in_timeline\":\"Antworten in der Zeitleiste\",\"reply_link_preview\":\"Antwortlink-Vorschau beim Überfahren mit der Maus aktivieren\",\"reply_visibility_all\":\"Alle Antworten zeigen\",\"reply_visibility_following\":\"Zeige nur Antworten an mich oder an Benutzer, denen ich folge\",\"reply_visibility_self\":\"Nur Antworten an mich anzeigen\",\"saving_err\":\"Fehler beim Speichern der Einstellungen\",\"saving_ok\":\"Einstellungen gespeichert\",\"security_tab\":\"Sicherheit\",\"scope_copy\":\"Reichweite beim Antworten übernehmen (Direktnachrichten werden immer kopiert)\",\"set_new_avatar\":\"Setze einen neuen Avatar\",\"set_new_profile_background\":\"Setze einen neuen Hintergrund für dein Profil\",\"set_new_profile_banner\":\"Setze einen neuen Banner für dein Profil\",\"settings\":\"Einstellungen\",\"subject_input_always_show\":\"Betreff-Feld immer anzeigen\",\"subject_line_behavior\":\"Betreff beim Antworten kopieren\",\"subject_line_email\":\"Wie Email: \\\"re: Betreff\\\"\",\"subject_line_mastodon\":\"Wie Mastodon: unverändert kopieren\",\"subject_line_noop\":\"Nicht kopieren\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Aktiviere automatisches Laden (Streaming) von neuen Beiträgen\",\"text\":\"Text\",\"theme\":\"Farbschema\",\"theme_help\":\"Benutze HTML-Farbcodes (#rrggbb) um dein Farbschema anzupassen\",\"theme_help_v2_1\":\"Du kannst auch die Farben und die Deckkraft bestimmter Komponenten überschreiben, indem du das Kontrollkästchen umschaltest. Verwende die Schaltfläche \\\"Alle löschen\\\", um alle Überschreibungen zurückzusetzen.\",\"theme_help_v2_2\":\"Unter einigen Einträgen befinden sich Symbole für Hintergrund-/Textkontrastindikatoren, für detaillierte Informationen fahre mit der Maus darüber. Bitte beachte, dass bei der Verwendung von Transparenz Kontrastindikatoren den schlechtest möglichen Fall darstellen.\",\"tooltipRadius\":\"Tooltips/Warnungen\",\"user_settings\":\"Benutzereinstellungen\",\"values\":{\"false\":\"nein\",\"true\":\"Ja\"},\"notifications\":\"Benachrichtigungen\",\"enable_web_push_notifications\":\"Web-Pushbenachrichtigungen aktivieren\",\"style\":{\"switcher\":{\"keep_color\":\"Farben beibehalten\",\"keep_shadows\":\"Schatten beibehalten\",\"keep_opacity\":\"Deckkraft beibehalten\",\"keep_roundness\":\"Abrundungen beibehalten\",\"keep_fonts\":\"Schriften beibehalten\",\"save_load_hint\":\"Die \\\"Beibehalten\\\"-Optionen behalten die aktuell eingestellten Optionen beim Auswählen oder Laden von Designs bei, sie speichern diese Optionen auch beim Exportieren eines Designs. Wenn alle Kontrollkästchen deaktiviert sind, wird beim Exportieren des Designs alles gespeichert.\",\"reset\":\"Zurücksetzen\",\"clear_all\":\"Alles leeren\",\"clear_opacity\":\"Deckkraft leeren\"},\"common\":{\"color\":\"Farbe\",\"opacity\":\"Deckkraft\",\"contrast\":{\"hint\":\"Das Kontrastverhältnis ist {ratio}, es {level} {context}\",\"level\":{\"aa\":\"entspricht Level AA Richtlinie (minimum)\",\"aaa\":\"entspricht Level AAA Richtlinie (empfohlen)\",\"bad\":\"entspricht keiner Richtlinien zur Barrierefreiheit\"},\"context\":{\"18pt\":\"für großen (18pt+) Text\",\"text\":\"für Text\"}}},\"common_colors\":{\"_tab_label\":\"Allgemein\",\"main\":\"Allgemeine Farben\",\"foreground_hint\":\"Siehe Reiter \\\"Erweitert\\\" für eine detailliertere Einstellungen\",\"rgbo\":\"Symbole, Betonungen, Kennzeichnungen\"},\"advanced_colors\":{\"_tab_label\":\"Erweitert\",\"alert\":\"Warnhinweis-Hintergrund\",\"alert_error\":\"Fehler\",\"badge\":\"Kennzeichnungs-Hintergrund\",\"badge_notification\":\"Benachrichtigung\",\"panel_header\":\"Panel-Kopf\",\"top_bar\":\"Obere Leiste\",\"borders\":\"Rahmen\",\"buttons\":\"Schaltflächen\",\"inputs\":\"Eingabefelder\",\"faint_text\":\"Verblasster Text\"},\"radii\":{\"_tab_label\":\"Abrundungen\"},\"shadows\":{\"_tab_label\":\"Schatten und Beleuchtung\",\"component\":\"Komponente\",\"override\":\"Überschreiben\",\"shadow_id\":\"Schatten #{value}\",\"blur\":\"Unschärfe\",\"spread\":\"Streuung\",\"inset\":\"Einsatz\",\"hint\":\"Für Schatten kannst du auch --variable als Farbwert verwenden, um CSS3-Variablen zu verwenden. Bitte beachte, dass die Einstellung der Deckkraft in diesem Fall nicht funktioniert.\",\"filter_hint\":{\"always_drop_shadow\":\"Achtung, dieser Schatten verwendet immer {0}, wenn der Browser dies unterstützt.\",\"drop_shadow_syntax\":\"{0} unterstützt Parameter {1} und Schlüsselwort {2} nicht.\",\"avatar_inset\":\"Bitte beachte, dass die Kombination von eingesetzten und nicht eingesetzten Schatten auf Avataren zu unerwarteten Ergebnissen bei transparenten Avataren führen kann.\",\"spread_zero\":\"Schatten mit einer Streuung > 0 erscheinen so, als ob sie auf Null gesetzt wären.\",\"inset_classic\":\"Eingesetzte Schatten werden mit {0} verwendet\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel-Kopf\",\"topBar\":\"Obere Leiste\",\"avatar\":\"Benutzer-Avatar (in der Profilansicht)\",\"avatarStatus\":\"Benutzer-Avatar (in der Beitragsanzeige)\",\"popup\":\"Dialogfenster und Hinweistexte\",\"button\":\"Schaltfläche\",\"buttonHover\":\"Schaltfläche (hover)\",\"buttonPressed\":\"Schaltfläche (gedrückt)\",\"buttonPressedHover\":\"Schaltfläche (gedrückt+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Schriften\",\"help\":\"Wähl die Schriftart, die für Elemente der Benutzeroberfläche verwendet werden soll. Für \\\" Benutzerdefiniert\\\" musst du den genauen Schriftnamen eingeben, wie er im System angezeigt wird.\",\"components\":{\"interface\":\"Oberfläche\",\"input\":\"Eingabefelder\",\"post\":\"Beitragstext\",\"postCode\":\"Dicktengleicher Text in einem Beitrag (Rich-Text)\"},\"family\":\"Schriftname\",\"size\":\"Größe (in px)\",\"weight\":\"Gewicht (Dicke)\",\"custom\":\"Benutzerdefiniert\"},\"preview\":{\"header\":\"Vorschau\",\"content\":\"Inhalt\",\"error\":\"Beispielfehler\",\"button\":\"Schaltfläche\",\"text\":\"Ein Haufen mehr von {0} und {1}\",\"mono\":\"Inhalt\",\"input\":\"Sitze gerade im Hofbräuhaus.\",\"faint_link\":\"Hilfreiche Anleitung\",\"fine_print\":\"Lies unser {0}, um nichts Nützliches zu lernen!\",\"header_faint\":\"Das ist in Ordnung\",\"checkbox\":\"Ich habe die Allgemeinen Geschäftsbedingungen überflogen\",\"link\":\"ein netter kleiner Link\"}}},\"timeline\":{\"collapse\":\"Einklappen\",\"conversation\":\"Unterhaltung\",\"error_fetching\":\"Fehler beim Laden\",\"load_older\":\"Lade ältere Beiträge\",\"no_retweet_hint\":\"Der Beitrag ist als nur-für-Follower oder als Direktnachricht markiert und kann nicht wiederholt werden.\",\"repeated\":\"wiederholte\",\"show_new\":\"Zeige Neuere\",\"up_to_date\":\"Aktuell\"},\"user_card\":{\"approve\":\"Genehmigen\",\"block\":\"Blockieren\",\"blocked\":\"Blockiert!\",\"deny\":\"Ablehnen\",\"follow\":\"Folgen\",\"follow_sent\":\"Anfrage gesendet!\",\"follow_progress\":\"Anfragen…\",\"follow_again\":\"Anfrage erneut senden?\",\"follow_unfollow\":\"Folgen beenden\",\"followees\":\"Folgt\",\"followers\":\"Followers\",\"following\":\"Folgst du!\",\"follows_you\":\"Folgt dir!\",\"its_you\":\"Das bist du!\",\"mute\":\"Stummschalten\",\"muted\":\"Stummgeschaltet\",\"per_day\":\"pro Tag\",\"remote_follow\":\"Folgen\",\"statuses\":\"Beiträge\"},\"user_profile\":{\"timeline_title\":\"Beiträge\"},\"who_to_follow\":{\"more\":\"Mehr\",\"who_to_follow\":\"Wem soll ich folgen\"},\"tool_tip\":{\"media_upload\":\"Medien hochladen\",\"repeat\":\"Wiederholen\",\"reply\":\"Antworten\",\"favorite\":\"Favorisieren\",\"user_settings\":\"Benutzereinstellungen\"},\"upload\":{\"error\":{\"base\":\"Hochladen fehlgeschlagen.\",\"file_too_big\":\"Datei ist zu groß [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Bitte versuche es später erneut\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 395 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Scope options\",\"text_limit\":\"Text limit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Error fetching user\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Apply\",\"submit\":\"Submit\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in with OAuth\",\"logout\":\"Log out\",\"password\":\"Password\",\"placeholder\":\"e.g. lain\",\"register\":\"Register\",\"username\":\"Username\"},\"nav\":{\"about\":\"About\",\"back\":\"Back\",\"chat\":\"Local Chat\",\"friend_requests\":\"Follow Requests\",\"mentions\":\"Mentions\",\"dms\":\"Direct Messages\",\"public_tl\":\"Public Timeline\",\"timeline\":\"Timeline\",\"twkn\":\"The Whole Known Network\",\"user_search\":\"User Search\",\"who_to_follow\":\"Who to follow\",\"preferences\":\"Preferences\"},\"notifications\":{\"broken_favorite\":\"Unknown status, searching for it...\",\"favorited_you\":\"favorited your status\",\"followed_you\":\"followed you\",\"load_older\":\"Load older notifications\",\"notifications\":\"Notifications\",\"read\":\"Read!\",\"repeated_you\":\"repeated your status\",\"no_more_notifications\":\"No more notifications\"},\"post_status\":{\"new_status\":\"Post new status\",\"account_not_locked_warning\":\"Your account is not {0}. Anyone can follow you to view your follower-only posts.\",\"account_not_locked_warning_link\":\"locked\",\"attachments_sensitive\":\"Mark attachments as sensitive\",\"content_type\":{\"plain_text\":\"Plain text\"},\"content_warning\":\"Subject (optional)\",\"default\":\"Just landed in L.A.\",\"direct_warning\":\"This post will only be visible to all the mentioned users.\",\"posting\":\"Posting\",\"scope\":{\"direct\":\"Direct - Post to mentioned users only\",\"private\":\"Followers-only - Post to followers only\",\"public\":\"Public - Post to public timelines\",\"unlisted\":\"Unlisted - Do not post to public timelines\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Display name\",\"password_confirm\":\"Password confirmation\",\"registration\":\"Registration\",\"token\":\"Invite token\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Click the image to get a new captcha\",\"validations\":{\"username_required\":\"cannot be left blank\",\"fullname_required\":\"cannot be left blank\",\"email_required\":\"cannot be left blank\",\"password_required\":\"cannot be left blank\",\"password_confirmation_required\":\"cannot be left blank\",\"password_confirmation_match\":\"should be the same as password\"}},\"settings\":{\"attachmentRadius\":\"Attachments\",\"attachments\":\"Attachments\",\"autoload\":\"Enable automatic loading when scrolled to the bottom\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Background\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blue (Reply, follow)\",\"cGreen\":\"Green (Retweet)\",\"cOrange\":\"Orange (Favorite)\",\"cRed\":\"Red (Cancel)\",\"change_password\":\"Change Password\",\"change_password_error\":\"There was an issue changing your password.\",\"changed_password\":\"Password changed successfully!\",\"collapse_subject\":\"Collapse posts with subjects\",\"composing\":\"Composing\",\"confirm_new_password\":\"Confirm new password\",\"current_avatar\":\"Your current avatar\",\"current_password\":\"Current password\",\"current_profile_banner\":\"Your current profile banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Default visibility scope\",\"delete_account\":\"Delete Account\",\"delete_account_description\":\"Permanently delete your account and all your messages.\",\"delete_account_error\":\"There was an issue deleting your account. If this persists please contact your instance administrator.\",\"delete_account_instructions\":\"Type your password in the input below to confirm account deletion.\",\"export_theme\":\"Save preset\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"All statuses containing these words will be muted, one per line\",\"follow_export\":\"Follow export\",\"follow_export_button\":\"Export your follows to a csv file\",\"follow_export_processing\":\"Processing, you'll soon be asked to download your file\",\"follow_import\":\"Follow import\",\"follow_import_error\":\"Error importing followers\",\"follows_imported\":\"Follows imported! Processing them will take a while.\",\"foreground\":\"Foreground\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Hide attachments in conversations\",\"hide_attachments_in_tl\":\"Hide attachments in timeline\",\"hide_isp\":\"Hide instance-specific panel\",\"preload_images\":\"Preload images\",\"use_one_click_nsfw\":\"Open NSFW attachments with just one click\",\"hide_post_stats\":\"Hide post statistics (e.g. the number of favorites)\",\"hide_user_stats\":\"Hide user statistics (e.g. the number of followers)\",\"import_followers_from_a_csv_file\":\"Import follows from a csv file\",\"import_theme\":\"Load preset\",\"inputRadius\":\"Input fields\",\"checkboxRadius\":\"Checkboxes\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface language\",\"invalid_theme_imported\":\"The selected file is not a supported Pleroma theme. No changes to your theme were made.\",\"limited_availability\":\"Unavailable in your browser\",\"links\":\"Links\",\"lock_account_description\":\"Restrict your account to approved followers only\",\"loop_video\":\"Loop videos\",\"loop_video_silent_only\":\"Loop only videos without sound (i.e. Mastodon's \\\"gifs\\\")\",\"play_videos_inline\":\"Play videos directly on timeline\",\"use_contain_fit\":\"Don't crop the attachment in thumbnails\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"New password\",\"notification_visibility\":\"Types of notifications to show\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Mentions\",\"notification_visibility_repeats\":\"Repeats\",\"no_rich_text_description\":\"Strip rich text formatting from all posts\",\"hide_followings_description\":\"Don't show who I'm following\",\"hide_followers_description\":\"Don't show who's following me\",\"nsfw_clickthrough\":\"Enable clickthrough NSFW attachment hiding\",\"panelRadius\":\"Panels\",\"pause_on_unfocused\":\"Pause streaming when tab is not focused\",\"presets\":\"Presets\",\"profile_background\":\"Profile Background\",\"profile_banner\":\"Profile Banner\",\"profile_tab\":\"Profile\",\"radii_help\":\"Set up interface edge rounding (in pixels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Enable reply-link preview on mouse hover\",\"reply_visibility_all\":\"Show all replies\",\"reply_visibility_following\":\"Only show replies directed at me or users I'm following\",\"reply_visibility_self\":\"Only show replies directed at me\",\"saving_err\":\"Error saving settings\",\"saving_ok\":\"Settings saved\",\"security_tab\":\"Security\",\"scope_copy\":\"Copy scope when replying (DMs are always copied)\",\"set_new_avatar\":\"Set new avatar\",\"set_new_profile_background\":\"Set new profile background\",\"set_new_profile_banner\":\"Set new profile banner\",\"settings\":\"Settings\",\"subject_input_always_show\":\"Always show subject field\",\"subject_line_behavior\":\"Copy subject when replying\",\"subject_line_email\":\"Like email: \\\"re: subject\\\"\",\"subject_line_mastodon\":\"Like mastodon: copy as is\",\"subject_line_noop\":\"Do not copy\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Enable automatic streaming of new posts when scrolled to the top\",\"text\":\"Text\",\"theme\":\"Theme\",\"theme_help\":\"Use hex color codes (#rrggbb) to customize your color theme.\",\"theme_help_v2_1\":\"You can also override certain component's colors and opacity by toggling the checkbox, use \\\"Clear all\\\" button to clear all overrides.\",\"theme_help_v2_2\":\"Icons underneath some entries are background/text contrast indicators, hover over for detailed info. Please keep in mind that when using transparency contrast indicators show the worst possible case.\",\"tooltipRadius\":\"Tooltips/alerts\",\"user_settings\":\"User Settings\",\"values\":{\"false\":\"no\",\"true\":\"yes\"},\"notifications\":\"Notifications\",\"enable_web_push_notifications\":\"Enable web push notifications\",\"style\":{\"switcher\":{\"keep_color\":\"Keep colors\",\"keep_shadows\":\"Keep shadows\",\"keep_opacity\":\"Keep opacity\",\"keep_roundness\":\"Keep roundness\",\"keep_fonts\":\"Keep fonts\",\"save_load_hint\":\"\\\"Keep\\\" options preserve currently set options when selecting or loading themes, it also stores said options when exporting a theme. When all checkboxes unset, exporting theme will save everything.\",\"reset\":\"Reset\",\"clear_all\":\"Clear all\",\"clear_opacity\":\"Clear opacity\"},\"common\":{\"color\":\"Color\",\"opacity\":\"Opacity\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, it {level} {context}\",\"level\":{\"aa\":\"meets Level AA guideline (minimal)\",\"aaa\":\"meets Level AAA guideline (recommended)\",\"bad\":\"doesn't meet any accessibility guidelines\"},\"context\":{\"18pt\":\"for large (18pt+) text\",\"text\":\"for text\"}}},\"common_colors\":{\"_tab_label\":\"Common\",\"main\":\"Common colors\",\"foreground_hint\":\"See \\\"Advanced\\\" tab for more detailed control\",\"rgbo\":\"Icons, accents, badges\"},\"advanced_colors\":{\"_tab_label\":\"Advanced\",\"alert\":\"Alert background\",\"alert_error\":\"Error\",\"badge\":\"Badge background\",\"badge_notification\":\"Notification\",\"panel_header\":\"Panel header\",\"top_bar\":\"Top bar\",\"borders\":\"Borders\",\"buttons\":\"Buttons\",\"inputs\":\"Input fields\",\"faint_text\":\"Faded text\"},\"radii\":{\"_tab_label\":\"Roundness\"},\"shadows\":{\"_tab_label\":\"Shadow and lighting\",\"component\":\"Component\",\"override\":\"Override\",\"shadow_id\":\"Shadow #{value}\",\"blur\":\"Blur\",\"spread\":\"Spread\",\"inset\":\"Inset\",\"hint\":\"For shadows you can also use --variable as a color value to use CSS3 variables. Please note that setting opacity won't work in this case.\",\"filter_hint\":{\"always_drop_shadow\":\"Warning, this shadow always uses {0} when browser supports it.\",\"drop_shadow_syntax\":\"{0} does not support {1} parameter and {2} keyword.\",\"avatar_inset\":\"Please note that combining both inset and non-inset shadows on avatars might give unexpected results with transparent avatars.\",\"spread_zero\":\"Shadows with spread > 0 will appear as if it was set to zero\",\"inset_classic\":\"Inset shadows will be using {0}\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel header\",\"topBar\":\"Top bar\",\"avatar\":\"User avatar (in profile view)\",\"avatarStatus\":\"User avatar (in post display)\",\"popup\":\"Popups and tooltips\",\"button\":\"Button\",\"buttonHover\":\"Button (hover)\",\"buttonPressed\":\"Button (pressed)\",\"buttonPressedHover\":\"Button (pressed+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Fonts\",\"help\":\"Select font to use for elements of UI. For \\\"custom\\\" you have to enter exact font name as it appears in system.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Input fields\",\"post\":\"Post text\",\"postCode\":\"Monospaced text in a post (rich text)\"},\"family\":\"Font name\",\"size\":\"Size (in px)\",\"weight\":\"Weight (boldness)\",\"custom\":\"Custom\"},\"preview\":{\"header\":\"Preview\",\"content\":\"Content\",\"error\":\"Example error\",\"button\":\"Button\",\"text\":\"A bunch of more {0} and {1}\",\"mono\":\"content\",\"input\":\"Just landed in L.A.\",\"faint_link\":\"helpful manual\",\"fine_print\":\"Read our {0} to learn nothing useful!\",\"header_faint\":\"This is fine\",\"checkbox\":\"I have skimmed over terms and conditions\",\"link\":\"a nice lil' link\"}}},\"timeline\":{\"collapse\":\"Collapse\",\"conversation\":\"Conversation\",\"error_fetching\":\"Error fetching updates\",\"load_older\":\"Load older statuses\",\"no_retweet_hint\":\"Post is marked as followers-only or direct and cannot be repeated\",\"repeated\":\"repeated\",\"show_new\":\"Show new\",\"up_to_date\":\"Up-to-date\",\"no_more_statuses\":\"No more statuses\"},\"user_card\":{\"approve\":\"Approve\",\"block\":\"Block\",\"blocked\":\"Blocked!\",\"deny\":\"Deny\",\"favorites\":\"Favorites\",\"follow\":\"Follow\",\"follow_sent\":\"Request sent!\",\"follow_progress\":\"Requesting…\",\"follow_again\":\"Send request again?\",\"follow_unfollow\":\"Stop following\",\"followees\":\"Following\",\"followers\":\"Followers\",\"following\":\"Following!\",\"follows_you\":\"Follows you!\",\"its_you\":\"It's you!\",\"media\":\"Media\",\"mute\":\"Mute\",\"muted\":\"Muted\",\"per_day\":\"per day\",\"remote_follow\":\"Remote follow\",\"statuses\":\"Statuses\"},\"user_profile\":{\"timeline_title\":\"User Timeline\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"Who to follow\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Repeat\",\"reply\":\"Reply\",\"favorite\":\"Favorite\",\"user_settings\":\"User Settings\"},\"upload\":{\"error\":{\"base\":\"Upload failed.\",\"file_too_big\":\"File too big [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Try again later\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 396 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Babilejo\"},\"finder\":{\"error_fetching_user\":\"Eraro alportante uzanton\",\"find_user\":\"Trovi uzanton\"},\"general\":{\"apply\":\"Apliki\",\"submit\":\"Sendi\"},\"login\":{\"login\":\"Ensaluti\",\"logout\":\"Elsaluti\",\"password\":\"Pasvorto\",\"placeholder\":\"ekz. lain\",\"register\":\"Registriĝi\",\"username\":\"Salutnomo\"},\"nav\":{\"chat\":\"Loka babilejo\",\"mentions\":\"Mencioj\",\"public_tl\":\"Publika tempolinio\",\"timeline\":\"Tempolinio\",\"twkn\":\"La tuta konata reto\"},\"notifications\":{\"favorited_you\":\"ŝatis vian staton\",\"followed_you\":\"ekabonis vin\",\"notifications\":\"Sciigoj\",\"read\":\"Legite!\",\"repeated_you\":\"ripetis vian staton\"},\"post_status\":{\"default\":\"Ĵus alvenis al la Universala Kongreso!\",\"posting\":\"Afiŝante\"},\"registration\":{\"bio\":\"Priskribo\",\"email\":\"Retpoŝtadreso\",\"fullname\":\"Vidiga nomo\",\"password_confirm\":\"Konfirmo de pasvorto\",\"registration\":\"Registriĝo\"},\"settings\":{\"attachmentRadius\":\"Kunsendaĵoj\",\"attachments\":\"Kunsendaĵoj\",\"autoload\":\"Ŝalti memfaran ŝarĝadon ĉe subo de paĝo\",\"avatar\":\"Profilbildo\",\"avatarAltRadius\":\"Profilbildoj (sciigoj)\",\"avatarRadius\":\"Profilbildoj\",\"background\":\"Fono\",\"bio\":\"Priskribo\",\"btnRadius\":\"Butonoj\",\"cBlue\":\"Blua (Respondo, abono)\",\"cGreen\":\"Verda (Kunhavigo)\",\"cOrange\":\"Oranĝa (Ŝato)\",\"cRed\":\"Ruĝa (Nuligo)\",\"current_avatar\":\"Via nuna profilbildo\",\"current_profile_banner\":\"Via nuna profila rubando\",\"filtering\":\"Filtrado\",\"filtering_explanation\":\"Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie\",\"follow_import\":\"Abona enporto\",\"follow_import_error\":\"Eraro enportante abonojn\",\"follows_imported\":\"Abonoj enportiĝis! Traktado daŭros iom.\",\"foreground\":\"Malfono\",\"hide_attachments_in_convo\":\"Kaŝi kunsendaĵojn en interparoloj\",\"hide_attachments_in_tl\":\"Kaŝi kunsendaĵojn en tempolinio\",\"import_followers_from_a_csv_file\":\"Enporti abonojn el CSV-dosiero\",\"links\":\"Ligiloj\",\"name\":\"Nomo\",\"name_bio\":\"Nomo kaj priskribo\",\"nsfw_clickthrough\":\"Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj\",\"panelRadius\":\"Paneloj\",\"presets\":\"Antaŭagordoj\",\"profile_background\":\"Profila fono\",\"profile_banner\":\"Profila rubando\",\"radii_help\":\"Agordi fasadan rondigon de randoj (rastrumere)\",\"reply_link_preview\":\"Ŝalti respond-ligilan antaŭvidon dum ŝvebo\",\"set_new_avatar\":\"Agordi novan profilbildon\",\"set_new_profile_background\":\"Agordi novan profilan fonon\",\"set_new_profile_banner\":\"Agordi novan profilan rubandon\",\"settings\":\"Agordoj\",\"stop_gifs\":\"Movi GIF-bildojn dum ŝvebo\",\"streaming\":\"Ŝalti memfaran fluigon de novaj afiŝoj ĉe la supro de la paĝo\",\"text\":\"Teksto\",\"theme\":\"Etoso\",\"theme_help\":\"Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran etoson.\",\"tooltipRadius\":\"Ŝpruchelpiloj/avertoj\",\"user_settings\":\"Uzantaj agordoj\"},\"timeline\":{\"collapse\":\"Maletendi\",\"conversation\":\"Interparolo\",\"error_fetching\":\"Eraro dum ĝisdatigo\",\"load_older\":\"Montri pli malnovajn statojn\",\"repeated\":\"ripetata\",\"show_new\":\"Montri novajn\",\"up_to_date\":\"Ĝisdata\"},\"user_card\":{\"block\":\"Bari\",\"blocked\":\"Barita!\",\"follow\":\"Aboni\",\"followees\":\"Abonatoj\",\"followers\":\"Abonantoj\",\"following\":\"Abonanta!\",\"follows_you\":\"Abonas vin!\",\"mute\":\"Silentigi\",\"muted\":\"Silentigitaj\",\"per_day\":\"tage\",\"remote_follow\":\"Fore aboni\",\"statuses\":\"Statoj\"},\"user_profile\":{\"timeline_title\":\"Uzanta tempolinio\"}}\n\n/***/ }),\n/* 397 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"finder\":{\"error_fetching_user\":\"Error al buscar usuario\",\"find_user\":\"Encontrar usuario\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\"},\"login\":{\"login\":\"Identificación\",\"logout\":\"Salir\",\"password\":\"Contraseña\",\"placeholder\":\"p.ej. lain\",\"register\":\"Registrar\",\"username\":\"Usuario\"},\"nav\":{\"chat\":\"Chat Local\",\"mentions\":\"Menciones\",\"public_tl\":\"Línea Temporal Pública\",\"timeline\":\"Línea Temporal\",\"twkn\":\"Toda La Red Conocida\"},\"notifications\":{\"followed_you\":\"empezó a seguirte\",\"notifications\":\"Notificaciones\",\"read\":\"¡Leído!\"},\"post_status\":{\"default\":\"Acabo de aterrizar en L.A.\",\"posting\":\"Publicando\"},\"registration\":{\"bio\":\"Biografía\",\"email\":\"Correo electrónico\",\"fullname\":\"Nombre a mostrar\",\"password_confirm\":\"Confirmación de contraseña\",\"registration\":\"Registro\"},\"settings\":{\"attachments\":\"Adjuntos\",\"autoload\":\"Activar carga automática al llegar al final de la página\",\"avatar\":\"Avatar\",\"background\":\"Segundo plano\",\"bio\":\"Biografía\",\"current_avatar\":\"Tu avatar actual\",\"current_profile_banner\":\"Cabecera actual\",\"filtering\":\"Filtros\",\"filtering_explanation\":\"Todos los estados que contengan estas palabras serán silenciados, una por línea\",\"follow_import\":\"Importar personas que tú sigues\",\"follow_import_error\":\"Error al importal el archivo\",\"follows_imported\":\"¡Importado! Procesarlos llevará tiempo.\",\"foreground\":\"Primer plano\",\"hide_attachments_in_convo\":\"Ocultar adjuntos en las conversaciones\",\"hide_attachments_in_tl\":\"Ocultar adjuntos en la línea temporal\",\"import_followers_from_a_csv_file\":\"Importar personas que tú sigues apartir de un archivo csv\",\"links\":\"Links\",\"name\":\"Nombre\",\"name_bio\":\"Nombre y Biografía\",\"nsfw_clickthrough\":\"Activar el clic para ocultar los adjuntos NSFW\",\"presets\":\"Por defecto\",\"profile_background\":\"Fondo del Perfil\",\"profile_banner\":\"Cabecera del perfil\",\"reply_link_preview\":\"Activar la previsualización del enlace de responder al pasar el ratón por encima\",\"set_new_avatar\":\"Cambiar avatar\",\"set_new_profile_background\":\"Cambiar fondo del perfil\",\"set_new_profile_banner\":\"Cambiar cabecera\",\"settings\":\"Ajustes\",\"streaming\":\"Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.\",\"user_settings\":\"Ajustes de Usuario\"},\"timeline\":{\"conversation\":\"Conversación\",\"error_fetching\":\"Error al cargar las actualizaciones\",\"load_older\":\"Cargar actualizaciones anteriores\",\"show_new\":\"Mostrar lo nuevo\",\"up_to_date\":\"Actualizado\"},\"user_card\":{\"block\":\"Bloquear\",\"blocked\":\"¡Bloqueado!\",\"follow\":\"Seguir\",\"followees\":\"Siguiendo\",\"followers\":\"Seguidores\",\"following\":\"¡Siguiendo!\",\"follows_you\":\"¡Te sigue!\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por día\",\"remote_follow\":\"Seguir\",\"statuses\":\"Estados\"}}\n\n/***/ }),\n/* 398 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"finder\":{\"error_fetching_user\":\"Viga kasutaja leidmisel\",\"find_user\":\"Otsi kasutajaid\"},\"general\":{\"submit\":\"Postita\"},\"login\":{\"login\":\"Logi sisse\",\"logout\":\"Logi välja\",\"password\":\"Parool\",\"placeholder\":\"nt lain\",\"register\":\"Registreeru\",\"username\":\"Kasutajanimi\"},\"nav\":{\"mentions\":\"Mainimised\",\"public_tl\":\"Avalik Ajajoon\",\"timeline\":\"Ajajoon\",\"twkn\":\"Kogu Teadaolev Võrgustik\"},\"notifications\":{\"followed_you\":\"alustas sinu jälgimist\",\"notifications\":\"Teavitused\",\"read\":\"Loe!\"},\"post_status\":{\"default\":\"Just sõitsin elektrirongiga Tallinnast Pääskülla.\",\"posting\":\"Postitan\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"E-post\",\"fullname\":\"Kuvatav nimi\",\"password_confirm\":\"Parooli kinnitamine\",\"registration\":\"Registreerimine\"},\"settings\":{\"attachments\":\"Manused\",\"autoload\":\"Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud\",\"avatar\":\"Profiilipilt\",\"bio\":\"Bio\",\"current_avatar\":\"Sinu praegune profiilipilt\",\"current_profile_banner\":\"Praegune profiilibänner\",\"filtering\":\"Sisu filtreerimine\",\"filtering_explanation\":\"Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.\",\"hide_attachments_in_convo\":\"Peida manused vastlustes\",\"hide_attachments_in_tl\":\"Peida manused ajajoonel\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja Bio\",\"nsfw_clickthrough\":\"Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha\",\"profile_background\":\"Profiilitaust\",\"profile_banner\":\"Profiilibänner\",\"reply_link_preview\":\"Luba algpostituse kuvamine vastustes\",\"set_new_avatar\":\"Vali uus profiilipilt\",\"set_new_profile_background\":\"Vali uus profiilitaust\",\"set_new_profile_banner\":\"Vali uus profiilibänner\",\"settings\":\"Sätted\",\"theme\":\"Teema\",\"user_settings\":\"Kasutaja sätted\"},\"timeline\":{\"conversation\":\"Vestlus\",\"error_fetching\":\"Viga uuenduste laadimisel\",\"load_older\":\"Kuva vanemaid staatuseid\",\"show_new\":\"Näita uusi\",\"up_to_date\":\"Uuendatud\"},\"user_card\":{\"block\":\"Blokeeri\",\"blocked\":\"Blokeeritud!\",\"follow\":\"Jälgi\",\"followees\":\"Jälgitavaid\",\"followers\":\"Jälgijaid\",\"following\":\"Jälgin!\",\"follows_you\":\"Jälgib sind!\",\"mute\":\"Vaigista\",\"muted\":\"Vaigistatud\",\"per_day\":\"päevas\",\"statuses\":\"Staatuseid\"}}\n\n/***/ }),\n/* 399 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media-välityspalvelin\",\"scope_options\":\"Näkyvyyden rajaus\",\"text_limit\":\"Tekstin pituusraja\",\"title\":\"Ominaisuudet\",\"who_to_follow\":\"Seurausehdotukset\"},\"finder\":{\"error_fetching_user\":\"Virhe hakiessa käyttäjää\",\"find_user\":\"Hae käyttäjä\"},\"general\":{\"apply\":\"Aseta\",\"submit\":\"Lähetä\"},\"login\":{\"login\":\"Kirjaudu sisään\",\"description\":\"Kirjaudu sisään OAuthilla\",\"logout\":\"Kirjaudu ulos\",\"password\":\"Salasana\",\"placeholder\":\"esim. Seppo\",\"register\":\"Rekisteröidy\",\"username\":\"Käyttäjänimi\"},\"nav\":{\"about\":\"Tietoja\",\"back\":\"Takaisin\",\"chat\":\"Paikallinen Chat\",\"friend_requests\":\"Seurauspyynnöt\",\"mentions\":\"Maininnat\",\"dms\":\"Yksityisviestit\",\"public_tl\":\"Julkinen Aikajana\",\"timeline\":\"Aikajana\",\"twkn\":\"Koko Tunnettu Verkosto\",\"user_search\":\"Käyttäjähaku\",\"who_to_follow\":\"Seurausehdotukset\",\"preferences\":\"Asetukset\"},\"notifications\":{\"broken_favorite\":\"Viestiä ei löydetty...\",\"favorited_you\":\"tykkäsi viestistäsi\",\"followed_you\":\"seuraa sinua\",\"load_older\":\"Lataa vanhempia ilmoituksia\",\"notifications\":\"Ilmoitukset\",\"read\":\"Lue!\",\"repeated_you\":\"toisti viestisi\",\"no_more_notifications\":\"Ei enempää ilmoituksia\"},\"post_status\":{\"new_status\":\"Uusi viesti\",\"account_not_locked_warning\":\"Tilisi ei ole {0}. Kuka vain voi seurata sinua nähdäksesi 'vain-seuraajille' -viestisi\",\"account_not_locked_warning_link\":\"lukittu\",\"attachments_sensitive\":\"Merkkaa liitteet arkaluonteisiksi\",\"content_type\":{\"plain_text\":\"Tavallinen teksti\"},\"content_warning\":\"Aihe (valinnainen)\",\"default\":\"Tulin juuri saunasta.\",\"direct_warning\":\"Tämä viesti näkyy vain mainituille käyttäjille.\",\"posting\":\"Lähetetään\",\"scope\":{\"direct\":\"Yksityisviesti - Näkyy vain mainituille käyttäjille\",\"private\":\"Vain-seuraajille - Näkyy vain seuraajillesi\",\"public\":\"Julkinen - Näkyy julkisilla aikajanoilla\",\"unlisted\":\"Listaamaton - Ei näy julkisilla aikajanoilla\"}},\"registration\":{\"bio\":\"Kuvaus\",\"email\":\"Sähköposti\",\"fullname\":\"Koko nimi\",\"password_confirm\":\"Salasanan vahvistaminen\",\"registration\":\"Rekisteröityminen\",\"token\":\"Kutsuvaltuus\",\"captcha\":\"Varmenne\",\"new_captcha\":\"Paina kuvaa saadaksesi uuden varmenteen\",\"validations\":{\"username_required\":\"ei voi olla tyhjä\",\"fullname_required\":\"ei voi olla tyhjä\",\"email_required\":\"ei voi olla tyhjä\",\"password_required\":\"ei voi olla tyhjä\",\"password_confirmation_required\":\"ei voi olla tyhjä\",\"password_confirmation_match\":\"pitää vastata salasanaa\"}},\"settings\":{\"attachmentRadius\":\"Liitteet\",\"attachments\":\"Liitteet\",\"autoload\":\"Lataa vanhempia viestejä automaattisesti ruudun pohjalla\",\"avatar\":\"Profiilikuva\",\"avatarAltRadius\":\"Profiilikuvat (ilmoitukset)\",\"avatarRadius\":\"Profiilikuvat\",\"background\":\"Tausta\",\"bio\":\"Kuvaus\",\"btnRadius\":\"Napit\",\"cBlue\":\"Sininen (Vastaukset, seuraukset)\",\"cGreen\":\"Vihreä (Toistot)\",\"cOrange\":\"Oranssi (Tykkäykset)\",\"cRed\":\"Punainen (Peruminen)\",\"change_password\":\"Vaihda salasana\",\"change_password_error\":\"Virhe vaihtaessa salasanaa.\",\"changed_password\":\"Salasana vaihdettu!\",\"collapse_subject\":\"Minimoi viestit, joille on asetettu aihe\",\"composing\":\"Viestien laatiminen\",\"confirm_new_password\":\"Vahvista uusi salasana\",\"current_avatar\":\"Nykyinen profiilikuvasi\",\"current_password\":\"Nykyinen salasana\",\"current_profile_banner\":\"Nykyinen julisteesi\",\"data_import_export_tab\":\"Tietojen tuonti / vienti\",\"default_vis\":\"Oletusnäkyvyysrajaus\",\"delete_account\":\"Poista tili\",\"delete_account_description\":\"Poista tilisi ja viestisi pysyvästi.\",\"delete_account_error\":\"Virhe poistaessa tiliäsi. Jos virhe jatkuu, ota yhteyttä palvelimesi ylläpitoon.\",\"delete_account_instructions\":\"Syötä salasanasi vahvistaaksesi tilin poiston.\",\"export_theme\":\"Tallenna teema\",\"filtering\":\"Suodatus\",\"filtering_explanation\":\"Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.\",\"follow_export\":\"Seurausten vienti\",\"follow_export_button\":\"Vie seurauksesi CSV-tiedostoon\",\"follow_export_processing\":\"Käsitellään, sinua pyydetään lataamaan tiedosto hetken päästä\",\"follow_import\":\"Seurausten tuonti\",\"follow_import_error\":\"Virhe tuodessa seuraksia\",\"follows_imported\":\"Seuraukset tuotu! Niiden käsittely vie hetken.\",\"foreground\":\"Korostus\",\"general\":\"Yleinen\",\"hide_attachments_in_convo\":\"Piilota liitteet keskusteluissa\",\"hide_attachments_in_tl\":\"Piilota liitteet aikajanalla\",\"hide_isp\":\"Piilota palvelimenkohtainen ruutu\",\"preload_images\":\"Esilataa kuvat\",\"use_one_click_nsfw\":\"Avaa NSFW-liitteet yhdellä painalluksella\",\"hide_post_stats\":\"Piilota viestien statistiikka (esim. tykkäysten määrä)\",\"hide_user_stats\":\"Piilota käyttäjien statistiikka (esim. seuraajien määrä)\",\"import_followers_from_a_csv_file\":\"Tuo seuraukset CSV-tiedostosta\",\"import_theme\":\"Tuo tallennettu teema\",\"inputRadius\":\"Syöttökentät\",\"checkboxRadius\":\"Valintalaatikot\",\"instance_default\":\"(oletus: {value})\",\"instance_default_simple\":\"(oletus)\",\"interface\":\"Käyttöliittymä\",\"interfaceLanguage\":\"Käyttöliittymän kieli\",\"invalid_theme_imported\":\"Tuotu tallennettu teema on epäkelpo, muutoksia ei tehty nykyiseen teemaasi.\",\"limited_availability\":\"Ei saatavilla selaimessasi\",\"links\":\"Linkit\",\"lock_account_description\":\"Vain erikseen hyväksytyt käyttäjät voivat seurata tiliäsi\",\"loop_video\":\"Uudelleentoista videot\",\"loop_video_silent_only\":\"Uudelleentoista ainoastaan äänettömät videot (Video-\\\"giffit\\\")\",\"play_videos_inline\":\"Toista videot suoraan aikajanalla\",\"use_contain_fit\":\"Älä rajaa liitteitä esikatselussa\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja kuvaus\",\"new_password\":\"Uusi salasana\",\"notification_visibility\":\"Ilmoitusten näkyvyys\",\"notification_visibility_follows\":\"Seuraukset\",\"notification_visibility_likes\":\"Tykkäykset\",\"notification_visibility_mentions\":\"Maininnat\",\"notification_visibility_repeats\":\"Toistot\",\"no_rich_text_description\":\"Älä näytä tekstin muotoilua.\",\"hide_network_description\":\"Älä näytä seurauksiani tai seuraajiani\",\"nsfw_clickthrough\":\"Piilota NSFW liitteet klikkauksen taakse\",\"panelRadius\":\"Ruudut\",\"pause_on_unfocused\":\"Pysäytä automaattinen viestien näyttö välilehden ollessa pois fokuksesta\",\"presets\":\"Valmiit teemat\",\"profile_background\":\"Taustakuva\",\"profile_banner\":\"Juliste\",\"profile_tab\":\"Profiili\",\"radii_help\":\"Aseta reunojen pyöristys (pikseleinä)\",\"replies_in_timeline\":\"Keskustelut aikajanalla\",\"reply_link_preview\":\"Keskusteluiden vastauslinkkien esikatselu\",\"reply_visibility_all\":\"Näytä kaikki vastaukset\",\"reply_visibility_following\":\"Näytä vain vastaukset minulle tai seuraamilleni käyttäjille\",\"reply_visibility_self\":\"Näytä vain vastaukset minulle\",\"saving_err\":\"Virhe tallentaessa asetuksia\",\"saving_ok\":\"Asetukset tallennettu\",\"security_tab\":\"Tietoturva\",\"scope_copy\":\"Kopioi näkyvyysrajaus vastatessa (Yksityisviestit aina kopioivat)\",\"set_new_avatar\":\"Aseta uusi profiilikuva\",\"set_new_profile_background\":\"Aseta uusi taustakuva\",\"set_new_profile_banner\":\"Aseta uusi juliste\",\"settings\":\"Asetukset\",\"subject_input_always_show\":\"Näytä aihe-kenttä\",\"subject_line_behavior\":\"Aihe-kentän kopiointi\",\"subject_line_email\":\"Kuten sähköposti: \\\"re: aihe\\\"\",\"subject_line_mastodon\":\"Kopioi sellaisenaan\",\"subject_line_noop\":\"Älä kopioi\",\"stop_gifs\":\"Toista giffit vain kohdistaessa\",\"streaming\":\"Näytä uudet viestit automaattisesti ollessasi ruudun huipulla\",\"text\":\"Teksti\",\"theme\":\"Teema\",\"theme_help\":\"Käytä heksadesimaalivärejä muokataksesi väriteemaasi.\",\"theme_help_v2_1\":\"Voit asettaa tiettyjen osien värin tai läpinäkyvyyden täyttämällä valintalaatikon, käytä \\\"Tyhjennä kaikki\\\"-nappia tyhjentääksesi kaiken.\",\"theme_help_v2_2\":\"Ikonit kenttien alla ovat kontrasti-indikaattoreita, lisätietoa kohdistamalla. Käyttäessä läpinäkyvyyttä ne näyttävät pahimman skenaarion.\",\"tooltipRadius\":\"Ohje- tai huomioviestit\",\"user_settings\":\"Käyttäjän asetukset\",\"values\":{\"false\":\"pois päältä\",\"true\":\"päällä\"}},\"timeline\":{\"collapse\":\"Sulje\",\"conversation\":\"Keskustelu\",\"error_fetching\":\"Virhe ladatessa viestejä\",\"load_older\":\"Lataa vanhempia viestejä\",\"no_retweet_hint\":\"Viesti ei ole julkinen, eikä sitä voi toistaa\",\"repeated\":\"toisti\",\"show_new\":\"Näytä uudet\",\"up_to_date\":\"Ajantasalla\",\"no_more_statuses\":\"Ei enempää viestejä\"},\"user_card\":{\"approve\":\"Hyväksy\",\"block\":\"Estä\",\"blocked\":\"Estetty!\",\"deny\":\"Älä hyväksy\",\"follow\":\"Seuraa\",\"follow_sent\":\"Pyyntö lähetetty!\",\"follow_progress\":\"Pyydetään...\",\"follow_again\":\"Lähetä pyyntö uudestaan\",\"follow_unfollow\":\"Älä seuraa\",\"followees\":\"Seuraa\",\"followers\":\"Seuraajat\",\"following\":\"Seuraat!\",\"follows_you\":\"Seuraa sinua!\",\"its_you\":\"Sinun tili!\",\"mute\":\"Hiljennä\",\"muted\":\"Hiljennetty\",\"per_day\":\"päivässä\",\"remote_follow\":\"Seuraa muualta\",\"statuses\":\"Viestit\"},\"user_profile\":{\"timeline_title\":\"Käyttäjän aikajana\"},\"who_to_follow\":{\"more\":\"Lisää\",\"who_to_follow\":\"Seurausehdotukset\"},\"tool_tip\":{\"media_upload\":\"Lataa tiedosto\",\"repeat\":\"Toista\",\"reply\":\"Vastaa\",\"favorite\":\"Tykkää\",\"user_settings\":\"Käyttäjäasetukset\"},\"upload\":{\"error\":{\"base\":\"Lataus epäonnistui.\",\"file_too_big\":\"Tiedosto liian suuri [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Yritä uudestaan myöhemmin\"},\"file_size_units\":{\"B\":\"tavua\",\"KiB\":\"kt\",\"MiB\":\"Mt\",\"GiB\":\"Gt\",\"TiB\":\"Tt\"}}}\n\n/***/ }),\n/* 400 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy média\",\"scope_options\":\"Options de visibilité\",\"text_limit\":\"Limite du texte\",\"title\":\"Caractéristiques\",\"who_to_follow\":\"Qui s'abonner\"},\"finder\":{\"error_fetching_user\":\"Erreur lors de la recherche de l'utilisateur\",\"find_user\":\"Chercher un utilisateur\"},\"general\":{\"apply\":\"Appliquer\",\"submit\":\"Envoyer\"},\"login\":{\"login\":\"Connexion\",\"description\":\"Connexion avec OAuth\",\"logout\":\"Déconnexion\",\"password\":\"Mot de passe\",\"placeholder\":\"p.e. lain\",\"register\":\"S'inscrire\",\"username\":\"Identifiant\"},\"nav\":{\"chat\":\"Chat local\",\"friend_requests\":\"Demandes d'ami\",\"dms\":\"Messages adressés\",\"mentions\":\"Notifications\",\"public_tl\":\"Statuts locaux\",\"timeline\":\"Journal\",\"twkn\":\"Le réseau connu\"},\"notifications\":{\"broken_favorite\":\"Chargement d'un message inconnu ...\",\"favorited_you\":\"a aimé votre statut\",\"followed_you\":\"a commencé à vous suivre\",\"load_older\":\"Charger les notifications précédentes\",\"notifications\":\"Notifications\",\"read\":\"Lu !\",\"repeated_you\":\"a partagé votre statut\"},\"post_status\":{\"account_not_locked_warning\":\"Votre compte n'est pas {0}. N'importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.\",\"account_not_locked_warning_link\":\"verrouillé\",\"attachments_sensitive\":\"Marquer le média comme sensible\",\"content_type\":{\"plain_text\":\"Texte brut\"},\"content_warning\":\"Sujet (optionnel)\",\"default\":\"Écrivez ici votre prochain statut.\",\"direct_warning\":\"Ce message sera visible à toutes les personnes mentionnées.\",\"posting\":\"Envoi en cours\",\"scope\":{\"direct\":\"Direct - N'envoyer qu'aux personnes mentionnées\",\"private\":\"Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets\",\"public\":\"Publique - Afficher dans les fils publics\",\"unlisted\":\"Non-Listé - Ne pas afficher dans les fils publics\"}},\"registration\":{\"bio\":\"Biographie\",\"email\":\"Adresse email\",\"fullname\":\"Pseudonyme\",\"password_confirm\":\"Confirmation du mot de passe\",\"registration\":\"Inscription\",\"token\":\"Jeton d'invitation\"},\"settings\":{\"attachmentRadius\":\"Pièces jointes\",\"attachments\":\"Pièces jointes\",\"autoload\":\"Charger la suite automatiquement une fois le bas de la page atteint\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Arrière-plan\",\"bio\":\"Biographie\",\"btnRadius\":\"Boutons\",\"cBlue\":\"Bleu (Répondre, suivre)\",\"cGreen\":\"Vert (Partager)\",\"cOrange\":\"Orange (Aimer)\",\"cRed\":\"Rouge (Annuler)\",\"change_password\":\"Changez votre mot de passe\",\"change_password_error\":\"Il y a eu un problème pour changer votre mot de passe.\",\"changed_password\":\"Mot de passe modifié avec succès !\",\"collapse_subject\":\"Réduire les messages avec des sujets\",\"confirm_new_password\":\"Confirmation du nouveau mot de passe\",\"current_avatar\":\"Avatar actuel\",\"current_password\":\"Mot de passe actuel\",\"current_profile_banner\":\"Bannière de profil actuelle\",\"data_import_export_tab\":\"Import / Export des Données\",\"default_vis\":\"Portée de visibilité par défaut\",\"delete_account\":\"Supprimer le compte\",\"delete_account_description\":\"Supprimer définitivement votre compte et tous vos statuts.\",\"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.\",\"delete_account_instructions\":\"Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.\",\"export_theme\":\"Enregistrer le thème\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Tous les statuts contenant ces mots seront masqués. Un mot par ligne\",\"follow_export\":\"Exporter les abonnements\",\"follow_export_button\":\"Exporter les abonnements en csv\",\"follow_export_processing\":\"Exportation en cours…\",\"follow_import\":\"Importer des abonnements\",\"follow_import_error\":\"Erreur lors de l'importation des abonnements\",\"follows_imported\":\"Abonnements importés ! Le traitement peut prendre un moment.\",\"foreground\":\"Premier plan\",\"general\":\"Général\",\"hide_attachments_in_convo\":\"Masquer les pièces jointes dans les conversations\",\"hide_attachments_in_tl\":\"Masquer les pièces jointes dans le journal\",\"hide_post_stats\":\"Masquer les statistiques de publication (le nombre de favoris)\",\"hide_user_stats\":\"Masquer les statistiques de profil (le nombre d'amis)\",\"import_followers_from_a_csv_file\":\"Importer des abonnements depuis un fichier csv\",\"import_theme\":\"Charger le thème\",\"inputRadius\":\"Champs de texte\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interfaceLanguage\":\"Langue de l'interface\",\"invalid_theme_imported\":\"Le fichier sélectionné n'est pas un thème Pleroma pris en charge. Aucun changement n'a été apporté à votre thème.\",\"limited_availability\":\"Non disponible dans votre navigateur\",\"links\":\"Liens\",\"lock_account_description\":\"Limitez votre compte aux abonnés acceptés uniquement\",\"loop_video\":\"Vidéos en boucle\",\"loop_video_silent_only\":\"Boucle uniquement les vidéos sans le son (les «gifs» de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nouveau mot de passe\",\"no_rich_text_description\":\"Ne formatez pas le texte\",\"notification_visibility\":\"Types de notifications à afficher\",\"notification_visibility_follows\":\"Abonnements\",\"notification_visibility_likes\":\"J’aime\",\"notification_visibility_mentions\":\"Mentionnés\",\"notification_visibility_repeats\":\"Partages\",\"nsfw_clickthrough\":\"Masquer les images marquées comme contenu adulte ou sensible\",\"panelRadius\":\"Fenêtres\",\"pause_on_unfocused\":\"Suspendre le streaming lorsque l'onglet n'est pas centré\",\"presets\":\"Thèmes prédéfinis\",\"profile_background\":\"Image de fond\",\"profile_banner\":\"Bannière de profil\",\"profile_tab\":\"Profil\",\"radii_help\":\"Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)\",\"replies_in_timeline\":\"Réponses au journal\",\"reply_link_preview\":\"Afficher un aperçu lors du survol de liens vers une réponse\",\"reply_visibility_all\":\"Montrer toutes les réponses\",\"reply_visibility_following\":\"Afficher uniquement les réponses adressées à moi ou aux utilisateurs que je suis\",\"reply_visibility_self\":\"Afficher uniquement les réponses adressées à moi\",\"saving_err\":\"Erreur lors de l'enregistrement des paramètres\",\"saving_ok\":\"Paramètres enregistrés\",\"security_tab\":\"Sécurité\",\"set_new_avatar\":\"Changer d'avatar\",\"set_new_profile_background\":\"Changer d'image de fond\",\"set_new_profile_banner\":\"Changer de bannière\",\"settings\":\"Paramètres\",\"stop_gifs\":\"N'animer les GIFS que lors du survol du curseur de la souris\",\"streaming\":\"Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page\",\"text\":\"Texte\",\"theme\":\"Thème\",\"theme_help\":\"Spécifiez des codes couleur hexadécimaux (#rrvvbb) pour personnaliser les couleurs du thème.\",\"tooltipRadius\":\"Info-bulles/alertes\",\"user_settings\":\"Paramètres utilisateur\",\"values\":{\"false\":\"non\",\"true\":\"oui\"}},\"timeline\":{\"collapse\":\"Fermer\",\"conversation\":\"Conversation\",\"error_fetching\":\"Erreur en cherchant les mises à jour\",\"load_older\":\"Afficher plus\",\"no_retweet_hint\":\"Le message est marqué en abonnés-seulement ou direct et ne peut pas être répété\",\"repeated\":\"a partagé\",\"show_new\":\"Afficher plus\",\"up_to_date\":\"À jour\"},\"user_card\":{\"approve\":\"Accepter\",\"block\":\"Bloquer\",\"blocked\":\"Bloqué !\",\"deny\":\"Rejeter\",\"follow\":\"Suivre\",\"followees\":\"Suivis\",\"followers\":\"Vous suivent\",\"following\":\"Suivi !\",\"follows_you\":\"Vous suit !\",\"mute\":\"Masquer\",\"muted\":\"Masqué\",\"per_day\":\"par jour\",\"remote_follow\":\"Suivre d'une autre instance\",\"statuses\":\"Statuts\"},\"user_profile\":{\"timeline_title\":\"Journal de l'utilisateur\"},\"who_to_follow\":{\"more\":\"Plus\",\"who_to_follow\":\"Qui s'abonner\"}}\n\n/***/ }),\n/* 401 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Comhrá\"},\"features_panel\":{\"chat\":\"Comhrá\",\"gopher\":\"Gófar\",\"media_proxy\":\"Seachfhreastalaí meáin\",\"scope_options\":\"Rogha scóip\",\"text_limit\":\"Teorainn Téacs\",\"title\":\"Gnéithe\",\"who_to_follow\":\"Daoine le leanúint\"},\"finder\":{\"error_fetching_user\":\"Earráid a aimsiú d'úsáideoir\",\"find_user\":\"Aimsigh úsáideoir\"},\"general\":{\"apply\":\"Feidhmigh\",\"submit\":\"Deimhnigh\"},\"login\":{\"login\":\"Logáil isteach\",\"logout\":\"Logáil amach\",\"password\":\"Pasfhocal\",\"placeholder\":\"m.sh. Daire\",\"register\":\"Clárú\",\"username\":\"Ainm Úsáideora\"},\"nav\":{\"chat\":\"Comhrá Áitiúil\",\"friend_requests\":\"Iarratas ar Cairdeas\",\"mentions\":\"Tagairt\",\"public_tl\":\"Amlíne Poiblí\",\"timeline\":\"Amlíne\",\"twkn\":\"An Líonra Iomlán\"},\"notifications\":{\"broken_favorite\":\"Post anaithnid. Cuardach dó...\",\"favorited_you\":\"toghadh le do phost\",\"followed_you\":\"lean tú\",\"load_older\":\"Luchtaigh fógraí aosta\",\"notifications\":\"Fógraí\",\"read\":\"Léigh!\",\"repeated_you\":\"athphostáil tú\"},\"post_status\":{\"account_not_locked_warning\":\"Níl do chuntas {0}. Is féidir le duine ar bith a leanúint leat chun do phoist leantacha amháin a fheiceáil.\",\"account_not_locked_warning_link\":\"faoi glas\",\"attachments_sensitive\":\"Marcáil ceangaltán mar íogair\",\"content_type\":{\"plain_text\":\"Gnáth-théacs\"},\"content_warning\":\"Teideal (roghnach)\",\"default\":\"Lá iontach anseo i nGaillimh\",\"direct_warning\":\"Ní bheidh an post seo le feiceáil ach amháin do na húsáideoirí atá luaite.\",\"posting\":\"Post nua\",\"scope\":{\"direct\":\"Díreach - Post chuig úsáideoirí luaite amháin\",\"private\":\"Leanúna amháin - Post chuig lucht leanúna amháin\",\"public\":\"Poiblí - Post chuig amlínte poiblí\",\"unlisted\":\"Neamhliostaithe - Ná cuir post chuig amlínte poiblí\"}},\"registration\":{\"bio\":\"Scéal saoil\",\"email\":\"Ríomhphost\",\"fullname\":\"Ainm taispeána'\",\"password_confirm\":\"Deimhnigh do pasfhocal\",\"registration\":\"Clárú\",\"token\":\"Cód cuireadh\"},\"settings\":{\"attachmentRadius\":\"Ceangaltáin\",\"attachments\":\"Ceangaltáin\",\"autoload\":\"Cumasaigh luchtú uathoibríoch nuair a scrollaítear go bun\",\"avatar\":\"Phictúir phrófíle\",\"avatarAltRadius\":\"Phictúirí phrófíle (Fograí)\",\"avatarRadius\":\"Phictúirí phrófíle\",\"background\":\"Cúlra\",\"bio\":\"Scéal saoil\",\"btnRadius\":\"Cnaipí\",\"cBlue\":\"Gorm (Freagra, lean)\",\"cGreen\":\"Glas (Athphóstail)\",\"cOrange\":\"Oráiste (Cosúil)\",\"cRed\":\"Dearg (Cealaigh)\",\"change_password\":\"Athraigh do pasfhocal\",\"change_password_error\":\"Bhí fadhb ann ag athrú do pasfhocail\",\"changed_password\":\"Athraigh an pasfhocal go rathúil!\",\"collapse_subject\":\"Poist a chosc le teidil\",\"confirm_new_password\":\"Deimhnigh do pasfhocal nua\",\"current_avatar\":\"Phictúir phrófíle\",\"current_password\":\"Pasfhocal reatha\",\"current_profile_banner\":\"Phictúir ceanntáisc\",\"data_import_export_tab\":\"Iompórtáil / Easpórtáil Sonraí\",\"default_vis\":\"Scóip infheicthe réamhshocraithe\",\"delete_account\":\"Scrios cuntas\",\"delete_account_description\":\"Do chuntas agus do chuid teachtaireachtaí go léir a scriosadh go buan.\",\"delete_account_error\":\"Bhí fadhb ann a scriosadh do chuntas. Má leanann sé seo, téigh i dteagmháil le do riarthóir.\",\"delete_account_instructions\":\"Scríobh do phasfhocal san ionchur thíos chun deimhniú a scriosadh.\",\"export_theme\":\"Sábháil Téama\",\"filtering\":\"Scagadh\",\"filtering_explanation\":\"Beidh gach post ina bhfuil na focail seo i bhfolach, ceann in aghaidh an líne\",\"follow_export\":\"Easpórtáil do leanann\",\"follow_export_button\":\"Easpórtáil do leanann chuig comhad csv\",\"follow_export_processing\":\"Próiseáil. Iarrtar ort go luath an comhad a íoslódáil.\",\"follow_import\":\"Iompórtáil do leanann\",\"follow_import_error\":\"Earráid agus do leanann a iompórtáil\",\"follows_imported\":\"Do leanann iompórtáil! Tógfaidh an próiseas iad le tamall.\",\"foreground\":\"Tulra\",\"general\":\"Ginearálta\",\"hide_attachments_in_convo\":\"Folaigh ceangaltáin i comhráite\",\"hide_attachments_in_tl\":\"Folaigh ceangaltáin sa amlíne\",\"hide_post_stats\":\"Folaigh staitisticí na bpost (m.sh. líon na n-athrá)\",\"hide_user_stats\":\"Folaigh na staitisticí úsáideora (m.sh. líon na leantóiri)\",\"import_followers_from_a_csv_file\":\"Iompórtáil leanann ó chomhad csv\",\"import_theme\":\"Luchtaigh Téama\",\"inputRadius\":\"Limistéar iontrála\",\"instance_default\":\"(Réamhshocrú: {value})\",\"interfaceLanguage\":\"Teanga comhéadain\",\"invalid_theme_imported\":\"Ní téama bailí é an comhad dícheangailte. Níor rinneadh aon athruithe.\",\"limited_availability\":\"Níl sé ar fáil i do bhrabhsálaí\",\"links\":\"Naisc\",\"lock_account_description\":\"Srian a chur ar do chuntas le lucht leanúna ceadaithe amháin\",\"loop_video\":\"Lúb físeáin\",\"loop_video_silent_only\":\"Lúb físeáin amháin gan fuaim (i.e. Mastodon's \\\"gifs\\\")\",\"name\":\"Ainm\",\"name_bio\":\"Ainm ⁊ Scéal\",\"new_password\":\"Pasfhocal nua'\",\"notification_visibility\":\"Cineálacha fógraí a thaispeáint\",\"notification_visibility_follows\":\"Leana\",\"notification_visibility_likes\":\"Thaithin\",\"notification_visibility_mentions\":\"Tagairt\",\"notification_visibility_repeats\":\"Atphostáil\",\"no_rich_text_description\":\"Bain formáidiú téacs saibhir ó gach post\",\"nsfw_clickthrough\":\"Cumasaigh an ceangaltán NSFW cliceáil ar an gcnaipe\",\"panelRadius\":\"Painéil\",\"pause_on_unfocused\":\"Sruthú ar sos nuair a bhíonn an fócas caillte\",\"presets\":\"Réamhshocruithe\",\"profile_background\":\"Cúlra Próifíl\",\"profile_banner\":\"Phictúir Ceanntáisc\",\"profile_tab\":\"Próifíl\",\"radii_help\":\"Cruinniú imeall comhéadan a chumrú (i bpicteilíní)\",\"replies_in_timeline\":\"Freagraí sa amlíne\",\"reply_link_preview\":\"Cumasaigh réamhamharc nasc freagartha ar chlár na luiche\",\"reply_visibility_all\":\"Taispeáin gach freagra\",\"reply_visibility_following\":\"Taispeáin freagraí amháin atá dírithe ar mise nó ar úsáideoirí atá mé ag leanúint\",\"reply_visibility_self\":\"Taispeáin freagraí amháin atá dírithe ar mise\",\"saving_err\":\"Earráid socruithe a shábháil\",\"saving_ok\":\"Socruithe sábháilte\",\"security_tab\":\"Slándáil\",\"set_new_avatar\":\"Athraigh do phictúir phrófíle\",\"set_new_profile_background\":\"Athraigh do cúlra próifíl\",\"set_new_profile_banner\":\"Athraigh do phictúir ceanntáisc\",\"settings\":\"Socruithe\",\"stop_gifs\":\"Seinn GIFs ar an scáileán\",\"streaming\":\"Cumasaigh post nua a shruthú uathoibríoch nuair a scrollaítear go barr an leathanaigh\",\"text\":\"Téacs\",\"theme\":\"Téama\",\"theme_help\":\"Úsáid cód daith hex (#rrggbb) chun do schéim a saincheapadh\",\"tooltipRadius\":\"Bileoga eolais\",\"user_settings\":\"Socruithe úsáideora\",\"values\":{\"false\":\"níl\",\"true\":\"tá\"}},\"timeline\":{\"collapse\":\"Folaigh\",\"conversation\":\"Cómhra\",\"error_fetching\":\"Earráid a thabhairt cothrom le dáta\",\"load_older\":\"Luchtaigh níos mó\",\"no_retweet_hint\":\"Tá an post seo marcáilte mar lucht leanúna amháin nó díreach agus ní féidir é a athphostáil\",\"repeated\":\"athphostáil\",\"show_new\":\"Taispeáin nua\",\"up_to_date\":\"Nuashonraithe\"},\"user_card\":{\"approve\":\"Údaraigh\",\"block\":\"Cosc\",\"blocked\":\"Cuireadh coisc!\",\"deny\":\"Diúltaigh\",\"follow\":\"Lean\",\"followees\":\"Leantóirí\",\"followers\":\"Á Leanúint\",\"following\":\"Á Leanúint\",\"follows_you\":\"Leanann tú\",\"mute\":\"Cuir i mód ciúin\",\"muted\":\"Mód ciúin\",\"per_day\":\"laethúil\",\"remote_follow\":\"Leaníunt iargúlta\",\"statuses\":\"Poist\"},\"user_profile\":{\"timeline_title\":\"Amlíne úsáideora\"},\"who_to_follow\":{\"more\":\"Feach uile\",\"who_to_follow\":\"Daoine le leanúint\"}}\n\n/***/ }),\n/* 402 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"צ'אט\"},\"features_panel\":{\"chat\":\"צ'אט\",\"gopher\":\"גופר\",\"media_proxy\":\"מדיה פרוקסי\",\"scope_options\":\"אפשרויות טווח\",\"text_limit\":\"מגבלת טקסט\",\"title\":\"מאפיינים\",\"who_to_follow\":\"אחרי מי לעקוב\"},\"finder\":{\"error_fetching_user\":\"שגיאה במציאת משתמש\",\"find_user\":\"מציאת משתמש\"},\"general\":{\"apply\":\"החל\",\"submit\":\"שלח\"},\"login\":{\"login\":\"התחבר\",\"logout\":\"התנתק\",\"password\":\"סיסמה\",\"placeholder\":\"למשל lain\",\"register\":\"הירשם\",\"username\":\"שם המשתמש\"},\"nav\":{\"chat\":\"צ'אט מקומי\",\"friend_requests\":\"בקשות עקיבה\",\"mentions\":\"אזכורים\",\"public_tl\":\"ציר הזמן הציבורי\",\"timeline\":\"ציר הזמן\",\"twkn\":\"כל הרשת הידועה\"},\"notifications\":{\"broken_favorite\":\"סטאטוס לא ידוע, מחפש...\",\"favorited_you\":\"אהב את הסטטוס שלך\",\"followed_you\":\"עקב אחריך!\",\"load_older\":\"טען התראות ישנות\",\"notifications\":\"התראות\",\"read\":\"קרא!\",\"repeated_you\":\"חזר על הסטטוס שלך\"},\"post_status\":{\"account_not_locked_warning\":\"המשתמש שלך אינו {0}. כל אחד יכול לעקוב אחריך ולראות את ההודעות לעוקבים-בלבד שלך.\",\"account_not_locked_warning_link\":\"נעול\",\"attachments_sensitive\":\"סמן מסמכים מצורפים כלא בטוחים לצפייה\",\"content_type\":{\"plain_text\":\"טקסט פשוט\"},\"content_warning\":\"נושא (נתון לבחירה)\",\"default\":\"הרגע נחת ב-ל.א.\",\"direct_warning\":\"הודעה זו תהיה זמינה רק לאנשים המוזכרים.\",\"posting\":\"מפרסם\",\"scope\":{\"direct\":\"ישיר - שלח לאנשים המוזכרים בלבד\",\"private\":\"עוקבים-בלבד - שלח לעוקבים בלבד\",\"public\":\"ציבורי - שלח לציר הזמן הציבורי\",\"unlisted\":\"מחוץ לרשימה - אל תשלח לציר הזמן הציבורי\"}},\"registration\":{\"bio\":\"אודות\",\"email\":\"אימייל\",\"fullname\":\"שם תצוגה\",\"password_confirm\":\"אישור סיסמה\",\"registration\":\"הרשמה\",\"token\":\"טוקן הזמנה\"},\"settings\":{\"attachmentRadius\":\"צירופים\",\"attachments\":\"צירופים\",\"autoload\":\"החל טעינה אוטומטית בגלילה לתחתית הדף\",\"avatar\":\"תמונת פרופיל\",\"avatarAltRadius\":\"תמונות פרופיל (התראות)\",\"avatarRadius\":\"תמונות פרופיל\",\"background\":\"רקע\",\"bio\":\"אודות\",\"btnRadius\":\"כפתורים\",\"cBlue\":\"כחול (תגובה, עקיבה)\",\"cGreen\":\"ירוק (חזרה)\",\"cOrange\":\"כתום (לייק)\",\"cRed\":\"אדום (ביטול)\",\"change_password\":\"שנה סיסמה\",\"change_password_error\":\"הייתה בעיה בשינוי סיסמתך.\",\"changed_password\":\"סיסמה שונתה בהצלחה!\",\"collapse_subject\":\"מזער הודעות עם נושאים\",\"confirm_new_password\":\"אשר סיסמה\",\"current_avatar\":\"תמונת הפרופיל הנוכחית שלך\",\"current_password\":\"סיסמה נוכחית\",\"current_profile_banner\":\"כרזת הפרופיל הנוכחית שלך\",\"data_import_export_tab\":\"ייבוא או ייצוא מידע\",\"default_vis\":\"ברירת מחדל לטווח הנראות\",\"delete_account\":\"מחק משתמש\",\"delete_account_description\":\"מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.\",\"delete_account_error\":\"הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.\",\"delete_account_instructions\":\"הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.\",\"export_theme\":\"שמור ערכים\",\"filtering\":\"סינון\",\"filtering_explanation\":\"כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה\",\"follow_export\":\"יצוא עקיבות\",\"follow_export_button\":\"ייצא את הנעקבים שלך לקובץ csv\",\"follow_export_processing\":\"טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך\",\"follow_import\":\"יבוא עקיבות\",\"follow_import_error\":\"שגיאה בייבוא נעקבים.\",\"follows_imported\":\"נעקבים יובאו! ייקח זמן מה לעבד אותם.\",\"foreground\":\"חזית\",\"hide_attachments_in_convo\":\"החבא צירופים בשיחות\",\"hide_attachments_in_tl\":\"החבא צירופים בציר הזמן\",\"import_followers_from_a_csv_file\":\"ייבא את הנעקבים שלך מקובץ csv\",\"import_theme\":\"טען ערכים\",\"inputRadius\":\"שדות קלט\",\"interfaceLanguage\":\"שפת הממשק\",\"invalid_theme_imported\":\"הקובץ הנבחר אינו תמה הנתמכת ע\\\"י פלרומה. שום שינויים לא נעשו לתמה שלך.\",\"limited_availability\":\"לא זמין בדפדפן שלך\",\"links\":\"לינקים\",\"lock_account_description\":\"הגבל את המשתמש לעוקבים מאושרים בלבד\",\"loop_video\":\"נגן סרטונים ללא הפסקה\",\"loop_video_silent_only\":\"נגן רק סרטונים חסרי קול ללא הפסקה\",\"name\":\"שם\",\"name_bio\":\"שם ואודות\",\"new_password\":\"סיסמה חדשה\",\"notification_visibility\":\"סוג ההתראות שתרצו לראות\",\"notification_visibility_follows\":\"עקיבות\",\"notification_visibility_likes\":\"לייקים\",\"notification_visibility_mentions\":\"אזכורים\",\"notification_visibility_repeats\":\"חזרות\",\"nsfw_clickthrough\":\"החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר\",\"panelRadius\":\"פאנלים\",\"pause_on_unfocused\":\"השהה זרימת הודעות כשהחלון לא בפוקוס\",\"presets\":\"ערכים קבועים מראש\",\"profile_background\":\"רקע הפרופיל\",\"profile_banner\":\"כרזת הפרופיל\",\"profile_tab\":\"פרופיל\",\"radii_help\":\"קבע מראש עיגול פינות לממשק (בפיקסלים)\",\"replies_in_timeline\":\"תגובות בציר הזמן\",\"reply_link_preview\":\"החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר\",\"reply_visibility_all\":\"הראה את כל התגובות\",\"reply_visibility_following\":\"הראה תגובות שמופנות אליי או לעקובים שלי בלבד\",\"reply_visibility_self\":\"הראה תגובות שמופנות אליי בלבד\",\"security_tab\":\"ביטחון\",\"set_new_avatar\":\"קבע תמונת פרופיל חדשה\",\"set_new_profile_background\":\"קבע רקע פרופיל חדש\",\"set_new_profile_banner\":\"קבע כרזת פרופיל חדשה\",\"settings\":\"הגדרות\",\"stop_gifs\":\"נגן-בעת-ריחוף GIFs\",\"streaming\":\"החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף\",\"text\":\"טקסט\",\"theme\":\"תמה\",\"theme_help\":\"השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.\",\"tooltipRadius\":\"טולטיפ \\\\ התראות\",\"user_settings\":\"הגדרות משתמש\"},\"timeline\":{\"collapse\":\"מוטט\",\"conversation\":\"שיחה\",\"error_fetching\":\"שגיאה בהבאת הודעות\",\"load_older\":\"טען סטטוסים חדשים\",\"no_retweet_hint\":\"ההודעה מסומנת כ\\\"לעוקבים-בלבד\\\" ולא ניתן לחזור עליה\",\"repeated\":\"חזר\",\"show_new\":\"הראה חדש\",\"up_to_date\":\"עדכני\"},\"user_card\":{\"approve\":\"אשר\",\"block\":\"חסימה\",\"blocked\":\"חסום!\",\"deny\":\"דחה\",\"follow\":\"עקוב\",\"followees\":\"נעקבים\",\"followers\":\"עוקבים\",\"following\":\"עוקב!\",\"follows_you\":\"עוקב אחריך!\",\"mute\":\"השתק\",\"muted\":\"מושתק\",\"per_day\":\"ליום\",\"remote_follow\":\"עקיבה מרחוק\",\"statuses\":\"סטטוסים\"},\"user_profile\":{\"timeline_title\":\"ציר זמן המשתמש\"},\"who_to_follow\":{\"more\":\"עוד\",\"who_to_follow\":\"אחרי מי לעקוב\"}}\n\n/***/ }),\n/* 403 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"finder\":{\"error_fetching_user\":\"Hiba felhasználó beszerzésével\",\"find_user\":\"Felhasználó keresése\"},\"general\":{\"submit\":\"Elküld\"},\"login\":{\"login\":\"Bejelentkezés\",\"logout\":\"Kijelentkezés\",\"password\":\"Jelszó\",\"placeholder\":\"e.g. lain\",\"register\":\"Feliratkozás\",\"username\":\"Felhasználó név\"},\"nav\":{\"mentions\":\"Említéseim\",\"public_tl\":\"Publikus Idővonal\",\"timeline\":\"Idővonal\",\"twkn\":\"Az Egész Ismert Hálózat\"},\"notifications\":{\"followed_you\":\"követ téged\",\"notifications\":\"Értesítések\",\"read\":\"Olvasva!\"},\"post_status\":{\"default\":\"Most érkeztem L.A.-be\",\"posting\":\"Küldés folyamatban\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Teljes név\",\"password_confirm\":\"Jelszó megerősítése\",\"registration\":\"Feliratkozás\"},\"settings\":{\"attachments\":\"Csatolmányok\",\"autoload\":\"Autoatikus betöltés engedélyezése lap aljára görgetéskor\",\"avatar\":\"Avatár\",\"bio\":\"Bio\",\"current_avatar\":\"Jelenlegi avatár\",\"current_profile_banner\":\"Jelenlegi profil banner\",\"filtering\":\"Szűrés\",\"filtering_explanation\":\"Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy\",\"hide_attachments_in_convo\":\"Csatolmányok elrejtése a társalgásokban\",\"hide_attachments_in_tl\":\"Csatolmányok elrejtése az idővonalon\",\"name\":\"Név\",\"name_bio\":\"Név és Bio\",\"nsfw_clickthrough\":\"NSFW átkattintási tartalom elrejtésének engedélyezése\",\"profile_background\":\"Profil háttérkép\",\"profile_banner\":\"Profil Banner\",\"reply_link_preview\":\"Válasz-link előzetes mutatása egér rátételkor\",\"set_new_avatar\":\"Új avatár\",\"set_new_profile_background\":\"Új profil háttér beállítása\",\"set_new_profile_banner\":\"Új profil banner\",\"settings\":\"Beállítások\",\"theme\":\"Téma\",\"user_settings\":\"Felhasználói beállítások\"},\"timeline\":{\"conversation\":\"Társalgás\",\"error_fetching\":\"Hiba a frissítések beszerzésénél\",\"load_older\":\"Régebbi állapotok betöltése\",\"show_new\":\"Újak mutatása\",\"up_to_date\":\"Naprakész\"},\"user_card\":{\"block\":\"Letilt\",\"blocked\":\"Letiltva!\",\"follow\":\"Követ\",\"followees\":\"Követettek\",\"followers\":\"Követők\",\"following\":\"Követve!\",\"follows_you\":\"Követ téged!\",\"mute\":\"Némít\",\"muted\":\"Némított\",\"per_day\":\"naponta\",\"statuses\":\"Állapotok\"}}\n\n/***/ }),\n/* 404 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"general\":{\"submit\":\"Invia\",\"apply\":\"Applica\"},\"nav\":{\"mentions\":\"Menzioni\",\"public_tl\":\"Sequenza temporale pubblica\",\"timeline\":\"Sequenza temporale\",\"twkn\":\"L'intera rete conosciuta\",\"chat\":\"Chat Locale\",\"friend_requests\":\"Richieste di Seguirti\"},\"notifications\":{\"followed_you\":\"ti segue\",\"notifications\":\"Notifiche\",\"read\":\"Leggi!\",\"broken_favorite\":\"Stato sconosciuto, lo sto cercando...\",\"favorited_you\":\"ha messo mi piace al tuo stato\",\"load_older\":\"Carica notifiche più vecchie\",\"repeated_you\":\"ha condiviso il tuo stato\"},\"settings\":{\"attachments\":\"Allegati\",\"autoload\":\"Abilita caricamento automatico quando si raggiunge fondo pagina\",\"avatar\":\"Avatar\",\"bio\":\"Introduzione\",\"current_avatar\":\"Il tuo avatar attuale\",\"current_profile_banner\":\"Il tuo banner attuale\",\"filtering\":\"Filtri\",\"filtering_explanation\":\"Tutti i post contenenti queste parole saranno silenziati, uno per linea\",\"hide_attachments_in_convo\":\"Nascondi gli allegati presenti nelle conversazioni\",\"hide_attachments_in_tl\":\"Nascondi gli allegati presenti nella sequenza temporale\",\"name\":\"Nome\",\"name_bio\":\"Nome & Introduzione\",\"nsfw_clickthrough\":\"Abilita il click per visualizzare gli allegati segnati come NSFW\",\"profile_background\":\"Sfondo della tua pagina\",\"profile_banner\":\"Banner del tuo profilo\",\"reply_link_preview\":\"Abilita il link per la risposta al passaggio del mouse\",\"set_new_avatar\":\"Scegli un nuovo avatar\",\"set_new_profile_background\":\"Scegli un nuovo sfondo per la tua pagina\",\"set_new_profile_banner\":\"Scegli un nuovo banner per il tuo profilo\",\"settings\":\"Impostazioni\",\"theme\":\"Tema\",\"user_settings\":\"Impostazioni Utente\",\"attachmentRadius\":\"Allegati\",\"avatarAltRadius\":\"Avatar (Notifiche)\",\"avatarRadius\":\"Avatar\",\"background\":\"Sfondo\",\"btnRadius\":\"Pulsanti\",\"cBlue\":\"Blu (Rispondere, seguire)\",\"cGreen\":\"Verde (Condividi)\",\"cOrange\":\"Arancio (Mi piace)\",\"cRed\":\"Rosso (Annulla)\",\"change_password\":\"Cambia Password\",\"change_password_error\":\"C'è stato un problema durante il cambiamento della password.\",\"changed_password\":\"Password cambiata correttamente!\",\"collapse_subject\":\"Riduci post che hanno un oggetto\",\"confirm_new_password\":\"Conferma la nuova password\",\"current_password\":\"Password attuale\",\"data_import_export_tab\":\"Importa / Esporta Dati\",\"default_vis\":\"Visibilità predefinita dei post\",\"delete_account\":\"Elimina Account\",\"delete_account_description\":\"Elimina definitivamente il tuo account e tutti i tuoi messaggi.\",\"delete_account_error\":\"C'è stato un problema durante l'eliminazione del tuo account. Se il problema persiste contatta l'amministratore della tua istanza.\",\"delete_account_instructions\":\"Digita la tua password nel campo sottostante per confermare l'eliminazione dell'account.\",\"export_theme\":\"Salva settaggi\",\"follow_export\":\"Esporta la lista di chi segui\",\"follow_export_button\":\"Esporta la lista di chi segui in un file csv\",\"follow_export_processing\":\"Sto elaborando, presto ti sarà chiesto di scaricare il tuo file\",\"follow_import\":\"Importa la lista di chi segui\",\"follow_import_error\":\"Errore nell'importazione della lista di chi segui\",\"follows_imported\":\"Importazione riuscita! L'elaborazione richiederà un po' di tempo.\",\"foreground\":\"In primo piano\",\"general\":\"Generale\",\"hide_post_stats\":\"Nascondi statistiche dei post (es. il numero di mi piace)\",\"hide_user_stats\":\"Nascondi statistiche dell'utente (es. il numero di chi ti segue)\",\"import_followers_from_a_csv_file\":\"Importa una lista di chi segui da un file csv\",\"import_theme\":\"Carica settaggi\",\"inputRadius\":\"Campi di testo\",\"instance_default\":\"(predefinito: {value})\",\"interfaceLanguage\":\"Linguaggio dell'interfaccia\",\"invalid_theme_imported\":\"Il file selezionato non è un file di tema per Pleroma supportato. Il tuo tema non è stato modificato.\",\"limited_availability\":\"Non disponibile nel tuo browser\",\"links\":\"Collegamenti\",\"lock_account_description\":\"Limita il tuo account solo per contatti approvati\",\"loop_video\":\"Riproduci video in ciclo continuo\",\"loop_video_silent_only\":\"Riproduci solo video senza audio in ciclo continuo (es. le gif di Mastodon)\",\"new_password\":\"Nuova password\",\"notification_visibility\":\"Tipi di notifiche da mostrare\",\"notification_visibility_follows\":\"Nuove persone ti seguono\",\"notification_visibility_likes\":\"Mi piace\",\"notification_visibility_mentions\":\"Menzioni\",\"notification_visibility_repeats\":\"Condivisioni\",\"no_rich_text_description\":\"Togli la formattazione del testo da tutti i post\",\"panelRadius\":\"Pannelli\",\"pause_on_unfocused\":\"Metti in pausa l'aggiornamento continuo quando la scheda non è in primo piano\",\"presets\":\"Valori predefiniti\",\"profile_tab\":\"Profilo\",\"radii_help\":\"Imposta l'arrotondamento dei bordi (in pixel)\",\"replies_in_timeline\":\"Risposte nella sequenza temporale\",\"reply_visibility_all\":\"Mostra tutte le risposte\",\"reply_visibility_following\":\"Mostra solo le risposte dirette a me o agli utenti che seguo\",\"reply_visibility_self\":\"Mostra solo risposte dirette a me\",\"saving_err\":\"Errore nel salvataggio delle impostazioni\",\"saving_ok\":\"Impostazioni salvate\",\"security_tab\":\"Sicurezza\",\"stop_gifs\":\"Riproduci GIF al passaggio del cursore del mouse\",\"streaming\":\"Abilita aggiornamento automatico dei nuovi post quando si è in alto alla pagina\",\"text\":\"Testo\",\"theme_help\":\"Usa codici colore esadecimali (#rrggbb) per personalizzare il tuo schema di colori.\",\"tooltipRadius\":\"Descrizioni/avvisi\",\"values\":{\"false\":\"no\",\"true\":\"si\"}},\"timeline\":{\"error_fetching\":\"Errore nel prelievo aggiornamenti\",\"load_older\":\"Carica messaggi più vecchi\",\"show_new\":\"Mostra nuovi\",\"up_to_date\":\"Aggiornato\",\"collapse\":\"Riduci\",\"conversation\":\"Conversazione\",\"no_retweet_hint\":\"La visibilità del post è impostata solo per chi ti segue o messaggio diretto e non può essere condiviso\",\"repeated\":\"condiviso\"},\"user_card\":{\"follow\":\"Segui\",\"followees\":\"Chi stai seguendo\",\"followers\":\"Chi ti segue\",\"following\":\"Lo stai seguendo!\",\"follows_you\":\"Ti segue!\",\"mute\":\"Silenzia\",\"muted\":\"Silenziato\",\"per_day\":\"al giorno\",\"statuses\":\"Messaggi\",\"approve\":\"Approva\",\"block\":\"Blocca\",\"blocked\":\"Bloccato!\",\"deny\":\"Nega\",\"remote_follow\":\"Segui da remoto\"},\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Opzioni di visibilità\",\"text_limit\":\"Lunghezza limite\",\"title\":\"Caratteristiche\",\"who_to_follow\":\"Chi seguire\"},\"finder\":{\"error_fetching_user\":\"Errore nel recupero dell'utente\",\"find_user\":\"Trova utente\"},\"login\":{\"login\":\"Accedi\",\"logout\":\"Disconnettiti\",\"password\":\"Password\",\"placeholder\":\"es. lain\",\"register\":\"Registrati\",\"username\":\"Nome utente\"},\"post_status\":{\"account_not_locked_warning\":\"Il tuo account non è {0}. Chiunque può seguirti e vedere i tuoi post riservati a chi ti segue.\",\"account_not_locked_warning_link\":\"bloccato\",\"attachments_sensitive\":\"Segna allegati come sensibili\",\"content_type\":{\"plain_text\":\"Testo normale\"},\"content_warning\":\"Oggetto (facoltativo)\",\"default\":\"Appena atterrato in L.A.\",\"direct_warning\":\"Questo post sarà visibile solo dagli utenti menzionati.\",\"posting\":\"Pubblica\",\"scope\":{\"direct\":\"Diretto - Pubblicato solo per gli utenti menzionati\",\"private\":\"Solo per chi ti segue - Visibile solo da chi ti segue\",\"public\":\"Pubblico - Visibile sulla sequenza temporale pubblica\",\"unlisted\":\"Non elencato - Non visibile sulla sequenza temporale pubblica\"}},\"registration\":{\"bio\":\"Introduzione\",\"email\":\"Email\",\"fullname\":\"Nome visualizzato\",\"password_confirm\":\"Conferma password\",\"registration\":\"Registrazione\",\"token\":\"Codice d'invito\"},\"user_profile\":{\"timeline_title\":\"Sequenza Temporale dell'Utente\"},\"who_to_follow\":{\"more\":\"Più\",\"who_to_follow\":\"Chi seguire\"}}\n\n/***/ }),\n/* 405 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"チャット\"},\"features_panel\":{\"chat\":\"チャット\",\"gopher\":\"Gopher\",\"media_proxy\":\"メディアプロクシ\",\"scope_options\":\"こうかいはんいせんたく\",\"text_limit\":\"もじのかず\",\"title\":\"ゆうこうなきのう\",\"who_to_follow\":\"おすすめユーザー\"},\"finder\":{\"error_fetching_user\":\"ユーザーけんさくがエラーになりました。\",\"find_user\":\"ユーザーをさがす\"},\"general\":{\"apply\":\"てきよう\",\"submit\":\"そうしん\"},\"login\":{\"login\":\"ログイン\",\"description\":\"OAuthでログイン\",\"logout\":\"ログアウト\",\"password\":\"パスワード\",\"placeholder\":\"れい: lain\",\"register\":\"はじめる\",\"username\":\"ユーザーめい\"},\"nav\":{\"about\":\"これはなに?\",\"back\":\"もどる\",\"chat\":\"ローカルチャット\",\"friend_requests\":\"フォローリクエスト\",\"mentions\":\"メンション\",\"dms\":\"ダイレクトメッセージ\",\"public_tl\":\"パブリックタイムライン\",\"timeline\":\"タイムライン\",\"twkn\":\"つながっているすべてのネットワーク\",\"user_search\":\"ユーザーをさがす\",\"who_to_follow\":\"おすすめユーザー\",\"preferences\":\"せってい\"},\"notifications\":{\"broken_favorite\":\"ステータスがみつかりません。さがしています...\",\"favorited_you\":\"あなたのステータスがおきにいりされました\",\"followed_you\":\"フォローされました\",\"load_older\":\"ふるいつうちをみる\",\"notifications\":\"つうち\",\"read\":\"よんだ!\",\"repeated_you\":\"あなたのステータスがリピートされました\"},\"post_status\":{\"new_status\":\"とうこうする\",\"account_not_locked_warning\":\"あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。\",\"account_not_locked_warning_link\":\"ロックされたアカウント\",\"attachments_sensitive\":\"ファイルをNSFWにする\",\"content_type\":{\"plain_text\":\"プレーンテキスト\"},\"content_warning\":\"せつめい (かかなくてもよい)\",\"default\":\"はねだくうこうに、つきました。\",\"direct_warning\":\"このステータスは、メンションされたユーザーだけが、よむことができます。\",\"posting\":\"とうこう\",\"scope\":{\"direct\":\"ダイレクト: メンションされたユーザーのみにとどきます。\",\"private\":\"フォロワーげんてい: フォロワーのみにとどきます。\",\"public\":\"パブリック: パブリックタイムラインにとどきます。\",\"unlisted\":\"アンリステッド: パブリックタイムラインにとどきません。\"}},\"registration\":{\"bio\":\"プロフィール\",\"email\":\"Eメール\",\"fullname\":\"スクリーンネーム\",\"password_confirm\":\"パスワードのかくにん\",\"registration\":\"はじめる\",\"token\":\"しょうたいトークン\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"もじがよめないときは、がぞうをクリックすると、あたらしいがぞうになります\",\"validations\":{\"username_required\":\"なにかかいてください\",\"fullname_required\":\"なにかかいてください\",\"email_required\":\"なにかかいてください\",\"password_required\":\"なにかかいてください\",\"password_confirmation_required\":\"なにかかいてください\",\"password_confirmation_match\":\"パスワードがちがいます\"}},\"settings\":{\"attachmentRadius\":\"ファイル\",\"attachments\":\"ファイル\",\"autoload\":\"したにスクロールしたとき、じどうてきによみこむ。\",\"avatar\":\"アバター\",\"avatarAltRadius\":\"つうちのアバター\",\"avatarRadius\":\"アバター\",\"background\":\"バックグラウンド\",\"bio\":\"プロフィール\",\"btnRadius\":\"ボタン\",\"cBlue\":\"リプライとフォロー\",\"cGreen\":\"リピート\",\"cOrange\":\"おきにいり\",\"cRed\":\"キャンセル\",\"change_password\":\"パスワードをかえる\",\"change_password_error\":\"パスワードをかえることが、できなかったかもしれません。\",\"changed_password\":\"パスワードが、かわりました!\",\"collapse_subject\":\"せつめいのあるとうこうをたたむ\",\"composing\":\"とうこう\",\"confirm_new_password\":\"あたらしいパスワードのかくにん\",\"current_avatar\":\"いまのアバター\",\"current_password\":\"いまのパスワード\",\"current_profile_banner\":\"いまのプロフィールバナー\",\"data_import_export_tab\":\"インポートとエクスポート\",\"default_vis\":\"デフォルトのこうかいはんい\",\"delete_account\":\"アカウントをけす\",\"delete_account_description\":\"あなたのアカウントとメッセージが、きえます。\",\"delete_account_error\":\"アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。\",\"delete_account_instructions\":\"ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。\",\"export_theme\":\"セーブ\",\"filtering\":\"フィルタリング\",\"filtering_explanation\":\"これらのことばをふくむすべてのものがミュートされます。1ぎょうに1つのことばをかいてください。\",\"follow_export\":\"フォローのエクスポート\",\"follow_export_button\":\"エクスポート\",\"follow_export_processing\":\"おまちください。まもなくファイルをダウンロードできます。\",\"follow_import\":\"フォローインポート\",\"follow_import_error\":\"フォローのインポートがエラーになりました。\",\"follows_imported\":\"フォローがインポートされました! すこしじかんがかかるかもしれません。\",\"foreground\":\"フォアグラウンド\",\"general\":\"ぜんぱん\",\"hide_attachments_in_convo\":\"スレッドのファイルをかくす\",\"hide_attachments_in_tl\":\"タイムラインのファイルをかくす\",\"hide_isp\":\"インスタンススペシフィックパネルをかくす\",\"preload_images\":\"がぞうをさきよみする\",\"hide_post_stats\":\"とうこうのとうけいをかくす (れい: おきにいりのかず)\",\"hide_user_stats\":\"ユーザーのとうけいをかくす (れい: フォロワーのかず)\",\"import_followers_from_a_csv_file\":\"CSVファイルからフォローをインポートする\",\"import_theme\":\"ロード\",\"inputRadius\":\"インプットフィールド\",\"checkboxRadius\":\"チェックボックス\",\"instance_default\":\"(デフォルト: {value})\",\"instance_default_simple\":\"(デフォルト)\",\"interface\":\"インターフェース\",\"interfaceLanguage\":\"インターフェースのことば\",\"invalid_theme_imported\":\"このファイルはPleromaのテーマではありません。テーマはへんこうされませんでした。\",\"limited_availability\":\"あなたのブラウザではできません\",\"links\":\"リンク\",\"lock_account_description\":\"あなたがみとめたひとだけ、あなたのアカウントをフォローできる\",\"loop_video\":\"ビデオをくりかえす\",\"loop_video_silent_only\":\"おとのないビデオだけくりかえす\",\"name\":\"なまえ\",\"name_bio\":\"なまえとプロフィール\",\"new_password\":\"あたらしいパスワード\",\"notification_visibility\":\"ひょうじするつうち\",\"notification_visibility_follows\":\"フォロー\",\"notification_visibility_likes\":\"おきにいり\",\"notification_visibility_mentions\":\"メンション\",\"notification_visibility_repeats\":\"リピート\",\"no_rich_text_description\":\"リッチテキストをつかわない\",\"hide_followings_description\":\"フォローしている人を表示しない\",\"hide_followers_description\":\"フォローしている人を表示しない\",\"nsfw_clickthrough\":\"NSFWなファイルをかくす\",\"panelRadius\":\"パネル\",\"pause_on_unfocused\":\"タブにフォーカスがないときストリーミングをとめる\",\"presets\":\"プリセット\",\"profile_background\":\"プロフィールのバックグラウンド\",\"profile_banner\":\"プロフィールバナー\",\"profile_tab\":\"プロフィール\",\"radii_help\":\"インターフェースのまるさをせっていする。\",\"replies_in_timeline\":\"タイムラインのリプライ\",\"reply_link_preview\":\"カーソルをかさねたとき、リプライのプレビューをみる\",\"reply_visibility_all\":\"すべてのリプライをみる\",\"reply_visibility_following\":\"わたしにあてられたリプライと、フォローしているひとからのリプライをみる\",\"reply_visibility_self\":\"わたしにあてられたリプライをみる\",\"saving_err\":\"せっていをセーブできませんでした\",\"saving_ok\":\"せっていをセーブしました\",\"security_tab\":\"セキュリティ\",\"scope_copy\":\"リプライするとき、こうかいはんいをコピーする (DMのこうかいはんいは、つねにコピーされます)\",\"set_new_avatar\":\"あたらしいアバターをせっていする\",\"set_new_profile_background\":\"あたらしいプロフィールのバックグラウンドをせっていする\",\"set_new_profile_banner\":\"あたらしいプロフィールバナーを設定する\",\"settings\":\"せってい\",\"subject_input_always_show\":\"サブジェクトフィールドをいつでもひょうじする\",\"subject_line_behavior\":\"リプライするときサブジェクトをコピーする\",\"subject_line_email\":\"メールふう: \\\"re: サブジェクト\\\"\",\"subject_line_mastodon\":\"マストドンふう: そのままコピー\",\"subject_line_noop\":\"コピーしない\",\"stop_gifs\":\"カーソルをかさねたとき、GIFをうごかす\",\"streaming\":\"うえまでスクロールしたとき、じどうてきにストリーミングする\",\"text\":\"もじ\",\"theme\":\"テーマ\",\"theme_help\":\"カラーテーマをカスタマイズできます\",\"theme_help_v2_1\":\"チェックボックスをONにすると、コンポーネントごとに、いろと、とうめいどを、オーバーライドできます。「すべてクリア」ボタンをおすと、すべてのオーバーライドを、やめます。\",\"theme_help_v2_2\":\"バックグラウンドとテキストのコントラストをあらわすアイコンがあります。マウスをホバーすると、くわしいせつめいがでます。とうめいないろをつかっているときは、もっともわるいばあいのコントラストがしめされます。\",\"tooltipRadius\":\"ツールチップとアラート\",\"user_settings\":\"ユーザーせってい\",\"values\":{\"false\":\"いいえ\",\"true\":\"はい\"},\"notifications\":\"つうち\",\"enable_web_push_notifications\":\"ウェブプッシュつうちをゆるす\",\"style\":{\"switcher\":{\"keep_color\":\"いろをのこす\",\"keep_shadows\":\"かげをのこす\",\"keep_opacity\":\"とうめいどをのこす\",\"keep_roundness\":\"まるさをのこす\",\"keep_fonts\":\"フォントをのこす\",\"save_load_hint\":\"「のこす」オプションをONにすると、テーマをえらんだときとロードしたとき、いまのせっていをのこします。また、テーマをエクスポートするとき、これらのオプションをストアします。すべてのチェックボックスをOFFにすると、テーマをエクスポートしたとき、すべてのせっていをセーブします。\",\"reset\":\"リセット\",\"clear_all\":\"すべてクリア\",\"clear_opacity\":\"とうめいどをクリア\"},\"common\":{\"color\":\"いろ\",\"opacity\":\"とうめいど\",\"contrast\":{\"hint\":\"コントラストは {ratio} です。{level}。({context})\",\"level\":{\"aa\":\"AAレベルガイドライン (ミニマル) をみたします\",\"aaa\":\"AAAレベルガイドライン (レコメンデッド) をみたします。\",\"bad\":\"ガイドラインをみたしません。\"},\"context\":{\"18pt\":\"おおきい (18ポイントいじょう) テキスト\",\"text\":\"テキスト\"}}},\"common_colors\":{\"_tab_label\":\"きょうつう\",\"main\":\"きょうつうのいろ\",\"foreground_hint\":\"「くわしく」タブで、もっとこまかくせっていできます\",\"rgbo\":\"アイコンとアクセントとバッジ\"},\"advanced_colors\":{\"_tab_label\":\"くわしく\",\"alert\":\"アラートのバックグラウンド\",\"alert_error\":\"エラー\",\"badge\":\"バッジのバックグラウンド\",\"badge_notification\":\"つうち\",\"panel_header\":\"パネルヘッダー\",\"top_bar\":\"トップバー\",\"borders\":\"さかいめ\",\"buttons\":\"ボタン\",\"inputs\":\"インプットフィールド\",\"faint_text\":\"うすいテキスト\"},\"radii\":{\"_tab_label\":\"まるさ\"},\"shadows\":{\"_tab_label\":\"ひかりとかげ\",\"component\":\"コンポーネント\",\"override\":\"オーバーライド\",\"shadow_id\":\"かげ #{value}\",\"blur\":\"ぼかし\",\"spread\":\"ひろがり\",\"inset\":\"うちがわ\",\"hint\":\"かげのせっていでは、いろのあたいとして --variable をつかうことができます。これはCSS3へんすうです。ただし、とうめいどのせっていは、きかなくなります。\",\"filter_hint\":{\"always_drop_shadow\":\"ブラウザーがサポートしていれば、つねに {0} がつかわれます。\",\"drop_shadow_syntax\":\"{0} は、{1} パラメーターと {2} キーワードをサポートしていません。\",\"avatar_inset\":\"うちがわのかげと、そとがわのかげを、いっしょにつかうと、とうめいなアバターが、へんなみためになります。\",\"spread_zero\":\"ひろがりが 0 よりもおおきなかげは、0 とおなじです。\",\"inset_classic\":\"うちがわのかげは {0} をつかいます。\"},\"components\":{\"panel\":\"パネル\",\"panelHeader\":\"パネルヘッダー\",\"topBar\":\"トップバー\",\"avatar\":\"ユーザーアバター (プロフィール)\",\"avatarStatus\":\"ユーザーアバター (とうこう)\",\"popup\":\"ポップアップとツールチップ\",\"button\":\"ボタン\",\"buttonHover\":\"ボタン (ホバー)\",\"buttonPressed\":\"ボタン (おされているとき)\",\"buttonPressedHover\":\"ボタン (ホバー、かつ、おされているとき)\",\"input\":\"インプットフィールド\"}},\"fonts\":{\"_tab_label\":\"フォント\",\"help\":\"「カスタム」をえらんだときは、システムにあるフォントのなまえを、ただしくにゅうりょくしてください。\",\"components\":{\"interface\":\"インターフェース\",\"input\":\"インプットフィールド\",\"post\":\"とうこう\",\"postCode\":\"モノスペース (とうこうがリッチテキストであるとき)\"},\"family\":\"フォントめい\",\"size\":\"おおきさ (px)\",\"weight\":\"ふとさ\",\"custom\":\"カスタム\"},\"preview\":{\"header\":\"プレビュー\",\"content\":\"ほんぶん\",\"error\":\"エラーのれい\",\"button\":\"ボタン\",\"text\":\"これは{0}と{1}のれいです。\",\"mono\":\"monospace\",\"input\":\"はねだくうこうに、つきました。\",\"faint_link\":\"とてもたすけになるマニュアル\",\"fine_print\":\"わたしたちの{0}を、よまないでください!\",\"header_faint\":\"エラーではありません\",\"checkbox\":\"りようきやくを、よみました\",\"link\":\"ハイパーリンク\"}}},\"timeline\":{\"collapse\":\"たたむ\",\"conversation\":\"スレッド\",\"error_fetching\":\"よみこみがエラーになりました\",\"load_older\":\"ふるいステータス\",\"no_retweet_hint\":\"とうこうを「フォロワーのみ」または「ダイレクト」にすると、リピートできなくなります\",\"repeated\":\"リピート\",\"show_new\":\"よみこみ\",\"up_to_date\":\"さいしん\"},\"user_card\":{\"approve\":\"うけいれ\",\"block\":\"ブロック\",\"blocked\":\"ブロックしています!\",\"deny\":\"おことわり\",\"follow\":\"フォロー\",\"follow_sent\":\"リクエストを、おくりました!\",\"follow_progress\":\"リクエストしています…\",\"follow_again\":\"ふたたびリクエストをおくりますか?\",\"follow_unfollow\":\"フォローをやめる\",\"followees\":\"フォロー\",\"followers\":\"フォロワー\",\"following\":\"フォローしています!\",\"follows_you\":\"フォローされました!\",\"its_you\":\"これはあなたです!\",\"mute\":\"ミュート\",\"muted\":\"ミュートしています!\",\"per_day\":\"/日\",\"remote_follow\":\"リモートフォロー\",\"statuses\":\"ステータス\"},\"user_profile\":{\"timeline_title\":\"ユーザータイムライン\"},\"who_to_follow\":{\"more\":\"くわしく\",\"who_to_follow\":\"おすすめユーザー\"},\"tool_tip\":{\"media_upload\":\"メディアをアップロード\",\"repeat\":\"リピート\",\"reply\":\"リプライ\",\"favorite\":\"おきにいり\",\"user_settings\":\"ユーザーせってい\"},\"upload\":{\"error\":{\"base\":\"アップロードにしっぱいしました。\",\"file_too_big\":\"ファイルがおおきすぎます [{filesize} {filesizeunit} / {allowedsize} {allowedsizeunit}]\",\"default\":\"しばらくしてから、ためしてください\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 406 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"챗\"},\"features_panel\":{\"chat\":\"챗\",\"gopher\":\"고퍼\",\"media_proxy\":\"미디어 프록시\",\"scope_options\":\"범위 옵션\",\"text_limit\":\"텍스트 제한\",\"title\":\"기능\",\"who_to_follow\":\"팔로우 추천\"},\"finder\":{\"error_fetching_user\":\"사용자 정보 불러오기 실패\",\"find_user\":\"사용자 찾기\"},\"general\":{\"apply\":\"적용\",\"submit\":\"보내기\"},\"login\":{\"login\":\"로그인\",\"description\":\"OAuth로 로그인\",\"logout\":\"로그아웃\",\"password\":\"암호\",\"placeholder\":\"예시: lain\",\"register\":\"가입\",\"username\":\"사용자 이름\"},\"nav\":{\"about\":\"About\",\"back\":\"뒤로\",\"chat\":\"로컬 챗\",\"friend_requests\":\"팔로우 요청\",\"mentions\":\"멘션\",\"dms\":\"다이렉트 메시지\",\"public_tl\":\"공개 타임라인\",\"timeline\":\"타임라인\",\"twkn\":\"모든 알려진 네트워크\",\"user_search\":\"사용자 검색\",\"preferences\":\"환경설정\"},\"notifications\":{\"broken_favorite\":\"알 수 없는 게시물입니다, 검색 합니다...\",\"favorited_you\":\"당신의 게시물을 즐겨찾기\",\"followed_you\":\"당신을 팔로우\",\"load_older\":\"오래 된 알림 불러오기\",\"notifications\":\"알림\",\"read\":\"읽음!\",\"repeated_you\":\"당신의 게시물을 리핏\"},\"post_status\":{\"new_status\":\"새 게시물 게시\",\"account_not_locked_warning\":\"당신의 계정은 {0} 상태가 아닙니다. 누구나 당신을 팔로우 하고 팔로워 전용 게시물을 볼 수 있습니다.\",\"account_not_locked_warning_link\":\"잠김\",\"attachments_sensitive\":\"첨부물을 민감함으로 설정\",\"content_type\":{\"plain_text\":\"평문\"},\"content_warning\":\"주제 (필수 아님)\",\"default\":\"LA에 도착!\",\"direct_warning\":\"이 게시물을 멘션 된 사용자들에게만 보여집니다\",\"posting\":\"게시\",\"scope\":{\"direct\":\"다이렉트 - 멘션 된 사용자들에게만\",\"private\":\"팔로워 전용 - 팔로워들에게만\",\"public\":\"공개 - 공개 타임라인으로\",\"unlisted\":\"비공개 - 공개 타임라인에 게시 안 함\"}},\"registration\":{\"bio\":\"소개\",\"email\":\"이메일\",\"fullname\":\"표시 되는 이름\",\"password_confirm\":\"암호 확인\",\"registration\":\"가입하기\",\"token\":\"초대 토큰\",\"captcha\":\"캡차\",\"new_captcha\":\"이미지를 클릭해서 새로운 캡차\",\"validations\":{\"username_required\":\"공백으로 둘 수 없습니다\",\"fullname_required\":\"공백으로 둘 수 없습니다\",\"email_required\":\"공백으로 둘 수 없습니다\",\"password_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_match\":\"패스워드와 일치해야 합니다\"}},\"settings\":{\"attachmentRadius\":\"첨부물\",\"attachments\":\"첨부물\",\"autoload\":\"최하단에 도착하면 자동으로 로드 활성화\",\"avatar\":\"아바타\",\"avatarAltRadius\":\"아바타 (알림)\",\"avatarRadius\":\"아바타\",\"background\":\"배경\",\"bio\":\"소개\",\"btnRadius\":\"버튼\",\"cBlue\":\"파랑 (답글, 팔로우)\",\"cGreen\":\"초록 (리트윗)\",\"cOrange\":\"주황 (즐겨찾기)\",\"cRed\":\"빨강 (취소)\",\"change_password\":\"암호 바꾸기\",\"change_password_error\":\"암호를 바꾸는 데 몇 가지 문제가 있습니다.\",\"changed_password\":\"암호를 바꾸었습니다!\",\"collapse_subject\":\"주제를 가진 게시물 접기\",\"composing\":\"작성\",\"confirm_new_password\":\"새 패스워드 확인\",\"current_avatar\":\"현재 아바타\",\"current_password\":\"현재 패스워드\",\"current_profile_banner\":\"현재 프로필 배너\",\"data_import_export_tab\":\"데이터 불러오기 / 내보내기\",\"default_vis\":\"기본 공개 범위\",\"delete_account\":\"계정 삭제\",\"delete_account_description\":\"계정과 메시지를 영구히 삭제.\",\"delete_account_error\":\"계정을 삭제하는데 문제가 있습니다. 계속 발생한다면 인스턴스 관리자에게 문의하세요.\",\"delete_account_instructions\":\"계정 삭제를 확인하기 위해 아래에 패스워드 입력.\",\"export_theme\":\"프리셋 저장\",\"filtering\":\"필터링\",\"filtering_explanation\":\"아래의 단어를 가진 게시물들은 뮤트 됩니다, 한 줄에 하나씩 적으세요\",\"follow_export\":\"팔로우 내보내기\",\"follow_export_button\":\"팔로우 목록을 csv로 내보내기\",\"follow_export_processing\":\"진행 중입니다, 곧 다운로드 가능해 질 것입니다\",\"follow_import\":\"팔로우 불러오기\",\"follow_import_error\":\"팔로우 불러오기 실패\",\"follows_imported\":\"팔로우 목록을 불러왔습니다! 처리에는 시간이 걸립니다.\",\"foreground\":\"전경\",\"general\":\"일반\",\"hide_attachments_in_convo\":\"대화의 첨부물 숨기기\",\"hide_attachments_in_tl\":\"타임라인의 첨부물 숨기기\",\"hide_isp\":\"인스턴스 전용 패널 숨기기\",\"preload_images\":\"이미지 미리 불러오기\",\"hide_post_stats\":\"게시물 통계 숨기기 (즐겨찾기 수 등)\",\"hide_user_stats\":\"사용자 통계 숨기기 (팔로워 수 등)\",\"import_followers_from_a_csv_file\":\"csv 파일에서 팔로우 목록 불러오기\",\"import_theme\":\"프리셋 불러오기\",\"inputRadius\":\"입력 칸\",\"checkboxRadius\":\"체크박스\",\"instance_default\":\"(기본: {value})\",\"instance_default_simple\":\"(기본)\",\"interface\":\"인터페이스\",\"interfaceLanguage\":\"인터페이스 언어\",\"invalid_theme_imported\":\"선택한 파일은 지원하는 플레로마 테마가 아닙니다. 아무런 변경도 일어나지 않았습니다.\",\"limited_availability\":\"이 브라우저에서 사용 불가\",\"links\":\"링크\",\"lock_account_description\":\"계정을 승인 된 팔로워들로 제한\",\"loop_video\":\"비디오 반복재생\",\"loop_video_silent_only\":\"소리가 없는 비디오만 반복 재생 (마스토돈의 \\\"gifs\\\" 같은 것들)\",\"name\":\"이름\",\"name_bio\":\"이름 & 소개\",\"new_password\":\"새 암호\",\"notification_visibility\":\"보여 줄 알림 종류\",\"notification_visibility_follows\":\"팔로우\",\"notification_visibility_likes\":\"좋아함\",\"notification_visibility_mentions\":\"멘션\",\"notification_visibility_repeats\":\"반복\",\"no_rich_text_description\":\"모든 게시물의 서식을 지우기\",\"hide_followings_description\":\"내가 팔로우하는 사람을 표시하지 않음\",\"hide_followers_description\":\"나를 따르는 사람을 보여주지 마라.\",\"nsfw_clickthrough\":\"NSFW 이미지 \\\"클릭해서 보이기\\\"를 활성화\",\"panelRadius\":\"패널\",\"pause_on_unfocused\":\"탭이 활성 상태가 아닐 때 스트리밍 멈추기\",\"presets\":\"프리셋\",\"profile_background\":\"프로필 배경\",\"profile_banner\":\"프로필 배너\",\"profile_tab\":\"프로필\",\"radii_help\":\"인터페이스 모서리 둥글기 (픽셀 단위)\",\"replies_in_timeline\":\"답글을 타임라인에\",\"reply_link_preview\":\"마우스를 올려서 답글 링크 미리보기 활성화\",\"reply_visibility_all\":\"모든 답글 보기\",\"reply_visibility_following\":\"나에게 직접 오는 답글이나 내가 팔로우 중인 사람에게서 오는 답글만 표시\",\"reply_visibility_self\":\"나에게 직접 전송 된 답글만 보이기\",\"saving_err\":\"설정 저장 실패\",\"saving_ok\":\"설정 저장 됨\",\"security_tab\":\"보안\",\"scope_copy\":\"답글을 달 때 공개 범위 따라가리 (다이렉트 메시지는 언제나 따라감)\",\"set_new_avatar\":\"새 아바타 설정\",\"set_new_profile_background\":\"새 프로필 배경 설정\",\"set_new_profile_banner\":\"새 프로필 배너 설정\",\"settings\":\"설정\",\"subject_input_always_show\":\"항상 주제 칸 보이기\",\"subject_line_behavior\":\"답글을 달 때 주제 복사하기\",\"subject_line_email\":\"이메일처럼: \\\"re: 주제\\\"\",\"subject_line_mastodon\":\"마스토돈처럼: 그대로 복사\",\"subject_line_noop\":\"복사 안 함\",\"stop_gifs\":\"GIF파일에 마우스를 올려서 재생\",\"streaming\":\"최상단에 도달하면 자동으로 새 게시물 스트리밍\",\"text\":\"텍스트\",\"theme\":\"테마\",\"theme_help\":\"16진수 색상코드(#rrggbb)를 사용해 색상 테마를 커스터마이즈.\",\"theme_help_v2_1\":\"체크박스를 통해 몇몇 컴포넌트의 색상과 불투명도를 조절 가능, \\\"모두 지우기\\\" 버튼으로 덮어 씌운 것을 모두 취소.\",\"theme_help_v2_2\":\"몇몇 입력칸 밑의 아이콘은 전경/배경 대비 관련 표시등입니다, 마우스를 올려 자세한 정보를 볼 수 있습니다. 투명도 대비 표시등이 가장 최악의 경우를 나타낸다는 것을 유의하세요.\",\"tooltipRadius\":\"툴팁/경고\",\"user_settings\":\"사용자 설정\",\"values\":{\"false\":\"아니오\",\"true\":\"네\"},\"notifications\":\"알림\",\"enable_web_push_notifications\":\"웹 푸시 알림 활성화\",\"style\":{\"switcher\":{\"keep_color\":\"색상 유지\",\"keep_shadows\":\"그림자 유지\",\"keep_opacity\":\"불투명도 유지\",\"keep_roundness\":\"둥글기 유지\",\"keep_fonts\":\"글자체 유지\",\"save_load_hint\":\"\\\"유지\\\" 옵션들은 다른 테마를 고르거나 불러 올 때 현재 설정 된 옵션들을 건드리지 않게 합니다, 테마를 내보내기 할 때도 이 옵션에 따라 저장합니다. 아무 것도 체크 되지 않았다면 모든 설정을 내보냅니다.\",\"reset\":\"초기화\",\"clear_all\":\"모두 지우기\",\"clear_opacity\":\"불투명도 지우기\"},\"common\":{\"color\":\"색상\",\"opacity\":\"불투명도\",\"contrast\":{\"hint\":\"대비율이 {ratio}입니다, 이것은 {context} {level}\",\"level\":{\"aa\":\"AA등급 가이드라인에 부합합니다 (최소한도)\",\"aaa\":\"AAA등급 가이드라인에 부합합니다 (권장)\",\"bad\":\"아무런 가이드라인 등급에도 미치지 못합니다\"},\"context\":{\"18pt\":\"큰 (18pt 이상) 텍스트에 대해\",\"text\":\"텍스트에 대해\"}}},\"common_colors\":{\"_tab_label\":\"일반\",\"main\":\"일반 색상\",\"foreground_hint\":\"\\\"고급\\\" 탭에서 더 자세한 설정이 가능합니다\",\"rgbo\":\"아이콘, 강조, 배지\"},\"advanced_colors\":{\"_tab_label\":\"고급\",\"alert\":\"주의 배경\",\"alert_error\":\"에러\",\"badge\":\"배지 배경\",\"badge_notification\":\"알림\",\"panel_header\":\"패널 헤더\",\"top_bar\":\"상단 바\",\"borders\":\"테두리\",\"buttons\":\"버튼\",\"inputs\":\"입력칸\",\"faint_text\":\"흐려진 텍스트\"},\"radii\":{\"_tab_label\":\"둥글기\"},\"shadows\":{\"_tab_label\":\"그림자와 빛\",\"component\":\"컴포넌트\",\"override\":\"덮어쓰기\",\"shadow_id\":\"그림자 #{value}\",\"blur\":\"흐리기\",\"spread\":\"퍼지기\",\"inset\":\"안쪽으로\",\"hint\":\"그림자에는 CSS3 변수를 --variable을 통해 색상 값으로 사용할 수 있습니다. 불투명도에는 적용 되지 않습니다.\",\"filter_hint\":{\"always_drop_shadow\":\"경고, 이 그림자는 브라우저가 지원하는 경우 항상 {0}을 사용합니다.\",\"drop_shadow_syntax\":\"{0}는 {1} 파라미터와 {2} 키워드를 지원하지 않습니다.\",\"avatar_inset\":\"안쪽과 안쪽이 아닌 그림자를 모두 설정하는 경우 투명 아바타에서 예상치 못 한 결과가 나올 수 있다는 것에 주의해 주세요.\",\"spread_zero\":\"퍼지기가 0보다 큰 그림자는 0으로 설정한 것과 동일하게 보여집니다\",\"inset_classic\":\"안쪽 그림자는 {0}를 사용합니다\"},\"components\":{\"panel\":\"패널\",\"panelHeader\":\"패널 헤더\",\"topBar\":\"상단 바\",\"avatar\":\"사용자 아바타 (프로필 뷰에서)\",\"avatarStatus\":\"사용자 아바타 (게시물에서)\",\"popup\":\"팝업과 툴팁\",\"button\":\"버튼\",\"buttonHover\":\"버튼 (마우스 올렸을 때)\",\"buttonPressed\":\"버튼 (눌렸을 때)\",\"buttonPressedHover\":\"Button (마우스 올림 + 눌림)\",\"input\":\"입력칸\"}},\"fonts\":{\"_tab_label\":\"글자체\",\"help\":\"인터페이스의 요소에 사용 될 글자체를 고르세요. \\\"커스텀\\\"은 시스템에 있는 폰트 이름을 정확히 입력해야 합니다.\",\"components\":{\"interface\":\"인터페이스\",\"input\":\"입력칸\",\"post\":\"게시물 텍스트\",\"postCode\":\"게시물의 고정폭 텍스트 (서식 있는 텍스트)\"},\"family\":\"글자체 이름\",\"size\":\"크기 (px 단위)\",\"weight\":\"굵기\",\"custom\":\"커스텀\"},\"preview\":{\"header\":\"미리보기\",\"content\":\"내용\",\"error\":\"에러 예시\",\"button\":\"버튼\",\"text\":\"더 많은 {0} 그리고 {1}\",\"mono\":\"내용\",\"input\":\"LA에 막 도착!\",\"faint_link\":\"도움 되는 설명서\",\"fine_print\":\"우리의 {0} 를 읽고 도움 되지 않는 것들을 배우자!\",\"header_faint\":\"이건 괜찮아\",\"checkbox\":\"나는 약관을 대충 훑어보았습니다\",\"link\":\"작고 귀여운 링크\"}}},\"timeline\":{\"collapse\":\"접기\",\"conversation\":\"대화\",\"error_fetching\":\"업데이트 불러오기 실패\",\"load_older\":\"더 오래 된 게시물 불러오기\",\"no_retweet_hint\":\"팔로워 전용, 다이렉트 메시지는 반복할 수 없습니다\",\"repeated\":\"반복 됨\",\"show_new\":\"새로운 것 보기\",\"up_to_date\":\"최신 상태\"},\"user_card\":{\"approve\":\"승인\",\"block\":\"차단\",\"blocked\":\"차단 됨!\",\"deny\":\"거부\",\"follow\":\"팔로우\",\"follow_sent\":\"요청 보내짐!\",\"follow_progress\":\"요청 중…\",\"follow_again\":\"요청을 다시 보낼까요?\",\"follow_unfollow\":\"팔로우 중지\",\"followees\":\"팔로우 중\",\"followers\":\"팔로워\",\"following\":\"팔로우 중!\",\"follows_you\":\"당신을 팔로우 합니다!\",\"its_you\":\"당신입니다!\",\"mute\":\"침묵\",\"muted\":\"침묵 됨\",\"per_day\":\" / 하루\",\"remote_follow\":\"원격 팔로우\",\"statuses\":\"게시물\"},\"user_profile\":{\"timeline_title\":\"사용자 타임라인\"},\"who_to_follow\":{\"more\":\"더 보기\",\"who_to_follow\":\"팔로우 추천\"},\"tool_tip\":{\"media_upload\":\"미디어 업로드\",\"repeat\":\"반복\",\"reply\":\"답글\",\"favorite\":\"즐겨찾기\",\"user_settings\":\"사용자 설정\"},\"upload\":{\"error\":{\"base\":\"업로드 실패.\",\"file_too_big\":\"파일이 너무 커요 [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"잠시 후에 다시 시도해 보세요\"},\"file_size_units\":{\"B\":\"바이트\",\"KiB\":\"키비바이트\",\"MiB\":\"메비바이트\",\"GiB\":\"기비바이트\",\"TiB\":\"테비바이트\"}}}\n\n/***/ }),\n/* 407 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Nettprat\"},\"features_panel\":{\"chat\":\"Nettprat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Velg mottakere\",\"text_limit\":\"Tekst-grense\",\"title\":\"Egenskaper\",\"who_to_follow\":\"Hvem å følge\"},\"finder\":{\"error_fetching_user\":\"Feil ved henting av bruker\",\"find_user\":\"Finn bruker\"},\"general\":{\"apply\":\"Bruk\",\"submit\":\"Send\"},\"login\":{\"login\":\"Logg inn\",\"logout\":\"Logg ut\",\"password\":\"Passord\",\"placeholder\":\"f. eks lain\",\"register\":\"Registrer\",\"username\":\"Brukernavn\"},\"nav\":{\"chat\":\"Lokal nettprat\",\"friend_requests\":\"Følgeforespørsler\",\"mentions\":\"Nevnt\",\"public_tl\":\"Offentlig Tidslinje\",\"timeline\":\"Tidslinje\",\"twkn\":\"Det hele kjente nettverket\"},\"notifications\":{\"broken_favorite\":\"Ukjent status, leter etter den...\",\"favorited_you\":\"likte din status\",\"followed_you\":\"fulgte deg\",\"load_older\":\"Last eldre varsler\",\"notifications\":\"Varslinger\",\"read\":\"Les!\",\"repeated_you\":\"Gjentok din status\"},\"post_status\":{\"account_not_locked_warning\":\"Kontoen din er ikke {0}. Hvem som helst kan følge deg for å se dine statuser til følgere\",\"account_not_locked_warning_link\":\"låst\",\"attachments_sensitive\":\"Merk vedlegg som sensitive\",\"content_type\":{\"plain_text\":\"Klar tekst\"},\"content_warning\":\"Tema (valgfritt)\",\"default\":\"Landet akkurat i L.A.\",\"direct_warning\":\"Denne statusen vil kun bli sett av nevnte brukere\",\"posting\":\"Publiserer\",\"scope\":{\"direct\":\"Direkte, publiser bare til nevnte brukere\",\"private\":\"Bare følgere, publiser bare til brukere som følger deg\",\"public\":\"Offentlig, publiser til offentlige tidslinjer\",\"unlisted\":\"Uoppført, ikke publiser til offentlige tidslinjer\"}},\"registration\":{\"bio\":\"Biografi\",\"email\":\"Epost-adresse\",\"fullname\":\"Visningsnavn\",\"password_confirm\":\"Bekreft passord\",\"registration\":\"Registrering\",\"token\":\"Invitasjons-bevis\"},\"settings\":{\"attachmentRadius\":\"Vedlegg\",\"attachments\":\"Vedlegg\",\"autoload\":\"Automatisk lasting når du blar ned til bunnen\",\"avatar\":\"Profilbilde\",\"avatarAltRadius\":\"Profilbilde (Varslinger)\",\"avatarRadius\":\"Profilbilde\",\"background\":\"Bakgrunn\",\"bio\":\"Biografi\",\"btnRadius\":\"Knapper\",\"cBlue\":\"Blå (Svar, følg)\",\"cGreen\":\"Grønn (Gjenta)\",\"cOrange\":\"Oransje (Lik)\",\"cRed\":\"Rød (Avbryt)\",\"change_password\":\"Endre passord\",\"change_password_error\":\"Feil ved endring av passord\",\"changed_password\":\"Passord endret\",\"collapse_subject\":\"Sammenfold statuser med tema\",\"confirm_new_password\":\"Bekreft nytt passord\",\"current_avatar\":\"Ditt nåværende profilbilde\",\"current_password\":\"Nåværende passord\",\"current_profile_banner\":\"Din nåværende profil-banner\",\"data_import_export_tab\":\"Data import / eksport\",\"default_vis\":\"Standard visnings-omfang\",\"delete_account\":\"Slett konto\",\"delete_account_description\":\"Slett din konto og alle dine statuser\",\"delete_account_error\":\"Det oppsto et problem ved sletting av kontoen din, hvis dette problemet forblir kontakt din administrator\",\"delete_account_instructions\":\"Skriv inn ditt passord i feltet nedenfor for å bekrefte sletting av konto\",\"export_theme\":\"Lagre tema\",\"filtering\":\"Filtrering\",\"filtering_explanation\":\"Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje\",\"follow_export\":\"Eksporter følginger\",\"follow_export_button\":\"Eksporter følgingene dine til en .csv fil\",\"follow_export_processing\":\"Jobber, du vil snart bli spurt om å laste ned filen din.\",\"follow_import\":\"Importer følginger\",\"follow_import_error\":\"Feil ved importering av følginger.\",\"follows_imported\":\"Følginger importert! Behandling vil ta litt tid.\",\"foreground\":\"Forgrunn\",\"general\":\"Generell\",\"hide_attachments_in_convo\":\"Gjem vedlegg i samtaler\",\"hide_attachments_in_tl\":\"Gjem vedlegg på tidslinje\",\"import_followers_from_a_csv_file\":\"Importer følginger fra en csv fil\",\"import_theme\":\"Last tema\",\"inputRadius\":\"Input felt\",\"instance_default\":\"(standard: {value})\",\"interfaceLanguage\":\"Grensesnitt-språk\",\"invalid_theme_imported\":\"Den valgte filen er ikke ett støttet Pleroma-tema, ingen endringer til ditt tema ble gjort\",\"limited_availability\":\"Ikke tilgjengelig i din nettleser\",\"links\":\"Linker\",\"lock_account_description\":\"Begrens din konto til bare godkjente følgere\",\"loop_video\":\"Gjenta videoer\",\"loop_video_silent_only\":\"Gjenta bare videoer uten lyd, (for eksempel Mastodon sine \\\"gifs\\\")\",\"name\":\"Navn\",\"name_bio\":\"Navn & Biografi\",\"new_password\":\"Nytt passord\",\"notification_visibility\":\"Typer varsler som skal vises\",\"notification_visibility_follows\":\"Følginger\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Nevnt\",\"notification_visibility_repeats\":\"Gjentakelser\",\"no_rich_text_description\":\"Fjern all formatering fra statuser\",\"nsfw_clickthrough\":\"Krev trykk for å vise statuser som kan være upassende\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Stopp henting av poster når vinduet ikke er i fokus\",\"presets\":\"Forhåndsdefinerte tema\",\"profile_background\":\"Profil-bakgrunn\",\"profile_banner\":\"Profil-banner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)\",\"replies_in_timeline\":\"Svar på tidslinje\",\"reply_link_preview\":\"Vis en forhåndsvisning når du holder musen over svar til en status\",\"reply_visibility_all\":\"Vis alle svar\",\"reply_visibility_following\":\"Vis bare svar som er til meg eller folk jeg følger\",\"reply_visibility_self\":\"Vis bare svar som er til meg\",\"saving_err\":\"Feil ved lagring av innstillinger\",\"saving_ok\":\"Innstillinger lagret\",\"security_tab\":\"Sikkerhet\",\"set_new_avatar\":\"Rediger profilbilde\",\"set_new_profile_background\":\"Rediger profil-bakgrunn\",\"set_new_profile_banner\":\"Sett ny profil-banner\",\"settings\":\"Innstillinger\",\"stop_gifs\":\"Spill av GIFs når du holder over dem\",\"streaming\":\"Automatisk strømming av nye statuser når du har bladd til toppen\",\"text\":\"Tekst\",\"theme\":\"Tema\",\"theme_help\":\"Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.\",\"tooltipRadius\":\"Verktøytips/advarsler\",\"user_settings\":\"Brukerinstillinger\",\"values\":{\"false\":\"nei\",\"true\":\"ja\"}},\"timeline\":{\"collapse\":\"Sammenfold\",\"conversation\":\"Samtale\",\"error_fetching\":\"Feil ved henting av oppdateringer\",\"load_older\":\"Last eldre statuser\",\"no_retweet_hint\":\"Status er markert som bare til følgere eller direkte og kan ikke gjentas\",\"repeated\":\"gjentok\",\"show_new\":\"Vis nye\",\"up_to_date\":\"Oppdatert\"},\"user_card\":{\"approve\":\"Godkjenn\",\"block\":\"Blokker\",\"blocked\":\"Blokkert!\",\"deny\":\"Avslå\",\"follow\":\"Følg\",\"followees\":\"Følger\",\"followers\":\"Følgere\",\"following\":\"Følger!\",\"follows_you\":\"Følger deg!\",\"mute\":\"Demp\",\"muted\":\"Dempet\",\"per_day\":\"per dag\",\"remote_follow\":\"Følg eksternt\",\"statuses\":\"Statuser\"},\"user_profile\":{\"timeline_title\":\"Bruker-tidslinje\"},\"who_to_follow\":{\"more\":\"Mer\",\"who_to_follow\":\"Hvem å følge\"}}\n\n/***/ }),\n/* 408 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Zichtbaarheidsopties\",\"text_limit\":\"Tekst limiet\",\"title\":\"Features\",\"who_to_follow\":\"Wie te volgen\"},\"finder\":{\"error_fetching_user\":\"Fout tijdens ophalen gebruiker\",\"find_user\":\"Gebruiker zoeken\"},\"general\":{\"apply\":\"toepassen\",\"submit\":\"Verzend\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in met OAuth\",\"logout\":\"Log uit\",\"password\":\"Wachtwoord\",\"placeholder\":\"bv. lain\",\"register\":\"Registreer\",\"username\":\"Gebruikersnaam\"},\"nav\":{\"about\":\"Over\",\"back\":\"Terug\",\"chat\":\"Locale Chat\",\"friend_requests\":\"Volgverzoek\",\"mentions\":\"Vermeldingen\",\"dms\":\"Directe Berichten\",\"public_tl\":\"Publieke Tijdlijn\",\"timeline\":\"Tijdlijn\",\"twkn\":\"Het Geheel Gekende Netwerk\",\"user_search\":\"Zoek Gebruiker\",\"who_to_follow\":\"Wie te volgen\",\"preferences\":\"Voorkeuren\"},\"notifications\":{\"broken_favorite\":\"Onbekende status, aan het zoeken...\",\"favorited_you\":\"vond je status leuk\",\"followed_you\":\"volgt jou\",\"load_older\":\"Laad oudere meldingen\",\"notifications\":\"Meldingen\",\"read\":\"Gelezen!\",\"repeated_you\":\"Herhaalde je status\"},\"post_status\":{\"new_status\":\"Post nieuwe status\",\"account_not_locked_warning\":\"Je account is niet {0}. Iedereen die je volgt kan enkel-volgers posts lezen.\",\"account_not_locked_warning_link\":\"gesloten\",\"attachments_sensitive\":\"Markeer bijlage als gevoelig\",\"content_type\":{\"plain_text\":\"Gewone tekst\"},\"content_warning\":\"Onderwerp (optioneel)\",\"default\":\"Tijd voor een pauze!\",\"direct_warning\":\"Deze post zal enkel zichtbaar zijn voor de personen die genoemd zijn.\",\"posting\":\"Plaatsen\",\"scope\":{\"direct\":\"Direct - Post enkel naar genoemde gebruikers\",\"private\":\"Enkel volgers - Post enkel naar volgers\",\"public\":\"Publiek - Post op publieke tijdlijnen\",\"unlisted\":\"Unlisted - Toon niet op publieke tijdlijnen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Weergave naam\",\"password_confirm\":\"Wachtwoord bevestiging\",\"registration\":\"Registratie\",\"token\":\"Uitnodigingstoken\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Klik op de afbeelding voor een nieuwe captcha\",\"validations\":{\"username_required\":\"moet ingevuld zijn\",\"fullname_required\":\"moet ingevuld zijn\",\"email_required\":\"moet ingevuld zijn\",\"password_required\":\"moet ingevuld zijn\",\"password_confirmation_required\":\"moet ingevuld zijn\",\"password_confirmation_match\":\"komt niet overeen met het wachtwoord\"}},\"settings\":{\"attachmentRadius\":\"Bijlages\",\"attachments\":\"Bijlages\",\"autoload\":\"Automatisch laden wanneer tot de bodem gescrold inschakelen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Meldingen)\",\"avatarRadius\":\"Avatars\",\"background\":\"Achtergrond\",\"bio\":\"Bio\",\"btnRadius\":\"Knoppen\",\"cBlue\":\"Blauw (Antwoord, volgen)\",\"cGreen\":\"Groen (Herhaal)\",\"cOrange\":\"Oranje (Vind ik leuk)\",\"cRed\":\"Rood (Annuleer)\",\"change_password\":\"Verander Wachtwoord\",\"change_password_error\":\"Er was een probleem bij het aanpassen van je wachtwoord.\",\"changed_password\":\"Wachtwoord succesvol aangepast!\",\"collapse_subject\":\"Klap posts met onderwerp in\",\"composing\":\"Samenstellen\",\"confirm_new_password\":\"Bevestig nieuw wachtwoord\",\"current_avatar\":\"Je huidige avatar\",\"current_password\":\"Huidig wachtwoord\",\"current_profile_banner\":\"Je huidige profiel banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Standaard zichtbaarheidsscope\",\"delete_account\":\"Verwijder Account\",\"delete_account_description\":\"Verwijder je account en berichten permanent.\",\"delete_account_error\":\"Er was een probleem bij het verwijderen van je account. Indien dit probleem blijft, gelieve de administratie van deze instantie te verwittigen.\",\"delete_account_instructions\":\"Typ je wachtwoord in de input hieronder om het verwijderen van je account te bevestigen.\",\"export_theme\":\"Sla preset op\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"Alle statussen die deze woorden bevatten worden genegeerd, één filter per lijn.\",\"follow_export\":\"Volgers export\",\"follow_export_button\":\"Exporteer je volgers naar een csv file\",\"follow_export_processing\":\"Aan het verwerken, binnen enkele ogenblikken wordt je gevraagd je bestand te downloaden\",\"follow_import\":\"Volgers import\",\"follow_import_error\":\"Fout bij importeren volgers\",\"follows_imported\":\"Volgers geïmporteerd! Het kan even duren om ze allemaal te verwerken.\",\"foreground\":\"Voorgrond\",\"general\":\"Algemeen\",\"hide_attachments_in_convo\":\"Verberg bijlages in conversaties\",\"hide_attachments_in_tl\":\"Verberg bijlages in de tijdlijn\",\"hide_isp\":\"Verberg instantie-specifiek paneel\",\"preload_images\":\"Afbeeldingen voorladen\",\"hide_post_stats\":\"Verberg post statistieken (bv. het aantal vind-ik-leuks)\",\"hide_user_stats\":\"Verberg post statistieken (bv. het aantal volgers)\",\"import_followers_from_a_csv_file\":\"Importeer volgers uit een csv file\",\"import_theme\":\"Laad preset\",\"inputRadius\":\"Invoer velden\",\"checkboxRadius\":\"Checkboxen\",\"instance_default\":\"(standaard: {value})\",\"instance_default_simple\":\"(standaard)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface taal\",\"invalid_theme_imported\":\"Het geselecteerde thema is geen door Pleroma ondersteund thema. Er zijn geen aanpassingen gedaan.\",\"limited_availability\":\"Onbeschikbaar in je browser\",\"links\":\"Links\",\"lock_account_description\":\"Laat volgers enkel toe na expliciete toestemming\",\"loop_video\":\"Speel videos af in een lus\",\"loop_video_silent_only\":\"Speel enkel videos zonder geluid af in een lus (bv. Mastodon's \\\"gifs\\\")\",\"name\":\"Naam\",\"name_bio\":\"Naam & Bio\",\"new_password\":\"Nieuw wachtwoord\",\"notification_visibility\":\"Type meldingen die getoond worden\",\"notification_visibility_follows\":\"Volgers\",\"notification_visibility_likes\":\"Vind-ik-leuks\",\"notification_visibility_mentions\":\"Vermeldingen\",\"notification_visibility_repeats\":\"Herhalingen\",\"no_rich_text_description\":\"Strip rich text formattering van alle posts\",\"hide_network_description\":\"Toon niet wie mij volgt en wie ik volg.\",\"nsfw_clickthrough\":\"Schakel doorklikbaar verbergen van NSFW bijlages in\",\"panelRadius\":\"Panelen\",\"pause_on_unfocused\":\"Pauzeer streamen wanneer de tab niet gefocused is\",\"presets\":\"Presets\",\"profile_background\":\"Profiel Achtergrond\",\"profile_banner\":\"Profiel Banner\",\"profile_tab\":\"Profiel\",\"radii_help\":\"Stel afronding van hoeken in de interface in (in pixels)\",\"replies_in_timeline\":\"Antwoorden in tijdlijn\",\"reply_link_preview\":\"Schakel antwoordlink preview in bij over zweven met muisaanwijzer\",\"reply_visibility_all\":\"Toon alle antwoorden\",\"reply_visibility_following\":\"Toon enkel antwoorden naar mij of andere gebruikers gericht\",\"reply_visibility_self\":\"Toon enkel antwoorden naar mij gericht\",\"saving_err\":\"Fout tijdens opslaan van instellingen\",\"saving_ok\":\"Instellingen opgeslagen\",\"security_tab\":\"Veiligheid\",\"scope_copy\":\"Neem scope over bij antwoorden (Directe Berichten blijven altijd Direct)\",\"set_new_avatar\":\"Zet nieuwe avatar\",\"set_new_profile_background\":\"Zet nieuwe profiel achtergrond\",\"set_new_profile_banner\":\"Zet nieuwe profiel banner\",\"settings\":\"Instellingen\",\"subject_input_always_show\":\"Maak onderwerpveld altijd zichtbaar\",\"subject_line_behavior\":\"Kopieer onderwerp bij antwoorden\",\"subject_line_email\":\"Zoals email: \\\"re: onderwerp\\\"\",\"subject_line_mastodon\":\"Zoals Mastodon: kopieer zoals het is\",\"subject_line_noop\":\"Kopieer niet\",\"stop_gifs\":\"Speel GIFs af bij zweven\",\"streaming\":\"Schakel automatisch streamen van posts in wanneer tot boven gescrold.\",\"text\":\"Tekst\",\"theme\":\"Thema\",\"theme_help\":\"Gebruik hex color codes (#rrggbb) om je kleurschema te wijzigen.\",\"theme_help_v2_1\":\"Je kan ook de kleur en transparantie van bepaalde componenten overschrijven door de checkbox aan te vinken, gebruik de \\\"Wis alles\\\" knop om alle overschrijvingen te annuleren.\",\"theme_help_v2_2\":\"Iconen onder sommige items zijn achtergrond/tekst contrast indicators, zweef er over voor gedetailleerde info. Hou er rekening mee dat bij doorzichtigheid de ergst mogelijke situatie wordt weer gegeven.\",\"tooltipRadius\":\"Gereedschapstips/alarmen\",\"user_settings\":\"Gebruikers Instellingen\",\"values\":{\"false\":\"nee\",\"true\":\"ja\"},\"notifications\":\"Meldingen\",\"enable_web_push_notifications\":\"Schakel web push meldingen in\",\"style\":{\"switcher\":{\"keep_color\":\"Behoud kleuren\",\"keep_shadows\":\"Behoud schaduwen\",\"keep_opacity\":\"Behoud transparantie\",\"keep_roundness\":\"Behoud afrondingen\",\"keep_fonts\":\"Behoud lettertypes\",\"save_load_hint\":\"\\\"Behoud\\\" opties behouden de momenteel ingestelde opties bij het selecteren of laden van thema's, maar slaan ook de genoemde opties op bij het exporteren van een thema. Wanneer alle selectievakjes zijn uitgeschakeld, zal het exporteren van thema's alles opslaan.\",\"reset\":\"Reset\",\"clear_all\":\"Wis alles\",\"clear_opacity\":\"Wis transparantie\"},\"common\":{\"color\":\"Kleur\",\"opacity\":\"Transparantie\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, {level} {context}\",\"level\":{\"aa\":\"voldoet aan de richtlijn van niveau AA (minimum)\",\"aaa\":\"voldoet aan de richtlijn van niveau AAA (aangeraden)\",\"bad\":\"voldoet aan geen enkele toegankelijkheidsrichtlijn\"},\"context\":{\"18pt\":\"voor grote (18pt+) tekst\",\"text\":\"voor tekst\"}}},\"common_colors\":{\"_tab_label\":\"Gemeenschappelijk\",\"main\":\"Gemeenschappelijke kleuren\",\"foreground_hint\":\"Zie \\\"Geavanceerd\\\" tab voor meer gedetailleerde controle\",\"rgbo\":\"Iconen, accenten, badges\"},\"advanced_colors\":{\"_tab_label\":\"Geavanceerd\",\"alert\":\"Alarm achtergrond\",\"alert_error\":\"Fout\",\"badge\":\"Badge achtergrond\",\"badge_notification\":\"Meldingen\",\"panel_header\":\"Paneel hoofding\",\"top_bar\":\"Top bar\",\"borders\":\"Randen\",\"buttons\":\"Knoppen\",\"inputs\":\"Invoervelden\",\"faint_text\":\"Vervaagde tekst\"},\"radii\":{\"_tab_label\":\"Rondheid\"},\"shadows\":{\"_tab_label\":\"Schaduw en belichting\",\"component\":\"Component\",\"override\":\"Overschrijven\",\"shadow_id\":\"Schaduw #{value}\",\"blur\":\"Vervagen\",\"spread\":\"Spreid\",\"inset\":\"Inzet\",\"hint\":\"Voor schaduw kan je ook --variable gebruiken als een kleur waarde om CSS3 variabelen te gebruiken. Houd er rekening mee dat het instellen van opaciteit in dit geval niet werkt.\",\"filter_hint\":{\"always_drop_shadow\":\"Waarschuwing, deze schaduw gebruikt altijd {0} als de browser dit ondersteund.\",\"drop_shadow_syntax\":\"{0} ondersteund niet de {1} parameter en {2} sleutelwoord.\",\"avatar_inset\":\"Houd er rekening mee dat het combineren van zowel inzet and niet-inzet schaduwen op transparante avatars onverwachte resultaten kan opleveren.\",\"spread_zero\":\"Schaduw met spreiding > 0 worden weergegeven alsof ze op nul staan\",\"inset_classic\":\"Inzet schaduw zal {0} gebruiken\"},\"components\":{\"panel\":\"Paneel\",\"panelHeader\":\"Paneel hoofding\",\"topBar\":\"Top bar\",\"avatar\":\"Gebruiker avatar (in profiel weergave)\",\"avatarStatus\":\"Gebruiker avatar (in post weergave)\",\"popup\":\"Popups en gereedschapstips\",\"button\":\"Knop\",\"buttonHover\":\"Knop (zweven)\",\"buttonPressed\":\"Knop (ingedrukt)\",\"buttonPressedHover\":\"Knop (ingedrukt+zweven)\",\"input\":\"Invoerveld\"}},\"fonts\":{\"_tab_label\":\"Lettertypes\",\"help\":\"Selecteer het lettertype om te gebruiken voor elementen van de UI.Voor \\\"aangepast\\\" moet je de exacte naam van het lettertype invoeren zoals die in het systeem wordt weergegeven.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Invoervelden\",\"post\":\"Post tekst\",\"postCode\":\"Monospaced tekst in een post (rich text)\"},\"family\":\"Naam lettertype\",\"size\":\"Grootte (in px)\",\"weight\":\"Gewicht (vetheid)\",\"custom\":\"Aangepast\"},\"preview\":{\"header\":\"Voorvertoning\",\"content\":\"Inhoud\",\"error\":\"Voorbeeld fout\",\"button\":\"Knop\",\"text\":\"Nog een boel andere {0} en {1}\",\"mono\":\"inhoud\",\"input\":\"Tijd voor een pauze!\",\"faint_link\":\"handige gebruikershandleiding\",\"fine_print\":\"Lees onze {0} om niets nuttig te leren!\",\"header_faint\":\"Alles komt goed\",\"checkbox\":\"Ik heb de gebruikersvoorwaarden eens van ver bekeken\",\"link\":\"een link\"}}},\"timeline\":{\"collapse\":\"Inklappen\",\"conversation\":\"Conversatie\",\"error_fetching\":\"Fout bij ophalen van updates\",\"load_older\":\"Laad oudere Statussen\",\"no_retweet_hint\":\"Post is gemarkeerd als enkel volgers of direct en kan niet worden herhaald\",\"repeated\":\"herhaalde\",\"show_new\":\"Toon nieuwe\",\"up_to_date\":\"Up-to-date\"},\"user_card\":{\"approve\":\"Goedkeuren\",\"block\":\"Blokkeren\",\"blocked\":\"Geblokkeerd!\",\"deny\":\"Ontzeggen\",\"favorites\":\"Vind-ik-leuks\",\"follow\":\"Volgen\",\"follow_sent\":\"Aanvraag verzonden!\",\"follow_progress\":\"Aanvragen…\",\"follow_again\":\"Aanvraag opnieuw zenden?\",\"follow_unfollow\":\"Stop volgen\",\"followees\":\"Aan het volgen\",\"followers\":\"Volgers\",\"following\":\"Aan het volgen!\",\"follows_you\":\"Volgt jou!\",\"its_you\":\"'t is jij!\",\"mute\":\"Dempen\",\"muted\":\"Gedempt\",\"per_day\":\"per dag\",\"remote_follow\":\"Volg vanop afstand\",\"statuses\":\"Statussen\"},\"user_profile\":{\"timeline_title\":\"Gebruikers Tijdlijn\"},\"who_to_follow\":{\"more\":\"Meer\",\"who_to_follow\":\"Wie te volgen\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Herhaal\",\"reply\":\"Antwoord\",\"favorite\":\"Vind-ik-leuk\",\"user_settings\":\"Gebruikers Instellingen\"},\"upload\":{\"error\":{\"base\":\"Upload gefaald.\",\"file_too_big\":\"Bestand is te groot [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Probeer later opnieuw\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n/***/ }),\n/* 409 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Messatjariá\"},\"finder\":{\"error_fetching_user\":\"Error pendent la recèrca d’un utilizaire\",\"find_user\":\"Cercar un utilizaire\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Mandar\"},\"login\":{\"login\":\"Connexion\",\"logout\":\"Desconnexion\",\"password\":\"Senhal\",\"placeholder\":\"e.g. lain\",\"register\":\"Se marcar\",\"username\":\"Nom d’utilizaire\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Notificacions\",\"public_tl\":\"Estatuts locals\",\"timeline\":\"Flux d’actualitat\",\"twkn\":\"Lo malhum conegut\",\"friend_requests\":\"Demandas d'abonament\"},\"notifications\":{\"favorited_you\":\"a aimat vòstre estatut\",\"followed_you\":\"vos a seguit\",\"notifications\":\"Notficacions\",\"read\":\"Legit !\",\"repeated_you\":\"a repetit vòstre estatut\",\"broken_favorite\":\"Estatut desconegut, sèm a lo cercar...\",\"load_older\":\"Cargar las notificaciones mai ancianas\"},\"post_status\":{\"content_warning\":\"Avís de contengut (opcional)\",\"default\":\"Escrivètz aquí vòstre estatut.\",\"posting\":\"Mandadís\",\"account_not_locked_warning\":\"Vòstre compte es pas {0}. Qual que siá pòt vos seguir per veire vòstras publicacions destinadas pas qu'a vòstres seguidors.\",\"account_not_locked_warning_link\":\"clavat\",\"attachments_sensitive\":\"Marcar las pèças juntas coma sensiblas\",\"content_type\":{\"plain_text\":\"Tèxte brut\"},\"direct_warning\":\"Aquesta publicacion serà pas que visibla pels utilizaires mencionats.\",\"scope\":{\"direct\":\"Dirècte - Publicar pels utilizaires mencionats solament\",\"private\":\"Seguidors solament - Publicar pels sols seguidors\",\"public\":\"Public - Publicar pel flux d’actualitat public\",\"unlisted\":\"Pas listat - Publicar pas pel flux public\"}},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Adreça de corrièl\",\"fullname\":\"Nom complèt\",\"password_confirm\":\"Confirmar lo senhal\",\"registration\":\"Inscripcion\",\"token\":\"Geton de convidat\"},\"settings\":{\"attachmentRadius\":\"Pèças juntas\",\"attachments\":\"Pèças juntas\",\"autoload\":\"Activar lo cargament automatic un còp arribat al cap de la pagina\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notificacions)\",\"avatarRadius\":\"Avatars\",\"background\":\"Rèire plan\",\"bio\":\"Biografia\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (Respondre, seguir)\",\"cGreen\":\"Verd (Repartajar)\",\"cOrange\":\"Irange (Aimar)\",\"cRed\":\"Roge (Anullar)\",\"change_password\":\"Cambiar lo senhal\",\"change_password_error\":\"Una error s’es producha en cambiant lo senhal.\",\"changed_password\":\"Senhal corrèctament cambiat !\",\"confirm_new_password\":\"Confirmatz lo nòu senhal\",\"current_avatar\":\"Vòstre avatar actual\",\"current_password\":\"Senhal actual\",\"current_profile_banner\":\"Bandièra actuala del perfil\",\"delete_account\":\"Suprimir lo compte\",\"delete_account_description\":\"Suprimir vòstre compte e los messatges per sempre.\",\"delete_account_error\":\"Una error s’es producha en suprimir lo compte. S’aquò ten d’arribar mercés de contactar vòstre administrador d’instància.\",\"delete_account_instructions\":\"Picatz vòstre senhal dins lo camp tèxte çai-jos per confirmar la supression del compte.\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha\",\"follow_export\":\"Exportar los abonaments\",\"follow_export_button\":\"Exportar vòstres abonaments dins un fichièr csv\",\"follow_export_processing\":\"Tractament, vos demandarem lèu de telecargar lo fichièr\",\"follow_import\":\"Importar los abonaments\",\"follow_import_error\":\"Error en important los seguidors\",\"follows_imported\":\"Seguidors importats. Lo tractament pòt trigar una estona.\",\"foreground\":\"Endavant\",\"hide_attachments_in_convo\":\"Rescondre las pèças juntas dins las conversacions\",\"hide_attachments_in_tl\":\"Rescondre las pèças juntas\",\"import_followers_from_a_csv_file\":\"Importar los seguidors d’un fichièr csv\",\"inputRadius\":\"Camps tèxte\",\"links\":\"Ligams\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nòu senhal\",\"nsfw_clickthrough\":\"Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles\",\"panelRadius\":\"Panèls\",\"presets\":\"Pre-enregistrats\",\"profile_background\":\"Imatge de fons\",\"profile_banner\":\"Bandièra del perfil\",\"radii_help\":\"Configurar los caires arredondits de l’interfàcia (en pixèls)\",\"reply_link_preview\":\"Activar l’apercebut en passar la mirga\",\"set_new_avatar\":\"Cambiar l’avatar\",\"set_new_profile_background\":\"Cambiar l’imatge de fons\",\"set_new_profile_banner\":\"Cambiar de bandièra\",\"settings\":\"Paramètres\",\"stop_gifs\":\"Lançar los GIFs al subrevòl\",\"streaming\":\"Activar lo cargament automatic dels novèls estatus en anar amont\",\"text\":\"Tèxte\",\"theme\":\"Tèma\",\"theme_help\":\"Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.\",\"tooltipRadius\":\"Astúcias/Alèrta\",\"user_settings\":\"Paramètres utilizaire\",\"collapse_subject\":\"Replegar las publicacions amb de subjèctes\",\"data_import_export_tab\":\"Importar / Exportar las donadas\",\"default_vis\":\"Nivèl de visibilitat per defaut\",\"export_theme\":\"Enregistrar la preconfiguracion\",\"general\":\"General\",\"hide_post_stats\":\"Amagar los estatistics de publicacion (ex. lo ombre de favorits)\",\"hide_user_stats\":\"Amagar las estatisticas de l’utilizaire (ex. lo nombre de seguidors)\",\"import_theme\":\"Cargar un tèma\",\"instance_default\":\"(defaut : {value})\",\"interfaceLanguage\":\"Lenga de l’interfàcia\",\"invalid_theme_imported\":\"Lo fichièr seleccionat es pas un tèma Pleroma valid. Cap de cambiament es estat fach a vòstre tèma.\",\"limited_availability\":\"Pas disponible per vòstre navigador\",\"lock_account_description\":\"Limitar vòstre compte als seguidors acceptats solament\",\"loop_video\":\"Bocla vidèo\",\"loop_video_silent_only\":\"Legir en bocla solament las vidèos sens son (coma los « Gifs » de Mastodon)\",\"notification_visibility\":\"Tipes de notificacion de mostrar\",\"notification_visibility_follows\":\"Abonaments\",\"notification_visibility_likes\":\"Aiman\",\"notification_visibility_mentions\":\"Mencions\",\"notification_visibility_repeats\":\"Repeticions\",\"no_rich_text_description\":\"Netejar lo format tèxte de totas las publicacions\",\"pause_on_unfocused\":\"Pausar la difusion quand l’onglet es pas seleccionat\",\"profile_tab\":\"Perfil\",\"replies_in_timeline\":\"Responsas del flux\",\"reply_visibility_all\":\"Mostrar totas las responsas\",\"reply_visibility_following\":\"Mostrar pas que las responsas que me son destinada a ieu o un utilizaire que seguissi\",\"reply_visibility_self\":\"Mostrar pas que las responsas que me son destinadas\",\"saving_err\":\"Error en enregistrant los paramètres\",\"saving_ok\":\"Paramètres enregistrats\",\"security_tab\":\"Seguretat\",\"values\":{\"false\":\"non\",\"true\":\"òc\"}},\"timeline\":{\"collapse\":\"Tampar\",\"conversation\":\"Conversacion\",\"error_fetching\":\"Error en cercant de mesas a jorn\",\"load_older\":\"Ne veire mai\",\"repeated\":\"repetit\",\"show_new\":\"Ne veire mai\",\"up_to_date\":\"A jorn\",\"no_retweet_hint\":\"La publicacion marcada coma pels seguidors solament o dirècte pòt pas èsser repetida\"},\"user_card\":{\"block\":\"Blocar\",\"blocked\":\"Blocat !\",\"follow\":\"Seguir\",\"followees\":\"Abonaments\",\"followers\":\"Seguidors\",\"following\":\"Seguit !\",\"follows_you\":\"Vos sèc !\",\"mute\":\"Amagar\",\"muted\":\"Amagat\",\"per_day\":\"per jorn\",\"remote_follow\":\"Seguir a distància\",\"statuses\":\"Estatuts\",\"approve\":\"Validar\",\"deny\":\"Refusar\"},\"user_profile\":{\"timeline_title\":\"Flux utilizaire\"},\"features_panel\":{\"chat\":\"Discutida\",\"gopher\":\"Gopher\",\"media_proxy\":\"Servidor mandatari dels mèdias\",\"scope_options\":\"Opcions d'encastres\",\"text_limit\":\"Limit de tèxte\",\"title\":\"Foncionalitats\",\"who_to_follow\":\"Qui seguir\"},\"who_to_follow\":{\"more\":\"Mai\",\"who_to_follow\":\"Qui seguir\"}}\n\n/***/ }),\n/* 410 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Czat\"},\"finder\":{\"error_fetching_user\":\"Błąd przy pobieraniu profilu\",\"find_user\":\"Znajdź użytkownika\"},\"general\":{\"apply\":\"Zastosuj\",\"submit\":\"Wyślij\"},\"login\":{\"login\":\"Zaloguj\",\"logout\":\"Wyloguj\",\"password\":\"Hasło\",\"placeholder\":\"n.p. lain\",\"register\":\"Zarejestruj\",\"username\":\"Użytkownik\"},\"nav\":{\"chat\":\"Lokalny czat\",\"mentions\":\"Wzmianki\",\"public_tl\":\"Publiczna oś czasu\",\"timeline\":\"Oś czasu\",\"twkn\":\"Cała znana sieć\"},\"notifications\":{\"favorited_you\":\"dodał twój status do ulubionych\",\"followed_you\":\"obserwuje cię\",\"notifications\":\"Powiadomienia\",\"read\":\"Przeczytane!\",\"repeated_you\":\"powtórzył twój status\"},\"post_status\":{\"default\":\"Właśnie wróciłem z kościoła\",\"posting\":\"Wysyłanie\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Wyświetlana nazwa profilu\",\"password_confirm\":\"Potwierdzenie hasła\",\"registration\":\"Rejestracja\"},\"settings\":{\"attachmentRadius\":\"Załączniki\",\"attachments\":\"Załączniki\",\"autoload\":\"Włącz automatyczne ładowanie po przewinięciu do końca strony\",\"avatar\":\"Awatar\",\"avatarAltRadius\":\"Awatary (powiadomienia)\",\"avatarRadius\":\"Awatary\",\"background\":\"Tło\",\"bio\":\"Bio\",\"btnRadius\":\"Przyciski\",\"cBlue\":\"Niebieski (odpowiedz, obserwuj)\",\"cGreen\":\"Zielony (powtórzenia)\",\"cOrange\":\"Pomarańczowy (ulubione)\",\"cRed\":\"Czerwony (anuluj)\",\"change_password\":\"Zmień hasło\",\"change_password_error\":\"Podczas zmiany hasła wystąpił problem.\",\"changed_password\":\"Hasło zmienione poprawnie!\",\"confirm_new_password\":\"Potwierdź nowe hasło\",\"current_avatar\":\"Twój obecny awatar\",\"current_password\":\"Obecne hasło\",\"current_profile_banner\":\"Twój obecny banner profilu\",\"delete_account\":\"Usuń konto\",\"delete_account_description\":\"Trwale usuń konto i wszystkie posty.\",\"delete_account_error\":\"Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.\",\"delete_account_instructions\":\"Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.\",\"filtering\":\"Filtrowanie\",\"filtering_explanation\":\"Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.\",\"follow_export\":\"Eksport obserwowanych\",\"follow_export_button\":\"Eksportuj swoją listę obserwowanych do pliku CSV\",\"follow_export_processing\":\"Przetwarzanie, wkrótce twój plik zacznie się ściągać.\",\"follow_import\":\"Import obserwowanych\",\"follow_import_error\":\"Błąd przy importowaniu obserwowanych\",\"follows_imported\":\"Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.\",\"foreground\":\"Pierwszy plan\",\"hide_attachments_in_convo\":\"Ukryj załączniki w rozmowach\",\"hide_attachments_in_tl\":\"Ukryj załączniki w osi czasu\",\"import_followers_from_a_csv_file\":\"Importuj obserwowanych z pliku CSV\",\"inputRadius\":\"Pola tekstowe\",\"links\":\"Łącza\",\"name\":\"Imię\",\"name_bio\":\"Imię i bio\",\"new_password\":\"Nowe hasło\",\"nsfw_clickthrough\":\"Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)\",\"panelRadius\":\"Panele\",\"presets\":\"Gotowe motywy\",\"profile_background\":\"Tło profilu\",\"profile_banner\":\"Banner profilu\",\"radii_help\":\"Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)\",\"reply_link_preview\":\"Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi\",\"set_new_avatar\":\"Ustaw nowy awatar\",\"set_new_profile_background\":\"Ustaw nowe tło profilu\",\"set_new_profile_banner\":\"Ustaw nowy banner profilu\",\"settings\":\"Ustawienia\",\"stop_gifs\":\"Odtwarzaj GIFy po najechaniu kursorem\",\"streaming\":\"Włącz automatycznie strumieniowanie nowych postów gdy na początku strony\",\"text\":\"Tekst\",\"theme\":\"Motyw\",\"theme_help\":\"Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.\",\"tooltipRadius\":\"Etykiety/alerty\",\"user_settings\":\"Ustawienia użytkownika\"},\"timeline\":{\"collapse\":\"Zwiń\",\"conversation\":\"Rozmowa\",\"error_fetching\":\"Błąd pobierania\",\"load_older\":\"Załaduj starsze statusy\",\"repeated\":\"powtórzono\",\"show_new\":\"Pokaż nowe\",\"up_to_date\":\"Na bieżąco\"},\"user_card\":{\"block\":\"Zablokuj\",\"blocked\":\"Zablokowany!\",\"follow\":\"Obserwuj\",\"followees\":\"Obserwowani\",\"followers\":\"Obserwujący\",\"following\":\"Obserwowany!\",\"follows_you\":\"Obserwuje cię!\",\"mute\":\"Wycisz\",\"muted\":\"Wyciszony\",\"per_day\":\"dziennie\",\"remote_follow\":\"Zdalna obserwacja\",\"statuses\":\"Statusy\"},\"user_profile\":{\"timeline_title\":\"Oś czasu użytkownika\"}}\n\n/***/ }),\n/* 411 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Chat\"},\"finder\":{\"error_fetching_user\":\"Erro procurando usuário\",\"find_user\":\"Buscar usuário\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\"},\"login\":{\"login\":\"Entrar\",\"logout\":\"Sair\",\"password\":\"Senha\",\"placeholder\":\"p.e. lain\",\"register\":\"Registrar\",\"username\":\"Usuário\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Menções\",\"public_tl\":\"Linha do tempo pública\",\"timeline\":\"Linha do tempo\",\"twkn\":\"Toda a rede conhecida\"},\"notifications\":{\"favorited_you\":\"favoritou sua postagem\",\"followed_you\":\"seguiu você\",\"notifications\":\"Notificações\",\"read\":\"Lido!\",\"repeated_you\":\"repetiu sua postagem\"},\"post_status\":{\"default\":\"Acabei de chegar no Rio!\",\"posting\":\"Publicando\"},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Correio eletrônico\",\"fullname\":\"Nome para exibição\",\"password_confirm\":\"Confirmação de senha\",\"registration\":\"Registro\"},\"settings\":{\"attachmentRadius\":\"Anexos\",\"attachments\":\"Anexos\",\"autoload\":\"Habilitar carregamento automático quando a rolagem chegar ao fim.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatares (Notificações)\",\"avatarRadius\":\"Avatares\",\"background\":\"Plano de Fundo\",\"bio\":\"Biografia\",\"btnRadius\":\"Botões\",\"cBlue\":\"Azul (Responder, seguir)\",\"cGreen\":\"Verde (Repetir)\",\"cOrange\":\"Laranja (Favoritar)\",\"cRed\":\"Vermelho (Cancelar)\",\"current_avatar\":\"Seu avatar atual\",\"current_profile_banner\":\"Sua capa de perfil atual\",\"filtering\":\"Filtragem\",\"filtering_explanation\":\"Todas as postagens contendo estas palavras serão silenciadas, uma por linha.\",\"follow_import\":\"Importar seguidas\",\"follow_import_error\":\"Erro ao importar seguidores\",\"follows_imported\":\"Seguidores importados! O processamento pode demorar um pouco.\",\"foreground\":\"Primeiro Plano\",\"hide_attachments_in_convo\":\"Ocultar anexos em conversas\",\"hide_attachments_in_tl\":\"Ocultar anexos na linha do tempo.\",\"import_followers_from_a_csv_file\":\"Importe seguidores a partir de um arquivo CSV\",\"links\":\"Links\",\"name\":\"Nome\",\"name_bio\":\"Nome & Biografia\",\"nsfw_clickthrough\":\"Habilitar clique para ocultar anexos NSFW\",\"panelRadius\":\"Paineis\",\"presets\":\"Predefinições\",\"profile_background\":\"Plano de fundo de perfil\",\"profile_banner\":\"Capa de perfil\",\"radii_help\":\"Arredondar arestas da interface (em píxeis)\",\"reply_link_preview\":\"Habilitar a pré-visualização de link de respostas ao passar o mouse.\",\"set_new_avatar\":\"Alterar avatar\",\"set_new_profile_background\":\"Alterar o plano de fundo de perfil\",\"set_new_profile_banner\":\"Alterar capa de perfil\",\"settings\":\"Configurações\",\"stop_gifs\":\"Reproduzir GIFs ao passar o cursor em cima\",\"streaming\":\"Habilitar o fluxo automático de postagens quando ao topo da página\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.\",\"tooltipRadius\":\"Dicass/alertas\",\"user_settings\":\"Configurações de Usuário\"},\"timeline\":{\"conversation\":\"Conversa\",\"error_fetching\":\"Erro buscando atualizações\",\"load_older\":\"Carregar postagens antigas\",\"show_new\":\"Mostrar novas\",\"up_to_date\":\"Atualizado\"},\"user_card\":{\"block\":\"Bloquear\",\"blocked\":\"Bloqueado!\",\"follow\":\"Seguir\",\"followees\":\"Seguindo\",\"followers\":\"Seguidores\",\"following\":\"Seguindo!\",\"follows_you\":\"Segue você!\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por dia\",\"remote_follow\":\"Seguidor Remoto\",\"statuses\":\"Postagens\"},\"user_profile\":{\"timeline_title\":\"Linha do tempo do usuário\"}}\n\n/***/ }),\n/* 412 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"finder\":{\"error_fetching_user\":\"Eroare la preluarea utilizatorului\",\"find_user\":\"Găsește utilizator\"},\"general\":{\"submit\":\"trimite\"},\"login\":{\"login\":\"Loghează\",\"logout\":\"Deloghează\",\"password\":\"Parolă\",\"placeholder\":\"d.e. lain\",\"register\":\"Înregistrare\",\"username\":\"Nume utilizator\"},\"nav\":{\"mentions\":\"Menționări\",\"public_tl\":\"Cronologie Publică\",\"timeline\":\"Cronologie\",\"twkn\":\"Toată Reșeaua Cunoscută\"},\"notifications\":{\"followed_you\":\"te-a urmărit\",\"notifications\":\"Notificări\",\"read\":\"Citit!\"},\"post_status\":{\"default\":\"Nu de mult am aterizat în L.A.\",\"posting\":\"Postează\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Numele întreg\",\"password_confirm\":\"Cofirmă parola\",\"registration\":\"Îregistrare\"},\"settings\":{\"attachments\":\"Atașamente\",\"autoload\":\"Permite încărcarea automată când scrolat la capăt\",\"avatar\":\"Avatar\",\"bio\":\"Bio\",\"current_avatar\":\"Avatarul curent\",\"current_profile_banner\":\"Bannerul curent al profilului\",\"filtering\":\"Filtru\",\"filtering_explanation\":\"Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie\",\"hide_attachments_in_convo\":\"Ascunde atașamentele în conversații\",\"hide_attachments_in_tl\":\"Ascunde atașamentele în cronologie\",\"name\":\"Nume\",\"name_bio\":\"Nume și Bio\",\"nsfw_clickthrough\":\"Permite ascunderea al atașamentelor NSFW\",\"profile_background\":\"Fundalul de profil\",\"profile_banner\":\"Banner de profil\",\"reply_link_preview\":\"Permite previzualizarea linkului de răspuns la planarea de mouse\",\"set_new_avatar\":\"Setează avatar nou\",\"set_new_profile_background\":\"Setează fundal nou\",\"set_new_profile_banner\":\"Setează banner nou la profil\",\"settings\":\"Setări\",\"theme\":\"Temă\",\"user_settings\":\"Setările utilizatorului\"},\"timeline\":{\"conversation\":\"Conversație\",\"error_fetching\":\"Erare la preluarea actualizărilor\",\"load_older\":\"Încarcă stări mai vechi\",\"show_new\":\"Arată cele noi\",\"up_to_date\":\"La zi\"},\"user_card\":{\"block\":\"Blochează\",\"blocked\":\"Blocat!\",\"follow\":\"Urmărește\",\"followees\":\"Urmărește\",\"followers\":\"Următori\",\"following\":\"Urmărit!\",\"follows_you\":\"Te urmărește!\",\"mute\":\"Pune pe mut\",\"muted\":\"Pus pe mut\",\"per_day\":\"pe zi\",\"statuses\":\"Stări\"}}\n\n/***/ }),\n/* 413 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"Чат\"},\"finder\":{\"error_fetching_user\":\"Пользователь не найден\",\"find_user\":\"Найти пользователя\"},\"general\":{\"apply\":\"Применить\",\"submit\":\"Отправить\"},\"login\":{\"login\":\"Войти\",\"logout\":\"Выйти\",\"password\":\"Пароль\",\"placeholder\":\"e.c. lain\",\"register\":\"Зарегистрироваться\",\"username\":\"Имя пользователя\"},\"nav\":{\"back\":\"Назад\",\"chat\":\"Локальный чат\",\"mentions\":\"Упоминания\",\"public_tl\":\"Публичная лента\",\"timeline\":\"Лента\",\"twkn\":\"Федеративная лента\"},\"notifications\":{\"broken_favorite\":\"Неизвестный статус, ищем...\",\"favorited_you\":\"нравится ваш статус\",\"followed_you\":\"начал(а) читать вас\",\"load_older\":\"Загрузить старые уведомления\",\"notifications\":\"Уведомления\",\"read\":\"Прочесть\",\"repeated_you\":\"повторил(а) ваш статус\"},\"post_status\":{\"account_not_locked_warning\":\"Ваш аккаунт не {0}. Кто угодно может зафоловить вас чтобы прочитать посты только для подписчиков\",\"account_not_locked_warning_link\":\"залочен\",\"attachments_sensitive\":\"Вложения содержат чувствительный контент\",\"content_warning\":\"Тема (не обязательно)\",\"default\":\"Что нового?\",\"direct_warning\":\"Этот пост будет видет только упомянутым пользователям\",\"posting\":\"Отправляется\",\"scope\":{\"direct\":\"Личное - этот пост видят только те кто в нём упомянут\",\"private\":\"Для подписчиков - этот пост видят только подписчики\",\"public\":\"Публичный - этот пост виден всем\",\"unlisted\":\"Непубличный - этот пост не виден на публичных лентах\"}},\"registration\":{\"bio\":\"Описание\",\"email\":\"Email\",\"fullname\":\"Отображаемое имя\",\"password_confirm\":\"Подтверждение пароля\",\"registration\":\"Регистрация\",\"token\":\"Код приглашения\",\"validations\":{\"username_required\":\"не должно быть пустым\",\"fullname_required\":\"не должно быть пустым\",\"email_required\":\"не должен быть пустым\",\"password_required\":\"не должен быть пустым\",\"password_confirmation_required\":\"не должно быть пустым\",\"password_confirmation_match\":\"должно совпадать с паролем\"}},\"settings\":{\"attachmentRadius\":\"Прикреплённые файлы\",\"attachments\":\"Вложения\",\"autoload\":\"Включить автоматическую загрузку при прокрутке вниз\",\"avatar\":\"Аватар\",\"avatarAltRadius\":\"Аватары в уведомлениях\",\"avatarRadius\":\"Аватары\",\"background\":\"Фон\",\"bio\":\"Описание\",\"btnRadius\":\"Кнопки\",\"cBlue\":\"Ответить, читать\",\"cGreen\":\"Повторить\",\"cOrange\":\"Нравится\",\"cRed\":\"Отменить\",\"change_password\":\"Сменить пароль\",\"change_password_error\":\"Произошла ошибка при попытке изменить пароль.\",\"changed_password\":\"Пароль изменён успешно.\",\"collapse_subject\":\"Сворачивать посты с темой\",\"confirm_new_password\":\"Подтверждение нового пароля\",\"current_avatar\":\"Текущий аватар\",\"current_password\":\"Текущий пароль\",\"current_profile_banner\":\"Текущий баннер профиля\",\"data_import_export_tab\":\"Импорт / Экспорт данных\",\"delete_account\":\"Удалить аккаунт\",\"delete_account_description\":\"Удалить ваш аккаунт и все ваши сообщения.\",\"delete_account_error\":\"Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.\",\"delete_account_instructions\":\"Введите ваш пароль в поле ниже для подтверждения удаления.\",\"export_theme\":\"Сохранить Тему\",\"filtering\":\"Фильтрация\",\"filtering_explanation\":\"Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке\",\"follow_export\":\"Экспортировать читаемых\",\"follow_export_button\":\"Экспортировать читаемых в файл .csv\",\"follow_export_processing\":\"Ведётся обработка, скоро вам будет предложено загрузить файл\",\"follow_import\":\"Импортировать читаемых\",\"follow_import_error\":\"Ошибка при импортировании читаемых.\",\"follows_imported\":\"Список читаемых импортирован. Обработка займёт некоторое время..\",\"foreground\":\"Передний план\",\"general\":\"Общие\",\"hide_attachments_in_convo\":\"Прятать вложения в разговорах\",\"hide_attachments_in_tl\":\"Прятать вложения в ленте\",\"hide_isp\":\"Скрыть серверную панель\",\"import_followers_from_a_csv_file\":\"Импортировать читаемых из файла .csv\",\"import_theme\":\"Загрузить Тему\",\"inputRadius\":\"Поля ввода\",\"checkboxRadius\":\"Чекбоксы\",\"interface\":\"Интерфейс\",\"interfaceLanguage\":\"Язык интерфейса\",\"limited_availability\":\"Не доступно в вашем браузере\",\"links\":\"Ссылки\",\"lock_account_description\":\"Аккаунт доступен только подтверждённым подписчикам\",\"loop_video\":\"Зациливать видео\",\"loop_video_silent_only\":\"Зацикливать только беззвучные видео (т.е. \\\"гифки\\\" с Mastodon)\",\"name\":\"Имя\",\"name_bio\":\"Имя и описание\",\"new_password\":\"Новый пароль\",\"notification_visibility\":\"Показывать уведомления\",\"notification_visibility_follows\":\"Подписки\",\"notification_visibility_likes\":\"Лайки\",\"notification_visibility_mentions\":\"Упоминания\",\"notification_visibility_repeats\":\"Повторы\",\"no_rich_text_description\":\"Убрать форматирование из всех постов\",\"hide_followings_description\":\"Не показывать кого я читаю\",\"hide_followers_description\":\"Не показывать кто читает меня\",\"nsfw_clickthrough\":\"Включить скрытие NSFW вложений\",\"panelRadius\":\"Панели\",\"pause_on_unfocused\":\"Приостановить загрузку когда вкладка не в фокусе\",\"presets\":\"Пресеты\",\"profile_background\":\"Фон профиля\",\"profile_banner\":\"Баннер профиля\",\"profile_tab\":\"Профиль\",\"radii_help\":\"Скругление углов элементов интерфейса (в пикселях)\",\"replies_in_timeline\":\"Ответы в ленте\",\"reply_link_preview\":\"Включить предварительный просмотр ответа при наведении мыши\",\"reply_visibility_all\":\"Показывать все ответы\",\"reply_visibility_following\":\"Показывать только ответы мне и тех на кого я подписан\",\"reply_visibility_self\":\"Показывать только ответы мне\",\"security_tab\":\"Безопасность\",\"set_new_avatar\":\"Загрузить новый аватар\",\"set_new_profile_background\":\"Загрузить новый фон профиля\",\"set_new_profile_banner\":\"Загрузить новый баннер профиля\",\"settings\":\"Настройки\",\"subject_input_always_show\":\"Всегда показывать поле ввода темы\",\"stop_gifs\":\"Проигрывать GIF анимации только при наведении\",\"streaming\":\"Включить автоматическую загрузку новых сообщений при прокрутке вверх\",\"text\":\"Текст\",\"theme\":\"Тема\",\"theme_help\":\"Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.\",\"theme_help_v2_1\":\"Вы так же можете перепоределить цвета определенных компонентов нажав соотв. галочку. Используйте кнопку \\\"Очистить всё\\\" чтобы снять все переопределения\",\"theme_help_v2_2\":\"Под некоторыми полями ввода это идикаторы контрастности, наведите на них мышью чтобы узнать больше. Приспользовании прозрачности контраст расчитывается для наихудшего варианта.\",\"tooltipRadius\":\"Всплывающие подсказки/уведомления\",\"user_settings\":\"Настройки пользователя\",\"style\":{\"switcher\":{\"keep_color\":\"Оставить цвета\",\"keep_shadows\":\"Оставить тени\",\"keep_opacity\":\"Оставить прозрачность\",\"keep_roundness\":\"Оставить скругление\",\"keep_fonts\":\"Оставить шрифты\",\"save_load_hint\":\"Опции \\\"оставить...\\\" позволяют сохранить текущие настройки при выборе другой темы или импорта её из файла. Так же они влияют на то какие компоненты будут сохранены при экспорте темы. Когда все галочки сняты все компоненты будут экспортированы.\",\"reset\":\"Сбросить\",\"clear_all\":\"Очистить всё\",\"clear_opacity\":\"Очистить прозрачность\"},\"common\":{\"color\":\"Цвет\",\"opacity\":\"Прозрачность\",\"contrast\":{\"hint\":\"Уровень контраста: {ratio}, что {level} {context}\",\"level\":{\"aa\":\"соответствует гайдлайну Level AA (минимальный)\",\"aaa\":\"соответствует гайдлайну Level AAA (рекомендуемый)\",\"bad\":\"не соответствует каким либо гайдлайнам\"},\"context\":{\"18pt\":\"для крупного (18pt+) текста\",\"text\":\"для текста\"}}},\"common_colors\":{\"_tab_label\":\"Общие\",\"main\":\"Общие цвета\",\"foreground_hint\":\"См. вкладку \\\"Дополнительно\\\" для более детального контроля\",\"rgbo\":\"Иконки, акценты, ярылки\"},\"advanced_colors\":{\"_tab_label\":\"Дополнительно\",\"alert\":\"Фон уведомлений\",\"alert_error\":\"Ошибки\",\"badge\":\"Фон значков\",\"badge_notification\":\"Уведомления\",\"panel_header\":\"Заголовок панели\",\"top_bar\":\"Верняя полоска\",\"borders\":\"Границы\",\"buttons\":\"Кнопки\",\"inputs\":\"Поля ввода\",\"faint_text\":\"Маловажный текст\"},\"radii\":{\"_tab_label\":\"Скругление\"},\"shadows\":{\"_tab_label\":\"Светотень\",\"component\":\"Компонент\",\"override\":\"Переопределить\",\"shadow_id\":\"Тень №{value}\",\"blur\":\"Размытие\",\"spread\":\"Разброс\",\"inset\":\"Внутренняя\",\"hint\":\"Для теней вы так же можете использовать --variable в качестве цвета чтобы использовать CSS3-переменные. В таком случае прозрачность работать не будет.\",\"filter_hint\":{\"always_drop_shadow\":\"Внимание, эта тень всегда использует {0} когда браузер поддерживает это\",\"drop_shadow_syntax\":\"{0} не поддерживает параметр {1} и ключевое слово {2}\",\"avatar_inset\":\"Одновременное использование внутренних и внешних теней на (прозрачных) аватарках может дать не те результаты что вы ожидаете\",\"spread_zero\":\"Тени с разбросом > 0 будут выглядеть как если бы разброс установлен в 0\",\"inset_classic\":\"Внутренние тени будут использовать {0}\"},\"components\":{\"panel\":\"Панель\",\"panelHeader\":\"Заголовок панели\",\"topBar\":\"Верхняя полоска\",\"avatar\":\"Аватарка (профиль)\",\"avatarStatus\":\"Аватарка (в ленте)\",\"popup\":\"Всплывающие подсказки\",\"button\":\"Кнопки\",\"buttonHover\":\"Кнопки (наведен курсор)\",\"buttonPressed\":\"Кнопки (нажата)\",\"buttonPressedHover\":\"Кнопки (нажата+наведен курсор)\",\"input\":\"Поля ввода\"}},\"fonts\":{\"_tab_label\":\"Шрифты\",\"help\":\"Выберите тип шрифта для использования в интерфейсе. При выборе варианта \\\"другой\\\" надо ввести название шрифта в точности как он называется в системе.\",\"components\":{\"interface\":\"Интерфейс\",\"input\":\"Поля ввода\",\"post\":\"Текст постов\",\"postCode\":\"Моноширинный текст в посте (форматирование)\"},\"family\":\"Шрифт\",\"size\":\"Размер (в пикселях)\",\"weight\":\"Ширина\",\"custom\":\"Другой\"},\"preview\":{\"header\":\"Пример\",\"content\":\"Контент\",\"error\":\"Ошибка стоп 000\",\"button\":\"Кнопка\",\"text\":\"Еще немного {0} и масенькая {1}\",\"mono\":\"контента\",\"input\":\"Что нового?\",\"faint_link\":\"Его придется убрать\",\"fine_print\":\"Если проблемы остались — ваш гуртовщик мыши плохо стоит. {0}.\",\"header_faint\":\"Все идет по плану\",\"checkbox\":\"Я подтверждаю что не было ни единого разрыва\",\"link\":\"ссылка\"}}},\"timeline\":{\"collapse\":\"Свернуть\",\"conversation\":\"Разговор\",\"error_fetching\":\"Ошибка при обновлении\",\"load_older\":\"Загрузить старые статусы\",\"no_retweet_hint\":\"Пост помечен как \\\"только для подписчиков\\\" или \\\"личное\\\" и поэтому не может быть повторён\",\"repeated\":\"повторил(а)\",\"show_new\":\"Показать новые\",\"up_to_date\":\"Обновлено\"},\"user_card\":{\"block\":\"Заблокировать\",\"blocked\":\"Заблокирован\",\"favorites\":\"Понравившиеся\",\"follow\":\"Читать\",\"follow_sent\":\"Запрос отправлен!\",\"follow_progress\":\"Запрашиваем…\",\"follow_again\":\"Запросить еще заново?\",\"follow_unfollow\":\"Перестать читать\",\"followees\":\"Читаемые\",\"followers\":\"Читатели\",\"following\":\"Читаю\",\"follows_you\":\"Читает вас\",\"mute\":\"Игнорировать\",\"muted\":\"Игнорирую\",\"per_day\":\"в день\",\"remote_follow\":\"Читать удалённо\",\"statuses\":\"Статусы\"},\"user_profile\":{\"timeline_title\":\"Лента пользователя\"}}\n\n/***/ }),\n/* 414 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = {\"chat\":{\"title\":\"聊天\"},\"features_panel\":{\"chat\":\"聊天\",\"gopher\":\"Gopher\",\"media_proxy\":\"媒体代理\",\"scope_options\":\"可见范围设置\",\"text_limit\":\"文本长度限制\",\"title\":\"功能\",\"who_to_follow\":\"推荐关注\"},\"finder\":{\"error_fetching_user\":\"获取用户时发生错误\",\"find_user\":\"寻找用户\"},\"general\":{\"apply\":\"应用\",\"submit\":\"提交\"},\"login\":{\"login\":\"登录\",\"logout\":\"登出\",\"password\":\"密码\",\"placeholder\":\"例如:lain\",\"register\":\"注册\",\"username\":\"用户名\"},\"nav\":{\"chat\":\"本地聊天\",\"friend_requests\":\"关注请求\",\"mentions\":\"提及\",\"public_tl\":\"公共时间线\",\"timeline\":\"时间线\",\"twkn\":\"所有已知网络\"},\"notifications\":{\"broken_favorite\":\"未知的状态,正在搜索中...\",\"favorited_you\":\"收藏了你的状态\",\"followed_you\":\"关注了你\",\"load_older\":\"加载更早的通知\",\"notifications\":\"通知\",\"read\":\"阅读!\",\"repeated_you\":\"转发了你的状态\"},\"post_status\":{\"account_not_locked_warning\":\"你的帐号没有 {0}。任何人都可以关注你并浏览你的上锁内容。\",\"account_not_locked_warning_link\":\"上锁\",\"attachments_sensitive\":\"标记附件为敏感内容\",\"content_type\":{\"plain_text\":\"纯文本\"},\"content_warning\":\"主题(可选)\",\"default\":\"刚刚抵达上海\",\"direct_warning\":\"本条内容只有被提及的用户能够看到。\",\"posting\":\"发送\",\"scope\":{\"direct\":\"私信 - 只发送给被提及的用户\",\"private\":\"仅关注者 - 只有关注了你的人能看到\",\"public\":\"公共 - 发送到公共时间轴\",\"unlisted\":\"不公开 - 所有人可见,但不会发送到公共时间轴\"}},\"registration\":{\"bio\":\"简介\",\"email\":\"电子邮箱\",\"fullname\":\"全名\",\"password_confirm\":\"确认密码\",\"registration\":\"注册\",\"token\":\"邀请码\"},\"settings\":{\"attachmentRadius\":\"附件\",\"attachments\":\"附件\",\"autoload\":\"启用滚动到底部时的自动加载\",\"avatar\":\"头像\",\"avatarAltRadius\":\"头像(通知)\",\"avatarRadius\":\"头像\",\"background\":\"背景\",\"bio\":\"简介\",\"btnRadius\":\"按钮\",\"cBlue\":\"蓝色(回复,关注)\",\"cGreen\":\"绿色(转发)\",\"cOrange\":\"橙色(收藏)\",\"cRed\":\"红色(取消)\",\"change_password\":\"修改密码\",\"change_password_error\":\"修改密码的时候出了点问题。\",\"changed_password\":\"成功修改了密码!\",\"collapse_subject\":\"折叠带主题的内容\",\"confirm_new_password\":\"确认新密码\",\"current_avatar\":\"当前头像\",\"current_password\":\"当前密码\",\"current_profile_banner\":\"您当前的横幅图片\",\"data_import_export_tab\":\"数据导入/导出\",\"default_vis\":\"默认可见范围\",\"delete_account\":\"删除账户\",\"delete_account_description\":\"永久删除你的帐号和所有消息。\",\"delete_account_error\":\"删除账户时发生错误,如果一直删除不了,请联系实例管理员。\",\"delete_account_instructions\":\"在下面输入你的密码来确认删除账户\",\"export_theme\":\"导出预置主题\",\"filtering\":\"过滤器\",\"filtering_explanation\":\"所有包含以下词汇的内容都会被隐藏,一行一个\",\"follow_export\":\"导出关注\",\"follow_export_button\":\"将关注导出成 csv 文件\",\"follow_export_processing\":\"正在处理,过一会儿就可以下载你的文件了\",\"follow_import\":\"导入关注\",\"follow_import_error\":\"导入关注时错误\",\"follows_imported\":\"关注已导入!尚需要一些时间来处理。\",\"foreground\":\"前景\",\"general\":\"通用\",\"hide_attachments_in_convo\":\"在对话中隐藏附件\",\"hide_attachments_in_tl\":\"在时间线上隐藏附件\",\"hide_post_stats\":\"隐藏推文相关的统计数据(例如:收藏的次数)\",\"hide_user_stats\":\"隐藏用户的统计数据(例如:关注者的数量)\",\"import_followers_from_a_csv_file\":\"从 csv 文件中导入关注\",\"import_theme\":\"导入预置主题\",\"inputRadius\":\"输入框\",\"instance_default\":\"(默认:{value})\",\"interfaceLanguage\":\"界面语言\",\"invalid_theme_imported\":\"您所选择的主题文件不被 Pleroma 支持,因此主题未被修改。\",\"limited_availability\":\"在您的浏览器中无法使用\",\"links\":\"链接\",\"lock_account_description\":\"你需要手动审核关注请求\",\"loop_video\":\"循环视频\",\"loop_video_silent_only\":\"只循环没有声音的视频(例如:Mastodon 里的“GIF”)\",\"name\":\"名字\",\"name_bio\":\"名字及简介\",\"new_password\":\"新密码\",\"notification_visibility\":\"要显示的通知类型\",\"notification_visibility_follows\":\"关注\",\"notification_visibility_likes\":\"点赞\",\"notification_visibility_mentions\":\"提及\",\"notification_visibility_repeats\":\"转发\",\"no_rich_text_description\":\"不显示富文本格式\",\"nsfw_clickthrough\":\"将不和谐附件隐藏,点击才能打开\",\"panelRadius\":\"面板\",\"pause_on_unfocused\":\"在离开页面时暂停时间线推送\",\"presets\":\"预置\",\"profile_background\":\"个人资料背景图\",\"profile_banner\":\"横幅图片\",\"profile_tab\":\"个人资料\",\"radii_help\":\"设置界面边缘的圆角 (单位:像素)\",\"replies_in_timeline\":\"时间线中的回复\",\"reply_link_preview\":\"启用鼠标悬停时预览回复链接\",\"reply_visibility_all\":\"显示所有回复\",\"reply_visibility_following\":\"只显示发送给我的回复/发送给我关注的用户的回复\",\"reply_visibility_self\":\"只显示发送给我的回复\",\"saving_err\":\"保存设置时发生错误\",\"saving_ok\":\"设置已保存\",\"security_tab\":\"安全\",\"set_new_avatar\":\"设置新头像\",\"set_new_profile_background\":\"设置新的个人资料背景\",\"set_new_profile_banner\":\"设置新的横幅图片\",\"settings\":\"设置\",\"stop_gifs\":\"鼠标悬停时播放GIF\",\"streaming\":\"开启滚动到顶部时的自动推送\",\"text\":\"文本\",\"theme\":\"主题\",\"theme_help\":\"使用十六进制代码(#rrggbb)来设置主题颜色。\",\"tooltipRadius\":\"提醒\",\"user_settings\":\"用户设置\",\"values\":{\"false\":\"否\",\"true\":\"是\"}},\"timeline\":{\"collapse\":\"折叠\",\"conversation\":\"对话\",\"error_fetching\":\"获取更新时发生错误\",\"load_older\":\"加载更早的状态\",\"no_retweet_hint\":\"这条内容仅关注者可见,或者是私信,因此不能转发。\",\"repeated\":\"已转发\",\"show_new\":\"显示新内容\",\"up_to_date\":\"已是最新\"},\"user_card\":{\"approve\":\"允许\",\"block\":\"屏蔽\",\"blocked\":\"已屏蔽!\",\"deny\":\"拒绝\",\"follow\":\"关注\",\"followees\":\"正在关注\",\"followers\":\"关注者\",\"following\":\"正在关注!\",\"follows_you\":\"关注了你!\",\"mute\":\"隐藏\",\"muted\":\"已隐藏\",\"per_day\":\"每天\",\"remote_follow\":\"跨站关注\",\"statuses\":\"状态\"},\"user_profile\":{\"timeline_title\":\"用户时间线\"},\"who_to_follow\":{\"more\":\"更多\",\"who_to_follow\":\"推荐关注\"}}\n\n/***/ }),\n/* 415 */\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/* 416 */\n/***/ (function(module, exports) {\n\n\tmodule.exports = [\"たった今\",\"%s 秒前\",\"%s 分前\",\"%s 時間前\",\"%s 日前\",\"%s 週間前\",\"%s ヶ月前\",\"%s 年前\"]\n\n/***/ }),\n/* 417 */,\n/* 418 */,\n/* 419 */,\n/* 420 */,\n/* 421 */,\n/* 422 */,\n/* 423 */,\n/* 424 */,\n/* 425 */,\n/* 426 */,\n/* 427 */,\n/* 428 */,\n/* 429 */,\n/* 430 */,\n/* 431 */,\n/* 432 */,\n/* 433 */,\n/* 434 */,\n/* 435 */,\n/* 436 */,\n/* 437 */,\n/* 438 */,\n/* 439 */,\n/* 440 */,\n/* 441 */,\n/* 442 */,\n/* 443 */,\n/* 444 */,\n/* 445 */,\n/* 446 */,\n/* 447 */,\n/* 448 */,\n/* 449 */,\n/* 450 */,\n/* 451 */,\n/* 452 */,\n/* 453 */,\n/* 454 */,\n/* 455 */,\n/* 456 */,\n/* 457 */,\n/* 458 */,\n/* 459 */,\n/* 460 */,\n/* 461 */,\n/* 462 */,\n/* 463 */,\n/* 464 */,\n/* 465 */,\n/* 466 */,\n/* 467 */,\n/* 468 */,\n/* 469 */,\n/* 470 */,\n/* 471 */,\n/* 472 */,\n/* 473 */,\n/* 474 */,\n/* 475 */,\n/* 476 */,\n/* 477 */,\n/* 478 */,\n/* 479 */,\n/* 480 */,\n/* 481 */,\n/* 482 */,\n/* 483 */,\n/* 484 */,\n/* 485 */,\n/* 486 */,\n/* 487 */,\n/* 488 */,\n/* 489 */,\n/* 490 */,\n/* 491 */,\n/* 492 */,\n/* 493 */,\n/* 494 */,\n/* 495 */,\n/* 496 */,\n/* 497 */,\n/* 498 */,\n/* 499 */,\n/* 500 */,\n/* 501 */,\n/* 502 */,\n/* 503 */,\n/* 504 */,\n/* 505 */,\n/* 506 */,\n/* 507 */,\n/* 508 */,\n/* 509 */,\n/* 510 */,\n/* 511 */,\n/* 512 */,\n/* 513 */,\n/* 514 */,\n/* 515 */,\n/* 516 */,\n/* 517 */,\n/* 518 */,\n/* 519 */,\n/* 520 */,\n/* 521 */,\n/* 522 */,\n/* 523 */,\n/* 524 */,\n/* 525 */,\n/* 526 */,\n/* 527 */,\n/* 528 */,\n/* 529 */,\n/* 530 */,\n/* 531 */,\n/* 532 */,\n/* 533 */,\n/* 534 */,\n/* 535 */,\n/* 536 */,\n/* 537 */,\n/* 538 */,\n/* 539 */,\n/* 540 */,\n/* 541 */,\n/* 542 */,\n/* 543 */,\n/* 544 */,\n/* 545 */,\n/* 546 */,\n/* 547 */,\n/* 548 */,\n/* 549 */,\n/* 550 */,\n/* 551 */,\n/* 552 */,\n/* 553 */,\n/* 554 */,\n/* 555 */,\n/* 556 */,\n/* 557 */,\n/* 558 */,\n/* 559 */,\n/* 560 */,\n/* 561 */,\n/* 562 */,\n/* 563 */,\n/* 564 */,\n/* 565 */,\n/* 566 */,\n/* 567 */,\n/* 568 */,\n/* 569 */,\n/* 570 */,\n/* 571 */,\n/* 572 */,\n/* 573 */,\n/* 574 */,\n/* 575 */,\n/* 576 */,\n/* 577 */,\n/* 578 */,\n/* 579 */,\n/* 580 */,\n/* 581 */,\n/* 582 */,\n/* 583 */,\n/* 584 */,\n/* 585 */,\n/* 586 */,\n/* 587 */,\n/* 588 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tmodule.exports = __webpack_require__.p + \"static/img/nsfw.74818f9.png\";\n\n/***/ }),\n/* 589 */,\n/* 590 */,\n/* 591 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(368)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(234),\n\t /* template */\n\t __webpack_require__(653),\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/* 592 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(369)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(235),\n\t /* template */\n\t __webpack_require__(655),\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/* 593 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(358)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(229),\n\t /* template */\n\t __webpack_require__(639),\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/* 594 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(238),\n\t /* template */\n\t __webpack_require__(666),\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/* 595 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(381)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(240),\n\t /* template */\n\t __webpack_require__(674),\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/* 596 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(241),\n\t /* template */\n\t __webpack_require__(659),\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/* 597 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(388)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(230),\n\t /* template */\n\t __webpack_require__(682),\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/* 598 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(383)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(242),\n\t /* template */\n\t __webpack_require__(677),\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/* 599 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(244),\n\t /* template */\n\t __webpack_require__(632),\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/* 600 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(367)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(245),\n\t /* template */\n\t __webpack_require__(652),\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/* 601 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(246),\n\t /* template */\n\t __webpack_require__(672),\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/* 602 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(386)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(247),\n\t /* template */\n\t __webpack_require__(680),\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/* 603 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(231),\n\t /* template */\n\t __webpack_require__(643),\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/* 604 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(376)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(249),\n\t /* template */\n\t __webpack_require__(668),\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/* 605 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(371)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(251),\n\t /* template */\n\t __webpack_require__(658),\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/* 606 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(370)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(252),\n\t /* template */\n\t __webpack_require__(657),\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/* 607 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(253),\n\t /* template */\n\t __webpack_require__(640),\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/* 608 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(385)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(254),\n\t /* template */\n\t __webpack_require__(679),\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/* 609 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(255),\n\t /* template */\n\t __webpack_require__(663),\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/* 610 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(257),\n\t /* template */\n\t __webpack_require__(645),\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/* 611 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(259),\n\t /* template */\n\t __webpack_require__(641),\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/* 612 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(260),\n\t /* template */\n\t __webpack_require__(661),\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/* 613 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(233),\n\t /* template */\n\t __webpack_require__(662),\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/* 614 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(363)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(261),\n\t /* template */\n\t __webpack_require__(648),\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/* 615 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(356)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(262),\n\t /* template */\n\t __webpack_require__(637),\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/* 616 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(384)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(263),\n\t /* template */\n\t __webpack_require__(678),\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/* 617 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(374)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(264),\n\t /* template */\n\t __webpack_require__(665),\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/* 618 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(373)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(265),\n\t /* template */\n\t __webpack_require__(664),\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/* 619 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(361)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(267),\n\t /* template */\n\t __webpack_require__(646),\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/* 620 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t null,\n\t /* template */\n\t __webpack_require__(676),\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/* 621 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(270),\n\t /* template */\n\t __webpack_require__(635),\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/* 622 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(357)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(271),\n\t /* template */\n\t __webpack_require__(638),\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/* 623 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(360)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(275),\n\t /* template */\n\t __webpack_require__(644),\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/* 624 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(365)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(277),\n\t /* template */\n\t __webpack_require__(650),\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/* 625 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(372)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(278),\n\t /* template */\n\t __webpack_require__(660),\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/* 626 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(380)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(279),\n\t /* template */\n\t __webpack_require__(673),\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/* 627 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(355)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(281),\n\t /* template */\n\t __webpack_require__(636),\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/* 628 */\n/***/ (function(module, exports, __webpack_require__) {\n\n\t\n\t/* styles */\n\t__webpack_require__(387)\n\t\n\tvar Component = __webpack_require__(1)(\n\t /* script */\n\t __webpack_require__(282),\n\t /* template */\n\t __webpack_require__(681),\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/* 629 */\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 }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.notifications')) + \"\\n \"), (_vm.unseenCount) ? _c('span', {\n\t staticClass: \"badge badge-notification unseen-count\"\n\t }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e()]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n\t staticClass: \"loadmore-error alert error\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.unseenCount) ? _c('button', {\n\t staticClass: \"read-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.markAsSeen($event)\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.visibleNotifications), function(notification) {\n\t return _c('div', {\n\t key: notification.action.id,\n\t staticClass: \"notification\",\n\t class: {\n\t \"unseen\": !notification.seen\n\t }\n\t }, [_c('div', {\n\t staticClass: \"notification-overlay\"\n\t }), _vm._v(\" \"), _c('notification', {\n\t attrs: {\n\t \"notification\": notification\n\t }\n\t })], 1)\n\t }), 0), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-footer\"\n\t }, [(_vm.bottomedOut) ? _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer faint\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.no_more_notifications')) + \"\\n \")]) : (!_vm.loading) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.fetchOlderNotifications()\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_vm._v(_vm._s(_vm.$t('notifications.load_older')))])]) : _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 630 */\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 }, [_c('div', {\n\t staticClass: \"container\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar\",\n\t class: {\n\t \"better-shadow\": _vm.betterShadow\n\t },\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: \"top-line\"\n\t }, [(_vm.user.name_html) ? _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.name_html)\n\t }\n\t }) : _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), (!_vm.isOtherUser) ? _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-settings'\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-cog usersettings\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.user_settings')\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\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()], 1), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"user-screen-name\",\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_c('span', {\n\t staticClass: \"handle\"\n\t }, [_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(\" \"), (!_vm.hideUserStatsLocal && !_vm.hideBio) ? _c('span', {\n\t staticClass: \"dailyAvg\"\n\t }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))]) : _vm._e()])], 1)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-meta\"\n\t }, [(_vm.user.follows_you && _vm.loggedIn && _vm.isOtherUser) ? _c('div', {\n\t staticClass: \"following\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && (_vm.loggedIn || !_vm.switcher)) ? _c('div', {\n\t staticClass: \"highlighter\"\n\t }, [(_vm.userHighlightType !== 'disabled') ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightColor),\n\t expression: \"userHighlightColor\"\n\t }],\n\t staticClass: \"userHighlightText\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"id\": 'userHighlightColorTx' + _vm.user.id\n\t },\n\t domProps: {\n\t \"value\": (_vm.userHighlightColor)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.userHighlightColor = $event.target.value\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.userHighlightType !== 'disabled') ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightColor),\n\t expression: \"userHighlightColor\"\n\t }],\n\t staticClass: \"userHighlightCl\",\n\t attrs: {\n\t \"type\": \"color\",\n\t \"id\": 'userHighlightColor' + _vm.user.id\n\t },\n\t domProps: {\n\t \"value\": (_vm.userHighlightColor)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.userHighlightColor = $event.target.value\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('label', {\n\t staticClass: \"userHighlightSel select\",\n\t attrs: {\n\t \"for\": \"style-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.userHighlightType),\n\t expression: \"userHighlightType\"\n\t }],\n\t staticClass: \"userHighlightSel\",\n\t attrs: {\n\t \"id\": 'userHighlightSel' + _vm.user.id\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.userHighlightType = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"disabled\"\n\t }\n\t }, [_vm._v(\"No highlight\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"solid\"\n\t }\n\t }, [_vm._v(\"Solid bg\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"striped\"\n\t }\n\t }, [_vm._v(\"Striped bg\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"side\"\n\t }\n\t }, [_vm._v(\"Side stripe\")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]) : _vm._e()]), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n\t staticClass: \"user-interactions\"\n\t }, [(_vm.loggedIn) ? _c('div', {\n\t staticClass: \"follow\"\n\t }, [(_vm.user.following) ? _c('span', [_c('button', {\n\t staticClass: \"pressed\",\n\t attrs: {\n\t \"disabled\": _vm.followRequestInProgress,\n\t \"title\": _vm.$t('user_card.follow_unfollow')\n\t },\n\t on: {\n\t \"click\": _vm.unfollowUser\n\t }\n\t }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")]], 2)]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n\t attrs: {\n\t \"disabled\": _vm.followRequestInProgress,\n\t \"title\": _vm.followRequestSent ? _vm.$t('user_card.follow_again') : ''\n\t },\n\t on: {\n\t \"click\": _vm.followUser\n\t }\n\t }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : (_vm.followRequestSent) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_sent')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")]], 2)]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _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()])]), _vm._v(\" \"), (!_vm.hideBio) ? _c('div', {\n\t staticClass: \"panel-body profile-panel-body\"\n\t }, [(!_vm.hideUserStatsLocal || _vm.switcher) ? _c('div', {\n\t staticClass: \"user-counts\"\n\t }, [_c('div', {\n\t staticClass: \"user-count\",\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(\" \"), (!_vm.hideUserStatsLocal) ? _c('span', [_vm._v(_vm._s(_vm.user.statuses_count) + \" \"), _c('br')]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-count\",\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(\" \"), (!_vm.hideUserStatsLocal) ? _c('span', [_vm._v(_vm._s(_vm.user.friends_count))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-count\",\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(\" \"), (!_vm.hideUserStatsLocal) ? _c('span', [_vm._v(_vm._s(_vm.user.followers_count))]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), (!_vm.hideBio && _vm.user.description_html) ? _c('p', {\n\t staticClass: \"profile-bio\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.description_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }) : (!_vm.hideBio) ? _c('p', {\n\t staticClass: \"profile-bio\"\n\t }, [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 631 */\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 class: _vm.classes.root\n\t }, [_c('div', {\n\t class: _vm.classes.header\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _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('button', {\n\t staticClass: \"loadmore-button\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.showNewStatuses($event)\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n\t staticClass: \"loadmore-text faint\",\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 class: _vm.classes.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 }), 1)]), _vm._v(\" \"), _c('div', {\n\t class: _vm.classes.footer\n\t }, [(_vm.bottomedOut) ? _c('div', {\n\t staticClass: \"new-status-notification text-center panel-footer faint\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.no_more_statuses')) + \"\\n \")]) : (!_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 }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 632 */\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 }), 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 633 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"post-status-form\"\n\t }, [_c('form', {\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t _vm.postStatus(_vm.newStatus)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [(!this.$store.state.users.currentUser.locked && this.newStatus.visibility == 'private') ? _c('i18n', {\n\t staticClass: \"visibility-notice\",\n\t attrs: {\n\t \"path\": \"post_status.account_not_locked_warning\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-settings'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.account_not_locked_warning_link')))])], 1) : _vm._e(), _vm._v(\" \"), (this.newStatus.visibility == 'direct') ? _c('p', {\n\t staticClass: \"visibility-notice\"\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.direct_warning')))]) : _vm._e(), _vm._v(\" \"), (_vm.newStatus.spoilerText || _vm.alwaysShowSubject) ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.spoilerText),\n\t expression: \"newStatus.spoilerText\"\n\t }],\n\t staticClass: \"form-cw\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"placeholder\": _vm.$t('post_status.content_warning')\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.spoilerText)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.status),\n\t expression: \"newStatus.status\"\n\t }],\n\t ref: \"textarea\",\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('post_status.default'),\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.newStatus.status)\n\t },\n\t on: {\n\t \"click\": _vm.setCaret,\n\t \"keyup\": [_vm.setCaret, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t if (!$event.ctrlKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"keydown\": [function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key, [\"Down\", \"ArrowDown\"])) { return null; }\n\t return _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key, [\"Up\", \"ArrowUp\"])) { return null; }\n\t return _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n\t if (!$event.shiftKey) { return null; }\n\t return _vm.cycleBackward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n\t return _vm.cycleForward($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t return _vm.replaceCandidate($event)\n\t }, function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t if (!$event.metaKey) { return null; }\n\t _vm.postStatus(_vm.newStatus)\n\t }],\n\t \"drop\": _vm.fileDrop,\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t return _vm.fileDrag($event)\n\t },\n\t \"input\": [function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n\t }, _vm.resize],\n\t \"paste\": _vm.paste\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"visibility-tray\"\n\t }, [(_vm.formattingOptionsEnabled) ? _c('span', {\n\t staticClass: \"text-format\"\n\t }, [_c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"post-content-type\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.contentType),\n\t expression: \"newStatus.contentType\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"id\": \"post-content-type\"\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.$set(_vm.newStatus, \"contentType\", $event.target.multiple ? $$selectedVal : $$selectedVal[0])\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"text/plain\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.content_type.plain_text')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"text/html\"\n\t }\n\t }, [_vm._v(\"HTML\")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"text/markdown\"\n\t }\n\t }, [_vm._v(\"Markdown\")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.direct')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.private')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.unlisted')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.public')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })]) : _vm._e()])], 1), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n\t staticStyle: {\n\t \"position\": \"relative\"\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete-panel\"\n\t }, _vm._l((_vm.candidates), function(candidate) {\n\t return _c('div', {\n\t on: {\n\t \"click\": function($event) {\n\t _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"autocomplete\",\n\t class: {\n\t highlighted: candidate.highlighted\n\t }\n\t }, [(candidate.img) ? _c('span', [_c('img', {\n\t attrs: {\n\t \"src\": candidate.img\n\t }\n\t })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n\t }), 0)]) : _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.uploadFailed\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: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": _vm.clearError\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"attachments\"\n\t }, _vm._l((_vm.newStatus.files), function(file) {\n\t return _c('div', {\n\t staticClass: \"media-upload-wrapper\"\n\t }, [_c('i', {\n\t staticClass: \"fa button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.removeMediaFile(file)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-upload-container attachment\"\n\t }, [(_vm.type(file) === 'image') ? _c('img', {\n\t staticClass: \"thumbnail media-upload\",\n\t attrs: {\n\t \"src\": file.image\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": file.image,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n\t attrs: {\n\t \"href\": file.image\n\t }\n\t }, [_vm._v(_vm._s(file.url))]) : _vm._e()])])\n\t }), 0), _vm._v(\" \"), (_vm.newStatus.files.length > 0) ? _c('div', {\n\t staticClass: \"upload_settings\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newStatus.nsfw),\n\t expression: \"newStatus.nsfw\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"filesSensitive\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newStatus.nsfw) ? _vm._i(_vm.newStatus.nsfw, null) > -1 : (_vm.newStatus.nsfw)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newStatus.nsfw,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.newStatus, \"nsfw\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"filesSensitive\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('post_status.attachments_sensitive')))])]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 634 */\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 }, [_c('span', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\" \" + _vm._s(_vm.$t('timeline.conversation')) + \" \")]), _vm._v(\" \"), (_vm.collapsable) ? _c('span', [_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 }), 1)])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 635 */\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/* 636 */\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: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.users), function(user) {\n\t return _c('user-card', {\n\t key: user.id,\n\t attrs: {\n\t \"user\": user,\n\t \"showFollows\": true\n\t }\n\t })\n\t }), 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 637 */\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', [(_vm.visibility !== 'private' && _vm.visibility !== 'direct') ? [_c('i', {\n\t staticClass: \"button-icon retweet-button icon-retweet rt-active\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t },\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.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()] : [_c('i', {\n\t staticClass: \"button-icon icon-lock\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('timeline.no_retweet_hint')\n\t }\n\t })]], 2) : (!_vm.loggedIn) ? _c('div', [_c('i', {\n\t staticClass: \"button-icon icon-retweet\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t }\n\t }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 638 */\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', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('div', {\n\t staticClass: \"tos-content\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.content)\n\t }\n\t })])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 639 */\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.contrast) ? _c('span', {\n\t staticClass: \"contrast-ratio\"\n\t }, [_c('span', {\n\t staticClass: \"rating\",\n\t attrs: {\n\t \"title\": _vm.hint\n\t }\n\t }, [(_vm.contrast.aaa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-thumbs-up-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && _vm.contrast.aa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-adjust\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && !_vm.contrast.aa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-attention\"\n\t })]) : _vm._e()]), _vm._v(\" \"), (_vm.contrast && _vm.large) ? _c('span', {\n\t staticClass: \"rating\",\n\t attrs: {\n\t \"title\": _vm.hint_18pt\n\t }\n\t }, [(_vm.contrast.laaa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-thumbs-up-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && _vm.contrast.laa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-adjust\"\n\t })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && !_vm.contrast.laa) ? _c('span', [_c('i', {\n\t staticClass: \"icon-attention\"\n\t })]) : _vm._e()]) : _vm._e()]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 640 */\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/* 641 */\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/* 642 */\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 || !this.floating) ? _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\",\n\t class: {\n\t 'chat-heading': _vm.floating\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), (_vm.floating) ? _c('i', {\n\t staticClass: \"icon-cancel\",\n\t staticStyle: {\n\t \"float\": \"right\"\n\t }\n\t }) : _vm._e()])]), _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\": _vm.userProfileLink(message.author)\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 }), 0), _vm._v(\" \"), _c('div', {\n\t staticClass: \"chat-input\"\n\t }, [_c('textarea', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.currentMessage),\n\t expression: \"currentMessage\"\n\t }],\n\t staticClass: \"chat-input-textarea\",\n\t attrs: {\n\t \"rows\": \"1\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.currentMessage)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.submit(_vm.currentMessage)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.currentMessage = $event.target.value\n\t }\n\t }\n\t })])])]) : _c('div', {\n\t staticClass: \"chat-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading stub timeline-heading chat-heading\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.togglePanel($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_c('i', {\n\t staticClass: \"icon-comment-empty\"\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 643 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', [_c('label', {\n\t attrs: {\n\t \"for\": \"interface-language-switcher\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.interfaceLanguage')) + \"\\n \")]), _vm._v(\" \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"interface-language-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.language),\n\t expression: \"language\"\n\t }],\n\t attrs: {\n\t \"id\": \"interface-language-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.language = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.languageCodes), function(langCode, i) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": langCode\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.languageNames[i]) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 644 */\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', {\n\t staticClass: \"user-finder-container\"\n\t }, [(_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 \"title\": _vm.$t('finder.find_user')\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-user-plus user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t })]) : [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.username),\n\t expression: \"username\"\n\t }],\n\t staticClass: \"user-finder-input\",\n\t attrs: {\n\t \"placeholder\": _vm.$t('finder.find_user'),\n\t \"id\": \"user-finder-input\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.username)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.findUser(_vm.username)\n\t },\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.username = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn search-button\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.findUser(_vm.username)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-search\"\n\t })]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel user-finder-icon\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t $event.stopPropagation();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t })]], 2)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 645 */\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('h1', [_vm._v(\"...\")])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 646 */\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/* 647 */\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 }, [(_vm.loginMethod == 'password') ? _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._e(), _vm._v(\" \"), (_vm.loginMethod == 'token') ? _c('form', {\n\t staticClass: \"login-form\",\n\t on: {\n\t \"submit\": function($event) {\n\t $event.preventDefault();\n\t return _vm.oAuthLogin($event)\n\t }\n\t }\n\t }, [_c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('login.description')))])]), _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._e(), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.authError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": _vm.clearError\n\t }\n\t })])]) : _vm._e()])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 648 */\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 class: {\n\t 'form-group--error': _vm.$v.user.username.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.trim\",\n\t value: (_vm.$v.user.username.$model),\n\t expression: \"$v.user.username.$model\",\n\t modifiers: {\n\t \"trim\": true\n\t }\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"sign-up-username\",\n\t \"placeholder\": \"e.g. lain\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.$v.user.username.$model)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.$v.user.username, \"$model\", $event.target.value.trim())\n\t },\n\t \"blur\": function($event) {\n\t _vm.$forceUpdate()\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.username.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.username.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.username_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\",\n\t class: {\n\t 'form-group--error': _vm.$v.user.fullname.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.trim\",\n\t value: (_vm.$v.user.fullname.$model),\n\t expression: \"$v.user.fullname.$model\",\n\t modifiers: {\n\t \"trim\": true\n\t }\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"sign-up-fullname\",\n\t \"placeholder\": \"e.g. Lain Iwakura\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.$v.user.fullname.$model)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.$v.user.fullname, \"$model\", $event.target.value.trim())\n\t },\n\t \"blur\": function($event) {\n\t _vm.$forceUpdate()\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.fullname.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.fullname.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.fullname_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\",\n\t class: {\n\t 'form-group--error': _vm.$v.user.email.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--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.$v.user.email.$model),\n\t expression: \"$v.user.email.$model\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"email\",\n\t \"type\": \"email\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.$v.user.email.$model)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.$v.user.email, \"$model\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.email.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.email.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.email_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t staticClass: \"form--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.isPending,\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 class: {\n\t 'form-group--error': _vm.$v.user.password.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.isPending,\n\t \"id\": \"sign-up-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(\" \"), (_vm.$v.user.password.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.password.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\",\n\t class: {\n\t 'form-group--error': _vm.$v.user.confirm.$error\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"sign-up-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.isPending,\n\t \"id\": \"sign-up-password-confirmation\",\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.user.confirm)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.user, \"confirm\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.$v.user.confirm.$dirty) ? _c('div', {\n\t staticClass: \"form-error\"\n\t }, [_c('ul', [(!_vm.$v.user.confirm.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_required')))])]) : _vm._e(), _vm._v(\" \"), (!_vm.$v.user.confirm.sameAsPassword) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_match')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), (_vm.captcha.type != 'none') ? _c('div', {\n\t staticClass: \"form-group\",\n\t attrs: {\n\t \"id\": \"captcha-group\"\n\t }\n\t }, [_c('label', {\n\t staticClass: \"form--label\",\n\t attrs: {\n\t \"for\": \"captcha-label\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('captcha')))]), _vm._v(\" \"), (_vm.captcha.type == 'kocaptcha') ? [_c('img', {\n\t attrs: {\n\t \"src\": _vm.captcha.url\n\t },\n\t on: {\n\t \"click\": _vm.setCaptcha\n\t }\n\t }), _vm._v(\" \"), _c('sub', [_vm._v(_vm._s(_vm.$t('registration.new_captcha')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.captcha.solution),\n\t expression: \"captcha.solution\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\n\t \"id\": \"captcha-answer\",\n\t \"type\": \"text\",\n\t \"autocomplete\": \"off\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.captcha.solution)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.captcha, \"solution\", $event.target.value)\n\t }\n\t }\n\t })] : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.token) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('label', {\n\t attrs: {\n\t \"for\": \"token\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('registration.token')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.token),\n\t expression: \"token\"\n\t }],\n\t staticClass: \"form-control\",\n\t attrs: {\n\t \"disabled\": \"true\",\n\t \"id\": \"token\",\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.token)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.token = $event.target.value\n\t }\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.isPending,\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.serverValidationErrors.length) ? _c('div', {\n\t staticClass: \"form-group\"\n\t }, [_c('div', {\n\t staticClass: \"alert error\"\n\t }, _vm._l((_vm.serverValidationErrors), function(error) {\n\t return _c('span', [_vm._v(_vm._s(error))])\n\t }), 0)]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 649 */\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: \"features-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default base01-background\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading base02-background base04\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('features_panel.title')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body features-panel\"\n\t }, [_c('ul', [(_vm.chat) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.chat')))]) : _vm._e(), _vm._v(\" \"), (_vm.gopher) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.gopher')))]) : _vm._e(), _vm._v(\" \"), (_vm.whoToFollow) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.who_to_follow')))]) : _vm._e(), _vm._v(\" \"), (_vm.mediaProxy) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.media_proxy')))]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptions) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.scope_options')))]) : _vm._e(), _vm._v(\" \"), _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.text_limit')) + \" = \" + _vm._s(_vm.textlimit))])])])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 650 */\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.id) ? _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 }), _vm._v(\" \"), _c('tab-switcher', [_c('Timeline', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.statuses'),\n\t \"embedded\": true,\n\t \"title\": _vm.$t('user_profile.timeline_title'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'user',\n\t \"user-id\": _vm.fetchBy\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.followees')\n\t }\n\t }, [(_vm.friends) ? _c('div', _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 }), 1) : _c('div', {\n\t staticClass: \"userlist-placeholder\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.followers')\n\t }\n\t }, [(_vm.followers) ? _c('div', _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 }), 1) : _c('div', {\n\t staticClass: \"userlist-placeholder\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])]), _vm._v(\" \"), _c('Timeline', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.media'),\n\t \"embedded\": true,\n\t \"title\": _vm.$t('user_card.media'),\n\t \"timeline-name\": \"media\",\n\t \"timeline\": _vm.media,\n\t \"user-id\": _vm.fetchBy\n\t }\n\t }), _vm._v(\" \"), (_vm.isUs) ? _c('Timeline', {\n\t attrs: {\n\t \"label\": _vm.$t('user_card.favorites'),\n\t \"embedded\": true,\n\t \"title\": _vm.$t('user_card.favorites'),\n\t \"timeline-name\": \"favorites\",\n\t \"timeline\": _vm.favorites\n\t }\n\t }) : _vm._e()], 1)], 1) : _c('div', {\n\t staticClass: \"panel user-profile-placeholder\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.profile_tab')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)])])\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-body\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin3 animate-spin\"\n\t })])\n\t}]}\n\n/***/ }),\n/* 651 */\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.usePlaceHolder) ? _c('div', {\n\t on: {\n\t \"click\": _vm.openModal\n\t }\n\t }, [(_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(\"\\n [\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\\n \")]) : _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 'fullwidth': _vm.fullwidth,\n\t 'nsfw-placeholder': _vm.hidden\n\t }, _obj[_vm.type] = true, _obj )\n\t }, [(_vm.hidden) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t attrs: {\n\t \"href\": _vm.attachment.url\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleHidden($event)\n\t }\n\t }\n\t }, [_c('img', {\n\t key: _vm.nsfwImage,\n\t staticClass: \"nsfw\",\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"src\": _vm.nsfwImage\n\t }\n\t }), _vm._v(\" \"), (_vm.type === 'video') ? _c('i', {\n\t staticClass: \"play-icon icon-play-circled\"\n\t }) : _vm._e()]) : _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 return _vm.toggleHidden($event)\n\t }\n\t }\n\t }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && (!_vm.hidden || _vm.preloadImage)) ? _c('a', {\n\t staticClass: \"image-attachment\",\n\t class: {\n\t 'hidden': _vm.hidden && _vm.preloadImage\n\t },\n\t attrs: {\n\t \"href\": _vm.attachment.url,\n\t \"target\": \"_blank\",\n\t \"title\": _vm.attachment.description\n\t },\n\t on: {\n\t \"click\": _vm.openModal\n\t }\n\t }, [_c('StillImage', {\n\t attrs: {\n\t \"referrerpolicy\": _vm.referrerpolicy,\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('a', {\n\t staticClass: \"video-container\",\n\t class: {\n\t 'small': _vm.isSmall\n\t },\n\t attrs: {\n\t \"href\": _vm.allowPlay ? undefined : _vm.attachment.url\n\t },\n\t on: {\n\t \"click\": _vm.openModal\n\t }\n\t }, [_c('VideoAttachment', {\n\t staticClass: \"video\",\n\t attrs: {\n\t \"attachment\": _vm.attachment,\n\t \"controls\": _vm.allowPlay\n\t }\n\t }), _vm._v(\" \"), (!_vm.allowPlay) ? _c('i', {\n\t staticClass: \"play-icon icon-play-circled\"\n\t }) : _vm._e()], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"controls\": \"\"\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n\t staticClass: \"oembed\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }, [(_vm.attachment.thumb_url) ? _c('div', {\n\t staticClass: \"image\"\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.attachment.thumb_url\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"text\"\n\t }, [_c('h1', [_c('a', {\n\t attrs: {\n\t \"href\": _vm.attachment.url\n\t }\n\t }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n\t }\n\t })])]) : _vm._e()])\n\t var _obj;\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 652 */\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: \"font-control style-control\",\n\t class: {\n\t custom: _vm.isCustom\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.preset === 'custom' ? _vm.name : _vm.name + '-font-switcher'\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exlcude-disabled\",\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": _vm.name + '-o'\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": _vm.name + '-font-switcher',\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.preset),\n\t expression: \"preset\"\n\t }],\n\t staticClass: \"font-switcher\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"id\": _vm.name + '-font-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.preset = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.availableOptions), function(option) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": option\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(option === 'custom' ? _vm.$t('settings.style.fonts.custom') : option) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })]), _vm._v(\" \"), (_vm.isCustom) ? _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.family),\n\t expression: \"family\"\n\t }],\n\t staticClass: \"custom-font\",\n\t attrs: {\n\t \"type\": \"text\",\n\t \"id\": _vm.name\n\t },\n\t domProps: {\n\t \"value\": (_vm.family)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.family = $event.target.value\n\t }\n\t }\n\t }) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 653 */\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: \"nav-bar 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: \"logo\",\n\t style: (_vm.logoBgStyle)\n\t }, [_c('div', {\n\t staticClass: \"mask\",\n\t style: (_vm.logoMaskStyle)\n\t }), _vm._v(\" \"), _c('img', {\n\t style: (_vm.logoStyle),\n\t attrs: {\n\t \"src\": _vm.logo\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"inner-nav\"\n\t }, [_c('div', {\n\t staticClass: \"item\"\n\t }, [_c('a', {\n\t staticClass: \"menu-button\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t _vm.toggleMobileSidebar()\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-menu\"\n\t }), _vm._v(\" \"), (_vm.unseenNotificationsCount) ? _c('div', {\n\t staticClass: \"alert-dot\"\n\t }) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"site-name\",\n\t attrs: {\n\t \"to\": {\n\t name: 'root'\n\t },\n\t \"active-class\": \"home\"\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: \"button-icon nav-icon mobile-hidden\",\n\t on: {\n\t \"toggled\": _vm.onFinderToggled\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"mobile-hidden\",\n\t attrs: {\n\t \"to\": {\n\t name: 'settings'\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-cog nav-icon\",\n\t attrs: {\n\t \"title\": _vm.$t('nav.preferences')\n\t }\n\t })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n\t staticClass: \"mobile-hidden\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.logout($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon 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('side-drawer', {\n\t ref: \"sideDrawer\",\n\t attrs: {\n\t \"logout\": _vm.logout\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"sidebar-flexer mobile-hidden\"\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) ? _c('features-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('who-to-follow-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('notifications') : _vm._e()], 1)])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"main\"\n\t }, [_c('transition', {\n\t attrs: {\n\t \"name\": \"fade\"\n\t }\n\t }, [_c('router-view')], 1)], 1), _vm._v(\" \"), _c('media-modal')], 1), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n\t staticClass: \"floating-chat mobile-hidden\",\n\t attrs: {\n\t \"floating\": true\n\t }\n\t }) : _vm._e()], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 654 */\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: \"opacity-control style-control\",\n\t class: {\n\t disabled: !_vm.present || _vm.disabled\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.common.opacity')) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exclude-disabled\",\n\t attrs: {\n\t \"id\": _vm.name + '-o',\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"number\",\n\t \"disabled\": !_vm.present || _vm.disabled,\n\t \"max\": \"1\",\n\t \"min\": \"0\",\n\t \"step\": \".05\"\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 655 */\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: \"sidebar\"\n\t }, [_c('instance-specific-panel'), _vm._v(\" \"), _c('features-panel'), _vm._v(\" \"), _c('terms-of-service-panel')], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 656 */\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('video', {\n\t staticClass: \"video\",\n\t attrs: {\n\t \"src\": _vm.attachment.url,\n\t \"loop\": _vm.loopVideo,\n\t \"controls\": _vm.controls,\n\t \"playsinline\": \"\"\n\t },\n\t on: {\n\t \"loadeddata\": _vm.onVideoDataLoad\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 657 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"media-upload\",\n\t on: {\n\t \"drop\": [function($event) {\n\t $event.preventDefault();\n\t }, _vm.fileDrop],\n\t \"dragover\": function($event) {\n\t $event.preventDefault();\n\t return _vm.fileDrag($event)\n\t }\n\t }\n\t }, [_c('label', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.media_upload')\n\t }\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 \"multiple\": \"true\"\n\t }\n\t })])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 658 */\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.showing) ? _c('div', {\n\t staticClass: \"modal-view\",\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.hide($event)\n\t }\n\t }\n\t }, [(_vm.type === 'image') ? _c('img', {\n\t staticClass: \"modal-image\",\n\t attrs: {\n\t \"src\": _vm.currentMedia.url\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video') ? _c('VideoAttachment', {\n\t staticClass: \"modal-image\",\n\t attrs: {\n\t \"attachment\": _vm.currentMedia,\n\t \"controls\": true\n\t },\n\t nativeOn: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t }\n\t }\n\t }) : _vm._e()], 1) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 659 */\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.dms'),\n\t \"timeline\": _vm.timeline,\n\t \"timeline-name\": 'dms'\n\t }\n\t })\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 660 */\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-search panel panel-default\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.user_search')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"user-search-input-container\"\n\t }, [_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 },\n\t domProps: {\n\t \"value\": (_vm.username)\n\t },\n\t on: {\n\t \"keyup\": function($event) {\n\t if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n\t _vm.newQuery(_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('button', {\n\t staticClass: \"btn search-button\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.newQuery(_vm.username)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-search\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, _vm._l((_vm.users), function(user) {\n\t return _c('user-card', {\n\t key: user.id,\n\t attrs: {\n\t \"user\": user,\n\t \"showFollows\": true\n\t }\n\t })\n\t }), 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 661 */\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/* 662 */\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: \"range-control style-control\",\n\t class: {\n\t disabled: !_vm.present || _vm.disabled\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exclude-disabled\",\n\t attrs: {\n\t \"id\": _vm.name + '-o',\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"range\",\n\t \"disabled\": !_vm.present || _vm.disabled,\n\t \"max\": _vm.max || _vm.hardMax || 100,\n\t \"min\": _vm.min || _vm.hardMin || 0,\n\t \"step\": _vm.step || 1\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"number\",\n\t \"disabled\": !_vm.present || _vm.disabled,\n\t \"max\": _vm.hardMax,\n\t \"min\": _vm.hardMin,\n\t \"step\": _vm.step || 1\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 663 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (_vm.notification.type === 'mention') ? _c('status', {\n\t attrs: {\n\t \"compact\": true,\n\t \"statusoid\": _vm.notification.status\n\t }\n\t }) : _c('div', {\n\t staticClass: \"non-mention\",\n\t class: [_vm.userClass, {\n\t highlighted: _vm.userStyle\n\t }],\n\t style: ([_vm.userStyle])\n\t }, [_c('a', {\n\t staticClass: \"avatar-container\",\n\t attrs: {\n\t \"href\": _vm.notification.action.user.statusnet_profile_url\n\t },\n\t on: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar-compact\",\n\t class: {\n\t 'better-shadow': _vm.betterShadow\n\t },\n\t attrs: {\n\t \"src\": _vm.notification.action.user.profile_image_url_original\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"notification-right\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard notification-usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.notification.action.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n\t staticClass: \"notification-details\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-action\"\n\t }, [(!!_vm.notification.action.user.name_html) ? _c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.notification.action.user.name_html)\n\t }\n\t }) : _c('span', {\n\t staticClass: \"username\",\n\t attrs: {\n\t \"title\": '@' + _vm.notification.action.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'like') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-star lit\"\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.favorited_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'repeat') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-retweet lit\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t }\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.repeated_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('span', [_c('i', {\n\t staticClass: \"fa icon-user-plus lit\"\n\t }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n\t staticClass: \"timeago\"\n\t }, [(_vm.notification.status) ? _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.notification.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.notification.action.created_at,\n\t \"auto-update\": 240\n\t }\n\t })], 1) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n\t staticClass: \"follow-text\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.notification.action.user)\n\t }\n\t }, [_vm._v(\"\\n @\" + _vm._s(_vm.notification.action.user.screen_name) + \"\\n \")])], 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 })]], 2)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 664 */\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: \"side-drawer-container\",\n\t class: {\n\t 'side-drawer-container-closed': _vm.closed, 'side-drawer-container-open': !_vm.closed\n\t }\n\t }, [_c('div', {\n\t staticClass: \"side-drawer\",\n\t class: {\n\t 'side-drawer-closed': _vm.closed\n\t },\n\t on: {\n\t \"touchstart\": _vm.touchStart,\n\t \"touchmove\": _vm.touchMove\n\t }\n\t }, [_c('div', {\n\t staticClass: \"side-drawer-heading\",\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [(_vm.currentUser) ? _c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.currentUser,\n\t \"switcher\": false,\n\t \"hideBio\": true\n\t }\n\t }) : _vm._e()], 1), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'new-status',\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(\"post_status.new_status\")) + \"\\n \")])], 1) : _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'login'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.login\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'notifications',\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(\"notifications.notifications\")) + \" \" + _vm._s(_vm.unseenNotificationsCount > 0 ? (\"(\" + _vm.unseenNotificationsCount + \")\") : '') + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'dms',\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.dms\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'friends'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_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', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_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', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_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), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'chat'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.chat\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [_c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'user-search'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.user_search\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'who-to-follow'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.who_to_follow\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'settings'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"settings.settings\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'about'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.about\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n\t on: {\n\t \"click\": _vm.toggleDrawer\n\t }\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": _vm.doLogout\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.logout\")) + \"\\n \")])]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"side-drawer-click-outside\",\n\t class: {\n\t 'side-drawer-click-outside-closed': _vm.closed\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleDrawer($event)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 665 */\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: \"shadow-control\",\n\t class: {\n\t disabled: !_vm.present\n\t }\n\t }, [_c('div', {\n\t staticClass: \"shadow-preview-container\"\n\t }, [_c('div', {\n\t staticClass: \"y-shift-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.y),\n\t expression: \"selected.y\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.y)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"y\", $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"wrap\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.y),\n\t expression: \"selected.y\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"-20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.y)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"y\", $event.target.value)\n\t }\n\t }\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"preview-window\"\n\t }, [_c('div', {\n\t staticClass: \"preview-block\",\n\t style: (_vm.style)\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"x-shift-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.x),\n\t expression: \"selected.x\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.x)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"x\", $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"wrap\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.x),\n\t expression: \"selected.x\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"-20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.x)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"x\", $event.target.value)\n\t }\n\t }\n\t })])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"shadow-tweak\"\n\t }, [_c('div', {\n\t staticClass: \"id-control style-control\",\n\t attrs: {\n\t \"disabled\": _vm.usingFallback\n\t }\n\t }, [_c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"shadow-switcher\",\n\t \"disabled\": !_vm.ready || _vm.usingFallback\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selectedId),\n\t expression: \"selectedId\"\n\t }],\n\t staticClass: \"shadow-switcher\",\n\t attrs: {\n\t \"disabled\": !_vm.ready || _vm.usingFallback,\n\t \"id\": \"shadow-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.selectedId = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.cValue), function(shadow, index) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": index\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.shadow_id', {\n\t value: index\n\t })) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": !_vm.ready || !_vm.present\n\t },\n\t on: {\n\t \"click\": _vm.del\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-cancel\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": !_vm.moveUpValid\n\t },\n\t on: {\n\t \"click\": _vm.moveUp\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-up-open\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": !_vm.moveDnValid\n\t },\n\t on: {\n\t \"click\": _vm.moveDn\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-down-open\"\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t attrs: {\n\t \"disabled\": _vm.usingFallback\n\t },\n\t on: {\n\t \"click\": _vm.add\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-plus\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"inset-control style-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"inset\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.inset')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.inset),\n\t expression: \"selected.inset\"\n\t }],\n\t staticClass: \"input-inset\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"name\": \"inset\",\n\t \"id\": \"inset\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.selected.inset) ? _vm._i(_vm.selected.inset, null) > -1 : (_vm.selected.inset)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.selected.inset,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.selected, \"inset\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.selected, \"inset\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.selected, \"inset\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t staticClass: \"checkbox-label\",\n\t attrs: {\n\t \"for\": \"inset\"\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"blur-control style-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"spread\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.blur')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.blur),\n\t expression: \"selected.blur\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"name\": \"blur\",\n\t \"id\": \"blur\",\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"0\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.blur)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"blur\", $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.selected.blur),\n\t expression: \"selected.blur\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\",\n\t \"min\": \"0\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.blur)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"blur\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"spread-control style-control\",\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"spread\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.spread')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.selected.spread),\n\t expression: \"selected.spread\"\n\t }],\n\t staticClass: \"input-range\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"name\": \"spread\",\n\t \"id\": \"spread\",\n\t \"type\": \"range\",\n\t \"max\": \"20\",\n\t \"min\": \"-20\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.spread)\n\t },\n\t on: {\n\t \"__r\": function($event) {\n\t _vm.$set(_vm.selected, \"spread\", $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.selected.spread),\n\t expression: \"selected.spread\"\n\t }],\n\t staticClass: \"input-number\",\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"type\": \"number\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.selected.spread)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.$set(_vm.selected, \"spread\", $event.target.value)\n\t }\n\t }\n\t })]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"disabled\": !_vm.present,\n\t \"label\": _vm.$t('settings.style.common.color'),\n\t \"name\": \"shadow\"\n\t },\n\t model: {\n\t value: (_vm.selected.color),\n\t callback: function($$v) {\n\t _vm.$set(_vm.selected, \"color\", $$v)\n\t },\n\t expression: \"selected.color\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"disabled\": !_vm.present\n\t },\n\t model: {\n\t value: (_vm.selected.alpha),\n\t callback: function($$v) {\n\t _vm.$set(_vm.selected, \"alpha\", $$v)\n\t },\n\t expression: \"selected.alpha\"\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.hint')) + \"\\n \")])], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 666 */\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/* 667 */\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/* 668 */\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('a', {\n\t staticClass: \"link-preview-card\",\n\t attrs: {\n\t \"href\": _vm.card.url,\n\t \"target\": \"_blank\",\n\t \"rel\": \"noopener\"\n\t }\n\t }, [(_vm.useImage) ? _c('div', {\n\t staticClass: \"card-image\",\n\t class: {\n\t 'small-image': _vm.size === 'small'\n\t }\n\t }, [_c('img', {\n\t attrs: {\n\t \"src\": _vm.card.image\n\t }\n\t })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"card-content\"\n\t }, [_c('span', {\n\t staticClass: \"card-host faint\"\n\t }, [_vm._v(_vm._s(_vm.card.provider_name))]), _vm._v(\" \"), _c('h4', {\n\t staticClass: \"card-title\"\n\t }, [_vm._v(_vm._s(_vm.card.title))]), _vm._v(\" \"), (_vm.useDescription) ? _c('p', {\n\t staticClass: \"card-description\"\n\t }, [_vm._v(_vm._s(_vm.card.description))]) : _vm._e()])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 669 */\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: \"color-control style-control\",\n\t class: {\n\t disabled: !_vm.present || _vm.disabled\n\t }\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": _vm.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n\t staticClass: \"opt exlcude-disabled\",\n\t attrs: {\n\t \"id\": _vm.name + '-o',\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": _vm.present\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n\t }\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n\t staticClass: \"opt-l\",\n\t attrs: {\n\t \"for\": _vm.name + '-o'\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('input', {\n\t staticClass: \"color-input\",\n\t attrs: {\n\t \"id\": _vm.name,\n\t \"type\": \"color\",\n\t \"disabled\": !_vm.present || _vm.disabled\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('input', {\n\t staticClass: \"text-input\",\n\t attrs: {\n\t \"id\": _vm.name + '-t',\n\t \"type\": \"text\",\n\t \"disabled\": !_vm.present || _vm.disabled\n\t },\n\t domProps: {\n\t \"value\": _vm.value || _vm.fallback\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t _vm.$emit('input', $event.target.value)\n\t }\n\t }\n\t })])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 670 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return (!_vm.hideReply && !_vm.deleted) ? _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\": _vm.userProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")])], 1), _vm._v(\" \"), _c('small', {\n\t staticClass: \"muteWords\"\n\t }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n\t staticClass: \"unmute\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-eye-off\"\n\t })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n\t staticClass: \"media container retweet-info\",\n\t class: [_vm.repeaterClass, {\n\t highlighted: _vm.repeaterStyle\n\t }],\n\t style: ([_vm.repeaterStyle])\n\t }, [(_vm.retweet) ? _c('StillImage', {\n\t staticClass: \"avatar\",\n\t class: {\n\t \"better-shadow\": _vm.betterShadow\n\t },\n\t attrs: {\n\t \"src\": _vm.statusoid.user.profile_image_url_original\n\t }\n\t }) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-body faint\"\n\t }, [(_vm.retweeterHtml) ? _c('a', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"href\": _vm.statusoid.user.statusnet_profile_url,\n\t \"title\": '@' + _vm.statusoid.user.screen_name\n\t },\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.retweeterHtml)\n\t }\n\t }) : _c('a', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"href\": _vm.statusoid.user.statusnet_profile_url,\n\t \"title\": '@' + _vm.statusoid.user.screen_name\n\t }\n\t }, [_vm._v(_vm._s(_vm.retweeter))]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"fa icon-retweet retweeted\",\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.repeat')\n\t }\n\t }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media status\",\n\t class: [_vm.userClass, {\n\t highlighted: _vm.userStyle,\n\t 'is-retweet': _vm.retweet\n\t }],\n\t style: ([_vm.userStyle])\n\t }, [(!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-left\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink\n\t },\n\t nativeOn: {\n\t \"!click\": function($event) {\n\t $event.stopPropagation();\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t }, [_c('StillImage', {\n\t staticClass: \"avatar\",\n\t class: {\n\t 'avatar-compact': _vm.compact, 'better-shadow': _vm.betterShadow\n\t },\n\t attrs: {\n\t \"src\": _vm.status.user.profile_image_url_original\n\t }\n\t })], 1)], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-body\"\n\t }, [(_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard media-body\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.status.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n\t staticClass: \"media-body container media-heading\"\n\t }, [_c('div', {\n\t staticClass: \"media-heading-left\"\n\t }, [_c('div', {\n\t staticClass: \"name-and-links\"\n\t }, [(_vm.status.user.name_html) ? _c('h4', {\n\t staticClass: \"user-name\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.user.name_html)\n\t }\n\t }) : _c('h4', {\n\t staticClass: \"user-name\"\n\t }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"links\"\n\t }, [_c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")]), _vm._v(\" \"), (_vm.isReply) ? _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\": _vm.replyProfileLink\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.replyToName) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\",\n\t \"aria-label\": _vm.$t('tool_tip.reply')\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: \"button-icon icon-reply\",\n\t on: {\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n\t staticClass: \"replies\"\n\t }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n\t return _c('small', {\n\t staticClass: \"reply-link\"\n\t }, [_c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t _vm.gotoOriginal(reply.id)\n\t },\n\t \"mouseenter\": function($event) {\n\t _vm.replyEnter(reply.id, $event)\n\t },\n\t \"mouseout\": function($event) {\n\t _vm.replyLeave()\n\t }\n\t }\n\t }, [_vm._v(_vm._s(reply.name) + \" \")])])\n\t })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"media-heading-right\"\n\t }, [_c('router-link', {\n\t staticClass: \"timeago\",\n\t attrs: {\n\t \"to\": {\n\t name: 'conversation',\n\t params: {\n\t id: _vm.status.id\n\t }\n\t }\n\t }\n\t }, [_c('timeago', {\n\t attrs: {\n\t \"since\": _vm.status.created_at,\n\t \"auto-update\": 60\n\t }\n\t })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('div', {\n\t staticClass: \"button-icon visibility-icon\"\n\t }, [_c('i', {\n\t class: _vm.visibilityIcon(_vm.status.visibility),\n\t attrs: {\n\t \"title\": _vm._f(\"capitalize\")(_vm.status.visibility)\n\t }\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 \"title\": \"Source\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-link-ext-alt\"\n\t })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n\t attrs: {\n\t \"href\": \"#\",\n\t \"title\": \"Expand\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleExpanded($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-plus-squared\"\n\t })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleMute($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-eye-off\"\n\t })]) : _vm._e()], 2)]) : _vm._e(), _vm._v(\" \"), (_vm.showPreview) ? _c('div', {\n\t staticClass: \"status-preview-container\"\n\t }, [(_vm.preview) ? _c('status', {\n\t staticClass: \"status-preview\",\n\t attrs: {\n\t \"noReplyLinks\": true,\n\t \"statusoid\": _vm.preview,\n\t \"compact\": true\n\t }\n\t }) : _c('div', {\n\t staticClass: \"status-preview status-preview-loading\"\n\t }, [_c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t })])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n\t staticClass: \"status-content-wrapper\",\n\t class: {\n\t 'tall-status': _vm.hideTallStatus\n\t }\n\t }, [(_vm.hideTallStatus) ? _c('a', {\n\t staticClass: \"tall-status-hider\",\n\t class: {\n\t 'tall-status-hider_focused': _vm.isFocused\n\t },\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (!_vm.hideSubjectStatus) ? _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }) : _c('div', {\n\t staticClass: \"status-content media-body\",\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.status.summary_html)\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.linkClicked($event)\n\t }\n\t }\n\t }), _vm._v(\" \"), (_vm.hideSubjectStatus) ? _c('a', {\n\t staticClass: \"cw-status-hider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (_vm.showingMore) ? _c('a', {\n\t staticClass: \"status-unhider\",\n\t attrs: {\n\t \"href\": \"#\"\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleShowMore($event)\n\t }\n\t }\n\t }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments && !_vm.hideSubjectStatus) ? _c('div', {\n\t staticClass: \"attachments media-body\"\n\t }, [_vm._l((_vm.nonGalleryAttachments), function(attachment) {\n\t return _c('attachment', {\n\t key: attachment.id,\n\t staticClass: \"non-gallery\",\n\t attrs: {\n\t \"size\": _vm.attachmentSize,\n\t \"nsfw\": _vm.nsfwClickthrough,\n\t \"attachment\": attachment,\n\t \"allowPlay\": true,\n\t \"setMedia\": _vm.setMedia()\n\t }\n\t })\n\t }), _vm._v(\" \"), (_vm.galleryAttachments.length > 0) ? _c('gallery', {\n\t attrs: {\n\t \"nsfw\": _vm.nsfwClickthrough,\n\t \"attachments\": _vm.galleryAttachments,\n\t \"setMedia\": _vm.setMedia()\n\t }\n\t }) : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.status.card && !_vm.hideSubjectStatus && !_vm.noHeading) ? _c('div', {\n\t staticClass: \"link-preview media-body\"\n\t }, [_c('link-preview', {\n\t attrs: {\n\t \"card\": _vm.status.card,\n\t \"size\": _vm.attachmentSize,\n\t \"nsfw\": _vm.nsfwClickthrough\n\t }\n\t })], 1) : _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 \"title\": _vm.$t('tool_tip.reply')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleReplying($event)\n\t }\n\t }\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-reply\",\n\t class: {\n\t 'icon-reply-active': _vm.replying\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n\t attrs: {\n\t \"visibility\": _vm.status.visibility,\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('favorite-button', {\n\t attrs: {\n\t \"loggedIn\": _vm.loggedIn,\n\t \"status\": _vm.status\n\t }\n\t }), _vm._v(\" \"), _c('delete-button', {\n\t attrs: {\n\t \"status\": _vm.status\n\t }\n\t })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n\t staticClass: \"container\"\n\t }, [_c('div', {\n\t staticClass: \"reply-left\"\n\t }), _vm._v(\" \"), _c('post-status-form', {\n\t staticClass: \"reply-body\",\n\t attrs: {\n\t \"reply-to\": _vm.status.id,\n\t \"attentions\": _vm.status.attentions,\n\t \"repliedUser\": _vm.status.user,\n\t \"copy-message-scope\": _vm.status.visibility,\n\t \"subject\": _vm.replySubject\n\t },\n\t on: {\n\t \"posted\": _vm.toggleReplying\n\t }\n\t })], 1) : _vm._e()]], 2) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 671 */\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.show) ? _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 })])])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 672 */\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/* 673 */\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('tab-switcher', [_c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.profile_tab')\n\t }\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('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newLocked),\n\t expression: \"newLocked\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-locked\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newLocked) ? _vm._i(_vm.newLocked, null) > -1 : (_vm.newLocked)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newLocked,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.newLocked = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.newLocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.newLocked = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-locked\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('label', {\n\t attrs: {\n\t \"for\": \"default-vis\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.default_vis')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"visibility-tray\",\n\t attrs: {\n\t \"id\": \"default-vis\"\n\t }\n\t }, [_c('i', {\n\t staticClass: \"icon-mail-alt\",\n\t class: _vm.vis.direct,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.direct')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('direct')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock\",\n\t class: _vm.vis.private,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.private')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('private')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-lock-open-alt\",\n\t class: _vm.vis.unlisted,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.unlisted')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('unlisted')\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-globe\",\n\t class: _vm.vis.public,\n\t attrs: {\n\t \"title\": _vm.$t('post_status.scope.public')\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t _vm.changeVis('public')\n\t }\n\t }\n\t })])]) : _vm._e(), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.newNoRichText),\n\t expression: \"newNoRichText\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-no-rich-text\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.newNoRichText) ? _vm._i(_vm.newNoRichText, null) > -1 : (_vm.newNoRichText)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.newNoRichText,\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.newNoRichText = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.newNoRichText = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.newNoRichText = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-no-rich-text\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.no_rich_text_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideFollowings),\n\t expression: \"hideFollowings\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-hide-followings\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideFollowings) ? _vm._i(_vm.hideFollowings, null) > -1 : (_vm.hideFollowings)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideFollowings,\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.hideFollowings = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideFollowings = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideFollowings = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-hide-followings\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_followings_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideFollowers),\n\t expression: \"hideFollowers\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"account-hide-followers\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideFollowers) ? _vm._i(_vm.hideFollowers, null) > -1 : (_vm.hideFollowers)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideFollowers,\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.hideFollowers = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideFollowers = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideFollowers = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"account-hide-followers\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_followers_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.avatarPreview) ? _c('img', {\n\t staticClass: \"new-avatar\",\n\t attrs: {\n\t \"src\": _vm.avatarPreview\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('avatar', $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.avatarUploading) ? _c('i', {\n\t staticClass: \"icon-spin4 animate-spin\"\n\t }) : (_vm.avatarPreview) ? _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(\" \"), (_vm.avatarUploadError) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.avatarUploadError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.clearUploadError('avatar')\n\t }\n\t }\n\t })]) : _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.bannerPreview) ? _c('img', {\n\t staticClass: \"banner\",\n\t attrs: {\n\t \"src\": _vm.bannerPreview\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('banner', $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.bannerUploading) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.bannerPreview) ? _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(\" \"), (_vm.bannerUploadError) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.bannerUploadError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.clearUploadError('banner')\n\t }\n\t }\n\t })]) : _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.backgroundPreview) ? _c('img', {\n\t staticClass: \"bg\",\n\t attrs: {\n\t \"src\": _vm.backgroundPreview\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('background', $event)\n\t }\n\t }\n\t })]), _vm._v(\" \"), (_vm.backgroundUploading) ? _c('i', {\n\t staticClass: \" icon-spin4 animate-spin uploading\"\n\t }) : (_vm.backgroundPreview) ? _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(\" \"), (_vm.backgroundUploadError) ? _c('div', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.backgroundUploadError) + \"\\n \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t on: {\n\t \"click\": function($event) {\n\t _vm.clearUploadError('background')\n\t }\n\t }\n\t })]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.security_tab')\n\t }\n\t }, [_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(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _vm._e(), _vm._v(\" \"), (_vm.deletingAccount) ? _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_instructions')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.deleteAccountConfirmPasswordInput),\n\t expression: \"deleteAccountConfirmPasswordInput\"\n\t }],\n\t attrs: {\n\t \"type\": \"password\"\n\t },\n\t domProps: {\n\t \"value\": (_vm.deleteAccountConfirmPasswordInput)\n\t },\n\t on: {\n\t \"input\": function($event) {\n\t if ($event.target.composing) { return; }\n\t _vm.deleteAccountConfirmPasswordInput = $event.target.value\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.deleteAccount\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n\t staticClass: \"btn btn-default\",\n\t on: {\n\t \"click\": _vm.confirmDelete\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()])]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.data_import_export_tab')\n\t }\n\t }, [_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.followListUploading) ? _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._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._e()])], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 674 */\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: \"button-icon icon-cancel delete-status\"\n\t })])]) : _vm._e()\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 675 */\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: \"style-switcher\"\n\t }, [_c('div', {\n\t staticClass: \"presets-container\"\n\t }, [_c('div', {\n\t staticClass: \"save-load\"\n\t }, [_c('export-import', {\n\t attrs: {\n\t \"exportObject\": _vm.exportedTheme,\n\t \"exportLabel\": _vm.$t(\"settings.export_theme\"),\n\t \"importLabel\": _vm.$t(\"settings.import_theme\"),\n\t \"importFailedText\": _vm.$t(\"settings.invalid_theme_imported\"),\n\t \"onImport\": _vm.onImport,\n\t \"validator\": _vm.importValidator\n\t }\n\t }, [_c('template', {\n\t slot: \"before\"\n\t }, [_c('div', {\n\t staticClass: \"presets\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"preset-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: \"preset-switcher\",\n\t attrs: {\n\t \"id\": \"preset-switcher\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.availableStyles), function(style) {\n\t return _c('option', {\n\t style: ({\n\t backgroundColor: style[1] || style.theme.colors.bg,\n\t color: style[3] || style.theme.colors.text\n\t }),\n\t domProps: {\n\t \"value\": style\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(style[0] || style.name) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])])], 2)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"save-load-options\"\n\t }, [_c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepColor),\n\t expression: \"keepColor\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-color\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepColor) ? _vm._i(_vm.keepColor, null) > -1 : (_vm.keepColor)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepColor,\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.keepColor = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepColor = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepColor = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-color\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_color')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepShadows),\n\t expression: \"keepShadows\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-shadows\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepShadows) ? _vm._i(_vm.keepShadows, null) > -1 : (_vm.keepShadows)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepShadows,\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.keepShadows = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepShadows = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepShadows = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-shadows\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_shadows')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepOpacity),\n\t expression: \"keepOpacity\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-opacity\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepOpacity) ? _vm._i(_vm.keepOpacity, null) > -1 : (_vm.keepOpacity)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepOpacity,\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.keepOpacity = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepOpacity = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepOpacity = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-opacity\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_opacity')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepRoundness),\n\t expression: \"keepRoundness\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-roundness\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepRoundness) ? _vm._i(_vm.keepRoundness, null) > -1 : (_vm.keepRoundness)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepRoundness,\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.keepRoundness = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepRoundness = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepRoundness = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-roundness\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_roundness')))])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"keep-option\"\n\t }, [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.keepFonts),\n\t expression: \"keepFonts\"\n\t }],\n\t attrs: {\n\t \"id\": \"keep-fonts\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.keepFonts) ? _vm._i(_vm.keepFonts, null) > -1 : (_vm.keepFonts)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.keepFonts,\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.keepFonts = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.keepFonts = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.keepFonts = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"keep-fonts\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_fonts')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.switcher.save_load_hint')))])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"preview-container\"\n\t }, [_c('preview', {\n\t style: (_vm.previewRules)\n\t })], 1), _vm._v(\" \"), _c('keep-alive', [_c('tab-switcher', {\n\t key: \"style-tweak\"\n\t }, [_c('div', {\n\t staticClass: \"color-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.common_colors._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearOpacity\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearV1\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_1')))]), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.main')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"bgColor\",\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.bgColorLocal),\n\t callback: function($$v) {\n\t _vm.bgColorLocal = $$v\n\t },\n\t expression: \"bgColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"bgOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.bg || 1\n\t },\n\t model: {\n\t value: (_vm.bgOpacityLocal),\n\t callback: function($$v) {\n\t _vm.bgOpacityLocal = $$v\n\t },\n\t expression: \"bgOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"textColor\",\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.textColorLocal),\n\t callback: function($$v) {\n\t _vm.textColorLocal = $$v\n\t },\n\t expression: \"textColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgText\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"linkColor\",\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.linkColorLocal),\n\t callback: function($$v) {\n\t _vm.linkColorLocal = $$v\n\t },\n\t expression: \"linkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgLink\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"fgColor\",\n\t \"label\": _vm.$t('settings.foreground')\n\t },\n\t model: {\n\t value: (_vm.fgColorLocal),\n\t callback: function($$v) {\n\t _vm.fgColorLocal = $$v\n\t },\n\t expression: \"fgColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"fgTextColor\",\n\t \"label\": _vm.$t('settings.text'),\n\t \"fallback\": _vm.previewTheme.colors.fgText\n\t },\n\t model: {\n\t value: (_vm.fgTextColorLocal),\n\t callback: function($$v) {\n\t _vm.fgTextColorLocal = $$v\n\t },\n\t expression: \"fgTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"fgLinkColor\",\n\t \"label\": _vm.$t('settings.links'),\n\t \"fallback\": _vm.previewTheme.colors.fgLink\n\t },\n\t model: {\n\t value: (_vm.fgLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.fgLinkColorLocal = $$v\n\t },\n\t expression: \"fgLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.foreground_hint')))])], 1), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.rgbo')))]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cRedColor\",\n\t \"label\": _vm.$t('settings.cRed')\n\t },\n\t model: {\n\t value: (_vm.cRedColorLocal),\n\t callback: function($$v) {\n\t _vm.cRedColorLocal = $$v\n\t },\n\t expression: \"cRedColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgRed\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cBlueColor\",\n\t \"label\": _vm.$t('settings.cBlue')\n\t },\n\t model: {\n\t value: (_vm.cBlueColorLocal),\n\t callback: function($$v) {\n\t _vm.cBlueColorLocal = $$v\n\t },\n\t expression: \"cBlueColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgBlue\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cGreenColor\",\n\t \"label\": _vm.$t('settings.cGreen')\n\t },\n\t model: {\n\t value: (_vm.cGreenColorLocal),\n\t callback: function($$v) {\n\t _vm.cGreenColorLocal = $$v\n\t },\n\t expression: \"cGreenColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgGreen\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"cOrangeColor\",\n\t \"label\": _vm.$t('settings.cOrange')\n\t },\n\t model: {\n\t value: (_vm.cOrangeColorLocal),\n\t callback: function($$v) {\n\t _vm.cOrangeColorLocal = $$v\n\t },\n\t expression: \"cOrangeColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.bgOrange\n\t }\n\t })], 1), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_2')))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.advanced_colors._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearOpacity\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearV1\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.alert')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"alertError\",\n\t \"label\": _vm.$t('settings.style.advanced_colors.alert_error'),\n\t \"fallback\": _vm.previewTheme.colors.alertError\n\t },\n\t model: {\n\t value: (_vm.alertErrorColorLocal),\n\t callback: function($$v) {\n\t _vm.alertErrorColorLocal = $$v\n\t },\n\t expression: \"alertErrorColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.alertError\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.badge')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"badgeNotification\",\n\t \"label\": _vm.$t('settings.style.advanced_colors.badge_notification'),\n\t \"fallback\": _vm.previewTheme.colors.badgeNotification\n\t },\n\t model: {\n\t value: (_vm.badgeNotificationColorLocal),\n\t callback: function($$v) {\n\t _vm.badgeNotificationColorLocal = $$v\n\t },\n\t expression: \"badgeNotificationColorLocal\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.panel_header')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.panelColorLocal),\n\t callback: function($$v) {\n\t _vm.panelColorLocal = $$v\n\t },\n\t expression: \"panelColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"panelOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.panel || 1\n\t },\n\t model: {\n\t value: (_vm.panelOpacityLocal),\n\t callback: function($$v) {\n\t _vm.panelOpacityLocal = $$v\n\t },\n\t expression: \"panelOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.panelText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.panelTextColorLocal),\n\t callback: function($$v) {\n\t _vm.panelTextColorLocal = $$v\n\t },\n\t expression: \"panelTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.panelText,\n\t \"large\": \"1\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelLinkColor\",\n\t \"fallback\": _vm.previewTheme.colors.panelLink,\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.panelLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.panelLinkColorLocal = $$v\n\t },\n\t expression: \"panelLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.panelLink,\n\t \"large\": \"1\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.top_bar')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"topBarColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.topBarColorLocal),\n\t callback: function($$v) {\n\t _vm.topBarColorLocal = $$v\n\t },\n\t expression: \"topBarColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"topBarTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.topBarText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.topBarTextColorLocal),\n\t callback: function($$v) {\n\t _vm.topBarTextColorLocal = $$v\n\t },\n\t expression: \"topBarTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.topBarText\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"topBarLinkColor\",\n\t \"fallback\": _vm.previewTheme.colors.topBarLink,\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.topBarLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.topBarLinkColorLocal = $$v\n\t },\n\t expression: \"topBarLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.topBarLink\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.inputs')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"inputColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.inputColorLocal),\n\t callback: function($$v) {\n\t _vm.inputColorLocal = $$v\n\t },\n\t expression: \"inputColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"inputOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.input || 1\n\t },\n\t model: {\n\t value: (_vm.inputOpacityLocal),\n\t callback: function($$v) {\n\t _vm.inputOpacityLocal = $$v\n\t },\n\t expression: \"inputOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"inputTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.inputText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.inputTextColorLocal),\n\t callback: function($$v) {\n\t _vm.inputTextColorLocal = $$v\n\t },\n\t expression: \"inputTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.inputText\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.buttons')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"btnColor\",\n\t \"fallback\": _vm.fgColorLocal,\n\t \"label\": _vm.$t('settings.background')\n\t },\n\t model: {\n\t value: (_vm.btnColorLocal),\n\t callback: function($$v) {\n\t _vm.btnColorLocal = $$v\n\t },\n\t expression: \"btnColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"btnOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.btn || 1\n\t },\n\t model: {\n\t value: (_vm.btnOpacityLocal),\n\t callback: function($$v) {\n\t _vm.btnOpacityLocal = $$v\n\t },\n\t expression: \"btnOpacityLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"btnTextColor\",\n\t \"fallback\": _vm.previewTheme.colors.btnText,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.btnTextColorLocal),\n\t callback: function($$v) {\n\t _vm.btnTextColorLocal = $$v\n\t },\n\t expression: \"btnTextColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ContrastRatio', {\n\t attrs: {\n\t \"contrast\": _vm.previewContrast.btnText\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.borders')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"borderColor\",\n\t \"fallback\": _vm.previewTheme.colors.border,\n\t \"label\": _vm.$t('settings.style.common.color')\n\t },\n\t model: {\n\t value: (_vm.borderColorLocal),\n\t callback: function($$v) {\n\t _vm.borderColorLocal = $$v\n\t },\n\t expression: \"borderColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"borderOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.border || 1\n\t },\n\t model: {\n\t value: (_vm.borderOpacityLocal),\n\t callback: function($$v) {\n\t _vm.borderOpacityLocal = $$v\n\t },\n\t expression: \"borderOpacityLocal\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"color-item\"\n\t }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.faint_text')))]), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"faintColor\",\n\t \"fallback\": _vm.previewTheme.colors.faint || 1,\n\t \"label\": _vm.$t('settings.text')\n\t },\n\t model: {\n\t value: (_vm.faintColorLocal),\n\t callback: function($$v) {\n\t _vm.faintColorLocal = $$v\n\t },\n\t expression: \"faintColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"faintLinkColor\",\n\t \"fallback\": _vm.previewTheme.colors.faintLink,\n\t \"label\": _vm.$t('settings.links')\n\t },\n\t model: {\n\t value: (_vm.faintLinkColorLocal),\n\t callback: function($$v) {\n\t _vm.faintLinkColorLocal = $$v\n\t },\n\t expression: \"faintLinkColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('ColorInput', {\n\t attrs: {\n\t \"name\": \"panelFaintColor\",\n\t \"fallback\": _vm.previewTheme.colors.panelFaint,\n\t \"label\": _vm.$t('settings.style.advanced_colors.panel_header')\n\t },\n\t model: {\n\t value: (_vm.panelFaintColorLocal),\n\t callback: function($$v) {\n\t _vm.panelFaintColorLocal = $$v\n\t },\n\t expression: \"panelFaintColorLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('OpacityInput', {\n\t attrs: {\n\t \"name\": \"faintOpacity\",\n\t \"fallback\": _vm.previewTheme.opacity.faint || 0.5\n\t },\n\t model: {\n\t value: (_vm.faintOpacityLocal),\n\t callback: function($$v) {\n\t _vm.faintOpacityLocal = $$v\n\t },\n\t expression: \"faintOpacityLocal\"\n\t }\n\t })], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"radius-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.radii._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearRoundness\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"btnRadius\",\n\t \"label\": _vm.$t('settings.btnRadius'),\n\t \"fallback\": _vm.previewTheme.radii.btn,\n\t \"max\": \"16\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.btnRadiusLocal),\n\t callback: function($$v) {\n\t _vm.btnRadiusLocal = $$v\n\t },\n\t expression: \"btnRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"inputRadius\",\n\t \"label\": _vm.$t('settings.inputRadius'),\n\t \"fallback\": _vm.previewTheme.radii.input,\n\t \"max\": \"9\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.inputRadiusLocal),\n\t callback: function($$v) {\n\t _vm.inputRadiusLocal = $$v\n\t },\n\t expression: \"inputRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"checkboxRadius\",\n\t \"label\": _vm.$t('settings.checkboxRadius'),\n\t \"fallback\": _vm.previewTheme.radii.checkbox,\n\t \"max\": \"16\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.checkboxRadiusLocal),\n\t callback: function($$v) {\n\t _vm.checkboxRadiusLocal = $$v\n\t },\n\t expression: \"checkboxRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"panelRadius\",\n\t \"label\": _vm.$t('settings.panelRadius'),\n\t \"fallback\": _vm.previewTheme.radii.panel,\n\t \"max\": \"50\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.panelRadiusLocal),\n\t callback: function($$v) {\n\t _vm.panelRadiusLocal = $$v\n\t },\n\t expression: \"panelRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"avatarRadius\",\n\t \"label\": _vm.$t('settings.avatarRadius'),\n\t \"fallback\": _vm.previewTheme.radii.avatar,\n\t \"max\": \"28\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.avatarRadiusLocal),\n\t callback: function($$v) {\n\t _vm.avatarRadiusLocal = $$v\n\t },\n\t expression: \"avatarRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"avatarAltRadius\",\n\t \"label\": _vm.$t('settings.avatarAltRadius'),\n\t \"fallback\": _vm.previewTheme.radii.avatarAlt,\n\t \"max\": \"28\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.avatarAltRadiusLocal),\n\t callback: function($$v) {\n\t _vm.avatarAltRadiusLocal = $$v\n\t },\n\t expression: \"avatarAltRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"attachmentRadius\",\n\t \"label\": _vm.$t('settings.attachmentRadius'),\n\t \"fallback\": _vm.previewTheme.radii.attachment,\n\t \"max\": \"50\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.attachmentRadiusLocal),\n\t callback: function($$v) {\n\t _vm.attachmentRadiusLocal = $$v\n\t },\n\t expression: \"attachmentRadiusLocal\"\n\t }\n\t }), _vm._v(\" \"), _c('RangeInput', {\n\t attrs: {\n\t \"name\": \"tooltipRadius\",\n\t \"label\": _vm.$t('settings.tooltipRadius'),\n\t \"fallback\": _vm.previewTheme.radii.tooltip,\n\t \"max\": \"50\",\n\t \"hardMin\": \"0\"\n\t },\n\t model: {\n\t value: (_vm.tooltipRadiusLocal),\n\t callback: function($$v) {\n\t _vm.tooltipRadiusLocal = $$v\n\t },\n\t expression: \"tooltipRadiusLocal\"\n\t }\n\t })], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"shadow-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.shadows._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header shadow-selector\"\n\t }, [_c('div', {\n\t staticClass: \"select-container\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.component')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"shadow-switcher\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.shadowSelected),\n\t expression: \"shadowSelected\"\n\t }],\n\t staticClass: \"shadow-switcher\",\n\t attrs: {\n\t \"id\": \"shadow-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.shadowSelected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, _vm._l((_vm.shadowsAvailable), function(shadow) {\n\t return _c('option', {\n\t domProps: {\n\t \"value\": shadow\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.components.' + shadow)) + \"\\n \")])\n\t }), 0), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"override\"\n\t }, [_c('label', {\n\t staticClass: \"label\",\n\t attrs: {\n\t \"for\": \"override\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.override')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.currentShadowOverriden),\n\t expression: \"currentShadowOverriden\"\n\t }],\n\t staticClass: \"input-override\",\n\t attrs: {\n\t \"name\": \"override\",\n\t \"id\": \"override\",\n\t \"type\": \"checkbox\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.currentShadowOverriden) ? _vm._i(_vm.currentShadowOverriden, null) > -1 : (_vm.currentShadowOverriden)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.currentShadowOverriden,\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.currentShadowOverriden = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.currentShadowOverriden = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.currentShadowOverriden = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t staticClass: \"checkbox-label\",\n\t attrs: {\n\t \"for\": \"override\"\n\t }\n\t })]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearShadows\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('shadow-control', {\n\t attrs: {\n\t \"ready\": !!_vm.currentShadowFallback,\n\t \"fallback\": _vm.currentShadowFallback\n\t },\n\t model: {\n\t value: (_vm.currentShadow),\n\t callback: function($$v) {\n\t _vm.currentShadow = $$v\n\t },\n\t expression: \"currentShadow\"\n\t }\n\t }), _vm._v(\" \"), (_vm.shadowSelected === 'avatar' || _vm.shadowSelected === 'avatarStatus') ? _c('div', [_c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.shadows.filter_hint.always_drop_shadow\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('code', [_vm._v(\"filter: drop-shadow()\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.avatar_inset')))]), _vm._v(\" \"), _c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.shadows.filter_hint.drop_shadow_syntax\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('code', [_vm._v(\"drop-shadow\")]), _vm._v(\" \"), _c('code', [_vm._v(\"spread-radius\")]), _vm._v(\" \"), _c('code', [_vm._v(\"inset\")])]), _vm._v(\" \"), _c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.shadows.filter_hint.inset_classic\",\n\t \"tag\": \"p\"\n\t }\n\t }, [_c('code', [_vm._v(\"box-shadow\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.spread_zero')))])], 1) : _vm._e()], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"fonts-container\",\n\t attrs: {\n\t \"label\": _vm.$t('settings.style.fonts._tab_label')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"tab-header\"\n\t }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.style.fonts.help')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearFonts\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"ui\",\n\t \"label\": _vm.$t('settings.style.fonts.components.interface'),\n\t \"fallback\": _vm.previewTheme.fonts.interface,\n\t \"no-inherit\": \"1\"\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.interface),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"interface\", $$v)\n\t },\n\t expression: \"fontsLocal.interface\"\n\t }\n\t }), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"input\",\n\t \"label\": _vm.$t('settings.style.fonts.components.input'),\n\t \"fallback\": _vm.previewTheme.fonts.input\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.input),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"input\", $$v)\n\t },\n\t expression: \"fontsLocal.input\"\n\t }\n\t }), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"post\",\n\t \"label\": _vm.$t('settings.style.fonts.components.post'),\n\t \"fallback\": _vm.previewTheme.fonts.post\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.post),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"post\", $$v)\n\t },\n\t expression: \"fontsLocal.post\"\n\t }\n\t }), _vm._v(\" \"), _c('FontControl', {\n\t attrs: {\n\t \"name\": \"postCode\",\n\t \"label\": _vm.$t('settings.style.fonts.components.postCode'),\n\t \"fallback\": _vm.previewTheme.fonts.postCode\n\t },\n\t model: {\n\t value: (_vm.fontsLocal.postCode),\n\t callback: function($$v) {\n\t _vm.$set(_vm.fontsLocal, \"postCode\", $$v)\n\t },\n\t expression: \"fontsLocal.postCode\"\n\t }\n\t })], 1)])], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"apply-container\"\n\t }, [_c('button', {\n\t staticClass: \"btn submit\",\n\t attrs: {\n\t \"disabled\": !_vm.themeValid\n\t },\n\t on: {\n\t \"click\": _vm.setCustomTheme\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('general.apply')))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.clearAll\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.reset')))])])], 1)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 676 */\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: \"panel dummy\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header')) + \"\\n \"), _c('span', {\n\t staticClass: \"badge badge-notification\"\n\t }, [_vm._v(\"\\n 99\\n \")])]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"faint\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header_faint')) + \"\\n \")]), _vm._v(\" \"), _c('span', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body theme-preview-content\"\n\t }, [_c('div', {\n\t staticClass: \"post\"\n\t }, [_c('div', {\n\t staticClass: \"avatar\"\n\t }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"content\"\n\t }, [_c('h4', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.content')) + \"\\n \")]), _vm._v(\" \"), _c('i18n', {\n\t attrs: {\n\t \"path\": \"settings.style.preview.text\"\n\t }\n\t }, [_c('code', {\n\t staticStyle: {\n\t \"font-family\": \"var(--postCodeFont)\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.mono')) + \"\\n \")]), _vm._v(\" \"), _c('a', {\n\t staticStyle: {\n\t \"color\": \"var(--link)\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.link')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"after-post\"\n\t }, [_c('div', {\n\t staticClass: \"avatar-alt\"\n\t }, [_vm._v(\"\\n :^)\\n \")]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"content\"\n\t }, [_c('i18n', {\n\t staticClass: \"faint\",\n\t attrs: {\n\t \"path\": \"settings.style.preview.fine_print\",\n\t \"tag\": \"span\"\n\t }\n\t }, [_c('a', {\n\t staticStyle: {\n\t \"color\": \"var(--faintLink)\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.faint_link')) + \"\\n \")])])], 1)]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"separator\"\n\t }), _vm._v(\" \"), _c('span', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n\t attrs: {\n\t \"type\": \"text\"\n\t },\n\t domProps: {\n\t \"value\": _vm.$t('settings.style.preview.input')\n\t }\n\t }), _vm._v(\" \"), _c('div', {\n\t staticClass: \"actions\"\n\t }, [_c('span', {\n\t staticClass: \"checkbox\"\n\t }, [_c('input', {\n\t attrs: {\n\t \"checked\": \"very yes\",\n\t \"type\": \"checkbox\",\n\t \"id\": \"preview_checkbox\"\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"preview_checkbox\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.style.preview.checkbox')))])]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])])])])\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: \"icons\"\n\t }, [_c('i', {\n\t staticClass: \"button-icon icon-reply\",\n\t staticStyle: {\n\t \"color\": \"var(--cBlue)\"\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-retweet\",\n\t staticStyle: {\n\t \"color\": \"var(--cGreen)\"\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-star\",\n\t staticStyle: {\n\t \"color\": \"var(--cOrange)\"\n\t }\n\t }), _vm._v(\" \"), _c('i', {\n\t staticClass: \"button-icon icon-cancel\",\n\t staticStyle: {\n\t \"color\": \"var(--cRed)\"\n\t }\n\t })])\n\t}]}\n\n/***/ }),\n/* 677 */\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: \"button-icon favorite-button fav-active\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.favorite')\n\t },\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.hidePostStatsLocal && _vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n\t staticClass: \"button-icon favorite-button\",\n\t class: _vm.classes,\n\t attrs: {\n\t \"title\": _vm.$t('tool_tip.favorite')\n\t }\n\t }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 678 */\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 }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('transition', {\n\t attrs: {\n\t \"name\": \"fade\"\n\t }\n\t }, [(_vm.currentSaveStateNotice) ? [(_vm.currentSaveStateNotice.error) ? _c('div', {\n\t staticClass: \"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('settings.saving_err')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.currentSaveStateNotice.error) ? _c('div', {\n\t staticClass: \"alert transparent\",\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('settings.saving_ok')) + \"\\n \")]) : _vm._e()] : _vm._e()], 2)], 1), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body\"\n\t }, [_c('keep-alive', [_c('tab-switcher', [_c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.general')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.interface')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('interface-language-switcher')], 1), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideISPLocal),\n\t expression: \"hideISPLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideISP\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideISPLocal) ? _vm._i(_vm.hideISPLocal, null) > -1 : (_vm.hideISPLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideISPLocal,\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.hideISPLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideISPLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideISPLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideISP\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_isp')))])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('nav.timeline')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.collapseMessageWithSubjectLocal),\n\t expression: \"collapseMessageWithSubjectLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"collapseMessageWithSubject\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.collapseMessageWithSubjectLocal) ? _vm._i(_vm.collapseMessageWithSubjectLocal, null) > -1 : (_vm.collapseMessageWithSubjectLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.collapseMessageWithSubjectLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.collapseMessageWithSubjectLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.collapseMessageWithSubjectLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.collapseMessageWithSubjectLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"collapseMessageWithSubject\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.collapse_subject')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.collapseMessageWithSubjectDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.streamingLocal),\n\t expression: \"streamingLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"streaming\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.streamingLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.streamingLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"streaming\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\",\n\t class: [{\n\t disabled: !_vm.streamingLocal\n\t }]\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.pauseOnUnfocusedLocal),\n\t expression: \"pauseOnUnfocusedLocal\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.streamingLocal,\n\t \"type\": \"checkbox\",\n\t \"id\": \"pauseOnUnfocused\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.pauseOnUnfocusedLocal) ? _vm._i(_vm.pauseOnUnfocusedLocal, null) > -1 : (_vm.pauseOnUnfocusedLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.pauseOnUnfocusedLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.pauseOnUnfocusedLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.pauseOnUnfocusedLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.pauseOnUnfocusedLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"pauseOnUnfocused\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.pause_on_unfocused')))])])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.autoLoadLocal),\n\t expression: \"autoLoadLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"autoload\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.autoLoadLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.autoLoadLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"autoload\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hoverPreviewLocal),\n\t expression: \"hoverPreviewLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hoverPreview\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hoverPreviewLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hoverPreviewLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hoverPreview\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.composing')))]), _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.scopeCopyLocal),\n\t expression: \"scopeCopyLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"scopeCopy\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.scopeCopyLocal) ? _vm._i(_vm.scopeCopyLocal, null) > -1 : (_vm.scopeCopyLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.scopeCopyLocal,\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.scopeCopyLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.scopeCopyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.scopeCopyLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"scopeCopy\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.scope_copy')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.scopeCopyDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.alwaysShowSubjectInputLocal),\n\t expression: \"alwaysShowSubjectInputLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"subjectHide\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.alwaysShowSubjectInputLocal) ? _vm._i(_vm.alwaysShowSubjectInputLocal, null) > -1 : (_vm.alwaysShowSubjectInputLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.alwaysShowSubjectInputLocal,\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.alwaysShowSubjectInputLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.alwaysShowSubjectInputLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.alwaysShowSubjectInputLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"subjectHide\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_input_always_show')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.alwaysShowSubjectInputDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_behavior')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"subjectLineBehavior\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.subjectLineBehaviorLocal),\n\t expression: \"subjectLineBehaviorLocal\"\n\t }],\n\t attrs: {\n\t \"id\": \"subjectLineBehavior\"\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.subjectLineBehaviorLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"email\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_email')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'email' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"masto\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_mastodon')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'mastodon' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"noop\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_noop')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'noop' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsLocal),\n\t expression: \"hideAttachmentsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachments\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachments\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideAttachmentsInConvLocal),\n\t expression: \"hideAttachmentsInConvLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideAttachmentsInConv\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideAttachmentsInConvLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideAttachmentsInConvLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideAttachmentsInConv\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideNsfwLocal),\n\t expression: \"hideNsfwLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideNsfw\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideNsfwLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideNsfwLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideNsfw\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.preloadImage),\n\t expression: \"preloadImage\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.hideNsfwLocal,\n\t \"type\": \"checkbox\",\n\t \"id\": \"preloadImage\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.preloadImage) ? _vm._i(_vm.preloadImage, null) > -1 : (_vm.preloadImage)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.preloadImage,\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.preloadImage = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.preloadImage = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.preloadImage = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"preloadImage\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.preload_images')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.useOneClickNsfw),\n\t expression: \"useOneClickNsfw\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"useOneClickNsfw\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.useOneClickNsfw) ? _vm._i(_vm.useOneClickNsfw, null) > -1 : (_vm.useOneClickNsfw)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.useOneClickNsfw,\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.useOneClickNsfw = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.useOneClickNsfw = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.useOneClickNsfw = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"useOneClickNsfw\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.use_one_click_nsfw')))])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.stopGifs),\n\t expression: \"stopGifs\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"stopGifs\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.stopGifs,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.stopGifs = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"stopGifs\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.loopVideoLocal),\n\t expression: \"loopVideoLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"loopVideo\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.loopVideoLocal) ? _vm._i(_vm.loopVideoLocal, null) > -1 : (_vm.loopVideoLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.loopVideoLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.loopVideoLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.loopVideoLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.loopVideoLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"loopVideo\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.loop_video')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"setting-list suboptions\",\n\t class: [{\n\t disabled: !_vm.streamingLocal\n\t }]\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.loopVideoSilentOnlyLocal),\n\t expression: \"loopVideoSilentOnlyLocal\"\n\t }],\n\t attrs: {\n\t \"disabled\": !_vm.loopVideoLocal || !_vm.loopSilentAvailable,\n\t \"type\": \"checkbox\",\n\t \"id\": \"loopVideoSilentOnly\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.loopVideoSilentOnlyLocal) ? _vm._i(_vm.loopVideoSilentOnlyLocal, null) > -1 : (_vm.loopVideoSilentOnlyLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.loopVideoSilentOnlyLocal,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.loopVideoSilentOnlyLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.loopVideoSilentOnlyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.loopVideoSilentOnlyLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"loopVideoSilentOnly\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.loop_video_silent_only')))]), _vm._v(\" \"), (!_vm.loopSilentAvailable) ? _c('div', {\n\t staticClass: \"unavailable\"\n\t }, [_c('i', {\n\t staticClass: \"icon-globe\"\n\t }), _vm._v(\"! \" + _vm._s(_vm.$t('settings.limited_availability')) + \"\\n \")]) : _vm._e()])])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.playVideosInline),\n\t expression: \"playVideosInline\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"playVideosInline\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.playVideosInline) ? _vm._i(_vm.playVideosInline, null) > -1 : (_vm.playVideosInline)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.playVideosInline,\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.playVideosInline = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.playVideosInline = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.playVideosInline = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"playVideosInline\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.play_videos_inline')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.useContainFit),\n\t expression: \"useContainFit\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"useContainFit\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.useContainFit) ? _vm._i(_vm.useContainFit, null) > -1 : (_vm.useContainFit)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.useContainFit,\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.useContainFit = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.useContainFit = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.useContainFit = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"useContainFit\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.use_contain_fit')))])])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.notifications')))]), _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.webPushNotificationsLocal),\n\t expression: \"webPushNotificationsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"webPushNotifications\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.webPushNotificationsLocal) ? _vm._i(_vm.webPushNotificationsLocal, null) > -1 : (_vm.webPushNotificationsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.webPushNotificationsLocal,\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.webPushNotificationsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.webPushNotificationsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.webPushNotificationsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"webPushNotifications\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.enable_web_push_notifications')) + \"\\n \")])])])])]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.theme')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('style-switcher')], 1)]), _vm._v(\" \"), _c('div', {\n\t attrs: {\n\t \"label\": _vm.$t('settings.filtering')\n\t }\n\t }, [_c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_c('div', {\n\t staticClass: \"select-multiple\"\n\t }, [_c('span', {\n\t staticClass: \"label\"\n\t }, [_vm._v(_vm._s(_vm.$t('settings.notification_visibility')))]), _vm._v(\" \"), _c('ul', {\n\t staticClass: \"option-list\"\n\t }, [_c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.likes),\n\t expression: \"notificationVisibilityLocal.likes\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-likes\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.likes) ? _vm._i(_vm.notificationVisibilityLocal.likes, null) > -1 : (_vm.notificationVisibilityLocal.likes)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.likes,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-likes\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_likes')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.repeats),\n\t expression: \"notificationVisibilityLocal.repeats\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-repeats\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.repeats) ? _vm._i(_vm.notificationVisibilityLocal.repeats, null) > -1 : (_vm.notificationVisibilityLocal.repeats)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.repeats,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-repeats\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_repeats')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.follows),\n\t expression: \"notificationVisibilityLocal.follows\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-follows\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.follows) ? _vm._i(_vm.notificationVisibilityLocal.follows, null) > -1 : (_vm.notificationVisibilityLocal.follows)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.follows,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-follows\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_follows')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.notificationVisibilityLocal.mentions),\n\t expression: \"notificationVisibilityLocal.mentions\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"notification-visibility-mentions\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.notificationVisibilityLocal.mentions) ? _vm._i(_vm.notificationVisibilityLocal.mentions, null) > -1 : (_vm.notificationVisibilityLocal.mentions)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.notificationVisibilityLocal.mentions,\n\t $$el = $event.target,\n\t $$c = $$el.checked ? (true) : (false);\n\t if (Array.isArray($$a)) {\n\t var $$v = null,\n\t $$i = _vm._i($$a, $$v);\n\t if ($$el.checked) {\n\t $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.concat([$$v])))\n\t } else {\n\t $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n\t }\n\t } else {\n\t _vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$c)\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"notification-visibility-mentions\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_mentions')) + \"\\n \")])])])]), _vm._v(\" \"), _c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.replies_in_timeline')) + \"\\n \"), _c('label', {\n\t staticClass: \"select\",\n\t attrs: {\n\t \"for\": \"replyVisibility\"\n\t }\n\t }, [_c('select', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.replyVisibilityLocal),\n\t expression: \"replyVisibilityLocal\"\n\t }],\n\t attrs: {\n\t \"id\": \"replyVisibility\"\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n\t return o.selected\n\t }).map(function(o) {\n\t var val = \"_value\" in o ? o._value : o.value;\n\t return val\n\t });\n\t _vm.replyVisibilityLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n\t }\n\t }\n\t }, [_c('option', {\n\t attrs: {\n\t \"value\": \"all\",\n\t \"selected\": \"\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"following\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]), _vm._v(\" \"), _c('option', {\n\t attrs: {\n\t \"value\": \"self\"\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]), _vm._v(\" \"), _c('i', {\n\t staticClass: \"icon-down-open\"\n\t })])]), _vm._v(\" \"), _c('div', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hidePostStatsLocal),\n\t expression: \"hidePostStatsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hidePostStats\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hidePostStatsLocal) ? _vm._i(_vm.hidePostStatsLocal, null) > -1 : (_vm.hidePostStatsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hidePostStatsLocal,\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.hidePostStatsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hidePostStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hidePostStatsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hidePostStats\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_post_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.hidePostStatsDefault\n\t })) + \"\\n \")])]), _vm._v(\" \"), _c('div', [_c('input', {\n\t directives: [{\n\t name: \"model\",\n\t rawName: \"v-model\",\n\t value: (_vm.hideUserStatsLocal),\n\t expression: \"hideUserStatsLocal\"\n\t }],\n\t attrs: {\n\t \"type\": \"checkbox\",\n\t \"id\": \"hideUserStats\"\n\t },\n\t domProps: {\n\t \"checked\": Array.isArray(_vm.hideUserStatsLocal) ? _vm._i(_vm.hideUserStatsLocal, null) > -1 : (_vm.hideUserStatsLocal)\n\t },\n\t on: {\n\t \"change\": function($event) {\n\t var $$a = _vm.hideUserStatsLocal,\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.hideUserStatsLocal = $$a.concat([$$v]))\n\t } else {\n\t $$i > -1 && (_vm.hideUserStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n\t }\n\t } else {\n\t _vm.hideUserStatsLocal = $$c\n\t }\n\t }\n\t }\n\t }), _vm._v(\" \"), _c('label', {\n\t attrs: {\n\t \"for\": \"hideUserStats\"\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_user_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n\t value: _vm.hideUserStatsDefault\n\t })) + \"\\n \")])])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"setting-item\"\n\t }, [_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 })])])])], 1)], 1)])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 679 */\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\": {\n\t name: 'friends'\n\t }\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) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'dms',\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.dms\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'friend-requests'\n\t }\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\": {\n\t name: 'public-timeline'\n\t }\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\": {\n\t name: 'public-external-timeline'\n\t }\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1)])])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 680 */\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 ref: \"galleryContainer\",\n\t staticStyle: {\n\t \"width\": \"100%\"\n\t }\n\t }, _vm._l((_vm.rows), function(row) {\n\t return _c('div', {\n\t staticClass: \"gallery-row\",\n\t class: {\n\t 'contain-fit': _vm.useContainFit, 'cover-fit': !_vm.useContainFit\n\t },\n\t style: (_vm.rowHeight(row.length))\n\t }, _vm._l((row), function(attachment) {\n\t return _c('attachment', {\n\t key: attachment.id,\n\t attrs: {\n\t \"setMedia\": _vm.setMedia,\n\t \"nsfw\": _vm.nsfw,\n\t \"attachment\": attachment,\n\t \"allowPlay\": false\n\t }\n\t })\n\t }), 1)\n\t }), 0)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 681 */\n/***/ (function(module, exports) {\n\n\tmodule.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n\t return _c('div', {\n\t staticClass: \"who-to-follow-panel\"\n\t }, [_c('div', {\n\t staticClass: \"panel panel-default base01-background\"\n\t }, [_c('div', {\n\t staticClass: \"panel-heading timeline-heading base02-background base04\"\n\t }, [_c('div', {\n\t staticClass: \"title\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n\t staticClass: \"panel-body who-to-follow\"\n\t }, [_vm._l((_vm.usersToFollow), function(user) {\n\t return _c('span', [_c('img', {\n\t attrs: {\n\t \"src\": user.img\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": _vm.userProfileLink(user.id, user.name)\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(user.name) + \"\\n \")]), _c('br')], 1)\n\t }), _vm._v(\" \"), _c('img', {\n\t attrs: {\n\t \"src\": _vm.$store.state.instance.logo\n\t }\n\t }), _vm._v(\" \"), _c('router-link', {\n\t attrs: {\n\t \"to\": {\n\t name: 'who-to-follow'\n\t }\n\t }\n\t }, [_vm._v(_vm._s(_vm.$t('who_to_follow.more')))])], 2)])])\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 682 */\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: \"import-export-container\"\n\t }, [_vm._t(\"before\"), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.exportData\n\t }\n\t }, [_vm._v(_vm._s(_vm.exportLabel))]), _vm._v(\" \"), _c('button', {\n\t staticClass: \"btn\",\n\t on: {\n\t \"click\": _vm.importData\n\t }\n\t }, [_vm._v(_vm._s(_vm.importLabel))]), _vm._v(\" \"), _vm._t(\"afterButtons\"), _vm._v(\" \"), (_vm.importFailed) ? _c('p', {\n\t staticClass: \"alert error\"\n\t }, [_vm._v(_vm._s(_vm.importFailedText))]) : _vm._e(), _vm._v(\" \"), _vm._t(\"afterError\")], 2)\n\t},staticRenderFns: []}\n\n/***/ }),\n/* 683 */\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/* 684 */\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('StillImage', {\n\t staticClass: \"avatar\",\n\t attrs: {\n\t \"src\": _vm.user.profile_image_url\n\t },\n\t on: {\n\t \"click\": function($event) {\n\t $event.preventDefault();\n\t return _vm.toggleUserExpanded($event)\n\t }\n\t }\n\t })], 1), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n\t staticClass: \"usercard\"\n\t }, [_c('user-card-content', {\n\t attrs: {\n\t \"user\": _vm.user,\n\t \"switcher\": false\n\t }\n\t })], 1) : _c('div', {\n\t staticClass: \"name-and-screen-name\"\n\t }, [(_vm.user.name_html) ? _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_c('span', {\n\t domProps: {\n\t \"innerHTML\": _vm._s(_vm.user.name_html)\n\t }\n\t }), _vm._v(\" \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]) : _c('div', {\n\t staticClass: \"user-name\",\n\t attrs: {\n\t \"title\": _vm.user.name\n\t }\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n\t staticClass: \"follows-you\"\n\t }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n\t staticClass: \"user-screen-name\",\n\t attrs: {\n\t \"to\": _vm.userProfileLink(_vm.user)\n\t }\n\t }, [_vm._v(\"\\n @\" + _vm._s(_vm.user.screen_name) + \"\\n \")])], 1), _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.59ebcfb47f86a7a5ba3f.js","import Vue from 'vue'\nimport VueRouter from 'vue-router'\nimport Vuex from 'vuex'\n\nimport interfaceModule from './modules/interface.js'\nimport instanceModule from './modules/instance.js'\nimport statusesModule from './modules/statuses.js'\nimport usersModule from './modules/users.js'\nimport apiModule from './modules/api.js'\nimport configModule from './modules/config.js'\nimport chatModule from './modules/chat.js'\nimport oauthModule from './modules/oauth.js'\nimport mediaViewerModule from './modules/media_viewer.js'\n\nimport VueTimeago from 'vue-timeago'\nimport VueI18n from 'vue-i18n'\n\nimport createPersistedState from './lib/persisted_state.js'\nimport pushNotifications from './lib/push_notifications_plugin.js'\n\nimport messages from './i18n/messages.js'\n\nimport VueChatScroll from 'vue-chat-scroll'\n\nimport afterStoreSetup from './boot/after_store.js'\n\nconst currentLocale = (window.navigator.language || 'en').split('-')[0]\n\nVue.use(Vuex)\nVue.use(VueRouter)\nVue.use(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 i18n = new VueI18n({\n // By default, use the browser locale, we will update it if neccessary\n locale: currentLocale,\n fallbackLocale: 'en',\n messages\n})\n\nconst persistedStateOptions = {\n paths: [\n 'config',\n 'users.lastLoginName',\n 'oauth'\n ]\n}\n\ncreatePersistedState(persistedStateOptions).then((persistedState) => {\n const store = new Vuex.Store({\n modules: {\n interface: interfaceModule,\n instance: instanceModule,\n statuses: statusesModule,\n users: usersModule,\n api: apiModule,\n config: configModule,\n chat: chatModule,\n oauth: oauthModule,\n mediaViewer: mediaViewerModule\n },\n plugins: [persistedState, pushNotifications],\n strict: false // Socket modifies itself, let's ignore this for now.\n // strict: process.env.NODE_ENV !== 'production'\n })\n\n afterStoreSetup({ store, i18n })\n})\n\n// These are inlined by webpack's DefinePlugin\n/* eslint-disable */\nwindow.___pleromafe_mode = process.env\nwindow.___pleromafe_commit_hash = COMMIT_HASH\nwindow.___pleromafe_dev_overrides = DEV_OVERRIDES\n\n\n\n// WEBPACK FOOTER //\n// ./src/main.js","/* eslint-env browser */\nconst LOGIN_URL = '/api/account/verify_credentials.json'\nconst FRIENDS_TIMELINE_URL = '/api/statuses/friends_timeline.json'\nconst ALL_FOLLOWING_URL = '/api/qvitter/allfollowing'\nconst PUBLIC_TIMELINE_URL = '/api/statuses/public_timeline.json'\nconst PUBLIC_AND_EXTERNAL_TIMELINE_URL = '/api/statuses/public_and_external_timeline.json'\nconst TAG_TIMELINE_URL = '/api/statusnet/tags/timeline'\nconst FAVORITE_URL = '/api/favorites/create'\nconst UNFAVORITE_URL = '/api/favorites/destroy'\nconst RETWEET_URL = '/api/statuses/retweet'\nconst UNRETWEET_URL = '/api/statuses/unretweet'\nconst STATUS_UPDATE_URL = '/api/statuses/update.json'\nconst STATUS_DELETE_URL = '/api/statuses/destroy'\nconst STATUS_URL = '/api/statuses/show'\nconst MEDIA_UPLOAD_URL = '/api/statusnet/media/upload'\nconst CONVERSATION_URL = '/api/statusnet/conversation'\nconst MENTIONS_URL = '/api/statuses/mentions.json'\nconst DM_TIMELINE_URL = '/api/statuses/dm_timeline.json'\nconst FOLLOWERS_URL = '/api/statuses/followers.json'\nconst FRIENDS_URL = '/api/statuses/friends.json'\nconst FOLLOWING_URL = '/api/friendships/create.json'\nconst UNFOLLOWING_URL = '/api/friendships/destroy.json'\nconst QVITTER_USER_PREF_URL = '/api/qvitter/set_profile_pref.json'\nconst REGISTRATION_URL = '/api/account/register.json'\nconst AVATAR_UPDATE_URL = '/api/qvitter/update_avatar.json'\nconst BG_UPDATE_URL = '/api/qvitter/update_background_image.json'\nconst BANNER_UPDATE_URL = '/api/account/update_profile_banner.json'\nconst PROFILE_UPDATE_URL = '/api/account/update_profile.json'\nconst EXTERNAL_PROFILE_URL = '/api/externalprofile/show.json'\nconst QVITTER_USER_TIMELINE_URL = '/api/qvitter/statuses/user_timeline.json'\nconst QVITTER_USER_NOTIFICATIONS_URL = '/api/qvitter/statuses/notifications.json'\nconst QVITTER_USER_NOTIFICATIONS_READ_URL = '/api/qvitter/statuses/notifications/read.json'\nconst BLOCKING_URL = '/api/blocks/create.json'\nconst UNBLOCKING_URL = '/api/blocks/destroy.json'\nconst USER_URL = '/api/users/show.json'\nconst FOLLOW_IMPORT_URL = '/api/pleroma/follow_import'\nconst DELETE_ACCOUNT_URL = '/api/pleroma/delete_account'\nconst CHANGE_PASSWORD_URL = '/api/pleroma/change_password'\nconst FOLLOW_REQUESTS_URL = '/api/pleroma/friend_requests'\nconst APPROVE_USER_URL = '/api/pleroma/friendships/approve'\nconst DENY_USER_URL = '/api/pleroma/friendships/deny'\nconst SUGGESTIONS_URL = '/api/v1/suggestions'\n\nconst MASTODON_USER_FAVORITES_TIMELINE_URL = '/api/v1/favourites'\n\nimport { each, map } from 'lodash'\nimport { parseStatus, parseUser, parseNotification } from '../entity_normalizer/entity_normalizer.service.js'\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// 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\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\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\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 // Always include these fields, because they might be empty or false\n const fields = ['description', 'locked', 'no_rich_text', 'hide_followings', 'hide_followers']\n let url = PROFILE_UPDATE_URL\n\n const form = new FormData()\n\n each(params, (value, key) => {\n if (fields.includes(key) || value) {\n form.append(key, value)\n }\n })\n return fetch(url, {\n headers: authHeaders(credentials),\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\n// Params needed:\n// nickname\n// email\n// fullname\n// password\n// password_confirm\n//\n// Optional\n// bio\n// homepage\n// location\n// token\nconst register = (params) => {\n const form = new FormData()\n\n each(params, (value, key) => {\n if (value) {\n form.append(key, value)\n }\n })\n\n return fetch(REGISTRATION_URL, {\n method: 'POST',\n body: form\n })\n}\n\nconst getCaptcha = () => fetch('/api/pleroma/captcha').then(resp => resp.json())\n\nconst authHeaders = (accessToken) => {\n if (accessToken) {\n return { 'Authorization': `Bearer ${accessToken}` }\n } else {\n return { }\n }\n}\n\nconst 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 .then((data) => parseUser(data))\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 .then((data) => data.map(parseUser))\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 .then((data) => data.map(parseUser))\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 .then((data) => data.map(parseUser))\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) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => data.map(parseStatus))\n}\n\nconst fetchStatus = ({id, credentials}) => {\n let url = `${STATUS_URL}/${id}.json`\n return fetch(url, { headers: authHeaders(credentials) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => parseStatus(data))\n}\n\nconst 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 dms: DM_TIMELINE_URL,\n notifications: QVITTER_USER_NOTIFICATIONS_URL,\n 'publicAndExternal': PUBLIC_AND_EXTERNAL_TIMELINE_URL,\n user: QVITTER_USER_TIMELINE_URL,\n media: QVITTER_USER_TIMELINE_URL,\n favorites: MASTODON_USER_FAVORITES_TIMELINE_URL,\n tag: TAG_TIMELINE_URL\n }\n const isNotifications = timeline === 'notifications'\n const params = []\n\n let url = timelineUrls[timeline]\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 if (timeline === 'media') {\n params.push(['only_media', 1])\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) })\n .then((data) => {\n if (data.ok) {\n return data\n }\n throw new Error('Error fetching timeline', data)\n })\n .then((data) => data.json())\n .then((data) => data.map(isNotifications ? parseNotification : parseStatus))\n}\n\nconst verifyCredentials = (user) => {\n return fetch(LOGIN_URL, {\n method: 'POST',\n headers: authHeaders(user)\n })\n .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return {\n error: response\n }\n }\n })\n .then((data) => data.error ? data : parseUser(data))\n}\n\nconst favorite = ({ id, credentials }) => {\n return fetch(`${FAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unfavorite = ({ id, credentials }) => {\n return fetch(`${UNFAVORITE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst retweet = ({ id, credentials }) => {\n return fetch(`${RETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst unretweet = ({ id, credentials }) => {\n return fetch(`${UNRETWEET_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst postStatus = ({credentials, status, spoilerText, visibility, sensitive, mediaIds, inReplyToStatusId, contentType, noAttachmentLinks}) => {\n const idsText = mediaIds.join(',')\n const form = new FormData()\n\n form.append('status', status)\n form.append('source', 'Pleroma FE')\n if (noAttachmentLinks) form.append('no_attachment_links', noAttachmentLinks)\n if (spoilerText) form.append('spoiler_text', spoilerText)\n if (visibility) form.append('visibility', visibility)\n if (sensitive) form.append('sensitive', sensitive)\n if (contentType) form.append('content_type', contentType)\n 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 .then((response) => {\n if (response.ok) {\n return response.json()\n } else {\n return {\n error: response\n }\n }\n })\n .then((data) => data.error ? data : parseStatus(data))\n}\n\nconst deleteStatus = ({ id, credentials }) => {\n return fetch(`${STATUS_DELETE_URL}/${id}.json`, {\n headers: authHeaders(credentials),\n method: 'POST'\n })\n}\n\nconst uploadMedia = ({formData, credentials}) => {\n return fetch(MEDIA_UPLOAD_URL, {\n body: formData,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.text())\n .then((text) => (new DOMParser()).parseFromString(text, 'application/xml'))\n}\n\nconst followImport = ({params, credentials}) => {\n return fetch(FOLLOW_IMPORT_URL, {\n body: params,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.ok)\n}\n\nconst deleteAccount = ({credentials, password}) => {\n const form = new FormData()\n\n form.append('password', password)\n\n return fetch(DELETE_ACCOUNT_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst changePassword = ({credentials, password, newPassword, newPasswordConfirmation}) => {\n const form = new FormData()\n\n form.append('password', password)\n form.append('new_password', newPassword)\n form.append('new_password_confirmation', newPasswordConfirmation)\n\n return fetch(CHANGE_PASSWORD_URL, {\n body: form,\n method: 'POST',\n headers: authHeaders(credentials)\n })\n .then((response) => response.json())\n}\n\nconst fetchMutes = ({credentials}) => {\n const url = '/api/qvitter/mutes.json'\n\n return fetch(url, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst suggestions = ({credentials}) => {\n return fetch(SUGGESTIONS_URL, {\n headers: authHeaders(credentials)\n }).then((data) => data.json())\n}\n\nconst markNotificationsAsSeen = ({id, credentials}) => {\n const body = new FormData()\n\n body.append('latest_id', id)\n\n return fetch(QVITTER_USER_NOTIFICATIONS_READ_URL, {\n body,\n headers: authHeaders(credentials),\n method: 'POST'\n }).then((data) => data.json())\n}\n\nconst apiService = {\n verifyCredentials,\n fetchTimeline,\n fetchConversation,\n fetchStatus,\n fetchFriends,\n fetchFollowers,\n followUser,\n unfollowUser,\n blockUser,\n unblockUser,\n fetchUser,\n favorite,\n unfavorite,\n retweet,\n unretweet,\n postStatus,\n deleteStatus,\n uploadMedia,\n fetchAllFollowing,\n setUserMute,\n fetchMutes,\n register,\n getCaptcha,\n updateAvatar,\n updateBg,\n updateProfile,\n updateBanner,\n externalProfile,\n followImport,\n deleteAccount,\n changePassword,\n fetchFollowRequests,\n approveUser,\n denyUser,\n suggestions,\n markNotificationsAsSeen\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-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","import { includes } from 'lodash'\n\nconst generateProfileLink = (id, screenName, restrictedNicknames) => {\n const complicated = (isExternal(screenName) || includes(restrictedNicknames, screenName))\n return {\n name: (complicated ? 'external-user-profile' : 'user-profile'),\n params: (complicated ? { id } : { name: screenName })\n }\n}\n\nconst isExternal = screenName => screenName.includes('@')\n\nexport default generateProfileLink\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/user_profile_link_generator/user_profile_link_generator.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-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 = 39\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 = 40\n// module chunks = 2","import { map } from 'lodash'\n\nconst rgb2hex = (r, g, b) => {\n if (r === null || typeof r === 'undefined') {\n return undefined\n }\n if (r[0] === '#') {\n return r\n }\n if (typeof r === 'object') {\n ({ r, g, b } = r)\n }\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\n/**\n * Converts 8-bit RGB component into linear component\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n * https://en.wikipedia.org/wiki/SRGB#The_reverse_transformation\n *\n * @param {Number} bit - color component [0..255]\n * @returns {Number} linear component [0..1]\n */\nconst c2linear = (bit) => {\n // W3C gives 0.03928 while wikipedia states 0.04045\n // what those magical numbers mean - I don't know.\n // something about gamma-correction, i suppose.\n // Sticking with W3C example.\n const c = bit / 255\n if (c < 0.03928) {\n return c / 12.92\n } else {\n return Math.pow((c + 0.055) / 1.055, 2.4)\n }\n}\n\n/**\n * Converts sRGB into linear RGB\n * @param {Object} srgb - sRGB color\n * @returns {Object} linear rgb color\n */\nconst srgbToLinear = (srgb) => {\n return 'rgb'.split('').reduce((acc, c) => { acc[c] = c2linear(srgb[c]); return acc }, {})\n}\n\n/**\n * Calculates relative luminance for given color\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#relativeluminancedef\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/relative-luminance.xml\n *\n * @param {Object} srgb - sRGB color\n * @returns {Number} relative luminance\n */\nconst relativeLuminance = (srgb) => {\n const {r, g, b} = srgbToLinear(srgb)\n return 0.2126 * r + 0.7152 * g + 0.0722 * b\n}\n\n/**\n * Generates color ratio between two colors. Order is unimporant\n * https://www.w3.org/TR/2008/REC-WCAG20-20081211/#contrast-ratiodef\n *\n * @param {Object} a - sRGB color\n * @param {Object} b - sRGB color\n * @returns {Number} color ratio\n */\nconst getContrastRatio = (a, b) => {\n const la = relativeLuminance(a)\n const lb = relativeLuminance(b)\n const [l1, l2] = la > lb ? [la, lb] : [lb, la]\n\n return (l1 + 0.05) / (l2 + 0.05)\n}\n\n/**\n * This performs alpha blending between solid background and semi-transparent foreground\n *\n * @param {Object} fg - top layer color\n * @param {Number} fga - top layer's alpha\n * @param {Object} bg - bottom layer color\n * @returns {Object} sRGB of resulting color\n */\nconst alphaBlend = (fg, fga, bg) => {\n if (fga === 1 || typeof fga === 'undefined') return fg\n return 'rgb'.split('').reduce((acc, c) => {\n // Simplified https://en.wikipedia.org/wiki/Alpha_compositing#Alpha_blending\n // for opaque bg and transparent fg\n acc[c] = (fg[c] * fga + bg[c] * (1 - fga))\n return acc\n }, {})\n}\n\nconst invert = (rgb) => {\n return 'rgb'.split('').reduce((acc, c) => {\n acc[c] = 255 - rgb[c]\n return acc\n }, {})\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 mixrgb = (a, b) => {\n return Object.keys(a).reduce((acc, k) => {\n acc[k] = (a[k] + b[k]) / 2\n return acc\n }, {})\n}\n\nexport {\n rgb2hex,\n hex2rgb,\n mixrgb,\n invert,\n getContrastRatio,\n alphaBlend\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/color_convert/color_convert.js","// TODO this func might as well take the entire file and use its mimetype\n// or the entire service could be just mimetype service that only operates\n// on mimetypes and not files. Currently the naming is confusing.\nconst fileType = mimetype => {\n if (mimetype.match(/text\\/html/)) {\n return 'html'\n }\n\n if (mimetype.match(/image/)) {\n return 'image'\n }\n\n if (mimetype.match(/video/)) {\n return 'video'\n }\n\n if (mimetype.match(/audio/)) {\n return 'audio'\n }\n\n return 'unknown'\n}\n\nconst fileMatchesSomeType = (types, file) =>\n types.some(type => fileType(file.mimetype) === type)\n\nconst fileTypeService = {\n fileType,\n fileMatchesSomeType\n}\n\nexport default fileTypeService\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/file_type/file_type.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-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 = 60\n// module chunks = 2","import { times } from 'lodash'\nimport { brightness, invertLightness, convert, contrastRatio } from 'chromatism'\nimport { rgb2hex, hex2rgb, mixrgb, getContrastRatio, alphaBlend } 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 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 rgb2rgba = function (rgba) {\n return `rgba(${rgba.r}, ${rgba.g}, ${rgba.b}, ${rgba.a})`\n}\n\nconst getTextColor = function (bg, text, preserve) {\n const bgIsLight = convert(bg).hsl.l > 50\n const textIsLight = convert(text).hsl.l > 50\n\n if ((bgIsLight && textIsLight) || (!bgIsLight && !textIsLight)) {\n const base = typeof text.a !== 'undefined' ? { a: text.a } : {}\n const result = Object.assign(base, invertLightness(text).rgb)\n if (!preserve && getContrastRatio(bg, result) < 4.5) {\n return contrastRatio(bg, text).rgb\n }\n return result\n }\n return text\n}\n\nconst applyTheme = (input, commit) => {\n const { rules, theme } = generatePreset(input)\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 styleSheet.toString()\n styleSheet.insertRule(`body { ${rules.radii} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.colors} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.shadows} }`, 'index-max')\n styleSheet.insertRule(`body { ${rules.fonts} }`, 'index-max')\n body.style.display = 'initial'\n\n // commit('setOption', { name: 'colors', value: htmlColors })\n // commit('setOption', { name: 'radii', value: radii })\n commit('setOption', { name: 'customTheme', value: input })\n commit('setOption', { name: 'colors', value: theme.colors })\n}\n\nconst getCssShadow = (input, usesDropShadow) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n .filter(_ => usesDropShadow ? _.inset : _)\n .map((shad) => [\n shad.x,\n shad.y,\n shad.blur,\n shad.spread\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha),\n shad.inset ? 'inset' : ''\n ]).join(' ')).join(', ')\n}\n\nconst getCssShadowFilter = (input) => {\n if (input.length === 0) {\n return 'none'\n }\n\n return input\n // drop-shadow doesn't support inset or spread\n .filter((shad) => !shad.inset && Number(shad.spread) === 0)\n .map((shad) => [\n shad.x,\n shad.y,\n // drop-shadow's blur is twice as strong compared to box-shadow\n shad.blur / 2\n ].map(_ => _ + 'px').concat([\n getCssColor(shad.color, shad.alpha)\n ]).join(' '))\n .map(_ => `drop-shadow(${_})`)\n .join(' ')\n}\n\nconst getCssColor = (input, a) => {\n let rgb = {}\n if (typeof input === 'object') {\n rgb = input\n } else if (typeof input === 'string') {\n if (input.startsWith('#')) {\n rgb = hex2rgb(input)\n } else if (input.startsWith('--')) {\n return `var(${input})`\n } else {\n return input\n }\n }\n return rgb2rgba({ ...rgb, a })\n}\n\nconst generateColors = (input) => {\n const colors = {}\n const opacity = Object.assign({\n alert: 0.5,\n input: 0.5,\n faint: 0.5\n }, Object.entries(input.opacity || {}).reduce((acc, [k, v]) => {\n if (typeof v !== 'undefined') {\n acc[k] = v\n }\n return acc\n }, {}))\n const col = Object.entries(input.colors || input).reduce((acc, [k, v]) => {\n if (typeof v === 'object') {\n acc[k] = v\n } else {\n acc[k] = hex2rgb(v)\n }\n return acc\n }, {})\n\n const isLightOnDark = convert(col.bg).hsl.l < convert(col.text).hsl.l\n const mod = isLightOnDark ? 1 : -1\n\n colors.text = col.text\n colors.lightText = brightness(20 * mod, colors.text).rgb\n colors.link = col.link\n colors.faint = col.faint || Object.assign({}, col.text)\n\n colors.bg = col.bg\n colors.lightBg = col.lightBg || brightness(5, colors.bg).rgb\n\n colors.fg = col.fg\n colors.fgText = col.fgText || getTextColor(colors.fg, colors.text)\n colors.fgLink = col.fgLink || getTextColor(colors.fg, colors.link, true)\n\n colors.border = col.border || brightness(2 * mod, colors.fg).rgb\n\n colors.btn = col.btn || Object.assign({}, col.fg)\n colors.btnText = col.btnText || getTextColor(colors.btn, colors.fgText)\n\n colors.input = col.input || Object.assign({}, col.fg)\n colors.inputText = col.inputText || getTextColor(colors.input, colors.lightText)\n\n colors.panel = col.panel || Object.assign({}, col.fg)\n colors.panelText = col.panelText || getTextColor(colors.panel, colors.fgText)\n colors.panelLink = col.panelLink || getTextColor(colors.panel, colors.fgLink)\n colors.panelFaint = col.panelFaint || getTextColor(colors.panel, colors.faint)\n\n colors.topBar = col.topBar || Object.assign({}, col.fg)\n colors.topBarText = col.topBarText || getTextColor(colors.topBar, colors.fgText)\n colors.topBarLink = col.topBarLink || getTextColor(colors.topBar, colors.fgLink)\n\n colors.faintLink = col.faintLink || Object.assign({}, col.link)\n\n colors.icon = mixrgb(colors.bg, colors.text)\n\n colors.cBlue = col.cBlue || hex2rgb('#0000FF')\n colors.cRed = col.cRed || hex2rgb('#FF0000')\n colors.cGreen = col.cGreen || hex2rgb('#00FF00')\n colors.cOrange = col.cOrange || hex2rgb('#E3FF00')\n\n colors.alertError = col.alertError || Object.assign({}, colors.cRed)\n colors.alertErrorText = getTextColor(alphaBlend(colors.alertError, opacity.alert, colors.bg), colors.text)\n colors.alertErrorPanelText = getTextColor(alphaBlend(colors.alertError, opacity.alert, colors.panel), colors.panelText)\n\n colors.badgeNotification = col.badgeNotification || Object.assign({}, colors.cRed)\n colors.badgeNotificationText = contrastRatio(colors.badgeNotification).rgb\n\n Object.entries(opacity).forEach(([ k, v ]) => {\n if (typeof v === 'undefined') return\n if (k === 'alert') {\n colors.alertError.a = v\n return\n }\n if (k === 'faint') {\n colors[k + 'Link'].a = v\n colors['panelFaint'].a = v\n }\n if (k === 'bg') {\n colors['lightBg'].a = v\n }\n if (colors[k]) {\n colors[k].a = v\n } else {\n console.error('Wrong key ' + k)\n }\n })\n\n const htmlColors = Object.entries(colors)\n .reduce((acc, [k, v]) => {\n if (!v) return acc\n acc.solid[k] = rgb2hex(v)\n acc.complete[k] = typeof v.a === 'undefined' ? rgb2hex(v) : rgb2rgba(v)\n return acc\n }, { complete: {}, solid: {} })\n return {\n rules: {\n colors: Object.entries(htmlColors.complete)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}: ${v}`)\n .join(';')\n },\n theme: {\n colors: htmlColors.solid,\n opacity\n }\n }\n}\n\nconst generateRadii = (input) => {\n let inputRadii = input.radii || {}\n // v1 -> v2\n if (typeof input.btnRadius !== 'undefined') {\n inputRadii = Object\n .entries(input)\n .filter(([k, v]) => k.endsWith('Radius'))\n .reduce((acc, e) => { acc[e[0].split('Radius')[0]] = e[1]; return acc }, {})\n }\n const radii = Object.entries(inputRadii).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {\n btn: 4,\n input: 4,\n checkbox: 2,\n panel: 10,\n avatar: 5,\n avatarAlt: 50,\n tooltip: 2,\n attachment: 5\n })\n\n return {\n rules: {\n radii: Object.entries(radii).filter(([k, v]) => v).map(([k, v]) => `--${k}Radius: ${v}px`).join(';')\n },\n theme: {\n radii\n }\n }\n}\n\nconst generateFonts = (input) => {\n const fonts = Object.entries(input.fonts || {}).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = Object.entries(v).filter(([k, v]) => v).reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, acc[k])\n return acc\n }, {\n interface: {\n family: 'sans-serif'\n },\n input: {\n family: 'inherit'\n },\n post: {\n family: 'inherit'\n },\n postCode: {\n family: 'monospace'\n }\n })\n\n return {\n rules: {\n fonts: Object\n .entries(fonts)\n .filter(([k, v]) => v)\n .map(([k, v]) => `--${k}Font: ${v.family}`).join(';')\n },\n theme: {\n fonts\n }\n }\n}\n\nconst generateShadows = (input) => {\n const border = (top, shadow) => ({\n x: 0,\n y: top ? 1 : -1,\n blur: 0,\n spread: 0,\n color: shadow ? '#000000' : '#FFFFFF',\n alpha: 0.2,\n inset: true\n })\n const buttonInsetFakeBorders = [border(true, false), border(false, true)]\n const inputInsetFakeBorders = [border(true, true), border(false, false)]\n const hoverGlow = {\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '--faint',\n alpha: 1\n }\n\n const shadows = {\n panel: [{\n x: 1,\n y: 1,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n topBar: [{\n x: 0,\n y: 0,\n blur: 4,\n spread: 0,\n color: '#000000',\n alpha: 0.6\n }],\n popup: [{\n x: 2,\n y: 2,\n blur: 3,\n spread: 0,\n color: '#000000',\n alpha: 0.5\n }],\n avatar: [{\n x: 0,\n y: 1,\n blur: 8,\n spread: 0,\n color: '#000000',\n alpha: 0.7\n }],\n avatarStatus: [],\n panelHeader: [],\n button: [{\n x: 0,\n y: 0,\n blur: 2,\n spread: 0,\n color: '#000000',\n alpha: 1\n }, ...buttonInsetFakeBorders],\n buttonHover: [hoverGlow, ...buttonInsetFakeBorders],\n buttonPressed: [hoverGlow, ...inputInsetFakeBorders],\n input: [...inputInsetFakeBorders, {\n x: 0,\n y: 0,\n blur: 2,\n inset: true,\n spread: 0,\n color: '#000000',\n alpha: 1\n }],\n ...(input.shadows || {})\n }\n\n return {\n rules: {\n shadows: Object\n .entries(shadows)\n // TODO for v2.1: if shadow doesn't have non-inset shadows with spread > 0 - optionally\n // convert all non-inset shadows into filter: drop-shadow() to boost performance\n .map(([k, v]) => [\n `--${k}Shadow: ${getCssShadow(v)}`,\n `--${k}ShadowFilter: ${getCssShadowFilter(v)}`,\n `--${k}ShadowInset: ${getCssShadow(v, true)}`\n ].join(';'))\n .join(';')\n },\n theme: {\n shadows\n }\n }\n}\n\nconst composePreset = (colors, radii, shadows, fonts) => {\n return {\n rules: {\n ...shadows.rules,\n ...colors.rules,\n ...radii.rules,\n ...fonts.rules\n },\n theme: {\n ...shadows.theme,\n ...colors.theme,\n ...radii.theme,\n ...fonts.theme\n }\n }\n}\n\nconst generatePreset = (input) => {\n const shadows = generateShadows(input)\n const colors = generateColors(input)\n const radii = generateRadii(input)\n const fonts = generateFonts(input)\n\n return composePreset(colors, radii, shadows, fonts)\n}\n\nconst getThemes = () => {\n return window.fetch('/static/styles.json')\n .then((data) => data.json())\n .then((themes) => {\n return Promise.all(Object.entries(themes).map(([k, v]) => {\n if (typeof v === 'object') {\n return Promise.resolve([k, v])\n } else if (typeof v === 'string') {\n return window.fetch(v)\n .then((data) => data.json())\n .then((theme) => {\n return [k, theme]\n })\n .catch((e) => {\n console.error(e)\n return []\n })\n }\n }))\n })\n .then((promises) => {\n return promises\n .filter(([k, v]) => v)\n .reduce((acc, [k, v]) => {\n acc[k] = v\n return acc\n }, {})\n })\n}\n\nconst setPreset = (val, commit) => {\n getThemes().then((themes) => {\n const theme = themes[val] ? themes[val] : themes['pleroma-dark']\n const isV1 = Array.isArray(theme)\n const data = isV1 ? {} : theme.theme\n\n if (isV1) {\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 data.colors = {\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\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 applyTheme(data, commit)\n }\n })\n}\n\nexport {\n setStyle,\n setPreset,\n applyTheme,\n getTextColor,\n generateColors,\n generateRadii,\n generateShadows,\n generateFonts,\n generatePreset,\n getThemes,\n composePreset,\n getCssShadow,\n getCssShadowFilter\n}\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/style_setter/style_setter.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 = 80\n// module chunks = 2","import {reduce} from 'lodash'\n\nconst getOrCreateApp = ({oauth, instance}) => {\n const url = `${instance}/api/v1/apps`\n const form = new window.FormData()\n\n form.append('client_name', `PleromaFE_${Math.random()}`)\n form.append('redirect_uris', `${window.location.origin}/oauth-callback`)\n form.append('scopes', 'read write follow')\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\nconst login = (args) => {\n getOrCreateApp(args).then((app) => {\n args.commit('setClientData', app)\n\n const data = {\n response_type: 'code',\n client_id: app.client_id,\n redirect_uri: app.redirect_uri,\n scope: 'read write follow'\n }\n\n const dataString = reduce(data, (acc, v, k) => {\n const encoded = `${k}=${encodeURIComponent(v)}`\n if (!acc) {\n return encoded\n } else {\n return `${acc}&${encoded}`\n }\n }, false)\n\n // Do the redirect...\n const url = `${args.instance}/oauth/authorize?${dataString}`\n\n window.location.href = url\n })\n}\n\nconst getTokenWithCredentials = ({app, instance, username, password}) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', app.client_id)\n form.append('client_secret', app.client_secret)\n form.append('grant_type', 'password')\n form.append('username', username)\n form.append('password', password)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst getToken = ({app, instance, code}) => {\n const url = `${instance}/oauth/token`\n const form = new window.FormData()\n\n form.append('client_id', app.client_id)\n form.append('client_secret', app.client_secret)\n form.append('grant_type', 'authorization_code')\n form.append('code', code)\n form.append('redirect_uri', `${window.location.origin}/oauth-callback`)\n\n return window.fetch(url, {\n method: 'POST',\n body: form\n }).then((data) => data.json())\n}\n\nconst oauth = {\n login,\n getToken,\n getTokenWithCredentials,\n getOrCreateApp\n}\n\nexport default oauth\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/new_api/oauth.js","import { filter, sortBy } from 'lodash'\n\nexport const notificationsFromStore = store => store.state.statuses.notifications.data\n\nexport const visibleTypes = store => ([\n store.state.config.notificationVisibility.likes && 'like',\n store.state.config.notificationVisibility.mentions && 'mention',\n store.state.config.notificationVisibility.repeats && 'repeat',\n store.state.config.notificationVisibility.follows && 'follow'\n].filter(_ => _))\n\nconst sortById = (a, b) => {\n const seqA = Number(a.action.id)\n const seqB = Number(b.action.id)\n const isSeqA = !Number.isNaN(seqA)\n const isSeqB = !Number.isNaN(seqB)\n if (isSeqA && isSeqB) {\n return seqA > seqB ? -1 : 1\n } else if (isSeqA && !isSeqB) {\n return 1\n } else if (!isSeqA && isSeqB) {\n return -1\n } else {\n return a.action.id > b.action.id ? -1 : 1\n }\n}\n\nexport const visibleNotificationsFromStore = store => {\n // map is just to clone the array since sort mutates it and it causes some issues\n let sortedNotifications = notificationsFromStore(store).map(_ => _).sort(sortById)\n sortedNotifications = sortBy(sortedNotifications, 'seen')\n return sortedNotifications.filter((notification) => visibleTypes(store).includes(notification.type))\n}\n\nexport const unseenNotificationsFromStore = store =>\n filter(visibleNotificationsFromStore(store), ({seen}) => !seen)\n\n\n\n// WEBPACK FOOTER //\n// ./src/services/notification_utils/notification_utils.js","import Vue from 'vue'\n\nimport './tab_switcher.scss'\n\nexport default Vue.component('tab-switcher', {\n name: 'TabSwitcher',\n data () {\n return {\n active: this.$slots.default.findIndex(_ => _.tag)\n }\n },\n methods: {\n activateTab (index) {\n return () => {\n this.active = index\n }\n }\n },\n beforeUpdate () {\n const currentSlot = this.$slots.default[this.active]\n if (!currentSlot.tag) {\n this.active = this.$slots.default.findIndex(_ => _.tag)\n }\n },\n render (h) {\n const tabs = this.$slots.default\n .map((slot, index) => {\n if (!slot.tag) return\n const classesTab = ['tab']\n const classesWrapper = ['tab-wrapper']\n\n if (index === this.active) {\n classesTab.push('active')\n classesWrapper.push('active')\n }\n\n return (\n {{ importFailedText }} for paragraphs, GS uses 20\n },\n isReply () {\n return !!(this.status.in_reply_to_status_id && this.status.in_reply_to_user_id)\n },\n replyToName () {\n const user = this.$store.state.users.usersObject[this.status.in_reply_to_user_id]\n if (user) {\n return user.screen_name\n } else {\n return this.status.in_reply_to_screen_name\n }\n },\n hideReply () {\n if (this.$store.state.config.replyVisibility === 'all') {\n return false\n }\n if (this.inlineExpanded || this.expanded || this.inConversation || !this.isReply) {\n return false\n }\n if (this.status.user.id === this.$store.state.users.currentUser.id) {\n return false\n }\n if (this.status.type === 'retweet') {\n return false\n }\n var checkFollowing = this.$store.state.config.replyVisibility === 'following'\n for (var i = 0; i < this.status.attentions.length; ++i) {\n if (this.status.user.id === this.status.attentions[i].id) {\n continue\n }\n if (checkFollowing && this.status.attentions[i].following) {\n return false\n }\n if (this.status.attentions[i].id === this.$store.state.users.currentUser.id) {\n return false\n }\n }\n return this.status.attentions.length > 0\n },\n hideSubjectStatus () {\n if (this.tallStatus && !this.localCollapseSubjectDefault) {\n return false\n }\n return !this.expandingSubject && this.status.summary\n },\n hideTallStatus () {\n if (this.status.summary && this.localCollapseSubjectDefault) {\n return false\n }\n if (this.showingTall) {\n return false\n }\n return this.tallStatus\n },\n showingMore () {\n return (this.tallStatus && this.showingTall) || (this.status.summary && this.expandingSubject)\n },\n nsfwClickthrough () {\n if (!this.status.nsfw) {\n return false\n }\n if (this.status.summary && this.localCollapseSubjectDefault) {\n return false\n }\n return true\n },\n replySubject () {\n if (!this.status.summary) return ''\n const behavior = typeof this.$store.state.config.subjectLineBehavior === 'undefined'\n ? this.$store.state.instance.subjectLineBehavior\n : this.$store.state.config.subjectLineBehavior\n const startsWithRe = this.status.summary.match(/^re[: ]/i)\n if (behavior !== 'noop' && startsWithRe || behavior === 'masto') {\n return this.status.summary\n } else if (behavior === 'email') {\n return 're: '.concat(this.status.summary)\n } else if (behavior === 'noop') {\n return ''\n }\n },\n attachmentSize () {\n if ((this.$store.state.config.hideAttachments && !this.inConversation) ||\n (this.$store.state.config.hideAttachmentsInConv && this.inConversation) ||\n (this.status.attachments.length > this.maxAttachments)) {\n return 'hide'\n } else if (this.compact) {\n return 'small'\n }\n return 'normal'\n },\n galleryTypes () {\n if (this.attachmentSize === 'hide') {\n return []\n }\n return this.$store.state.config.playVideosInline\n ? ['image']\n : ['image', 'video']\n },\n galleryAttachments () {\n return this.status.attachments.filter(\n file => fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n },\n nonGalleryAttachments () {\n return this.status.attachments.filter(\n file => !fileType.fileMatchesSomeType(this.galleryTypes, file)\n )\n }\n },\n components: {\n Attachment,\n FavoriteButton,\n RetweetButton,\n DeleteButton,\n PostStatusForm,\n UserCardContent,\n StillImage,\n Gallery,\n LinkPreview\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 (event) {\n let { target } = event\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n if (target.className.match(/mention/)) {\n const href = target.getAttribute('href')\n const attn = this.status.attentions.find(attn => mentionMatchesUrl(attn, href))\n if (attn) {\n event.stopPropagation()\n event.preventDefault()\n const link = this.generateUserProfileLink(attn.id, attn.screen_name)\n this.$router.push(link)\n return\n }\n }\n window.open(target.href, '_blank')\n }\n },\n toggleReplying () {\n this.replying = !this.replying\n },\n gotoOriginal (id) {\n // only handled by conversation, not status_or_conversation\n if (this.inConversation) {\n this.$emit('goto', id)\n }\n },\n toggleExpanded () {\n this.$emit('toggleExpanded')\n },\n toggleMute () {\n this.unmuted = !this.unmuted\n },\n toggleUserExpanded () {\n this.userExpanded = !this.userExpanded\n },\n toggleShowMore () {\n if (this.showingTall) {\n this.showingTall = false\n } else if (this.expandingSubject && this.status.summary) {\n this.expandingSubject = false\n } else if (this.hideTallStatus) {\n this.showingTall = true\n } else if (this.hideSubjectStatus && this.status.summary) {\n this.expandingSubject = true\n }\n },\n replyEnter (id, event) {\n this.showPreview = true\n const targetId = 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 generateUserProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n },\n setMedia () {\n const attachments = this.attachmentSize === 'hide' ? this.status.attachments : this.galleryAttachments\n return () => this.$store.dispatch('setMedia', attachments)\n }\n },\n watch: {\n 'highlight': function (id) {\n if (this.status.id === id) {\n let rect = this.$el.getBoundingClientRect()\n if (rect.top < 100) {\n // Post is above screen, match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.height >= (window.innerHeight - 50)) {\n // Post we want to see is taller than screen so match its top to screen top\n window.scrollBy(0, rect.top - 100)\n } else if (rect.bottom > window.innerHeight - 50) {\n // Post is below screen, match its bottom to screen bottom\n window.scrollBy(0, rect.bottom - window.innerHeight + 50)\n }\n }\n }\n },\n filters: {\n capitalize: function (str) {\n return str.charAt(0).toUpperCase() + str.slice(1)\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 const width = this.$refs.src.naturalWidth\n const height = this.$refs.src.naturalHeight\n canvas.width = width\n canvas.height = height\n canvas.getContext('2d').drawImage(this.$refs.src, 0, 0, width, height)\n }\n }\n}\n\nexport default StillImage\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/still-image/still-image.js","import { rgb2hex, hex2rgb, getContrastRatio, alphaBlend } from '../../services/color_convert/color_convert.js'\nimport { set, delete as del } from 'vue'\nimport { generateColors, generateShadows, generateRadii, generateFonts, composePreset, getThemes } from '../../services/style_setter/style_setter.js'\nimport ColorInput from '../color_input/color_input.vue'\nimport RangeInput from '../range_input/range_input.vue'\nimport OpacityInput from '../opacity_input/opacity_input.vue'\nimport ShadowControl from '../shadow_control/shadow_control.vue'\nimport FontControl from '../font_control/font_control.vue'\nimport ContrastRatio from '../contrast_ratio/contrast_ratio.vue'\nimport TabSwitcher from '../tab_switcher/tab_switcher.jsx'\nimport Preview from './preview.vue'\nimport ExportImport from '../export_import/export_import.vue'\n\n// List of color values used in v1\nconst v1OnlyNames = [\n 'bg',\n 'fg',\n 'text',\n 'link',\n 'cRed',\n 'cGreen',\n 'cBlue',\n 'cOrange'\n].map(_ => _ + 'ColorLocal')\n\nexport default {\n data () {\n return {\n availableStyles: [],\n selected: this.$store.state.config.theme,\n\n previewShadows: {},\n previewColors: {},\n previewRadii: {},\n previewFonts: {},\n\n shadowsInvalid: true,\n colorsInvalid: true,\n radiiInvalid: true,\n\n keepColor: false,\n keepShadows: false,\n keepOpacity: false,\n keepRoundness: false,\n keepFonts: false,\n\n textColorLocal: '',\n linkColorLocal: '',\n\n bgColorLocal: '',\n bgOpacityLocal: undefined,\n\n fgColorLocal: '',\n fgTextColorLocal: undefined,\n fgLinkColorLocal: undefined,\n\n btnColorLocal: undefined,\n btnTextColorLocal: undefined,\n btnOpacityLocal: undefined,\n\n inputColorLocal: undefined,\n inputTextColorLocal: undefined,\n inputOpacityLocal: undefined,\n\n panelColorLocal: undefined,\n panelTextColorLocal: undefined,\n panelLinkColorLocal: undefined,\n panelFaintColorLocal: undefined,\n panelOpacityLocal: undefined,\n\n topBarColorLocal: undefined,\n topBarTextColorLocal: undefined,\n topBarLinkColorLocal: undefined,\n\n alertErrorColorLocal: undefined,\n\n badgeOpacityLocal: undefined,\n badgeNotificationColorLocal: undefined,\n\n borderColorLocal: undefined,\n borderOpacityLocal: undefined,\n\n faintColorLocal: undefined,\n faintOpacityLocal: undefined,\n faintLinkColorLocal: undefined,\n\n cRedColorLocal: '',\n cBlueColorLocal: '',\n cGreenColorLocal: '',\n cOrangeColorLocal: '',\n\n shadowSelected: undefined,\n shadowsLocal: {},\n fontsLocal: {},\n\n btnRadiusLocal: '',\n inputRadiusLocal: '',\n checkboxRadiusLocal: '',\n panelRadiusLocal: '',\n avatarRadiusLocal: '',\n avatarAltRadiusLocal: '',\n attachmentRadiusLocal: '',\n tooltipRadiusLocal: ''\n }\n },\n created () {\n const self = this\n\n getThemes().then((themesComplete) => {\n self.availableStyles = themesComplete\n })\n },\n mounted () {\n this.normalizeLocalState(this.$store.state.config.customTheme)\n if (typeof this.shadowSelected === 'undefined') {\n this.shadowSelected = this.shadowsAvailable[0]\n }\n },\n computed: {\n selectedVersion () {\n return Array.isArray(this.selected) ? 1 : 2\n },\n currentColors () {\n return {\n bg: this.bgColorLocal,\n text: this.textColorLocal,\n link: this.linkColorLocal,\n\n fg: this.fgColorLocal,\n fgText: this.fgTextColorLocal,\n fgLink: this.fgLinkColorLocal,\n\n panel: this.panelColorLocal,\n panelText: this.panelTextColorLocal,\n panelLink: this.panelLinkColorLocal,\n panelFaint: this.panelFaintColorLocal,\n\n input: this.inputColorLocal,\n inputText: this.inputTextColorLocal,\n\n topBar: this.topBarColorLocal,\n topBarText: this.topBarTextColorLocal,\n topBarLink: this.topBarLinkColorLocal,\n\n btn: this.btnColorLocal,\n btnText: this.btnTextColorLocal,\n\n alertError: this.alertErrorColorLocal,\n badgeNotification: this.badgeNotificationColorLocal,\n\n faint: this.faintColorLocal,\n faintLink: this.faintLinkColorLocal,\n border: this.borderColorLocal,\n\n cRed: this.cRedColorLocal,\n cBlue: this.cBlueColorLocal,\n cGreen: this.cGreenColorLocal,\n cOrange: this.cOrangeColorLocal\n }\n },\n currentOpacity () {\n return {\n bg: this.bgOpacityLocal,\n btn: this.btnOpacityLocal,\n input: this.inputOpacityLocal,\n panel: this.panelOpacityLocal,\n topBar: this.topBarOpacityLocal,\n border: this.borderOpacityLocal,\n faint: this.faintOpacityLocal\n }\n },\n currentRadii () {\n return {\n btn: this.btnRadiusLocal,\n input: this.inputRadiusLocal,\n checkbox: this.checkboxRadiusLocal,\n panel: this.panelRadiusLocal,\n avatar: this.avatarRadiusLocal,\n avatarAlt: this.avatarAltRadiusLocal,\n tooltip: this.tooltipRadiusLocal,\n attachment: this.attachmentRadiusLocal\n }\n },\n preview () {\n return composePreset(this.previewColors, this.previewRadii, this.previewShadows, this.previewFonts)\n },\n previewTheme () {\n if (!this.preview.theme.colors) return { colors: {}, opacity: {}, radii: {}, shadows: {}, fonts: {} }\n return this.preview.theme\n },\n // This needs optimization maybe\n previewContrast () {\n if (!this.previewTheme.colors.bg) return {}\n const colors = this.previewTheme.colors\n const opacity = this.previewTheme.opacity\n if (!colors.bg) return {}\n const hints = (ratio) => ({\n text: ratio.toPrecision(3) + ':1',\n // AA level, AAA level\n aa: ratio >= 4.5,\n aaa: ratio >= 7,\n // same but for 18pt+ texts\n laa: ratio >= 3,\n laaa: ratio >= 4.5\n })\n\n // fgsfds :DDDD\n const fgs = {\n text: hex2rgb(colors.text),\n panelText: hex2rgb(colors.panelText),\n panelLink: hex2rgb(colors.panelLink),\n btnText: hex2rgb(colors.btnText),\n topBarText: hex2rgb(colors.topBarText),\n inputText: hex2rgb(colors.inputText),\n\n link: hex2rgb(colors.link),\n topBarLink: hex2rgb(colors.topBarLink),\n\n red: hex2rgb(colors.cRed),\n green: hex2rgb(colors.cGreen),\n blue: hex2rgb(colors.cBlue),\n orange: hex2rgb(colors.cOrange)\n }\n\n const bgs = {\n bg: hex2rgb(colors.bg),\n btn: hex2rgb(colors.btn),\n panel: hex2rgb(colors.panel),\n topBar: hex2rgb(colors.topBar),\n input: hex2rgb(colors.input),\n alertError: hex2rgb(colors.alertError),\n badgeNotification: hex2rgb(colors.badgeNotification)\n }\n\n /* This is a bit confusing because \"bottom layer\" used is text color\n * This is done to get worst case scenario when background below transparent\n * layer matches text color, making it harder to read the lower alpha is.\n */\n const ratios = {\n bgText: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.text), fgs.text),\n bgLink: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.link), fgs.link),\n bgRed: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.red), fgs.red),\n bgGreen: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.green), fgs.green),\n bgBlue: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.blue), fgs.blue),\n bgOrange: getContrastRatio(alphaBlend(bgs.bg, opacity.bg, fgs.orange), fgs.orange),\n\n tintText: getContrastRatio(alphaBlend(bgs.bg, 0.5, fgs.panelText), fgs.text),\n\n panelText: getContrastRatio(alphaBlend(bgs.panel, opacity.panel, fgs.panelText), fgs.panelText),\n panelLink: getContrastRatio(alphaBlend(bgs.panel, opacity.panel, fgs.panelLink), fgs.panelLink),\n\n btnText: getContrastRatio(alphaBlend(bgs.btn, opacity.btn, fgs.btnText), fgs.btnText),\n\n inputText: getContrastRatio(alphaBlend(bgs.input, opacity.input, fgs.inputText), fgs.inputText),\n\n topBarText: getContrastRatio(alphaBlend(bgs.topBar, opacity.topBar, fgs.topBarText), fgs.topBarText),\n topBarLink: getContrastRatio(alphaBlend(bgs.topBar, opacity.topBar, fgs.topBarLink), fgs.topBarLink)\n }\n\n return Object.entries(ratios).reduce((acc, [k, v]) => { acc[k] = hints(v); return acc }, {})\n },\n previewRules () {\n if (!this.preview.rules) return ''\n return [\n ...Object.values(this.preview.rules),\n 'color: var(--text)',\n 'font-family: var(--interfaceFont, sans-serif)'\n ].join(';')\n },\n shadowsAvailable () {\n return Object.keys(this.previewTheme.shadows).sort()\n },\n currentShadowOverriden: {\n get () {\n return !!this.currentShadow\n },\n set (val) {\n if (val) {\n set(this.shadowsLocal, this.shadowSelected, this.currentShadowFallback.map(_ => Object.assign({}, _)))\n } else {\n del(this.shadowsLocal, this.shadowSelected)\n }\n }\n },\n currentShadowFallback () {\n return this.previewTheme.shadows[this.shadowSelected]\n },\n currentShadow: {\n get () {\n return this.shadowsLocal[this.shadowSelected]\n },\n set (v) {\n set(this.shadowsLocal, this.shadowSelected, v)\n }\n },\n themeValid () {\n return !this.shadowsInvalid && !this.colorsInvalid && !this.radiiInvalid\n },\n exportedTheme () {\n const saveEverything = (\n !this.keepFonts &&\n !this.keepShadows &&\n !this.keepOpacity &&\n !this.keepRoundness &&\n !this.keepColor\n )\n\n const theme = {}\n\n if (this.keepFonts || saveEverything) {\n theme.fonts = this.fontsLocal\n }\n if (this.keepShadows || saveEverything) {\n theme.shadows = this.shadowsLocal\n }\n if (this.keepOpacity || saveEverything) {\n theme.opacity = this.currentOpacity\n }\n if (this.keepColor || saveEverything) {\n theme.colors = this.currentColors\n }\n if (this.keepRoundness || saveEverything) {\n theme.radii = this.currentRadii\n }\n\n return {\n // To separate from other random JSON files and possible future theme formats\n _pleroma_theme_version: 2, theme\n }\n }\n },\n components: {\n ColorInput,\n OpacityInput,\n RangeInput,\n ContrastRatio,\n ShadowControl,\n FontControl,\n TabSwitcher,\n Preview,\n ExportImport\n },\n methods: {\n setCustomTheme () {\n this.$store.dispatch('setOption', {\n name: 'customTheme',\n value: {\n shadows: this.shadowsLocal,\n fonts: this.fontsLocal,\n opacity: this.currentOpacity,\n colors: this.currentColors,\n radii: this.currentRadii\n }\n })\n },\n onImport (parsed) {\n if (parsed._pleroma_theme_version === 1) {\n this.normalizeLocalState(parsed, 1)\n } else if (parsed._pleroma_theme_version === 2) {\n this.normalizeLocalState(parsed.theme, 2)\n }\n },\n importValidator (parsed) {\n const version = parsed._pleroma_theme_version\n return version >= 1 || version <= 2\n },\n clearAll () {\n const state = this.$store.state.config.customTheme\n const version = state.colors ? 2 : 'l1'\n this.normalizeLocalState(this.$store.state.config.customTheme, version)\n },\n\n // Clears all the extra stuff when loading V1 theme\n clearV1 () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('ColorLocal') || _.endsWith('OpacityLocal'))\n .filter(_ => !v1OnlyNames.includes(_))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearRoundness () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('RadiusLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearOpacity () {\n Object.keys(this.$data)\n .filter(_ => _.endsWith('OpacityLocal'))\n .forEach(key => {\n set(this.$data, key, undefined)\n })\n },\n\n clearShadows () {\n this.shadowsLocal = {}\n },\n\n clearFonts () {\n this.fontsLocal = {}\n },\n\n /**\n * This applies stored theme data onto form. Supports three versions of data:\n * v2 (version = 2) - newer version of themes.\n * v1 (version = 1) - older version of themes (import from file)\n * v1l (version = l1) - older version of theme (load from local storage)\n * v1 and v1l differ because of way themes were stored/exported.\n * @param {Object} input - input data\n * @param {Number} version - version of data. 0 means try to guess based on data. \"l1\" means v1, locastorage type\n */\n normalizeLocalState (input, version = 0) {\n const colors = input.colors || input\n const radii = input.radii || input\n const opacity = input.opacity\n const shadows = input.shadows || {}\n const fonts = input.fonts || {}\n\n if (version === 0) {\n if (input.version) version = input.version\n // Old v1 naming: fg is text, btn is foreground\n if (typeof colors.text === 'undefined' && typeof colors.fg !== 'undefined') {\n version = 1\n }\n // New v2 naming: text is text, fg is foreground\n if (typeof colors.text !== 'undefined' && typeof colors.fg !== 'undefined') {\n version = 2\n }\n }\n\n // Stuff that differs between V1 and V2\n if (version === 1) {\n this.fgColorLocal = rgb2hex(colors.btn)\n this.textColorLocal = rgb2hex(colors.fg)\n }\n\n if (!this.keepColor) {\n this.clearV1()\n const keys = new Set(version !== 1 ? Object.keys(colors) : [])\n if (version === 1 || version === 'l1') {\n keys\n .add('bg')\n .add('link')\n .add('cRed')\n .add('cBlue')\n .add('cGreen')\n .add('cOrange')\n }\n\n keys.forEach(key => {\n this[key + 'ColorLocal'] = rgb2hex(colors[key])\n })\n }\n\n if (!this.keepRoundness) {\n this.clearRoundness()\n Object.entries(radii).forEach(([k, v]) => {\n // 'Radius' is kept mostly for v1->v2 localstorage transition\n const key = k.endsWith('Radius') ? k.split('Radius')[0] : k\n this[key + 'RadiusLocal'] = v\n })\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n this.shadowsLocal = shadows\n this.shadowSelected = this.shadowsAvailable[0]\n }\n\n if (!this.keepFonts) {\n this.clearFonts()\n this.fontsLocal = fonts\n }\n\n if (opacity && !this.keepOpacity) {\n this.clearOpacity()\n Object.entries(opacity).forEach(([k, v]) => {\n if (typeof v === 'undefined' || v === null || Number.isNaN(v)) return\n this[k + 'OpacityLocal'] = v\n })\n }\n }\n },\n watch: {\n currentRadii () {\n try {\n this.previewRadii = generateRadii({ radii: this.currentRadii })\n this.radiiInvalid = false\n } catch (e) {\n this.radiiInvalid = true\n console.warn(e)\n }\n },\n shadowsLocal: {\n handler () {\n try {\n this.previewShadows = generateShadows({ shadows: this.shadowsLocal })\n this.shadowsInvalid = false\n } catch (e) {\n this.shadowsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n fontsLocal: {\n handler () {\n try {\n this.previewFonts = generateFonts({ fonts: this.fontsLocal })\n this.fontsInvalid = false\n } catch (e) {\n this.fontsInvalid = true\n console.warn(e)\n }\n },\n deep: true\n },\n currentColors () {\n try {\n this.previewColors = generateColors({\n opacity: this.currentOpacity,\n colors: this.currentColors\n })\n this.colorsInvalid = false\n } catch (e) {\n this.colorsInvalid = true\n console.warn(e)\n }\n },\n currentOpacity () {\n try {\n this.previewColors = generateColors({\n opacity: this.currentOpacity,\n colors: this.currentColors\n })\n } catch (e) {\n console.warn(e)\n }\n },\n selected () {\n if (this.selectedVersion === 1) {\n if (!this.keepRoundness) {\n this.clearRoundness()\n }\n\n if (!this.keepShadows) {\n this.clearShadows()\n }\n\n if (!this.keepOpacity) {\n this.clearOpacity()\n }\n\n if (!this.keepColor) {\n this.clearV1()\n\n this.bgColorLocal = this.selected[1]\n this.fgColorLocal = this.selected[2]\n this.textColorLocal = this.selected[3]\n this.linkColorLocal = this.selected[4]\n this.cRedColorLocal = this.selected[5]\n this.cGreenColorLocal = this.selected[6]\n this.cBlueColorLocal = this.selected[7]\n this.cOrangeColorLocal = this.selected[8]\n }\n } else if (this.selectedVersion >= 2) {\n this.normalizeLocalState(this.selected.theme, 2)\n }\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","const TermsOfServicePanel = {\n computed: {\n content () {\n return this.$store.state.instance.tos\n }\n }\n}\n\nexport default TermsOfServicePanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/terms_of_service_panel/terms_of_service_panel.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'\nimport { throttle } from 'lodash'\n\nconst Timeline = {\n props: [\n 'timeline',\n 'timelineName',\n 'title',\n 'userId',\n 'tag',\n 'embedded'\n ],\n data () {\n return {\n paused: false,\n unfocused: false,\n bottomedOut: false\n }\n },\n computed: {\n timelineError () { return this.$store.state.statuses.error },\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 classes () {\n return {\n root: ['timeline'].concat(!this.embedded ? ['panel', 'panel-default'] : []),\n header: ['timeline-heading'].concat(!this.embedded ? ['panel-heading'] : []),\n body: ['timeline-body'].concat(!this.embedded ? ['panel-body'] : []),\n footer: ['timeline-footer'].concat(!this.embedded ? ['panel-footer'] : [])\n }\n }\n },\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 mounted () {\n if (typeof document.hidden !== 'undefined') {\n document.addEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.unfocused = document.hidden\n }\n },\n destroyed () {\n window.removeEventListener('scroll', this.scrollLoad)\n if (typeof document.hidden !== 'undefined') document.removeEventListener('visibilitychange', this.handleVisibilityChange, false)\n this.$store.commit('setLoading', { timeline: this.timelineName, value: false })\n },\n methods: {\n showNewStatuses () {\n if (this.timeline.flushMarker !== 0) {\n this.$store.commit('clearTimeline', { timeline: this.timelineName })\n this.$store.commit('queueFlush', { timeline: this.timelineName, id: 0 })\n this.fetchOlderStatuses()\n } else {\n this.$store.commit('showNewStatuses', { timeline: this.timelineName })\n this.paused = false\n }\n },\n fetchOlderStatuses: throttle(function () {\n const store = this.$store\n const credentials = store.state.users.currentUser.credentials\n store.commit('setLoading', { timeline: this.timelineName, value: true })\n timelineFetcher.fetchAndUpdate({\n store,\n credentials,\n timeline: this.timelineName,\n older: true,\n showImmediately: true,\n userId: this.userId,\n tag: this.tag\n }).then(statuses => {\n store.commit('setLoading', { timeline: this.timelineName, value: false })\n if (statuses.length === 0) {\n this.bottomedOut = true\n }\n })\n }, 1000, this),\n scrollLoad (e) {\n const bodyBRect = document.body.getBoundingClientRect()\n const height = Math.max(bodyBRect.height, -(bodyBRect.y))\n if (this.timeline.loading === false &&\n this.$store.state.config.autoLoad &&\n this.$el.offsetHeight > 0 &&\n (window.innerHeight + window.pageYOffset) >= (height - 750)) {\n this.fetchOlderStatuses()\n }\n },\n handleVisibilityChange () {\n this.unfocused = document.hidden\n }\n },\n watch: {\n newStatusCount (count) {\n if (!this.$store.state.config.streaming) {\n return\n }\n if (count > 0) {\n // only 'stream' them when you're scrolled to the top\n if (window.pageYOffset < 15 &&\n !this.paused &&\n !(this.unfocused && this.$store.state.config.pauseOnUnfocused)\n ) {\n this.showNewStatuses()\n } else {\n this.paused = true\n }\n }\n }\n }\n}\n\nexport default Timeline\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/timeline/timeline.js","import UserCardContent from '../user_card_content/user_card_content.vue'\nimport StillImage from '../still-image/still-image.vue'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\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 StillImage\n },\n computed: {\n currentUser () { return this.$store.state.users.currentUser }\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 userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\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'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\n\nexport default {\n props: [ 'user', 'switcher', 'selected', 'hideBio' ],\n data () {\n return {\n followRequestInProgress: false,\n followRequestSent: false,\n hideUserStatsLocal: typeof this.$store.state.config.hideUserStats === 'undefined'\n ? this.$store.state.instance.hideUserStats\n : this.$store.state.config.hideUserStats,\n betterShadow: this.$store.state.interface.browserSupport.cssFilter\n }\n },\n computed: {\n headingStyle () {\n const color = this.$store.state.config.customTheme.colors\n ? this.$store.state.config.customTheme.colors.bg // v2\n : this.$store.state.config.colors.bg // v1\n\n if (color) {\n const rgb = (typeof color === 'string') ? hex2rgb(color) : color\n const tintColor = `rgba(${Math.floor(rgb.r)}, ${Math.floor(rgb.g)}, ${Math.floor(rgb.b)}, .5)`\n\n const gradient = [\n [tintColor, this.hideBio ? '60%' : ''],\n this.hideBio ? [\n color, '100%'\n ] : [\n tintColor, ''\n ]\n ].map(_ => _.join(' ')).join(', ')\n\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, ${gradient})`,\n `url(${this.user.cover_photo})`\n ].join(', ')\n }\n }\n },\n isOtherUser () {\n return this.user.id !== this.$store.state.users.currentUser.id\n },\n subscribeUrl () {\n // eslint-disable-next-line no-undef\n const serverUrl = new URL(this.user.statusnet_profile_url)\n return `${serverUrl.protocol}//${serverUrl.host}/main/ostatus`\n },\n loggedIn () {\n return this.$store.state.users.currentUser\n },\n dailyAvg () {\n const days = Math.ceil((new Date() - new Date(this.user.created_at)) / (60 * 60 * 24 * 1000))\n return Math.round(this.user.statuses_count / days)\n },\n userHighlightType: {\n get () {\n const data = this.$store.state.config.highlight[this.user.screen_name]\n return data && data.type || 'disabled'\n },\n set (type) {\n const data = this.$store.state.config.highlight[this.user.screen_name]\n if (type !== 'disabled') {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: data && data.color || '#FFFFFF', type })\n } else {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color: undefined })\n }\n }\n },\n userHighlightColor: {\n get () {\n const data = this.$store.state.config.highlight[this.user.screen_name]\n return data && data.color\n },\n set (color) {\n this.$store.dispatch('setHighlight', { user: this.user.screen_name, color })\n }\n }\n },\n components: {\n StillImage\n },\n methods: {\n followUser () {\n const store = this.$store\n this.followRequestInProgress = true\n store.state.api.backendInteractor.followUser(this.user.id)\n .then((followedUser) => store.commit('addNewUsers', [followedUser]))\n .then(() => {\n // For locked users we just mark it that we sent the follow request\n if (this.user.locked) {\n this.followRequestInProgress = false\n this.followRequestSent = true\n return\n }\n\n if (this.user.following) {\n // If we get result immediately, just stop.\n this.followRequestInProgress = false\n return\n }\n\n // But usually we don't get result immediately, so we ask server\n // for updated user profile to confirm if we are following them\n // Sometimes it takes several tries. Sometimes we end up not following\n // user anyway, probably because they locked themselves and we\n // don't know that yet.\n // Recursive Promise, it will call itself up to 3 times.\n const fetchUser = (attempt) => new Promise((resolve, reject) => {\n setTimeout(() => {\n store.state.api.backendInteractor.fetchUser({ id: this.user.id })\n .then((user) => store.commit('addNewUsers', [user]))\n .then(() => resolve([this.user.following, attempt]))\n .catch((e) => reject(e))\n }, 500)\n }).then(([following, attempt]) => {\n if (!following && attempt <= 3) {\n // If we BE reports that we still not following that user - retry,\n // increment attempts by one\n return fetchUser(++attempt)\n } else {\n // If we run out of attempts, just return whatever status is.\n return following\n }\n })\n\n return fetchUser(1)\n .then((following) => {\n if (following) {\n // We confirmed and everything its good.\n this.followRequestInProgress = false\n } else {\n // If after all the tries, just treat it as if user is locked\n this.followRequestInProgress = false\n this.followRequestSent = true\n }\n })\n })\n },\n unfollowUser () {\n const store = this.$store\n this.followRequestInProgress = true\n store.state.api.backendInteractor.unfollowUser(this.user.id)\n .then((unfollowedUser) => store.commit('addNewUsers', [unfollowedUser]))\n .then(() => {\n this.followRequestInProgress = false\n })\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 linkClicked ({target}) {\n if (target.tagName === 'SPAN') {\n target = target.parentNode\n }\n if (target.tagName === 'A') {\n window.open(target.href, '_blank')\n }\n },\n userProfileLink (user) {\n return generateProfileLink(user.id, user.screen_name, this.$store.state.instance.restrictedNicknames)\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 this.$router.push({ name: 'user-search', query: { query: username } })\n },\n toggleHidden () {\n this.hidden = !this.hidden\n this.$emit('toggled', this.hidden)\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 UserCard from '../user_card/user_card.vue'\nimport Timeline from '../timeline/timeline.vue'\n\nconst UserProfile = {\n created () {\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.commit('clearTimeline', { timeline: 'favorites' })\n this.$store.commit('clearTimeline', { timeline: 'media' })\n this.$store.dispatch('startFetching', ['user', this.fetchBy])\n this.$store.dispatch('startFetching', ['media', this.fetchBy])\n this.startFetchFavorites()\n if (!this.user.id) {\n this.$store.dispatch('fetchUser', this.fetchBy)\n }\n },\n destroyed () {\n this.$store.dispatch('stopFetching', 'user')\n this.$store.dispatch('stopFetching', 'favorites')\n this.$store.dispatch('stopFetching', 'media')\n },\n computed: {\n timeline () {\n return this.$store.state.statuses.timelines.user\n },\n favorites () {\n return this.$store.state.statuses.timelines.favorites\n },\n media () {\n return this.$store.state.statuses.timelines.media\n },\n userId () {\n return this.$route.params.id || this.user.id\n },\n userName () {\n return this.$route.params.name || this.user.screen_name\n },\n isUs () {\n return this.userId && this.$store.state.users.currentUser.id &&\n this.userId === this.$store.state.users.currentUser.id\n },\n friends () {\n return this.user.friends\n },\n followers () {\n return this.user.followers\n },\n userInStore () {\n if (this.isExternal) {\n return this.$store.getters.userById(this.userId)\n }\n return this.$store.getters.userByName(this.userName)\n },\n user () {\n if (this.timeline.statuses[0]) {\n return this.timeline.statuses[0].user\n }\n if (this.userInStore) {\n return this.userInStore\n }\n return {}\n },\n fetchBy () {\n return this.isExternal ? this.userId : this.userName\n },\n isExternal () {\n return this.$route.name === 'external-user-profile'\n }\n },\n methods: {\n fetchFollowers () {\n const id = this.userId\n this.$store.dispatch('addFollowers', { id })\n },\n fetchFriends () {\n const id = this.userId\n this.$store.dispatch('addFriends', { id })\n },\n startFetchFavorites () {\n if (this.isUs) {\n this.$store.dispatch('startFetching', ['favorites', this.fetchBy])\n }\n }\n },\n watch: {\n // TODO get rid of this copypasta\n userName () {\n if (this.isExternal) {\n return\n }\n this.$store.dispatch('stopFetching', 'user')\n this.$store.dispatch('stopFetching', 'favorites')\n this.$store.dispatch('stopFetching', 'media')\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.commit('clearTimeline', { timeline: 'favorites' })\n this.$store.commit('clearTimeline', { timeline: 'media' })\n this.$store.dispatch('startFetching', ['user', this.fetchBy])\n this.$store.dispatch('startFetching', ['media', this.fetchBy])\n this.startFetchFavorites()\n },\n userId () {\n if (!this.isExternal) {\n return\n }\n this.$store.dispatch('stopFetching', 'user')\n this.$store.dispatch('stopFetching', 'favorites')\n this.$store.dispatch('stopFetching', 'media')\n this.$store.commit('clearTimeline', { timeline: 'user' })\n this.$store.commit('clearTimeline', { timeline: 'favorites' })\n this.$store.commit('clearTimeline', { timeline: 'media' })\n this.$store.dispatch('startFetching', ['user', this.fetchBy])\n this.$store.dispatch('startFetching', ['media', this.fetchBy])\n this.startFetchFavorites()\n },\n user () {\n if (this.user.id && !this.user.followers) {\n this.fetchFollowers()\n this.fetchFriends()\n }\n }\n },\n components: {\n UserCardContent,\n UserCard,\n Timeline\n }\n}\n\nexport default UserProfile\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_profile/user_profile.js","import UserCard from '../user_card/user_card.vue'\nimport userSearchApi from '../../services/new_api/user_search.js'\nconst userSearch = {\n components: {\n UserCard\n },\n props: [\n 'query'\n ],\n data () {\n return {\n username: '',\n users: []\n }\n },\n mounted () {\n this.search(this.query)\n },\n watch: {\n query (newV) {\n this.search(newV)\n }\n },\n methods: {\n newQuery (query) {\n this.$router.push({ name: 'user-search', query: { query } })\n },\n search (query) {\n if (!query) {\n this.users = []\n return\n }\n userSearchApi.search({query, store: this.$store})\n .then((res) => {\n this.users = res\n })\n }\n }\n}\n\nexport default userSearch\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_search/user_search.js","import TabSwitcher from '../tab_switcher/tab_switcher.jsx'\nimport StyleSwitcher from '../style_switcher/style_switcher.vue'\nimport fileSizeFormatService from '../../services/file_size_format/file_size_format.js'\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 newNoRichText: this.$store.state.users.currentUser.no_rich_text,\n newDefaultScope: this.$store.state.users.currentUser.default_scope,\n hideFollowings: this.$store.state.users.currentUser.hide_followings,\n hideFollowers: this.$store.state.users.currentUser.hide_followers,\n followList: null,\n followImportError: false,\n followsImported: false,\n enableFollowsExport: true,\n avatarUploading: false,\n bannerUploading: false,\n backgroundUploading: false,\n followListUploading: false,\n avatarPreview: null,\n bannerPreview: null,\n backgroundPreview: null,\n avatarUploadError: null,\n bannerUploadError: null,\n backgroundUploadError: null,\n deletingAccount: false,\n deleteAccountConfirmPasswordInput: '',\n deleteAccountError: false,\n changePasswordInputs: [ '', '', '' ],\n changedPassword: false,\n changePasswordError: false,\n activeTab: 'profile'\n }\n },\n components: {\n StyleSwitcher,\n TabSwitcher\n },\n computed: {\n user () {\n return this.$store.state.users.currentUser\n },\n pleromaBackend () {\n return this.$store.state.instance.pleromaBackend\n },\n scopeOptionsEnabled () {\n return this.$store.state.instance.scopeOptionsEnabled\n },\n vis () {\n return {\n public: { selected: this.newDefaultScope === 'public' },\n unlisted: { selected: this.newDefaultScope === 'unlisted' },\n private: { selected: this.newDefaultScope === 'private' },\n direct: { selected: this.newDefaultScope === 'direct' }\n }\n }\n },\n methods: {\n updateProfile () {\n const name = this.newName\n const description = this.newBio\n const locked = this.newLocked\n // Backend notation.\n /* eslint-disable camelcase */\n const default_scope = this.newDefaultScope\n const no_rich_text = this.newNoRichText\n const hide_followings = this.hideFollowings\n const hide_followers = this.hideFollowers\n /* eslint-enable camelcase */\n this.$store.state.api.backendInteractor\n .updateProfile({\n params: {\n name,\n description,\n locked,\n // Backend notation.\n /* eslint-disable camelcase */\n default_scope,\n no_rich_text,\n hide_followings,\n hide_followers\n /* eslint-enable camelcase */\n }}).then((user) => {\n if (!user.error) {\n this.$store.commit('addNewUsers', [user])\n this.$store.commit('setCurrentUser', user)\n }\n })\n },\n changeVis (visibility) {\n this.newDefaultScope = visibility\n },\n uploadFile (slot, e) {\n const file = e.target.files[0]\n if (!file) { return }\n if (file.size > this.$store.state.instance[slot + 'limit']) {\n const filesize = fileSizeFormatService.fileSizeFormat(file.size)\n const allowedsize = fileSizeFormatService.fileSizeFormat(this.$store.state.instance[slot + 'limit'])\n this[slot + 'UploadError'] = this.$t('upload.error.base') + ' ' + this.$t('upload.error.file_too_big', {filesize: filesize.num, filesizeunit: filesize.unit, allowedsize: allowedsize.num, allowedsizeunit: allowedsize.unit})\n return\n }\n // eslint-disable-next-line no-undef\n const reader = new FileReader()\n reader.onload = ({target}) => {\n const img = target.result\n this[slot + 'Preview'] = img\n }\n reader.readAsDataURL(file)\n },\n submitAvatar () {\n if (!this.avatarPreview) { return }\n\n let img = this.avatarPreview\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.avatarUploading = 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.avatarPreview = null\n } else {\n this.avatarUploadError = this.$t('upload.error.base') + user.error\n }\n this.avatarUploading = false\n })\n },\n clearUploadError (slot) {\n this[slot + 'UploadError'] = null\n },\n submitBanner () {\n if (!this.bannerPreview) { return }\n\n let banner = this.bannerPreview\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.bannerUploading = 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.bannerPreview = null\n } else {\n this.bannerUploadError = this.$t('upload.error.base') + data.error\n }\n this.bannerUploading = false\n })\n /* eslint-enable camelcase */\n },\n submitBg () {\n if (!this.backgroundPreview) { return }\n let img = this.backgroundPreview\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.backgroundUploading = 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.backgroundPreview = null\n } else {\n this.backgroundUploadError = this.$t('upload.error.base') + data.error\n }\n this.backgroundUploading = false\n })\n },\n importFollows () {\n this.followListUploading = 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.followListUploading = 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 setTimeout(() => { this.enableFollowsExport = true }, 2000)\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({name: 'root'})\n } else {\n this.deleteAccountError = res.error\n }\n })\n },\n changePassword () {\n const params = {\n password: this.changePasswordInputs[0],\n newPassword: this.changePasswordInputs[1],\n newPasswordConfirmation: this.changePasswordInputs[2]\n }\n this.$store.state.api.backendInteractor.changePassword(params)\n .then((res) => {\n if (res.status === 'success') {\n this.changedPassword = true\n this.changePasswordError = false\n this.logout()\n } else {\n this.changedPassword = false\n this.changePasswordError = res.error\n }\n })\n },\n activateTab (tabName) {\n this.activeTab = tabName\n },\n logout () {\n this.$store.dispatch('logout')\n this.$router.replace('/')\n }\n }\n}\n\nexport default UserSettings\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/user_settings/user_settings.js","\nconst VideoAttachment = {\n props: ['attachment', 'controls'],\n data () {\n return {\n loopVideo: this.$store.state.config.loopVideo\n }\n },\n methods: {\n onVideoDataLoad (e) {\n const target = e.srcElement || e.target\n if (typeof target.webkitAudioDecodedByteCount !== 'undefined') {\n // non-zero if video has audio track\n if (target.webkitAudioDecodedByteCount > 0) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n } else if (typeof target.mozHasAudio !== 'undefined') {\n // true if video has audio track\n if (target.mozHasAudio) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n } else if (typeof target.audioTracks !== 'undefined') {\n if (target.audioTracks.length > 0) {\n this.loopVideo = this.loopVideo && !this.$store.state.config.loopVideoSilentOnly\n }\n }\n }\n }\n}\n\nexport default VideoAttachment\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/video_attachment/video_attachment.js","import apiService from '../../services/api/api.service.js'\nimport UserCard from '../user_card/user_card.vue'\n\nconst WhoToFollow = {\n components: {\n UserCard\n },\n data () {\n return {\n users: []\n }\n },\n mounted () {\n this.getWhoToFollow()\n },\n methods: {\n showWhoToFollow (reply) {\n reply.forEach((i, index) => {\n const user = {\n id: 0,\n name: i.display_name,\n screen_name: i.acct,\n profile_image_url: i.avatar || '/images/avi.png'\n }\n this.users.push(user)\n\n this.$store.state.api.backendInteractor.externalProfile(user.screen_name)\n .then((externalUser) => {\n if (!externalUser.error) {\n this.$store.commit('addNewUsers', [externalUser])\n user.id = externalUser.id\n }\n })\n })\n },\n getWhoToFollow () {\n const credentials = this.$store.state.users.currentUser.credentials\n if (credentials) {\n apiService.suggestions({credentials: credentials})\n .then((reply) => {\n this.showWhoToFollow(reply)\n })\n }\n }\n }\n}\n\nexport default WhoToFollow\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/who_to_follow/who_to_follow.js","import apiService from '../../services/api/api.service.js'\nimport generateProfileLink from 'src/services/user_profile_link_generator/user_profile_link_generator'\nimport { shuffle } from 'lodash'\n\nfunction showWhoToFollow (panel, reply) {\n const shuffled = shuffle(reply)\n\n panel.usersToFollow.forEach((toFollow, index) => {\n let user = shuffled[index]\n let img = user.avatar || '/images/avi.png'\n let name = user.acct\n\n toFollow.img = img\n toFollow.name = name\n\n panel.$store.state.api.backendInteractor.externalProfile(name)\n .then((externalUser) => {\n if (!externalUser.error) {\n panel.$store.commit('addNewUsers', [externalUser])\n toFollow.id = externalUser.id\n }\n })\n })\n}\n\nfunction getWhoToFollow (panel) {\n var credentials = panel.$store.state.users.currentUser.credentials\n if (credentials) {\n panel.usersToFollow.forEach(toFollow => {\n toFollow.name = 'Loading...'\n })\n apiService.suggestions({credentials: credentials})\n .then((reply) => {\n showWhoToFollow(panel, reply)\n })\n }\n}\n\nconst WhoToFollowPanel = {\n data: () => ({\n usersToFollow: new Array(3).fill().map(x => (\n {\n img: '/images/avi.png',\n name: '',\n id: 0\n }\n ))\n }),\n computed: {\n user: function () {\n return this.$store.state.users.currentUser.screen_name\n },\n suggestionsEnabled () {\n return this.$store.state.instance.suggestionsEnabled\n }\n },\n methods: {\n userProfileLink (id, name) {\n return generateProfileLink(id, name, this.$store.state.instance.restrictedNicknames)\n }\n },\n watch: {\n user: function (user, oldUser) {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n },\n mounted:\n function () {\n if (this.suggestionsEnabled) {\n getWhoToFollow(this)\n }\n }\n}\n\nexport default WhoToFollowPanel\n\n\n\n// WEBPACK FOOTER //\n// ./src/components/who_to_follow_panel/who_to_follow_panel.js","module.exports = {\"chat\":{\"title\":\"الدردشة\"},\"features_panel\":{\"chat\":\"الدردشة\",\"gopher\":\"غوفر\",\"media_proxy\":\"بروكسي الوسائط\",\"scope_options\":\"\",\"text_limit\":\"الحد الأقصى للنص\",\"title\":\"الميّزات\",\"who_to_follow\":\"للمتابعة\"},\"finder\":{\"error_fetching_user\":\"خطأ أثناء جلب صفحة المستخدم\",\"find_user\":\"البحث عن مستخدِم\"},\"general\":{\"apply\":\"تطبيق\",\"submit\":\"إرسال\"},\"login\":{\"login\":\"تسجيل الدخول\",\"logout\":\"الخروج\",\"password\":\"الكلمة السرية\",\"placeholder\":\"مثال lain\",\"register\":\"انشاء حساب\",\"username\":\"إسم المستخدم\"},\"nav\":{\"chat\":\"الدردشة المحلية\",\"friend_requests\":\"طلبات المتابَعة\",\"mentions\":\"الإشارات\",\"public_tl\":\"الخيط الزمني العام\",\"timeline\":\"الخيط الزمني\",\"twkn\":\"كافة الشبكة المعروفة\"},\"notifications\":{\"broken_favorite\":\"منشور مجهول، جارٍ البحث عنه…\",\"favorited_you\":\"أعجِب بمنشورك\",\"followed_you\":\"يُتابعك\",\"load_older\":\"تحميل الإشعارات الأقدم\",\"notifications\":\"الإخطارات\",\"read\":\"مقروء!\",\"repeated_you\":\"شارَك منشورك\"},\"post_status\":{\"account_not_locked_warning\":\"\",\"account_not_locked_warning_link\":\"مقفل\",\"attachments_sensitive\":\"اعتبر المرفقات كلها كمحتوى حساس\",\"content_type\":{\"plain_text\":\"نص صافٍ\"},\"content_warning\":\"الموضوع (اختياري)\",\"default\":\"وصلت للتوّ إلى لوس أنجلس.\",\"direct_warning\":\"\",\"posting\":\"النشر\",\"scope\":{\"direct\":\"\",\"private\":\"\",\"public\":\"علني - يُنشر على الخيوط الزمنية العمومية\",\"unlisted\":\"غير مُدرَج - لا يُنشَر على الخيوط الزمنية العمومية\"}},\"registration\":{\"bio\":\"السيرة الذاتية\",\"email\":\"عنوان البريد الإلكتروني\",\"fullname\":\"الإسم المعروض\",\"password_confirm\":\"تأكيد الكلمة السرية\",\"registration\":\"التسجيل\",\"token\":\"رمز الدعوة\"},\"settings\":{\"attachmentRadius\":\"المُرفَقات\",\"attachments\":\"المُرفَقات\",\"autoload\":\"\",\"avatar\":\"الصورة الرمزية\",\"avatarAltRadius\":\"الصور الرمزية (الإشعارات)\",\"avatarRadius\":\"الصور الرمزية\",\"background\":\"الخلفية\",\"bio\":\"السيرة الذاتية\",\"btnRadius\":\"الأزرار\",\"cBlue\":\"أزرق (الرد، المتابَعة)\",\"cGreen\":\"أخضر (إعادة النشر)\",\"cOrange\":\"برتقالي (مفضلة)\",\"cRed\":\"أحمر (إلغاء)\",\"change_password\":\"تغيير كلمة السر\",\"change_password_error\":\"وقع هناك خلل أثناء تعديل كلمتك السرية.\",\"changed_password\":\"تم تغيير كلمة المرور بنجاح!\",\"collapse_subject\":\"\",\"confirm_new_password\":\"تأكيد كلمة السر الجديدة\",\"current_avatar\":\"صورتك الرمزية الحالية\",\"current_password\":\"كلمة السر الحالية\",\"current_profile_banner\":\"الرأسية الحالية لصفحتك الشخصية\",\"data_import_export_tab\":\"تصدير واستيراد البيانات\",\"default_vis\":\"أسلوب العرض الافتراضي\",\"delete_account\":\"حذف الحساب\",\"delete_account_description\":\"حذف حسابك و كافة منشوراتك نهائيًا.\",\"delete_account_error\":\"\",\"delete_account_instructions\":\"يُرجى إدخال كلمتك السرية أدناه لتأكيد عملية حذف الحساب.\",\"export_theme\":\"حفظ النموذج\",\"filtering\":\"التصفية\",\"filtering_explanation\":\"سيتم إخفاء كافة المنشورات التي تحتوي على هذه الكلمات، كلمة واحدة في كل سطر\",\"follow_export\":\"تصدير الاشتراكات\",\"follow_export_button\":\"تصدير الاشتراكات كملف csv\",\"follow_export_processing\":\"التصدير جارٍ، سوف يُطلَب منك تنزيل ملفك بعد حين\",\"follow_import\":\"استيراد الاشتراكات\",\"follow_import_error\":\"خطأ أثناء استيراد المتابِعين\",\"follows_imported\":\"\",\"foreground\":\"الأمامية\",\"general\":\"الإعدادات العامة\",\"hide_attachments_in_convo\":\"إخفاء المرفقات على المحادثات\",\"hide_attachments_in_tl\":\"إخفاء المرفقات على الخيط الزمني\",\"hide_post_stats\":\"\",\"hide_user_stats\":\"\",\"import_followers_from_a_csv_file\":\"\",\"import_theme\":\"تحميل نموذج\",\"inputRadius\":\"\",\"instance_default\":\"\",\"interfaceLanguage\":\"لغة الواجهة\",\"invalid_theme_imported\":\"\",\"limited_availability\":\"غير متوفر على متصفحك\",\"links\":\"الروابط\",\"lock_account_description\":\"\",\"loop_video\":\"\",\"loop_video_silent_only\":\"\",\"name\":\"الاسم\",\"name_bio\":\"الاسم والسيرة الذاتية\",\"new_password\":\"كلمة السر الجديدة\",\"no_rich_text_description\":\"\",\"notification_visibility\":\"نوع الإشعارات التي تريد عرضها\",\"notification_visibility_follows\":\"يتابع\",\"notification_visibility_likes\":\"الإعجابات\",\"notification_visibility_mentions\":\"الإشارات\",\"notification_visibility_repeats\":\"\",\"nsfw_clickthrough\":\"\",\"panelRadius\":\"\",\"pause_on_unfocused\":\"\",\"presets\":\"النماذج\",\"profile_background\":\"خلفية الصفحة الشخصية\",\"profile_banner\":\"رأسية الصفحة الشخصية\",\"profile_tab\":\"الملف الشخصي\",\"radii_help\":\"\",\"replies_in_timeline\":\"الردود على الخيط الزمني\",\"reply_link_preview\":\"\",\"reply_visibility_all\":\"عرض كافة الردود\",\"reply_visibility_following\":\"\",\"reply_visibility_self\":\"\",\"saving_err\":\"خطأ أثناء حفظ الإعدادات\",\"saving_ok\":\"تم حفظ الإعدادات\",\"security_tab\":\"الأمان\",\"set_new_avatar\":\"اختيار صورة رمزية جديدة\",\"set_new_profile_background\":\"اختيار خلفية جديدة للملف الشخصي\",\"set_new_profile_banner\":\"اختيار رأسية جديدة للصفحة الشخصية\",\"settings\":\"الإعدادات\",\"stop_gifs\":\"\",\"streaming\":\"\",\"text\":\"النص\",\"theme\":\"المظهر\",\"theme_help\":\"\",\"tooltipRadius\":\"\",\"user_settings\":\"إعدادات المستخدم\",\"values\":{\"false\":\"لا\",\"true\":\"نعم\"}},\"timeline\":{\"collapse\":\"\",\"conversation\":\"محادثة\",\"error_fetching\":\"خطأ أثناء جلب التحديثات\",\"load_older\":\"تحميل المنشورات القديمة\",\"no_retweet_hint\":\"\",\"repeated\":\"\",\"show_new\":\"عرض الجديد\",\"up_to_date\":\"تم تحديثه\"},\"user_card\":{\"approve\":\"قبول\",\"block\":\"حظر\",\"blocked\":\"تم حظره!\",\"deny\":\"رفض\",\"follow\":\"اتبع\",\"followees\":\"\",\"followers\":\"مُتابِعون\",\"following\":\"\",\"follows_you\":\"يتابعك!\",\"mute\":\"كتم\",\"muted\":\"تم كتمه\",\"per_day\":\"في اليوم\",\"remote_follow\":\"مُتابَعة عن بُعد\",\"statuses\":\"المنشورات\"},\"user_profile\":{\"timeline_title\":\"الخيط الزمني للمستخدم\"},\"who_to_follow\":{\"more\":\"المزيد\",\"who_to_follow\":\"للمتابعة\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ar.json\n// module id = 392\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Xat\"},\"features_panel\":{\"chat\":\"Xat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy per multimèdia\",\"scope_options\":\"Opcions d'abast i visibilitat\",\"text_limit\":\"Límit de text\",\"title\":\"Funcionalitats\",\"who_to_follow\":\"A qui seguir\"},\"finder\":{\"error_fetching_user\":\"No s'ha pogut carregar l'usuari/a\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Aplica\",\"submit\":\"Desa\"},\"login\":{\"login\":\"Inicia sessió\",\"logout\":\"Tanca la sessió\",\"password\":\"Contrasenya\",\"placeholder\":\"p.ex.: Maria\",\"register\":\"Registra't\",\"username\":\"Nom d'usuari/a\"},\"nav\":{\"chat\":\"Xat local públic\",\"friend_requests\":\"Soŀlicituds de connexió\",\"mentions\":\"Mencions\",\"public_tl\":\"Flux públic del node\",\"timeline\":\"Flux personal\",\"twkn\":\"Flux de la xarxa coneguda\"},\"notifications\":{\"broken_favorite\":\"No es coneix aquest estat. S'està cercant.\",\"favorited_you\":\"ha marcat un estat teu\",\"followed_you\":\"ha començat a seguir-te\",\"load_older\":\"Carrega més notificacions\",\"notifications\":\"Notificacions\",\"read\":\"Read!\",\"repeated_you\":\"ha repetit el teu estat\"},\"post_status\":{\"account_not_locked_warning\":\"El teu compte no està {0}. Qualsevol persona pot seguir-te per llegir les teves entrades reservades només a seguidores.\",\"account_not_locked_warning_link\":\"bloquejat\",\"attachments_sensitive\":\"Marca l'adjunt com a delicat\",\"content_type\":{\"plain_text\":\"Text pla\"},\"content_warning\":\"Assumpte (opcional)\",\"default\":\"Em sento…\",\"direct_warning\":\"Aquesta entrada només serà visible per les usuràries que etiquetis\",\"posting\":\"Publicació\",\"scope\":{\"direct\":\"Directa - Publica només per les usuàries etiquetades\",\"private\":\"Només seguidors/es - Publica només per comptes que et segueixin\",\"public\":\"Pública - Publica als fluxos públics\",\"unlisted\":\"Silenciosa - No la mostris en fluxos públics\"}},\"registration\":{\"bio\":\"Presentació\",\"email\":\"Correu\",\"fullname\":\"Nom per mostrar\",\"password_confirm\":\"Confirma la contrasenya\",\"registration\":\"Registra't\",\"token\":\"Codi d'invitació\"},\"settings\":{\"attachmentRadius\":\"Adjunts\",\"attachments\":\"Adjunts\",\"autoload\":\"Recarrega automàticament en arribar a sota de tot.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars en les notificacions\",\"avatarRadius\":\"Avatars\",\"background\":\"Fons de pantalla\",\"bio\":\"Presentació\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (respon, segueix)\",\"cGreen\":\"Verd (republica)\",\"cOrange\":\"Taronja (marca com a preferit)\",\"cRed\":\"Vermell (canceŀla)\",\"change_password\":\"Canvia la contrasenya\",\"change_password_error\":\"No s'ha pogut canviar la contrasenya\",\"changed_password\":\"S'ha canviat la contrasenya\",\"collapse_subject\":\"Replega les entrades amb títol\",\"confirm_new_password\":\"Confirma la nova contrasenya\",\"current_avatar\":\"L'avatar actual\",\"current_password\":\"La contrasenya actual\",\"current_profile_banner\":\"El fons de perfil actual\",\"data_import_export_tab\":\"Importa o exporta dades\",\"default_vis\":\"Abast per defecte de les entrades\",\"delete_account\":\"Esborra el compte\",\"delete_account_description\":\"Esborra permanentment el teu compte i tots els missatges\",\"delete_account_error\":\"No s'ha pogut esborrar el compte. Si continua el problema, contacta amb l'administració del node\",\"delete_account_instructions\":\"Confirma que vols esborrar el compte escrivint la teva contrasenya aquí sota\",\"export_theme\":\"Desa el tema\",\"filtering\":\"Filtres\",\"filtering_explanation\":\"Es silenciaran totes les entrades que continguin aquestes paraules. Separa-les per línies\",\"follow_export\":\"Exporta la llista de contactes\",\"follow_export_button\":\"Exporta tots els comptes que segueixes a un fitxer CSV\",\"follow_export_processing\":\"S'està processant la petició. Aviat podràs descarregar el fitxer\",\"follow_import\":\"Importa els contactes\",\"follow_import_error\":\"No s'ha pogut importar els contactes\",\"follows_imported\":\"S'han importat els contactes. Trigaran una estoneta en ser processats.\",\"foreground\":\"Primer pla\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Amaga els adjunts en les converses\",\"hide_attachments_in_tl\":\"Amaga els adjunts en el flux d'entrades\",\"import_followers_from_a_csv_file\":\"Importa els contactes des d'un fitxer CSV\",\"import_theme\":\"Carrega un tema\",\"inputRadius\":\"Caixes d'entrada de text\",\"instance_default\":\"(default: {value})\",\"interfaceLanguage\":\"Llengua de la interfície\",\"invalid_theme_imported\":\"No s'ha entès l'arxiu carregat perquè no és un tema vàlid de Pleroma. No s'ha fet cap canvi als temes actuals.\",\"limited_availability\":\"No està disponible en aquest navegador\",\"links\":\"Enllaços\",\"lock_account_description\":\"Restringeix el teu compte només a seguidores aprovades.\",\"loop_video\":\"Reprodueix els vídeos en bucle\",\"loop_video_silent_only\":\"Reprodueix en bucles només els vídeos sense so (com els \\\"GIF\\\" de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom i presentació\",\"new_password\":\"Contrasenya nova\",\"notification_visibility\":\"Notifica'm quan algú\",\"notification_visibility_follows\":\"Comença a seguir-me\",\"notification_visibility_likes\":\"Marca com a preferida una entrada meva\",\"notification_visibility_mentions\":\"Em menciona\",\"notification_visibility_repeats\":\"Republica una entrada meva\",\"no_rich_text_description\":\"Neteja el formatat de text de totes les entrades\",\"nsfw_clickthrough\":\"Amaga el contingut NSFW darrer d'una imatge clicable\",\"panelRadius\":\"Panells\",\"pause_on_unfocused\":\"Pausa la reproducció en continu quan la pestanya perdi el focus\",\"presets\":\"Temes\",\"profile_background\":\"Fons de pantalla\",\"profile_banner\":\"Fons de perfil\",\"profile_tab\":\"Perfil\",\"radii_help\":\"Configura l'arrodoniment de les vores (en píxels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Mostra el missatge citat en passar el ratolí per sobre de l'enllaç de resposta\",\"reply_visibility_all\":\"Mostra totes les respostes\",\"reply_visibility_following\":\"Mostra només les respostes a entrades meves o d'usuàries que jo segueixo\",\"reply_visibility_self\":\"Mostra només les respostes a entrades meves\",\"saving_err\":\"No s'ha pogut desar la configuració\",\"saving_ok\":\"S'ha desat la configuració\",\"security_tab\":\"Seguretat\",\"set_new_avatar\":\"Canvia l'avatar\",\"set_new_profile_background\":\"Canvia el fons de pantalla\",\"set_new_profile_banner\":\"Canvia el fons del perfil\",\"settings\":\"Configuració\",\"stop_gifs\":\"Anima els GIF només en passar-hi el ratolí per sobre\",\"streaming\":\"Carrega automàticament entrades noves quan estigui a dalt de tot\",\"text\":\"Text\",\"theme\":\"Tema\",\"theme_help\":\"Personalitza els colors del tema. Escriu-los en format RGB hexadecimal (#rrggbb)\",\"tooltipRadius\":\"Missatges sobreposats\",\"user_settings\":\"Configuració personal\",\"values\":{\"false\":\"no\",\"true\":\"sí\"}},\"timeline\":{\"collapse\":\"Replega\",\"conversation\":\"Conversa\",\"error_fetching\":\"S'ha produït un error en carregar les entrades\",\"load_older\":\"Carrega entrades anteriors\",\"no_retweet_hint\":\"L'entrada és només per a seguidores o és \\\"directa\\\", i per tant no es pot republicar\",\"repeated\":\"republicat\",\"show_new\":\"Mostra els nous\",\"up_to_date\":\"Actualitzat\"},\"user_card\":{\"approve\":\"Aprova\",\"block\":\"Bloqueja\",\"blocked\":\"Bloquejat!\",\"deny\":\"Denega\",\"follow\":\"Segueix\",\"followees\":\"Segueixo\",\"followers\":\"Seguidors/es\",\"following\":\"Seguint!\",\"follows_you\":\"Et segueix!\",\"mute\":\"Silencia\",\"muted\":\"Silenciat\",\"per_day\":\"per dia\",\"remote_follow\":\"Seguiment remot\",\"statuses\":\"Estats\"},\"user_profile\":{\"timeline_title\":\"Flux personal\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"A qui seguir\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ca.json\n// module id = 393\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media Proxy\",\"scope_options\":\"Reichweitenoptionen\",\"text_limit\":\"Textlimit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Fehler beim Suchen des Benutzers\",\"find_user\":\"Finde Benutzer\"},\"general\":{\"apply\":\"Anwenden\",\"submit\":\"Absenden\"},\"login\":{\"login\":\"Anmelden\",\"description\":\"Mit OAuth anmelden\",\"logout\":\"Abmelden\",\"password\":\"Passwort\",\"placeholder\":\"z.B. lain\",\"register\":\"Registrieren\",\"username\":\"Benutzername\"},\"nav\":{\"back\":\"Zurück\",\"chat\":\"Lokaler Chat\",\"friend_requests\":\"Followanfragen\",\"mentions\":\"Erwähnungen\",\"dms\":\"Direktnachrichten\",\"public_tl\":\"Öffentliche Zeitleiste\",\"timeline\":\"Zeitleiste\",\"twkn\":\"Das gesamte bekannte Netzwerk\",\"user_search\":\"Benutzersuche\",\"preferences\":\"Voreinstellungen\"},\"notifications\":{\"broken_favorite\":\"Unbekannte Nachricht, suche danach...\",\"favorited_you\":\"favorisierte deine Nachricht\",\"followed_you\":\"folgt dir\",\"load_older\":\"Ältere Benachrichtigungen laden\",\"notifications\":\"Benachrichtigungen\",\"read\":\"Gelesen!\",\"repeated_you\":\"wiederholte deine Nachricht\"},\"post_status\":{\"new_status\":\"Neuen Status veröffentlichen\",\"account_not_locked_warning\":\"Dein Profil ist nicht {0}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.\",\"account_not_locked_warning_link\":\"gesperrt\",\"attachments_sensitive\":\"Anhänge als heikel markieren\",\"content_type\":{\"plain_text\":\"Nur Text\"},\"content_warning\":\"Betreff (optional)\",\"default\":\"Sitze gerade im Hofbräuhaus.\",\"direct_warning\":\"Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.\",\"posting\":\"Veröffentlichen\",\"scope\":{\"direct\":\"Direkt - Beitrag nur an erwähnte Profile\",\"private\":\"Nur Follower - Beitrag nur für Follower sichtbar\",\"public\":\"Öffentlich - Beitrag an öffentliche Zeitleisten\",\"unlisted\":\"Nicht gelistet - Nicht in öffentlichen Zeitleisten anzeigen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Angezeigter Name\",\"password_confirm\":\"Passwort bestätigen\",\"registration\":\"Registrierung\",\"token\":\"Einladungsschlüssel\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Zum Erstellen eines neuen Captcha auf das Bild klicken.\",\"validations\":{\"username_required\":\"darf nicht leer sein\",\"fullname_required\":\"darf nicht leer sein\",\"email_required\":\"darf nicht leer sein\",\"password_required\":\"darf nicht leer sein\",\"password_confirmation_required\":\"darf nicht leer sein\",\"password_confirmation_match\":\"sollte mit dem Passwort identisch sein.\"}},\"settings\":{\"attachmentRadius\":\"Anhänge\",\"attachments\":\"Anhänge\",\"autoload\":\"Aktiviere automatisches Laden von älteren Beiträgen beim scrollen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatare (Benachrichtigungen)\",\"avatarRadius\":\"Avatare\",\"background\":\"Hintergrund\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blau (Antworten, Folgt dir)\",\"cGreen\":\"Grün (Retweet)\",\"cOrange\":\"Orange (Favorisieren)\",\"cRed\":\"Rot (Abbrechen)\",\"change_password\":\"Passwort ändern\",\"change_password_error\":\"Es gab ein Problem bei der Änderung des Passworts.\",\"changed_password\":\"Passwort erfolgreich geändert!\",\"collapse_subject\":\"Beiträge mit Betreff einklappen\",\"composing\":\"Verfassen\",\"confirm_new_password\":\"Neues Passwort bestätigen\",\"current_avatar\":\"Dein derzeitiger Avatar\",\"current_password\":\"Aktuelles Passwort\",\"current_profile_banner\":\"Der derzeitige Banner deines Profils\",\"data_import_export_tab\":\"Datenimport/-export\",\"default_vis\":\"Standard-Sichtbarkeitsumfang\",\"delete_account\":\"Account löschen\",\"delete_account_description\":\"Lösche deinen Account und alle deine Nachrichten unwiderruflich.\",\"delete_account_error\":\"Es ist ein Fehler beim Löschen deines Accounts aufgetreten. Tritt dies weiterhin auf, wende dich an den Administrator der Instanz.\",\"delete_account_instructions\":\"Tippe dein Passwort unten in das Feld ein, um die Löschung deines Accounts zu bestätigen.\",\"export_theme\":\"Farbschema speichern\",\"filtering\":\"Filtern\",\"filtering_explanation\":\"Alle Beiträge die diese Wörter enthalten werden ausgeblendet. Ein Wort pro Zeile.\",\"follow_export\":\"Follower exportieren\",\"follow_export_button\":\"Exportiere deine Follows in eine csv-Datei\",\"follow_export_processing\":\"In Bearbeitung. Die Liste steht gleich zum herunterladen bereit.\",\"follow_import\":\"Followers importieren\",\"follow_import_error\":\"Fehler beim importieren der Follower\",\"follows_imported\":\"Followers importiert! Die Bearbeitung kann eine Zeit lang dauern.\",\"foreground\":\"Vordergrund\",\"general\":\"Allgemein\",\"hide_attachments_in_convo\":\"Anhänge in Unterhaltungen ausblenden\",\"hide_attachments_in_tl\":\"Anhänge in der Zeitleiste ausblenden\",\"hide_isp\":\"Instanz-spezifisches Panel ausblenden\",\"preload_images\":\"Bilder vorausladen\",\"hide_post_stats\":\"Beitragsstatistiken verbergen (z.B. die Anzahl der Favoriten)\",\"hide_user_stats\":\"Benutzerstatistiken verbergen (z.B. die Anzahl der Follower)\",\"import_followers_from_a_csv_file\":\"Importiere Follower, denen du folgen möchtest, aus einer CSV-Datei\",\"import_theme\":\"Farbschema laden\",\"inputRadius\":\"Eingabefelder\",\"checkboxRadius\":\"Auswahlfelder\",\"instance_default\":\"(Standard: {value})\",\"instance_default_simple\":\"(Standard)\",\"interface\":\"Oberfläche\",\"interfaceLanguage\":\"Sprache der Oberfläche\",\"invalid_theme_imported\":\"Die ausgewählte Datei ist kein unterstütztes Pleroma-Theme. Keine Änderungen wurden vorgenommen.\",\"limited_availability\":\"In deinem Browser nicht verfügbar\",\"links\":\"Links\",\"lock_account_description\":\"Sperre deinen Account, um neue Follower zu genehmigen oder abzulehnen\",\"loop_video\":\"Videos wiederholen\",\"loop_video_silent_only\":\"Nur Videos ohne Ton wiederholen (z.B. Mastodons \\\"gifs\\\")\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"Neues Passwort\",\"notification_visibility\":\"Benachrichtigungstypen, die angezeigt werden sollen\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Favoriten\",\"notification_visibility_mentions\":\"Erwähnungen\",\"notification_visibility_repeats\":\"Wiederholungen\",\"no_rich_text_description\":\"Rich-Text Formatierungen von allen Beiträgen entfernen\",\"hide_followings_description\":\"Zeige nicht, wem ich folge\",\"hide_followers_description\":\"Zeige nicht, wer mir folgt\",\"nsfw_clickthrough\":\"Aktiviere ausblendbares Overlay für Anhänge, die als NSFW markiert sind\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Streaming pausieren, wenn das Tab nicht fokussiert ist\",\"presets\":\"Voreinstellungen\",\"profile_background\":\"Profilhintergrund\",\"profile_banner\":\"Profilbanner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Kantenrundung (in Pixel) der Oberfläche anpassen\",\"replies_in_timeline\":\"Antworten in der Zeitleiste\",\"reply_link_preview\":\"Antwortlink-Vorschau beim Überfahren mit der Maus aktivieren\",\"reply_visibility_all\":\"Alle Antworten zeigen\",\"reply_visibility_following\":\"Zeige nur Antworten an mich oder an Benutzer, denen ich folge\",\"reply_visibility_self\":\"Nur Antworten an mich anzeigen\",\"saving_err\":\"Fehler beim Speichern der Einstellungen\",\"saving_ok\":\"Einstellungen gespeichert\",\"security_tab\":\"Sicherheit\",\"scope_copy\":\"Reichweite beim Antworten übernehmen (Direktnachrichten werden immer kopiert)\",\"set_new_avatar\":\"Setze einen neuen Avatar\",\"set_new_profile_background\":\"Setze einen neuen Hintergrund für dein Profil\",\"set_new_profile_banner\":\"Setze einen neuen Banner für dein Profil\",\"settings\":\"Einstellungen\",\"subject_input_always_show\":\"Betreff-Feld immer anzeigen\",\"subject_line_behavior\":\"Betreff beim Antworten kopieren\",\"subject_line_email\":\"Wie Email: \\\"re: Betreff\\\"\",\"subject_line_mastodon\":\"Wie Mastodon: unverändert kopieren\",\"subject_line_noop\":\"Nicht kopieren\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Aktiviere automatisches Laden (Streaming) von neuen Beiträgen\",\"text\":\"Text\",\"theme\":\"Farbschema\",\"theme_help\":\"Benutze HTML-Farbcodes (#rrggbb) um dein Farbschema anzupassen\",\"theme_help_v2_1\":\"Du kannst auch die Farben und die Deckkraft bestimmter Komponenten überschreiben, indem du das Kontrollkästchen umschaltest. Verwende die Schaltfläche \\\"Alle löschen\\\", um alle Überschreibungen zurückzusetzen.\",\"theme_help_v2_2\":\"Unter einigen Einträgen befinden sich Symbole für Hintergrund-/Textkontrastindikatoren, für detaillierte Informationen fahre mit der Maus darüber. Bitte beachte, dass bei der Verwendung von Transparenz Kontrastindikatoren den schlechtest möglichen Fall darstellen.\",\"tooltipRadius\":\"Tooltips/Warnungen\",\"user_settings\":\"Benutzereinstellungen\",\"values\":{\"false\":\"nein\",\"true\":\"Ja\"},\"notifications\":\"Benachrichtigungen\",\"enable_web_push_notifications\":\"Web-Pushbenachrichtigungen aktivieren\",\"style\":{\"switcher\":{\"keep_color\":\"Farben beibehalten\",\"keep_shadows\":\"Schatten beibehalten\",\"keep_opacity\":\"Deckkraft beibehalten\",\"keep_roundness\":\"Abrundungen beibehalten\",\"keep_fonts\":\"Schriften beibehalten\",\"save_load_hint\":\"Die \\\"Beibehalten\\\"-Optionen behalten die aktuell eingestellten Optionen beim Auswählen oder Laden von Designs bei, sie speichern diese Optionen auch beim Exportieren eines Designs. Wenn alle Kontrollkästchen deaktiviert sind, wird beim Exportieren des Designs alles gespeichert.\",\"reset\":\"Zurücksetzen\",\"clear_all\":\"Alles leeren\",\"clear_opacity\":\"Deckkraft leeren\"},\"common\":{\"color\":\"Farbe\",\"opacity\":\"Deckkraft\",\"contrast\":{\"hint\":\"Das Kontrastverhältnis ist {ratio}, es {level} {context}\",\"level\":{\"aa\":\"entspricht Level AA Richtlinie (minimum)\",\"aaa\":\"entspricht Level AAA Richtlinie (empfohlen)\",\"bad\":\"entspricht keiner Richtlinien zur Barrierefreiheit\"},\"context\":{\"18pt\":\"für großen (18pt+) Text\",\"text\":\"für Text\"}}},\"common_colors\":{\"_tab_label\":\"Allgemein\",\"main\":\"Allgemeine Farben\",\"foreground_hint\":\"Siehe Reiter \\\"Erweitert\\\" für eine detailliertere Einstellungen\",\"rgbo\":\"Symbole, Betonungen, Kennzeichnungen\"},\"advanced_colors\":{\"_tab_label\":\"Erweitert\",\"alert\":\"Warnhinweis-Hintergrund\",\"alert_error\":\"Fehler\",\"badge\":\"Kennzeichnungs-Hintergrund\",\"badge_notification\":\"Benachrichtigung\",\"panel_header\":\"Panel-Kopf\",\"top_bar\":\"Obere Leiste\",\"borders\":\"Rahmen\",\"buttons\":\"Schaltflächen\",\"inputs\":\"Eingabefelder\",\"faint_text\":\"Verblasster Text\"},\"radii\":{\"_tab_label\":\"Abrundungen\"},\"shadows\":{\"_tab_label\":\"Schatten und Beleuchtung\",\"component\":\"Komponente\",\"override\":\"Überschreiben\",\"shadow_id\":\"Schatten #{value}\",\"blur\":\"Unschärfe\",\"spread\":\"Streuung\",\"inset\":\"Einsatz\",\"hint\":\"Für Schatten kannst du auch --variable als Farbwert verwenden, um CSS3-Variablen zu verwenden. Bitte beachte, dass die Einstellung der Deckkraft in diesem Fall nicht funktioniert.\",\"filter_hint\":{\"always_drop_shadow\":\"Achtung, dieser Schatten verwendet immer {0}, wenn der Browser dies unterstützt.\",\"drop_shadow_syntax\":\"{0} unterstützt Parameter {1} und Schlüsselwort {2} nicht.\",\"avatar_inset\":\"Bitte beachte, dass die Kombination von eingesetzten und nicht eingesetzten Schatten auf Avataren zu unerwarteten Ergebnissen bei transparenten Avataren führen kann.\",\"spread_zero\":\"Schatten mit einer Streuung > 0 erscheinen so, als ob sie auf Null gesetzt wären.\",\"inset_classic\":\"Eingesetzte Schatten werden mit {0} verwendet\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel-Kopf\",\"topBar\":\"Obere Leiste\",\"avatar\":\"Benutzer-Avatar (in der Profilansicht)\",\"avatarStatus\":\"Benutzer-Avatar (in der Beitragsanzeige)\",\"popup\":\"Dialogfenster und Hinweistexte\",\"button\":\"Schaltfläche\",\"buttonHover\":\"Schaltfläche (hover)\",\"buttonPressed\":\"Schaltfläche (gedrückt)\",\"buttonPressedHover\":\"Schaltfläche (gedrückt+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Schriften\",\"help\":\"Wähl die Schriftart, die für Elemente der Benutzeroberfläche verwendet werden soll. Für \\\" Benutzerdefiniert\\\" musst du den genauen Schriftnamen eingeben, wie er im System angezeigt wird.\",\"components\":{\"interface\":\"Oberfläche\",\"input\":\"Eingabefelder\",\"post\":\"Beitragstext\",\"postCode\":\"Dicktengleicher Text in einem Beitrag (Rich-Text)\"},\"family\":\"Schriftname\",\"size\":\"Größe (in px)\",\"weight\":\"Gewicht (Dicke)\",\"custom\":\"Benutzerdefiniert\"},\"preview\":{\"header\":\"Vorschau\",\"content\":\"Inhalt\",\"error\":\"Beispielfehler\",\"button\":\"Schaltfläche\",\"text\":\"Ein Haufen mehr von {0} und {1}\",\"mono\":\"Inhalt\",\"input\":\"Sitze gerade im Hofbräuhaus.\",\"faint_link\":\"Hilfreiche Anleitung\",\"fine_print\":\"Lies unser {0}, um nichts Nützliches zu lernen!\",\"header_faint\":\"Das ist in Ordnung\",\"checkbox\":\"Ich habe die Allgemeinen Geschäftsbedingungen überflogen\",\"link\":\"ein netter kleiner Link\"}}},\"timeline\":{\"collapse\":\"Einklappen\",\"conversation\":\"Unterhaltung\",\"error_fetching\":\"Fehler beim Laden\",\"load_older\":\"Lade ältere Beiträge\",\"no_retweet_hint\":\"Der Beitrag ist als nur-für-Follower oder als Direktnachricht markiert und kann nicht wiederholt werden.\",\"repeated\":\"wiederholte\",\"show_new\":\"Zeige Neuere\",\"up_to_date\":\"Aktuell\"},\"user_card\":{\"approve\":\"Genehmigen\",\"block\":\"Blockieren\",\"blocked\":\"Blockiert!\",\"deny\":\"Ablehnen\",\"follow\":\"Folgen\",\"follow_sent\":\"Anfrage gesendet!\",\"follow_progress\":\"Anfragen…\",\"follow_again\":\"Anfrage erneut senden?\",\"follow_unfollow\":\"Folgen beenden\",\"followees\":\"Folgt\",\"followers\":\"Followers\",\"following\":\"Folgst du!\",\"follows_you\":\"Folgt dir!\",\"its_you\":\"Das bist du!\",\"mute\":\"Stummschalten\",\"muted\":\"Stummgeschaltet\",\"per_day\":\"pro Tag\",\"remote_follow\":\"Folgen\",\"statuses\":\"Beiträge\"},\"user_profile\":{\"timeline_title\":\"Beiträge\"},\"who_to_follow\":{\"more\":\"Mehr\",\"who_to_follow\":\"Wem soll ich folgen\"},\"tool_tip\":{\"media_upload\":\"Medien hochladen\",\"repeat\":\"Wiederholen\",\"reply\":\"Antworten\",\"favorite\":\"Favorisieren\",\"user_settings\":\"Benutzereinstellungen\"},\"upload\":{\"error\":{\"base\":\"Hochladen fehlgeschlagen.\",\"file_too_big\":\"Datei ist zu groß [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Bitte versuche es später erneut\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/de.json\n// module id = 394\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Scope options\",\"text_limit\":\"Text limit\",\"title\":\"Features\",\"who_to_follow\":\"Who to follow\"},\"finder\":{\"error_fetching_user\":\"Error fetching user\",\"find_user\":\"Find user\"},\"general\":{\"apply\":\"Apply\",\"submit\":\"Submit\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in with OAuth\",\"logout\":\"Log out\",\"password\":\"Password\",\"placeholder\":\"e.g. lain\",\"register\":\"Register\",\"username\":\"Username\"},\"nav\":{\"about\":\"About\",\"back\":\"Back\",\"chat\":\"Local Chat\",\"friend_requests\":\"Follow Requests\",\"mentions\":\"Mentions\",\"dms\":\"Direct Messages\",\"public_tl\":\"Public Timeline\",\"timeline\":\"Timeline\",\"twkn\":\"The Whole Known Network\",\"user_search\":\"User Search\",\"who_to_follow\":\"Who to follow\",\"preferences\":\"Preferences\"},\"notifications\":{\"broken_favorite\":\"Unknown status, searching for it...\",\"favorited_you\":\"favorited your status\",\"followed_you\":\"followed you\",\"load_older\":\"Load older notifications\",\"notifications\":\"Notifications\",\"read\":\"Read!\",\"repeated_you\":\"repeated your status\",\"no_more_notifications\":\"No more notifications\"},\"post_status\":{\"new_status\":\"Post new status\",\"account_not_locked_warning\":\"Your account is not {0}. Anyone can follow you to view your follower-only posts.\",\"account_not_locked_warning_link\":\"locked\",\"attachments_sensitive\":\"Mark attachments as sensitive\",\"content_type\":{\"plain_text\":\"Plain text\"},\"content_warning\":\"Subject (optional)\",\"default\":\"Just landed in L.A.\",\"direct_warning\":\"This post will only be visible to all the mentioned users.\",\"posting\":\"Posting\",\"scope\":{\"direct\":\"Direct - Post to mentioned users only\",\"private\":\"Followers-only - Post to followers only\",\"public\":\"Public - Post to public timelines\",\"unlisted\":\"Unlisted - Do not post to public timelines\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Display name\",\"password_confirm\":\"Password confirmation\",\"registration\":\"Registration\",\"token\":\"Invite token\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Click the image to get a new captcha\",\"validations\":{\"username_required\":\"cannot be left blank\",\"fullname_required\":\"cannot be left blank\",\"email_required\":\"cannot be left blank\",\"password_required\":\"cannot be left blank\",\"password_confirmation_required\":\"cannot be left blank\",\"password_confirmation_match\":\"should be the same as password\"}},\"settings\":{\"attachmentRadius\":\"Attachments\",\"attachments\":\"Attachments\",\"autoload\":\"Enable automatic loading when scrolled to the bottom\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Background\",\"bio\":\"Bio\",\"btnRadius\":\"Buttons\",\"cBlue\":\"Blue (Reply, follow)\",\"cGreen\":\"Green (Retweet)\",\"cOrange\":\"Orange (Favorite)\",\"cRed\":\"Red (Cancel)\",\"change_password\":\"Change Password\",\"change_password_error\":\"There was an issue changing your password.\",\"changed_password\":\"Password changed successfully!\",\"collapse_subject\":\"Collapse posts with subjects\",\"composing\":\"Composing\",\"confirm_new_password\":\"Confirm new password\",\"current_avatar\":\"Your current avatar\",\"current_password\":\"Current password\",\"current_profile_banner\":\"Your current profile banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Default visibility scope\",\"delete_account\":\"Delete Account\",\"delete_account_description\":\"Permanently delete your account and all your messages.\",\"delete_account_error\":\"There was an issue deleting your account. If this persists please contact your instance administrator.\",\"delete_account_instructions\":\"Type your password in the input below to confirm account deletion.\",\"export_theme\":\"Save preset\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"All statuses containing these words will be muted, one per line\",\"follow_export\":\"Follow export\",\"follow_export_button\":\"Export your follows to a csv file\",\"follow_export_processing\":\"Processing, you'll soon be asked to download your file\",\"follow_import\":\"Follow import\",\"follow_import_error\":\"Error importing followers\",\"follows_imported\":\"Follows imported! Processing them will take a while.\",\"foreground\":\"Foreground\",\"general\":\"General\",\"hide_attachments_in_convo\":\"Hide attachments in conversations\",\"hide_attachments_in_tl\":\"Hide attachments in timeline\",\"hide_isp\":\"Hide instance-specific panel\",\"preload_images\":\"Preload images\",\"use_one_click_nsfw\":\"Open NSFW attachments with just one click\",\"hide_post_stats\":\"Hide post statistics (e.g. the number of favorites)\",\"hide_user_stats\":\"Hide user statistics (e.g. the number of followers)\",\"import_followers_from_a_csv_file\":\"Import follows from a csv file\",\"import_theme\":\"Load preset\",\"inputRadius\":\"Input fields\",\"checkboxRadius\":\"Checkboxes\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface language\",\"invalid_theme_imported\":\"The selected file is not a supported Pleroma theme. No changes to your theme were made.\",\"limited_availability\":\"Unavailable in your browser\",\"links\":\"Links\",\"lock_account_description\":\"Restrict your account to approved followers only\",\"loop_video\":\"Loop videos\",\"loop_video_silent_only\":\"Loop only videos without sound (i.e. Mastodon's \\\"gifs\\\")\",\"play_videos_inline\":\"Play videos directly on timeline\",\"use_contain_fit\":\"Don't crop the attachment in thumbnails\",\"name\":\"Name\",\"name_bio\":\"Name & Bio\",\"new_password\":\"New password\",\"notification_visibility\":\"Types of notifications to show\",\"notification_visibility_follows\":\"Follows\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Mentions\",\"notification_visibility_repeats\":\"Repeats\",\"no_rich_text_description\":\"Strip rich text formatting from all posts\",\"hide_followings_description\":\"Don't show who I'm following\",\"hide_followers_description\":\"Don't show who's following me\",\"nsfw_clickthrough\":\"Enable clickthrough NSFW attachment hiding\",\"panelRadius\":\"Panels\",\"pause_on_unfocused\":\"Pause streaming when tab is not focused\",\"presets\":\"Presets\",\"profile_background\":\"Profile Background\",\"profile_banner\":\"Profile Banner\",\"profile_tab\":\"Profile\",\"radii_help\":\"Set up interface edge rounding (in pixels)\",\"replies_in_timeline\":\"Replies in timeline\",\"reply_link_preview\":\"Enable reply-link preview on mouse hover\",\"reply_visibility_all\":\"Show all replies\",\"reply_visibility_following\":\"Only show replies directed at me or users I'm following\",\"reply_visibility_self\":\"Only show replies directed at me\",\"saving_err\":\"Error saving settings\",\"saving_ok\":\"Settings saved\",\"security_tab\":\"Security\",\"scope_copy\":\"Copy scope when replying (DMs are always copied)\",\"set_new_avatar\":\"Set new avatar\",\"set_new_profile_background\":\"Set new profile background\",\"set_new_profile_banner\":\"Set new profile banner\",\"settings\":\"Settings\",\"subject_input_always_show\":\"Always show subject field\",\"subject_line_behavior\":\"Copy subject when replying\",\"subject_line_email\":\"Like email: \\\"re: subject\\\"\",\"subject_line_mastodon\":\"Like mastodon: copy as is\",\"subject_line_noop\":\"Do not copy\",\"stop_gifs\":\"Play-on-hover GIFs\",\"streaming\":\"Enable automatic streaming of new posts when scrolled to the top\",\"text\":\"Text\",\"theme\":\"Theme\",\"theme_help\":\"Use hex color codes (#rrggbb) to customize your color theme.\",\"theme_help_v2_1\":\"You can also override certain component's colors and opacity by toggling the checkbox, use \\\"Clear all\\\" button to clear all overrides.\",\"theme_help_v2_2\":\"Icons underneath some entries are background/text contrast indicators, hover over for detailed info. Please keep in mind that when using transparency contrast indicators show the worst possible case.\",\"tooltipRadius\":\"Tooltips/alerts\",\"user_settings\":\"User Settings\",\"values\":{\"false\":\"no\",\"true\":\"yes\"},\"notifications\":\"Notifications\",\"enable_web_push_notifications\":\"Enable web push notifications\",\"style\":{\"switcher\":{\"keep_color\":\"Keep colors\",\"keep_shadows\":\"Keep shadows\",\"keep_opacity\":\"Keep opacity\",\"keep_roundness\":\"Keep roundness\",\"keep_fonts\":\"Keep fonts\",\"save_load_hint\":\"\\\"Keep\\\" options preserve currently set options when selecting or loading themes, it also stores said options when exporting a theme. When all checkboxes unset, exporting theme will save everything.\",\"reset\":\"Reset\",\"clear_all\":\"Clear all\",\"clear_opacity\":\"Clear opacity\"},\"common\":{\"color\":\"Color\",\"opacity\":\"Opacity\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, it {level} {context}\",\"level\":{\"aa\":\"meets Level AA guideline (minimal)\",\"aaa\":\"meets Level AAA guideline (recommended)\",\"bad\":\"doesn't meet any accessibility guidelines\"},\"context\":{\"18pt\":\"for large (18pt+) text\",\"text\":\"for text\"}}},\"common_colors\":{\"_tab_label\":\"Common\",\"main\":\"Common colors\",\"foreground_hint\":\"See \\\"Advanced\\\" tab for more detailed control\",\"rgbo\":\"Icons, accents, badges\"},\"advanced_colors\":{\"_tab_label\":\"Advanced\",\"alert\":\"Alert background\",\"alert_error\":\"Error\",\"badge\":\"Badge background\",\"badge_notification\":\"Notification\",\"panel_header\":\"Panel header\",\"top_bar\":\"Top bar\",\"borders\":\"Borders\",\"buttons\":\"Buttons\",\"inputs\":\"Input fields\",\"faint_text\":\"Faded text\"},\"radii\":{\"_tab_label\":\"Roundness\"},\"shadows\":{\"_tab_label\":\"Shadow and lighting\",\"component\":\"Component\",\"override\":\"Override\",\"shadow_id\":\"Shadow #{value}\",\"blur\":\"Blur\",\"spread\":\"Spread\",\"inset\":\"Inset\",\"hint\":\"For shadows you can also use --variable as a color value to use CSS3 variables. Please note that setting opacity won't work in this case.\",\"filter_hint\":{\"always_drop_shadow\":\"Warning, this shadow always uses {0} when browser supports it.\",\"drop_shadow_syntax\":\"{0} does not support {1} parameter and {2} keyword.\",\"avatar_inset\":\"Please note that combining both inset and non-inset shadows on avatars might give unexpected results with transparent avatars.\",\"spread_zero\":\"Shadows with spread > 0 will appear as if it was set to zero\",\"inset_classic\":\"Inset shadows will be using {0}\"},\"components\":{\"panel\":\"Panel\",\"panelHeader\":\"Panel header\",\"topBar\":\"Top bar\",\"avatar\":\"User avatar (in profile view)\",\"avatarStatus\":\"User avatar (in post display)\",\"popup\":\"Popups and tooltips\",\"button\":\"Button\",\"buttonHover\":\"Button (hover)\",\"buttonPressed\":\"Button (pressed)\",\"buttonPressedHover\":\"Button (pressed+hover)\",\"input\":\"Input field\"}},\"fonts\":{\"_tab_label\":\"Fonts\",\"help\":\"Select font to use for elements of UI. For \\\"custom\\\" you have to enter exact font name as it appears in system.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Input fields\",\"post\":\"Post text\",\"postCode\":\"Monospaced text in a post (rich text)\"},\"family\":\"Font name\",\"size\":\"Size (in px)\",\"weight\":\"Weight (boldness)\",\"custom\":\"Custom\"},\"preview\":{\"header\":\"Preview\",\"content\":\"Content\",\"error\":\"Example error\",\"button\":\"Button\",\"text\":\"A bunch of more {0} and {1}\",\"mono\":\"content\",\"input\":\"Just landed in L.A.\",\"faint_link\":\"helpful manual\",\"fine_print\":\"Read our {0} to learn nothing useful!\",\"header_faint\":\"This is fine\",\"checkbox\":\"I have skimmed over terms and conditions\",\"link\":\"a nice lil' link\"}}},\"timeline\":{\"collapse\":\"Collapse\",\"conversation\":\"Conversation\",\"error_fetching\":\"Error fetching updates\",\"load_older\":\"Load older statuses\",\"no_retweet_hint\":\"Post is marked as followers-only or direct and cannot be repeated\",\"repeated\":\"repeated\",\"show_new\":\"Show new\",\"up_to_date\":\"Up-to-date\",\"no_more_statuses\":\"No more statuses\"},\"user_card\":{\"approve\":\"Approve\",\"block\":\"Block\",\"blocked\":\"Blocked!\",\"deny\":\"Deny\",\"favorites\":\"Favorites\",\"follow\":\"Follow\",\"follow_sent\":\"Request sent!\",\"follow_progress\":\"Requesting…\",\"follow_again\":\"Send request again?\",\"follow_unfollow\":\"Stop following\",\"followees\":\"Following\",\"followers\":\"Followers\",\"following\":\"Following!\",\"follows_you\":\"Follows you!\",\"its_you\":\"It's you!\",\"media\":\"Media\",\"mute\":\"Mute\",\"muted\":\"Muted\",\"per_day\":\"per day\",\"remote_follow\":\"Remote follow\",\"statuses\":\"Statuses\"},\"user_profile\":{\"timeline_title\":\"User Timeline\"},\"who_to_follow\":{\"more\":\"More\",\"who_to_follow\":\"Who to follow\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Repeat\",\"reply\":\"Reply\",\"favorite\":\"Favorite\",\"user_settings\":\"User Settings\"},\"upload\":{\"error\":{\"base\":\"Upload failed.\",\"file_too_big\":\"File too big [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Try again later\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/en.json\n// module id = 395\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Babilejo\"},\"finder\":{\"error_fetching_user\":\"Eraro alportante uzanton\",\"find_user\":\"Trovi uzanton\"},\"general\":{\"apply\":\"Apliki\",\"submit\":\"Sendi\"},\"login\":{\"login\":\"Ensaluti\",\"logout\":\"Elsaluti\",\"password\":\"Pasvorto\",\"placeholder\":\"ekz. lain\",\"register\":\"Registriĝi\",\"username\":\"Salutnomo\"},\"nav\":{\"chat\":\"Loka babilejo\",\"mentions\":\"Mencioj\",\"public_tl\":\"Publika tempolinio\",\"timeline\":\"Tempolinio\",\"twkn\":\"La tuta konata reto\"},\"notifications\":{\"favorited_you\":\"ŝatis vian staton\",\"followed_you\":\"ekabonis vin\",\"notifications\":\"Sciigoj\",\"read\":\"Legite!\",\"repeated_you\":\"ripetis vian staton\"},\"post_status\":{\"default\":\"Ĵus alvenis al la Universala Kongreso!\",\"posting\":\"Afiŝante\"},\"registration\":{\"bio\":\"Priskribo\",\"email\":\"Retpoŝtadreso\",\"fullname\":\"Vidiga nomo\",\"password_confirm\":\"Konfirmo de pasvorto\",\"registration\":\"Registriĝo\"},\"settings\":{\"attachmentRadius\":\"Kunsendaĵoj\",\"attachments\":\"Kunsendaĵoj\",\"autoload\":\"Ŝalti memfaran ŝarĝadon ĉe subo de paĝo\",\"avatar\":\"Profilbildo\",\"avatarAltRadius\":\"Profilbildoj (sciigoj)\",\"avatarRadius\":\"Profilbildoj\",\"background\":\"Fono\",\"bio\":\"Priskribo\",\"btnRadius\":\"Butonoj\",\"cBlue\":\"Blua (Respondo, abono)\",\"cGreen\":\"Verda (Kunhavigo)\",\"cOrange\":\"Oranĝa (Ŝato)\",\"cRed\":\"Ruĝa (Nuligo)\",\"current_avatar\":\"Via nuna profilbildo\",\"current_profile_banner\":\"Via nuna profila rubando\",\"filtering\":\"Filtrado\",\"filtering_explanation\":\"Ĉiuj statoj kun tiuj ĉi vortoj silentiĝos, po unu linie\",\"follow_import\":\"Abona enporto\",\"follow_import_error\":\"Eraro enportante abonojn\",\"follows_imported\":\"Abonoj enportiĝis! Traktado daŭros iom.\",\"foreground\":\"Malfono\",\"hide_attachments_in_convo\":\"Kaŝi kunsendaĵojn en interparoloj\",\"hide_attachments_in_tl\":\"Kaŝi kunsendaĵojn en tempolinio\",\"import_followers_from_a_csv_file\":\"Enporti abonojn el CSV-dosiero\",\"links\":\"Ligiloj\",\"name\":\"Nomo\",\"name_bio\":\"Nomo kaj priskribo\",\"nsfw_clickthrough\":\"Ŝalti traklakan kaŝon de konsternaj kunsendaĵoj\",\"panelRadius\":\"Paneloj\",\"presets\":\"Antaŭagordoj\",\"profile_background\":\"Profila fono\",\"profile_banner\":\"Profila rubando\",\"radii_help\":\"Agordi fasadan rondigon de randoj (rastrumere)\",\"reply_link_preview\":\"Ŝalti respond-ligilan antaŭvidon dum ŝvebo\",\"set_new_avatar\":\"Agordi novan profilbildon\",\"set_new_profile_background\":\"Agordi novan profilan fonon\",\"set_new_profile_banner\":\"Agordi novan profilan rubandon\",\"settings\":\"Agordoj\",\"stop_gifs\":\"Movi GIF-bildojn dum ŝvebo\",\"streaming\":\"Ŝalti memfaran fluigon de novaj afiŝoj ĉe la supro de la paĝo\",\"text\":\"Teksto\",\"theme\":\"Etoso\",\"theme_help\":\"Uzu deksesumajn kolorkodojn (#rrvvbb) por adapti vian koloran etoson.\",\"tooltipRadius\":\"Ŝpruchelpiloj/avertoj\",\"user_settings\":\"Uzantaj agordoj\"},\"timeline\":{\"collapse\":\"Maletendi\",\"conversation\":\"Interparolo\",\"error_fetching\":\"Eraro dum ĝisdatigo\",\"load_older\":\"Montri pli malnovajn statojn\",\"repeated\":\"ripetata\",\"show_new\":\"Montri novajn\",\"up_to_date\":\"Ĝisdata\"},\"user_card\":{\"block\":\"Bari\",\"blocked\":\"Barita!\",\"follow\":\"Aboni\",\"followees\":\"Abonatoj\",\"followers\":\"Abonantoj\",\"following\":\"Abonanta!\",\"follows_you\":\"Abonas vin!\",\"mute\":\"Silentigi\",\"muted\":\"Silentigitaj\",\"per_day\":\"tage\",\"remote_follow\":\"Fore aboni\",\"statuses\":\"Statoj\"},\"user_profile\":{\"timeline_title\":\"Uzanta tempolinio\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/eo.json\n// module id = 396\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"finder\":{\"error_fetching_user\":\"Error al buscar usuario\",\"find_user\":\"Encontrar usuario\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\"},\"login\":{\"login\":\"Identificación\",\"logout\":\"Salir\",\"password\":\"Contraseña\",\"placeholder\":\"p.ej. lain\",\"register\":\"Registrar\",\"username\":\"Usuario\"},\"nav\":{\"chat\":\"Chat Local\",\"mentions\":\"Menciones\",\"public_tl\":\"Línea Temporal Pública\",\"timeline\":\"Línea Temporal\",\"twkn\":\"Toda La Red Conocida\"},\"notifications\":{\"followed_you\":\"empezó a seguirte\",\"notifications\":\"Notificaciones\",\"read\":\"¡Leído!\"},\"post_status\":{\"default\":\"Acabo de aterrizar en L.A.\",\"posting\":\"Publicando\"},\"registration\":{\"bio\":\"Biografía\",\"email\":\"Correo electrónico\",\"fullname\":\"Nombre a mostrar\",\"password_confirm\":\"Confirmación de contraseña\",\"registration\":\"Registro\"},\"settings\":{\"attachments\":\"Adjuntos\",\"autoload\":\"Activar carga automática al llegar al final de la página\",\"avatar\":\"Avatar\",\"background\":\"Segundo plano\",\"bio\":\"Biografía\",\"current_avatar\":\"Tu avatar actual\",\"current_profile_banner\":\"Cabecera actual\",\"filtering\":\"Filtros\",\"filtering_explanation\":\"Todos los estados que contengan estas palabras serán silenciados, una por línea\",\"follow_import\":\"Importar personas que tú sigues\",\"follow_import_error\":\"Error al importal el archivo\",\"follows_imported\":\"¡Importado! Procesarlos llevará tiempo.\",\"foreground\":\"Primer plano\",\"hide_attachments_in_convo\":\"Ocultar adjuntos en las conversaciones\",\"hide_attachments_in_tl\":\"Ocultar adjuntos en la línea temporal\",\"import_followers_from_a_csv_file\":\"Importar personas que tú sigues apartir de un archivo csv\",\"links\":\"Links\",\"name\":\"Nombre\",\"name_bio\":\"Nombre y Biografía\",\"nsfw_clickthrough\":\"Activar el clic para ocultar los adjuntos NSFW\",\"presets\":\"Por defecto\",\"profile_background\":\"Fondo del Perfil\",\"profile_banner\":\"Cabecera del perfil\",\"reply_link_preview\":\"Activar la previsualización del enlace de responder al pasar el ratón por encima\",\"set_new_avatar\":\"Cambiar avatar\",\"set_new_profile_background\":\"Cambiar fondo del perfil\",\"set_new_profile_banner\":\"Cambiar cabecera\",\"settings\":\"Ajustes\",\"streaming\":\"Habilite la transmisión automática de nuevas publicaciones cuando se desplaza hacia la parte superior\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use códigos de color hexadecimales (#rrggbb) para personalizar su tema de colores.\",\"user_settings\":\"Ajustes de Usuario\"},\"timeline\":{\"conversation\":\"Conversación\",\"error_fetching\":\"Error al cargar las actualizaciones\",\"load_older\":\"Cargar actualizaciones anteriores\",\"show_new\":\"Mostrar lo nuevo\",\"up_to_date\":\"Actualizado\"},\"user_card\":{\"block\":\"Bloquear\",\"blocked\":\"¡Bloqueado!\",\"follow\":\"Seguir\",\"followees\":\"Siguiendo\",\"followers\":\"Seguidores\",\"following\":\"¡Siguiendo!\",\"follows_you\":\"¡Te sigue!\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por día\",\"remote_follow\":\"Seguir\",\"statuses\":\"Estados\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/es.json\n// module id = 397\n// module chunks = 2","module.exports = {\"finder\":{\"error_fetching_user\":\"Viga kasutaja leidmisel\",\"find_user\":\"Otsi kasutajaid\"},\"general\":{\"submit\":\"Postita\"},\"login\":{\"login\":\"Logi sisse\",\"logout\":\"Logi välja\",\"password\":\"Parool\",\"placeholder\":\"nt lain\",\"register\":\"Registreeru\",\"username\":\"Kasutajanimi\"},\"nav\":{\"mentions\":\"Mainimised\",\"public_tl\":\"Avalik Ajajoon\",\"timeline\":\"Ajajoon\",\"twkn\":\"Kogu Teadaolev Võrgustik\"},\"notifications\":{\"followed_you\":\"alustas sinu jälgimist\",\"notifications\":\"Teavitused\",\"read\":\"Loe!\"},\"post_status\":{\"default\":\"Just sõitsin elektrirongiga Tallinnast Pääskülla.\",\"posting\":\"Postitan\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"E-post\",\"fullname\":\"Kuvatav nimi\",\"password_confirm\":\"Parooli kinnitamine\",\"registration\":\"Registreerimine\"},\"settings\":{\"attachments\":\"Manused\",\"autoload\":\"Luba ajajoone automaatne uuendamine kui ajajoon on põhja keritud\",\"avatar\":\"Profiilipilt\",\"bio\":\"Bio\",\"current_avatar\":\"Sinu praegune profiilipilt\",\"current_profile_banner\":\"Praegune profiilibänner\",\"filtering\":\"Sisu filtreerimine\",\"filtering_explanation\":\"Kõiki staatuseid, mis sisaldavad neid sõnu, ei kuvata. Üks sõna reale.\",\"hide_attachments_in_convo\":\"Peida manused vastlustes\",\"hide_attachments_in_tl\":\"Peida manused ajajoonel\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja Bio\",\"nsfw_clickthrough\":\"Peida tööks-mittesobivad(NSFW) manuste hiireklõpsu taha\",\"profile_background\":\"Profiilitaust\",\"profile_banner\":\"Profiilibänner\",\"reply_link_preview\":\"Luba algpostituse kuvamine vastustes\",\"set_new_avatar\":\"Vali uus profiilipilt\",\"set_new_profile_background\":\"Vali uus profiilitaust\",\"set_new_profile_banner\":\"Vali uus profiilibänner\",\"settings\":\"Sätted\",\"theme\":\"Teema\",\"user_settings\":\"Kasutaja sätted\"},\"timeline\":{\"conversation\":\"Vestlus\",\"error_fetching\":\"Viga uuenduste laadimisel\",\"load_older\":\"Kuva vanemaid staatuseid\",\"show_new\":\"Näita uusi\",\"up_to_date\":\"Uuendatud\"},\"user_card\":{\"block\":\"Blokeeri\",\"blocked\":\"Blokeeritud!\",\"follow\":\"Jälgi\",\"followees\":\"Jälgitavaid\",\"followers\":\"Jälgijaid\",\"following\":\"Jälgin!\",\"follows_you\":\"Jälgib sind!\",\"mute\":\"Vaigista\",\"muted\":\"Vaigistatud\",\"per_day\":\"päevas\",\"statuses\":\"Staatuseid\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/et.json\n// module id = 398\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media-välityspalvelin\",\"scope_options\":\"Näkyvyyden rajaus\",\"text_limit\":\"Tekstin pituusraja\",\"title\":\"Ominaisuudet\",\"who_to_follow\":\"Seurausehdotukset\"},\"finder\":{\"error_fetching_user\":\"Virhe hakiessa käyttäjää\",\"find_user\":\"Hae käyttäjä\"},\"general\":{\"apply\":\"Aseta\",\"submit\":\"Lähetä\"},\"login\":{\"login\":\"Kirjaudu sisään\",\"description\":\"Kirjaudu sisään OAuthilla\",\"logout\":\"Kirjaudu ulos\",\"password\":\"Salasana\",\"placeholder\":\"esim. Seppo\",\"register\":\"Rekisteröidy\",\"username\":\"Käyttäjänimi\"},\"nav\":{\"about\":\"Tietoja\",\"back\":\"Takaisin\",\"chat\":\"Paikallinen Chat\",\"friend_requests\":\"Seurauspyynnöt\",\"mentions\":\"Maininnat\",\"dms\":\"Yksityisviestit\",\"public_tl\":\"Julkinen Aikajana\",\"timeline\":\"Aikajana\",\"twkn\":\"Koko Tunnettu Verkosto\",\"user_search\":\"Käyttäjähaku\",\"who_to_follow\":\"Seurausehdotukset\",\"preferences\":\"Asetukset\"},\"notifications\":{\"broken_favorite\":\"Viestiä ei löydetty...\",\"favorited_you\":\"tykkäsi viestistäsi\",\"followed_you\":\"seuraa sinua\",\"load_older\":\"Lataa vanhempia ilmoituksia\",\"notifications\":\"Ilmoitukset\",\"read\":\"Lue!\",\"repeated_you\":\"toisti viestisi\",\"no_more_notifications\":\"Ei enempää ilmoituksia\"},\"post_status\":{\"new_status\":\"Uusi viesti\",\"account_not_locked_warning\":\"Tilisi ei ole {0}. Kuka vain voi seurata sinua nähdäksesi 'vain-seuraajille' -viestisi\",\"account_not_locked_warning_link\":\"lukittu\",\"attachments_sensitive\":\"Merkkaa liitteet arkaluonteisiksi\",\"content_type\":{\"plain_text\":\"Tavallinen teksti\"},\"content_warning\":\"Aihe (valinnainen)\",\"default\":\"Tulin juuri saunasta.\",\"direct_warning\":\"Tämä viesti näkyy vain mainituille käyttäjille.\",\"posting\":\"Lähetetään\",\"scope\":{\"direct\":\"Yksityisviesti - Näkyy vain mainituille käyttäjille\",\"private\":\"Vain-seuraajille - Näkyy vain seuraajillesi\",\"public\":\"Julkinen - Näkyy julkisilla aikajanoilla\",\"unlisted\":\"Listaamaton - Ei näy julkisilla aikajanoilla\"}},\"registration\":{\"bio\":\"Kuvaus\",\"email\":\"Sähköposti\",\"fullname\":\"Koko nimi\",\"password_confirm\":\"Salasanan vahvistaminen\",\"registration\":\"Rekisteröityminen\",\"token\":\"Kutsuvaltuus\",\"captcha\":\"Varmenne\",\"new_captcha\":\"Paina kuvaa saadaksesi uuden varmenteen\",\"validations\":{\"username_required\":\"ei voi olla tyhjä\",\"fullname_required\":\"ei voi olla tyhjä\",\"email_required\":\"ei voi olla tyhjä\",\"password_required\":\"ei voi olla tyhjä\",\"password_confirmation_required\":\"ei voi olla tyhjä\",\"password_confirmation_match\":\"pitää vastata salasanaa\"}},\"settings\":{\"attachmentRadius\":\"Liitteet\",\"attachments\":\"Liitteet\",\"autoload\":\"Lataa vanhempia viestejä automaattisesti ruudun pohjalla\",\"avatar\":\"Profiilikuva\",\"avatarAltRadius\":\"Profiilikuvat (ilmoitukset)\",\"avatarRadius\":\"Profiilikuvat\",\"background\":\"Tausta\",\"bio\":\"Kuvaus\",\"btnRadius\":\"Napit\",\"cBlue\":\"Sininen (Vastaukset, seuraukset)\",\"cGreen\":\"Vihreä (Toistot)\",\"cOrange\":\"Oranssi (Tykkäykset)\",\"cRed\":\"Punainen (Peruminen)\",\"change_password\":\"Vaihda salasana\",\"change_password_error\":\"Virhe vaihtaessa salasanaa.\",\"changed_password\":\"Salasana vaihdettu!\",\"collapse_subject\":\"Minimoi viestit, joille on asetettu aihe\",\"composing\":\"Viestien laatiminen\",\"confirm_new_password\":\"Vahvista uusi salasana\",\"current_avatar\":\"Nykyinen profiilikuvasi\",\"current_password\":\"Nykyinen salasana\",\"current_profile_banner\":\"Nykyinen julisteesi\",\"data_import_export_tab\":\"Tietojen tuonti / vienti\",\"default_vis\":\"Oletusnäkyvyysrajaus\",\"delete_account\":\"Poista tili\",\"delete_account_description\":\"Poista tilisi ja viestisi pysyvästi.\",\"delete_account_error\":\"Virhe poistaessa tiliäsi. Jos virhe jatkuu, ota yhteyttä palvelimesi ylläpitoon.\",\"delete_account_instructions\":\"Syötä salasanasi vahvistaaksesi tilin poiston.\",\"export_theme\":\"Tallenna teema\",\"filtering\":\"Suodatus\",\"filtering_explanation\":\"Kaikki viestit, jotka sisältävät näitä sanoja, suodatetaan. Yksi sana per rivi.\",\"follow_export\":\"Seurausten vienti\",\"follow_export_button\":\"Vie seurauksesi CSV-tiedostoon\",\"follow_export_processing\":\"Käsitellään, sinua pyydetään lataamaan tiedosto hetken päästä\",\"follow_import\":\"Seurausten tuonti\",\"follow_import_error\":\"Virhe tuodessa seuraksia\",\"follows_imported\":\"Seuraukset tuotu! Niiden käsittely vie hetken.\",\"foreground\":\"Korostus\",\"general\":\"Yleinen\",\"hide_attachments_in_convo\":\"Piilota liitteet keskusteluissa\",\"hide_attachments_in_tl\":\"Piilota liitteet aikajanalla\",\"hide_isp\":\"Piilota palvelimenkohtainen ruutu\",\"preload_images\":\"Esilataa kuvat\",\"use_one_click_nsfw\":\"Avaa NSFW-liitteet yhdellä painalluksella\",\"hide_post_stats\":\"Piilota viestien statistiikka (esim. tykkäysten määrä)\",\"hide_user_stats\":\"Piilota käyttäjien statistiikka (esim. seuraajien määrä)\",\"import_followers_from_a_csv_file\":\"Tuo seuraukset CSV-tiedostosta\",\"import_theme\":\"Tuo tallennettu teema\",\"inputRadius\":\"Syöttökentät\",\"checkboxRadius\":\"Valintalaatikot\",\"instance_default\":\"(oletus: {value})\",\"instance_default_simple\":\"(oletus)\",\"interface\":\"Käyttöliittymä\",\"interfaceLanguage\":\"Käyttöliittymän kieli\",\"invalid_theme_imported\":\"Tuotu tallennettu teema on epäkelpo, muutoksia ei tehty nykyiseen teemaasi.\",\"limited_availability\":\"Ei saatavilla selaimessasi\",\"links\":\"Linkit\",\"lock_account_description\":\"Vain erikseen hyväksytyt käyttäjät voivat seurata tiliäsi\",\"loop_video\":\"Uudelleentoista videot\",\"loop_video_silent_only\":\"Uudelleentoista ainoastaan äänettömät videot (Video-\\\"giffit\\\")\",\"play_videos_inline\":\"Toista videot suoraan aikajanalla\",\"use_contain_fit\":\"Älä rajaa liitteitä esikatselussa\",\"name\":\"Nimi\",\"name_bio\":\"Nimi ja kuvaus\",\"new_password\":\"Uusi salasana\",\"notification_visibility\":\"Ilmoitusten näkyvyys\",\"notification_visibility_follows\":\"Seuraukset\",\"notification_visibility_likes\":\"Tykkäykset\",\"notification_visibility_mentions\":\"Maininnat\",\"notification_visibility_repeats\":\"Toistot\",\"no_rich_text_description\":\"Älä näytä tekstin muotoilua.\",\"hide_network_description\":\"Älä näytä seurauksiani tai seuraajiani\",\"nsfw_clickthrough\":\"Piilota NSFW liitteet klikkauksen taakse\",\"panelRadius\":\"Ruudut\",\"pause_on_unfocused\":\"Pysäytä automaattinen viestien näyttö välilehden ollessa pois fokuksesta\",\"presets\":\"Valmiit teemat\",\"profile_background\":\"Taustakuva\",\"profile_banner\":\"Juliste\",\"profile_tab\":\"Profiili\",\"radii_help\":\"Aseta reunojen pyöristys (pikseleinä)\",\"replies_in_timeline\":\"Keskustelut aikajanalla\",\"reply_link_preview\":\"Keskusteluiden vastauslinkkien esikatselu\",\"reply_visibility_all\":\"Näytä kaikki vastaukset\",\"reply_visibility_following\":\"Näytä vain vastaukset minulle tai seuraamilleni käyttäjille\",\"reply_visibility_self\":\"Näytä vain vastaukset minulle\",\"saving_err\":\"Virhe tallentaessa asetuksia\",\"saving_ok\":\"Asetukset tallennettu\",\"security_tab\":\"Tietoturva\",\"scope_copy\":\"Kopioi näkyvyysrajaus vastatessa (Yksityisviestit aina kopioivat)\",\"set_new_avatar\":\"Aseta uusi profiilikuva\",\"set_new_profile_background\":\"Aseta uusi taustakuva\",\"set_new_profile_banner\":\"Aseta uusi juliste\",\"settings\":\"Asetukset\",\"subject_input_always_show\":\"Näytä aihe-kenttä\",\"subject_line_behavior\":\"Aihe-kentän kopiointi\",\"subject_line_email\":\"Kuten sähköposti: \\\"re: aihe\\\"\",\"subject_line_mastodon\":\"Kopioi sellaisenaan\",\"subject_line_noop\":\"Älä kopioi\",\"stop_gifs\":\"Toista giffit vain kohdistaessa\",\"streaming\":\"Näytä uudet viestit automaattisesti ollessasi ruudun huipulla\",\"text\":\"Teksti\",\"theme\":\"Teema\",\"theme_help\":\"Käytä heksadesimaalivärejä muokataksesi väriteemaasi.\",\"theme_help_v2_1\":\"Voit asettaa tiettyjen osien värin tai läpinäkyvyyden täyttämällä valintalaatikon, käytä \\\"Tyhjennä kaikki\\\"-nappia tyhjentääksesi kaiken.\",\"theme_help_v2_2\":\"Ikonit kenttien alla ovat kontrasti-indikaattoreita, lisätietoa kohdistamalla. Käyttäessä läpinäkyvyyttä ne näyttävät pahimman skenaarion.\",\"tooltipRadius\":\"Ohje- tai huomioviestit\",\"user_settings\":\"Käyttäjän asetukset\",\"values\":{\"false\":\"pois päältä\",\"true\":\"päällä\"}},\"timeline\":{\"collapse\":\"Sulje\",\"conversation\":\"Keskustelu\",\"error_fetching\":\"Virhe ladatessa viestejä\",\"load_older\":\"Lataa vanhempia viestejä\",\"no_retweet_hint\":\"Viesti ei ole julkinen, eikä sitä voi toistaa\",\"repeated\":\"toisti\",\"show_new\":\"Näytä uudet\",\"up_to_date\":\"Ajantasalla\",\"no_more_statuses\":\"Ei enempää viestejä\"},\"user_card\":{\"approve\":\"Hyväksy\",\"block\":\"Estä\",\"blocked\":\"Estetty!\",\"deny\":\"Älä hyväksy\",\"follow\":\"Seuraa\",\"follow_sent\":\"Pyyntö lähetetty!\",\"follow_progress\":\"Pyydetään...\",\"follow_again\":\"Lähetä pyyntö uudestaan\",\"follow_unfollow\":\"Älä seuraa\",\"followees\":\"Seuraa\",\"followers\":\"Seuraajat\",\"following\":\"Seuraat!\",\"follows_you\":\"Seuraa sinua!\",\"its_you\":\"Sinun tili!\",\"mute\":\"Hiljennä\",\"muted\":\"Hiljennetty\",\"per_day\":\"päivässä\",\"remote_follow\":\"Seuraa muualta\",\"statuses\":\"Viestit\"},\"user_profile\":{\"timeline_title\":\"Käyttäjän aikajana\"},\"who_to_follow\":{\"more\":\"Lisää\",\"who_to_follow\":\"Seurausehdotukset\"},\"tool_tip\":{\"media_upload\":\"Lataa tiedosto\",\"repeat\":\"Toista\",\"reply\":\"Vastaa\",\"favorite\":\"Tykkää\",\"user_settings\":\"Käyttäjäasetukset\"},\"upload\":{\"error\":{\"base\":\"Lataus epäonnistui.\",\"file_too_big\":\"Tiedosto liian suuri [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Yritä uudestaan myöhemmin\"},\"file_size_units\":{\"B\":\"tavua\",\"KiB\":\"kt\",\"MiB\":\"Mt\",\"GiB\":\"Gt\",\"TiB\":\"Tt\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/fi.json\n// module id = 399\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Proxy média\",\"scope_options\":\"Options de visibilité\",\"text_limit\":\"Limite du texte\",\"title\":\"Caractéristiques\",\"who_to_follow\":\"Qui s'abonner\"},\"finder\":{\"error_fetching_user\":\"Erreur lors de la recherche de l'utilisateur\",\"find_user\":\"Chercher un utilisateur\"},\"general\":{\"apply\":\"Appliquer\",\"submit\":\"Envoyer\"},\"login\":{\"login\":\"Connexion\",\"description\":\"Connexion avec OAuth\",\"logout\":\"Déconnexion\",\"password\":\"Mot de passe\",\"placeholder\":\"p.e. lain\",\"register\":\"S'inscrire\",\"username\":\"Identifiant\"},\"nav\":{\"chat\":\"Chat local\",\"friend_requests\":\"Demandes d'ami\",\"dms\":\"Messages adressés\",\"mentions\":\"Notifications\",\"public_tl\":\"Statuts locaux\",\"timeline\":\"Journal\",\"twkn\":\"Le réseau connu\"},\"notifications\":{\"broken_favorite\":\"Chargement d'un message inconnu ...\",\"favorited_you\":\"a aimé votre statut\",\"followed_you\":\"a commencé à vous suivre\",\"load_older\":\"Charger les notifications précédentes\",\"notifications\":\"Notifications\",\"read\":\"Lu !\",\"repeated_you\":\"a partagé votre statut\"},\"post_status\":{\"account_not_locked_warning\":\"Votre compte n'est pas {0}. N'importe qui peut vous suivre pour voir vos billets en Abonné·e·s uniquement.\",\"account_not_locked_warning_link\":\"verrouillé\",\"attachments_sensitive\":\"Marquer le média comme sensible\",\"content_type\":{\"plain_text\":\"Texte brut\"},\"content_warning\":\"Sujet (optionnel)\",\"default\":\"Écrivez ici votre prochain statut.\",\"direct_warning\":\"Ce message sera visible à toutes les personnes mentionnées.\",\"posting\":\"Envoi en cours\",\"scope\":{\"direct\":\"Direct - N'envoyer qu'aux personnes mentionnées\",\"private\":\"Abonné·e·s uniquement - Seul·e·s vos abonné·e·s verront vos billets\",\"public\":\"Publique - Afficher dans les fils publics\",\"unlisted\":\"Non-Listé - Ne pas afficher dans les fils publics\"}},\"registration\":{\"bio\":\"Biographie\",\"email\":\"Adresse email\",\"fullname\":\"Pseudonyme\",\"password_confirm\":\"Confirmation du mot de passe\",\"registration\":\"Inscription\",\"token\":\"Jeton d'invitation\"},\"settings\":{\"attachmentRadius\":\"Pièces jointes\",\"attachments\":\"Pièces jointes\",\"autoload\":\"Charger la suite automatiquement une fois le bas de la page atteint\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notifications)\",\"avatarRadius\":\"Avatars\",\"background\":\"Arrière-plan\",\"bio\":\"Biographie\",\"btnRadius\":\"Boutons\",\"cBlue\":\"Bleu (Répondre, suivre)\",\"cGreen\":\"Vert (Partager)\",\"cOrange\":\"Orange (Aimer)\",\"cRed\":\"Rouge (Annuler)\",\"change_password\":\"Changez votre mot de passe\",\"change_password_error\":\"Il y a eu un problème pour changer votre mot de passe.\",\"changed_password\":\"Mot de passe modifié avec succès !\",\"collapse_subject\":\"Réduire les messages avec des sujets\",\"confirm_new_password\":\"Confirmation du nouveau mot de passe\",\"current_avatar\":\"Avatar actuel\",\"current_password\":\"Mot de passe actuel\",\"current_profile_banner\":\"Bannière de profil actuelle\",\"data_import_export_tab\":\"Import / Export des Données\",\"default_vis\":\"Portée de visibilité par défaut\",\"delete_account\":\"Supprimer le compte\",\"delete_account_description\":\"Supprimer définitivement votre compte et tous vos statuts.\",\"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.\",\"delete_account_instructions\":\"Indiquez votre mot de passe ci-dessous pour confirmer la suppression de votre compte.\",\"export_theme\":\"Enregistrer le thème\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Tous les statuts contenant ces mots seront masqués. Un mot par ligne\",\"follow_export\":\"Exporter les abonnements\",\"follow_export_button\":\"Exporter les abonnements en csv\",\"follow_export_processing\":\"Exportation en cours…\",\"follow_import\":\"Importer des abonnements\",\"follow_import_error\":\"Erreur lors de l'importation des abonnements\",\"follows_imported\":\"Abonnements importés ! Le traitement peut prendre un moment.\",\"foreground\":\"Premier plan\",\"general\":\"Général\",\"hide_attachments_in_convo\":\"Masquer les pièces jointes dans les conversations\",\"hide_attachments_in_tl\":\"Masquer les pièces jointes dans le journal\",\"hide_post_stats\":\"Masquer les statistiques de publication (le nombre de favoris)\",\"hide_user_stats\":\"Masquer les statistiques de profil (le nombre d'amis)\",\"import_followers_from_a_csv_file\":\"Importer des abonnements depuis un fichier csv\",\"import_theme\":\"Charger le thème\",\"inputRadius\":\"Champs de texte\",\"instance_default\":\"(default: {value})\",\"instance_default_simple\":\"(default)\",\"interfaceLanguage\":\"Langue de l'interface\",\"invalid_theme_imported\":\"Le fichier sélectionné n'est pas un thème Pleroma pris en charge. Aucun changement n'a été apporté à votre thème.\",\"limited_availability\":\"Non disponible dans votre navigateur\",\"links\":\"Liens\",\"lock_account_description\":\"Limitez votre compte aux abonnés acceptés uniquement\",\"loop_video\":\"Vidéos en boucle\",\"loop_video_silent_only\":\"Boucle uniquement les vidéos sans le son (les «gifs» de Mastodon)\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nouveau mot de passe\",\"no_rich_text_description\":\"Ne formatez pas le texte\",\"notification_visibility\":\"Types de notifications à afficher\",\"notification_visibility_follows\":\"Abonnements\",\"notification_visibility_likes\":\"J’aime\",\"notification_visibility_mentions\":\"Mentionnés\",\"notification_visibility_repeats\":\"Partages\",\"nsfw_clickthrough\":\"Masquer les images marquées comme contenu adulte ou sensible\",\"panelRadius\":\"Fenêtres\",\"pause_on_unfocused\":\"Suspendre le streaming lorsque l'onglet n'est pas centré\",\"presets\":\"Thèmes prédéfinis\",\"profile_background\":\"Image de fond\",\"profile_banner\":\"Bannière de profil\",\"profile_tab\":\"Profil\",\"radii_help\":\"Vous pouvez ici choisir le niveau d'arrondi des angles de l'interface (en pixels)\",\"replies_in_timeline\":\"Réponses au journal\",\"reply_link_preview\":\"Afficher un aperçu lors du survol de liens vers une réponse\",\"reply_visibility_all\":\"Montrer toutes les réponses\",\"reply_visibility_following\":\"Afficher uniquement les réponses adressées à moi ou aux utilisateurs que je suis\",\"reply_visibility_self\":\"Afficher uniquement les réponses adressées à moi\",\"saving_err\":\"Erreur lors de l'enregistrement des paramètres\",\"saving_ok\":\"Paramètres enregistrés\",\"security_tab\":\"Sécurité\",\"set_new_avatar\":\"Changer d'avatar\",\"set_new_profile_background\":\"Changer d'image de fond\",\"set_new_profile_banner\":\"Changer de bannière\",\"settings\":\"Paramètres\",\"stop_gifs\":\"N'animer les GIFS que lors du survol du curseur de la souris\",\"streaming\":\"Charger automatiquement les nouveaux statuts lorsque vous êtes au haut de la page\",\"text\":\"Texte\",\"theme\":\"Thème\",\"theme_help\":\"Spécifiez des codes couleur hexadécimaux (#rrvvbb) pour personnaliser les couleurs du thème.\",\"tooltipRadius\":\"Info-bulles/alertes\",\"user_settings\":\"Paramètres utilisateur\",\"values\":{\"false\":\"non\",\"true\":\"oui\"}},\"timeline\":{\"collapse\":\"Fermer\",\"conversation\":\"Conversation\",\"error_fetching\":\"Erreur en cherchant les mises à jour\",\"load_older\":\"Afficher plus\",\"no_retweet_hint\":\"Le message est marqué en abonnés-seulement ou direct et ne peut pas être répété\",\"repeated\":\"a partagé\",\"show_new\":\"Afficher plus\",\"up_to_date\":\"À jour\"},\"user_card\":{\"approve\":\"Accepter\",\"block\":\"Bloquer\",\"blocked\":\"Bloqué !\",\"deny\":\"Rejeter\",\"follow\":\"Suivre\",\"followees\":\"Suivis\",\"followers\":\"Vous suivent\",\"following\":\"Suivi !\",\"follows_you\":\"Vous suit !\",\"mute\":\"Masquer\",\"muted\":\"Masqué\",\"per_day\":\"par jour\",\"remote_follow\":\"Suivre d'une autre instance\",\"statuses\":\"Statuts\"},\"user_profile\":{\"timeline_title\":\"Journal de l'utilisateur\"},\"who_to_follow\":{\"more\":\"Plus\",\"who_to_follow\":\"Qui s'abonner\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/fr.json\n// module id = 400\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Comhrá\"},\"features_panel\":{\"chat\":\"Comhrá\",\"gopher\":\"Gófar\",\"media_proxy\":\"Seachfhreastalaí meáin\",\"scope_options\":\"Rogha scóip\",\"text_limit\":\"Teorainn Téacs\",\"title\":\"Gnéithe\",\"who_to_follow\":\"Daoine le leanúint\"},\"finder\":{\"error_fetching_user\":\"Earráid a aimsiú d'úsáideoir\",\"find_user\":\"Aimsigh úsáideoir\"},\"general\":{\"apply\":\"Feidhmigh\",\"submit\":\"Deimhnigh\"},\"login\":{\"login\":\"Logáil isteach\",\"logout\":\"Logáil amach\",\"password\":\"Pasfhocal\",\"placeholder\":\"m.sh. Daire\",\"register\":\"Clárú\",\"username\":\"Ainm Úsáideora\"},\"nav\":{\"chat\":\"Comhrá Áitiúil\",\"friend_requests\":\"Iarratas ar Cairdeas\",\"mentions\":\"Tagairt\",\"public_tl\":\"Amlíne Poiblí\",\"timeline\":\"Amlíne\",\"twkn\":\"An Líonra Iomlán\"},\"notifications\":{\"broken_favorite\":\"Post anaithnid. Cuardach dó...\",\"favorited_you\":\"toghadh le do phost\",\"followed_you\":\"lean tú\",\"load_older\":\"Luchtaigh fógraí aosta\",\"notifications\":\"Fógraí\",\"read\":\"Léigh!\",\"repeated_you\":\"athphostáil tú\"},\"post_status\":{\"account_not_locked_warning\":\"Níl do chuntas {0}. Is féidir le duine ar bith a leanúint leat chun do phoist leantacha amháin a fheiceáil.\",\"account_not_locked_warning_link\":\"faoi glas\",\"attachments_sensitive\":\"Marcáil ceangaltán mar íogair\",\"content_type\":{\"plain_text\":\"Gnáth-théacs\"},\"content_warning\":\"Teideal (roghnach)\",\"default\":\"Lá iontach anseo i nGaillimh\",\"direct_warning\":\"Ní bheidh an post seo le feiceáil ach amháin do na húsáideoirí atá luaite.\",\"posting\":\"Post nua\",\"scope\":{\"direct\":\"Díreach - Post chuig úsáideoirí luaite amháin\",\"private\":\"Leanúna amháin - Post chuig lucht leanúna amháin\",\"public\":\"Poiblí - Post chuig amlínte poiblí\",\"unlisted\":\"Neamhliostaithe - Ná cuir post chuig amlínte poiblí\"}},\"registration\":{\"bio\":\"Scéal saoil\",\"email\":\"Ríomhphost\",\"fullname\":\"Ainm taispeána'\",\"password_confirm\":\"Deimhnigh do pasfhocal\",\"registration\":\"Clárú\",\"token\":\"Cód cuireadh\"},\"settings\":{\"attachmentRadius\":\"Ceangaltáin\",\"attachments\":\"Ceangaltáin\",\"autoload\":\"Cumasaigh luchtú uathoibríoch nuair a scrollaítear go bun\",\"avatar\":\"Phictúir phrófíle\",\"avatarAltRadius\":\"Phictúirí phrófíle (Fograí)\",\"avatarRadius\":\"Phictúirí phrófíle\",\"background\":\"Cúlra\",\"bio\":\"Scéal saoil\",\"btnRadius\":\"Cnaipí\",\"cBlue\":\"Gorm (Freagra, lean)\",\"cGreen\":\"Glas (Athphóstail)\",\"cOrange\":\"Oráiste (Cosúil)\",\"cRed\":\"Dearg (Cealaigh)\",\"change_password\":\"Athraigh do pasfhocal\",\"change_password_error\":\"Bhí fadhb ann ag athrú do pasfhocail\",\"changed_password\":\"Athraigh an pasfhocal go rathúil!\",\"collapse_subject\":\"Poist a chosc le teidil\",\"confirm_new_password\":\"Deimhnigh do pasfhocal nua\",\"current_avatar\":\"Phictúir phrófíle\",\"current_password\":\"Pasfhocal reatha\",\"current_profile_banner\":\"Phictúir ceanntáisc\",\"data_import_export_tab\":\"Iompórtáil / Easpórtáil Sonraí\",\"default_vis\":\"Scóip infheicthe réamhshocraithe\",\"delete_account\":\"Scrios cuntas\",\"delete_account_description\":\"Do chuntas agus do chuid teachtaireachtaí go léir a scriosadh go buan.\",\"delete_account_error\":\"Bhí fadhb ann a scriosadh do chuntas. Má leanann sé seo, téigh i dteagmháil le do riarthóir.\",\"delete_account_instructions\":\"Scríobh do phasfhocal san ionchur thíos chun deimhniú a scriosadh.\",\"export_theme\":\"Sábháil Téama\",\"filtering\":\"Scagadh\",\"filtering_explanation\":\"Beidh gach post ina bhfuil na focail seo i bhfolach, ceann in aghaidh an líne\",\"follow_export\":\"Easpórtáil do leanann\",\"follow_export_button\":\"Easpórtáil do leanann chuig comhad csv\",\"follow_export_processing\":\"Próiseáil. Iarrtar ort go luath an comhad a íoslódáil.\",\"follow_import\":\"Iompórtáil do leanann\",\"follow_import_error\":\"Earráid agus do leanann a iompórtáil\",\"follows_imported\":\"Do leanann iompórtáil! Tógfaidh an próiseas iad le tamall.\",\"foreground\":\"Tulra\",\"general\":\"Ginearálta\",\"hide_attachments_in_convo\":\"Folaigh ceangaltáin i comhráite\",\"hide_attachments_in_tl\":\"Folaigh ceangaltáin sa amlíne\",\"hide_post_stats\":\"Folaigh staitisticí na bpost (m.sh. líon na n-athrá)\",\"hide_user_stats\":\"Folaigh na staitisticí úsáideora (m.sh. líon na leantóiri)\",\"import_followers_from_a_csv_file\":\"Iompórtáil leanann ó chomhad csv\",\"import_theme\":\"Luchtaigh Téama\",\"inputRadius\":\"Limistéar iontrála\",\"instance_default\":\"(Réamhshocrú: {value})\",\"interfaceLanguage\":\"Teanga comhéadain\",\"invalid_theme_imported\":\"Ní téama bailí é an comhad dícheangailte. Níor rinneadh aon athruithe.\",\"limited_availability\":\"Níl sé ar fáil i do bhrabhsálaí\",\"links\":\"Naisc\",\"lock_account_description\":\"Srian a chur ar do chuntas le lucht leanúna ceadaithe amháin\",\"loop_video\":\"Lúb físeáin\",\"loop_video_silent_only\":\"Lúb físeáin amháin gan fuaim (i.e. Mastodon's \\\"gifs\\\")\",\"name\":\"Ainm\",\"name_bio\":\"Ainm ⁊ Scéal\",\"new_password\":\"Pasfhocal nua'\",\"notification_visibility\":\"Cineálacha fógraí a thaispeáint\",\"notification_visibility_follows\":\"Leana\",\"notification_visibility_likes\":\"Thaithin\",\"notification_visibility_mentions\":\"Tagairt\",\"notification_visibility_repeats\":\"Atphostáil\",\"no_rich_text_description\":\"Bain formáidiú téacs saibhir ó gach post\",\"nsfw_clickthrough\":\"Cumasaigh an ceangaltán NSFW cliceáil ar an gcnaipe\",\"panelRadius\":\"Painéil\",\"pause_on_unfocused\":\"Sruthú ar sos nuair a bhíonn an fócas caillte\",\"presets\":\"Réamhshocruithe\",\"profile_background\":\"Cúlra Próifíl\",\"profile_banner\":\"Phictúir Ceanntáisc\",\"profile_tab\":\"Próifíl\",\"radii_help\":\"Cruinniú imeall comhéadan a chumrú (i bpicteilíní)\",\"replies_in_timeline\":\"Freagraí sa amlíne\",\"reply_link_preview\":\"Cumasaigh réamhamharc nasc freagartha ar chlár na luiche\",\"reply_visibility_all\":\"Taispeáin gach freagra\",\"reply_visibility_following\":\"Taispeáin freagraí amháin atá dírithe ar mise nó ar úsáideoirí atá mé ag leanúint\",\"reply_visibility_self\":\"Taispeáin freagraí amháin atá dírithe ar mise\",\"saving_err\":\"Earráid socruithe a shábháil\",\"saving_ok\":\"Socruithe sábháilte\",\"security_tab\":\"Slándáil\",\"set_new_avatar\":\"Athraigh do phictúir phrófíle\",\"set_new_profile_background\":\"Athraigh do cúlra próifíl\",\"set_new_profile_banner\":\"Athraigh do phictúir ceanntáisc\",\"settings\":\"Socruithe\",\"stop_gifs\":\"Seinn GIFs ar an scáileán\",\"streaming\":\"Cumasaigh post nua a shruthú uathoibríoch nuair a scrollaítear go barr an leathanaigh\",\"text\":\"Téacs\",\"theme\":\"Téama\",\"theme_help\":\"Úsáid cód daith hex (#rrggbb) chun do schéim a saincheapadh\",\"tooltipRadius\":\"Bileoga eolais\",\"user_settings\":\"Socruithe úsáideora\",\"values\":{\"false\":\"níl\",\"true\":\"tá\"}},\"timeline\":{\"collapse\":\"Folaigh\",\"conversation\":\"Cómhra\",\"error_fetching\":\"Earráid a thabhairt cothrom le dáta\",\"load_older\":\"Luchtaigh níos mó\",\"no_retweet_hint\":\"Tá an post seo marcáilte mar lucht leanúna amháin nó díreach agus ní féidir é a athphostáil\",\"repeated\":\"athphostáil\",\"show_new\":\"Taispeáin nua\",\"up_to_date\":\"Nuashonraithe\"},\"user_card\":{\"approve\":\"Údaraigh\",\"block\":\"Cosc\",\"blocked\":\"Cuireadh coisc!\",\"deny\":\"Diúltaigh\",\"follow\":\"Lean\",\"followees\":\"Leantóirí\",\"followers\":\"Á Leanúint\",\"following\":\"Á Leanúint\",\"follows_you\":\"Leanann tú\",\"mute\":\"Cuir i mód ciúin\",\"muted\":\"Mód ciúin\",\"per_day\":\"laethúil\",\"remote_follow\":\"Leaníunt iargúlta\",\"statuses\":\"Poist\"},\"user_profile\":{\"timeline_title\":\"Amlíne úsáideora\"},\"who_to_follow\":{\"more\":\"Feach uile\",\"who_to_follow\":\"Daoine le leanúint\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ga.json\n// module id = 401\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"צ'אט\"},\"features_panel\":{\"chat\":\"צ'אט\",\"gopher\":\"גופר\",\"media_proxy\":\"מדיה פרוקסי\",\"scope_options\":\"אפשרויות טווח\",\"text_limit\":\"מגבלת טקסט\",\"title\":\"מאפיינים\",\"who_to_follow\":\"אחרי מי לעקוב\"},\"finder\":{\"error_fetching_user\":\"שגיאה במציאת משתמש\",\"find_user\":\"מציאת משתמש\"},\"general\":{\"apply\":\"החל\",\"submit\":\"שלח\"},\"login\":{\"login\":\"התחבר\",\"logout\":\"התנתק\",\"password\":\"סיסמה\",\"placeholder\":\"למשל lain\",\"register\":\"הירשם\",\"username\":\"שם המשתמש\"},\"nav\":{\"chat\":\"צ'אט מקומי\",\"friend_requests\":\"בקשות עקיבה\",\"mentions\":\"אזכורים\",\"public_tl\":\"ציר הזמן הציבורי\",\"timeline\":\"ציר הזמן\",\"twkn\":\"כל הרשת הידועה\"},\"notifications\":{\"broken_favorite\":\"סטאטוס לא ידוע, מחפש...\",\"favorited_you\":\"אהב את הסטטוס שלך\",\"followed_you\":\"עקב אחריך!\",\"load_older\":\"טען התראות ישנות\",\"notifications\":\"התראות\",\"read\":\"קרא!\",\"repeated_you\":\"חזר על הסטטוס שלך\"},\"post_status\":{\"account_not_locked_warning\":\"המשתמש שלך אינו {0}. כל אחד יכול לעקוב אחריך ולראות את ההודעות לעוקבים-בלבד שלך.\",\"account_not_locked_warning_link\":\"נעול\",\"attachments_sensitive\":\"סמן מסמכים מצורפים כלא בטוחים לצפייה\",\"content_type\":{\"plain_text\":\"טקסט פשוט\"},\"content_warning\":\"נושא (נתון לבחירה)\",\"default\":\"הרגע נחת ב-ל.א.\",\"direct_warning\":\"הודעה זו תהיה זמינה רק לאנשים המוזכרים.\",\"posting\":\"מפרסם\",\"scope\":{\"direct\":\"ישיר - שלח לאנשים המוזכרים בלבד\",\"private\":\"עוקבים-בלבד - שלח לעוקבים בלבד\",\"public\":\"ציבורי - שלח לציר הזמן הציבורי\",\"unlisted\":\"מחוץ לרשימה - אל תשלח לציר הזמן הציבורי\"}},\"registration\":{\"bio\":\"אודות\",\"email\":\"אימייל\",\"fullname\":\"שם תצוגה\",\"password_confirm\":\"אישור סיסמה\",\"registration\":\"הרשמה\",\"token\":\"טוקן הזמנה\"},\"settings\":{\"attachmentRadius\":\"צירופים\",\"attachments\":\"צירופים\",\"autoload\":\"החל טעינה אוטומטית בגלילה לתחתית הדף\",\"avatar\":\"תמונת פרופיל\",\"avatarAltRadius\":\"תמונות פרופיל (התראות)\",\"avatarRadius\":\"תמונות פרופיל\",\"background\":\"רקע\",\"bio\":\"אודות\",\"btnRadius\":\"כפתורים\",\"cBlue\":\"כחול (תגובה, עקיבה)\",\"cGreen\":\"ירוק (חזרה)\",\"cOrange\":\"כתום (לייק)\",\"cRed\":\"אדום (ביטול)\",\"change_password\":\"שנה סיסמה\",\"change_password_error\":\"הייתה בעיה בשינוי סיסמתך.\",\"changed_password\":\"סיסמה שונתה בהצלחה!\",\"collapse_subject\":\"מזער הודעות עם נושאים\",\"confirm_new_password\":\"אשר סיסמה\",\"current_avatar\":\"תמונת הפרופיל הנוכחית שלך\",\"current_password\":\"סיסמה נוכחית\",\"current_profile_banner\":\"כרזת הפרופיל הנוכחית שלך\",\"data_import_export_tab\":\"ייבוא או ייצוא מידע\",\"default_vis\":\"ברירת מחדל לטווח הנראות\",\"delete_account\":\"מחק משתמש\",\"delete_account_description\":\"מחק לצמיתות את המשתמש שלך ואת כל הודעותיך.\",\"delete_account_error\":\"הייתה בעיה במחיקת המשתמש. אם זה ממשיך, אנא עדכן את מנהל השרת שלך.\",\"delete_account_instructions\":\"הכנס את סיסמתך בקלט למטה על מנת לאשר מחיקת משתמש.\",\"export_theme\":\"שמור ערכים\",\"filtering\":\"סינון\",\"filtering_explanation\":\"כל הסטטוסים הכוללים את המילים הללו יושתקו, אחד לשורה\",\"follow_export\":\"יצוא עקיבות\",\"follow_export_button\":\"ייצא את הנעקבים שלך לקובץ csv\",\"follow_export_processing\":\"טוען. בקרוב תתבקש להוריד את הקובץ את הקובץ שלך\",\"follow_import\":\"יבוא עקיבות\",\"follow_import_error\":\"שגיאה בייבוא נעקבים.\",\"follows_imported\":\"נעקבים יובאו! ייקח זמן מה לעבד אותם.\",\"foreground\":\"חזית\",\"hide_attachments_in_convo\":\"החבא צירופים בשיחות\",\"hide_attachments_in_tl\":\"החבא צירופים בציר הזמן\",\"import_followers_from_a_csv_file\":\"ייבא את הנעקבים שלך מקובץ csv\",\"import_theme\":\"טען ערכים\",\"inputRadius\":\"שדות קלט\",\"interfaceLanguage\":\"שפת הממשק\",\"invalid_theme_imported\":\"הקובץ הנבחר אינו תמה הנתמכת ע\\\"י פלרומה. שום שינויים לא נעשו לתמה שלך.\",\"limited_availability\":\"לא זמין בדפדפן שלך\",\"links\":\"לינקים\",\"lock_account_description\":\"הגבל את המשתמש לעוקבים מאושרים בלבד\",\"loop_video\":\"נגן סרטונים ללא הפסקה\",\"loop_video_silent_only\":\"נגן רק סרטונים חסרי קול ללא הפסקה\",\"name\":\"שם\",\"name_bio\":\"שם ואודות\",\"new_password\":\"סיסמה חדשה\",\"notification_visibility\":\"סוג ההתראות שתרצו לראות\",\"notification_visibility_follows\":\"עקיבות\",\"notification_visibility_likes\":\"לייקים\",\"notification_visibility_mentions\":\"אזכורים\",\"notification_visibility_repeats\":\"חזרות\",\"nsfw_clickthrough\":\"החל החבאת צירופים לא בטוחים לצפיה בעת עבודה בעזרת לחיצת עכבר\",\"panelRadius\":\"פאנלים\",\"pause_on_unfocused\":\"השהה זרימת הודעות כשהחלון לא בפוקוס\",\"presets\":\"ערכים קבועים מראש\",\"profile_background\":\"רקע הפרופיל\",\"profile_banner\":\"כרזת הפרופיל\",\"profile_tab\":\"פרופיל\",\"radii_help\":\"קבע מראש עיגול פינות לממשק (בפיקסלים)\",\"replies_in_timeline\":\"תגובות בציר הזמן\",\"reply_link_preview\":\"החל תצוגה מקדימה של לינק-תגובה בעת ריחוף עם העכבר\",\"reply_visibility_all\":\"הראה את כל התגובות\",\"reply_visibility_following\":\"הראה תגובות שמופנות אליי או לעקובים שלי בלבד\",\"reply_visibility_self\":\"הראה תגובות שמופנות אליי בלבד\",\"security_tab\":\"ביטחון\",\"set_new_avatar\":\"קבע תמונת פרופיל חדשה\",\"set_new_profile_background\":\"קבע רקע פרופיל חדש\",\"set_new_profile_banner\":\"קבע כרזת פרופיל חדשה\",\"settings\":\"הגדרות\",\"stop_gifs\":\"נגן-בעת-ריחוף GIFs\",\"streaming\":\"החל זרימת הודעות אוטומטית בעת גלילה למעלה הדף\",\"text\":\"טקסט\",\"theme\":\"תמה\",\"theme_help\":\"השתמש בקודי צבע הקס (#אדום-אדום-ירוק-ירוק-כחול-כחול) על מנת להתאים אישית את תמת הצבע שלך.\",\"tooltipRadius\":\"טולטיפ \\\\ התראות\",\"user_settings\":\"הגדרות משתמש\"},\"timeline\":{\"collapse\":\"מוטט\",\"conversation\":\"שיחה\",\"error_fetching\":\"שגיאה בהבאת הודעות\",\"load_older\":\"טען סטטוסים חדשים\",\"no_retweet_hint\":\"ההודעה מסומנת כ\\\"לעוקבים-בלבד\\\" ולא ניתן לחזור עליה\",\"repeated\":\"חזר\",\"show_new\":\"הראה חדש\",\"up_to_date\":\"עדכני\"},\"user_card\":{\"approve\":\"אשר\",\"block\":\"חסימה\",\"blocked\":\"חסום!\",\"deny\":\"דחה\",\"follow\":\"עקוב\",\"followees\":\"נעקבים\",\"followers\":\"עוקבים\",\"following\":\"עוקב!\",\"follows_you\":\"עוקב אחריך!\",\"mute\":\"השתק\",\"muted\":\"מושתק\",\"per_day\":\"ליום\",\"remote_follow\":\"עקיבה מרחוק\",\"statuses\":\"סטטוסים\"},\"user_profile\":{\"timeline_title\":\"ציר זמן המשתמש\"},\"who_to_follow\":{\"more\":\"עוד\",\"who_to_follow\":\"אחרי מי לעקוב\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/he.json\n// module id = 402\n// module chunks = 2","module.exports = {\"finder\":{\"error_fetching_user\":\"Hiba felhasználó beszerzésével\",\"find_user\":\"Felhasználó keresése\"},\"general\":{\"submit\":\"Elküld\"},\"login\":{\"login\":\"Bejelentkezés\",\"logout\":\"Kijelentkezés\",\"password\":\"Jelszó\",\"placeholder\":\"e.g. lain\",\"register\":\"Feliratkozás\",\"username\":\"Felhasználó név\"},\"nav\":{\"mentions\":\"Említéseim\",\"public_tl\":\"Publikus Idővonal\",\"timeline\":\"Idővonal\",\"twkn\":\"Az Egész Ismert Hálózat\"},\"notifications\":{\"followed_you\":\"követ téged\",\"notifications\":\"Értesítések\",\"read\":\"Olvasva!\"},\"post_status\":{\"default\":\"Most érkeztem L.A.-be\",\"posting\":\"Küldés folyamatban\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Teljes név\",\"password_confirm\":\"Jelszó megerősítése\",\"registration\":\"Feliratkozás\"},\"settings\":{\"attachments\":\"Csatolmányok\",\"autoload\":\"Autoatikus betöltés engedélyezése lap aljára görgetéskor\",\"avatar\":\"Avatár\",\"bio\":\"Bio\",\"current_avatar\":\"Jelenlegi avatár\",\"current_profile_banner\":\"Jelenlegi profil banner\",\"filtering\":\"Szűrés\",\"filtering_explanation\":\"Minden tartalom mely ezen szavakat tartalmazza némítva lesz, soronként egy\",\"hide_attachments_in_convo\":\"Csatolmányok elrejtése a társalgásokban\",\"hide_attachments_in_tl\":\"Csatolmányok elrejtése az idővonalon\",\"name\":\"Név\",\"name_bio\":\"Név és Bio\",\"nsfw_clickthrough\":\"NSFW átkattintási tartalom elrejtésének engedélyezése\",\"profile_background\":\"Profil háttérkép\",\"profile_banner\":\"Profil Banner\",\"reply_link_preview\":\"Válasz-link előzetes mutatása egér rátételkor\",\"set_new_avatar\":\"Új avatár\",\"set_new_profile_background\":\"Új profil háttér beállítása\",\"set_new_profile_banner\":\"Új profil banner\",\"settings\":\"Beállítások\",\"theme\":\"Téma\",\"user_settings\":\"Felhasználói beállítások\"},\"timeline\":{\"conversation\":\"Társalgás\",\"error_fetching\":\"Hiba a frissítések beszerzésénél\",\"load_older\":\"Régebbi állapotok betöltése\",\"show_new\":\"Újak mutatása\",\"up_to_date\":\"Naprakész\"},\"user_card\":{\"block\":\"Letilt\",\"blocked\":\"Letiltva!\",\"follow\":\"Követ\",\"followees\":\"Követettek\",\"followers\":\"Követők\",\"following\":\"Követve!\",\"follows_you\":\"Követ téged!\",\"mute\":\"Némít\",\"muted\":\"Némított\",\"per_day\":\"naponta\",\"statuses\":\"Állapotok\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/hu.json\n// module id = 403\n// module chunks = 2","module.exports = {\"general\":{\"submit\":\"Invia\",\"apply\":\"Applica\"},\"nav\":{\"mentions\":\"Menzioni\",\"public_tl\":\"Sequenza temporale pubblica\",\"timeline\":\"Sequenza temporale\",\"twkn\":\"L'intera rete conosciuta\",\"chat\":\"Chat Locale\",\"friend_requests\":\"Richieste di Seguirti\"},\"notifications\":{\"followed_you\":\"ti segue\",\"notifications\":\"Notifiche\",\"read\":\"Leggi!\",\"broken_favorite\":\"Stato sconosciuto, lo sto cercando...\",\"favorited_you\":\"ha messo mi piace al tuo stato\",\"load_older\":\"Carica notifiche più vecchie\",\"repeated_you\":\"ha condiviso il tuo stato\"},\"settings\":{\"attachments\":\"Allegati\",\"autoload\":\"Abilita caricamento automatico quando si raggiunge fondo pagina\",\"avatar\":\"Avatar\",\"bio\":\"Introduzione\",\"current_avatar\":\"Il tuo avatar attuale\",\"current_profile_banner\":\"Il tuo banner attuale\",\"filtering\":\"Filtri\",\"filtering_explanation\":\"Tutti i post contenenti queste parole saranno silenziati, uno per linea\",\"hide_attachments_in_convo\":\"Nascondi gli allegati presenti nelle conversazioni\",\"hide_attachments_in_tl\":\"Nascondi gli allegati presenti nella sequenza temporale\",\"name\":\"Nome\",\"name_bio\":\"Nome & Introduzione\",\"nsfw_clickthrough\":\"Abilita il click per visualizzare gli allegati segnati come NSFW\",\"profile_background\":\"Sfondo della tua pagina\",\"profile_banner\":\"Banner del tuo profilo\",\"reply_link_preview\":\"Abilita il link per la risposta al passaggio del mouse\",\"set_new_avatar\":\"Scegli un nuovo avatar\",\"set_new_profile_background\":\"Scegli un nuovo sfondo per la tua pagina\",\"set_new_profile_banner\":\"Scegli un nuovo banner per il tuo profilo\",\"settings\":\"Impostazioni\",\"theme\":\"Tema\",\"user_settings\":\"Impostazioni Utente\",\"attachmentRadius\":\"Allegati\",\"avatarAltRadius\":\"Avatar (Notifiche)\",\"avatarRadius\":\"Avatar\",\"background\":\"Sfondo\",\"btnRadius\":\"Pulsanti\",\"cBlue\":\"Blu (Rispondere, seguire)\",\"cGreen\":\"Verde (Condividi)\",\"cOrange\":\"Arancio (Mi piace)\",\"cRed\":\"Rosso (Annulla)\",\"change_password\":\"Cambia Password\",\"change_password_error\":\"C'è stato un problema durante il cambiamento della password.\",\"changed_password\":\"Password cambiata correttamente!\",\"collapse_subject\":\"Riduci post che hanno un oggetto\",\"confirm_new_password\":\"Conferma la nuova password\",\"current_password\":\"Password attuale\",\"data_import_export_tab\":\"Importa / Esporta Dati\",\"default_vis\":\"Visibilità predefinita dei post\",\"delete_account\":\"Elimina Account\",\"delete_account_description\":\"Elimina definitivamente il tuo account e tutti i tuoi messaggi.\",\"delete_account_error\":\"C'è stato un problema durante l'eliminazione del tuo account. Se il problema persiste contatta l'amministratore della tua istanza.\",\"delete_account_instructions\":\"Digita la tua password nel campo sottostante per confermare l'eliminazione dell'account.\",\"export_theme\":\"Salva settaggi\",\"follow_export\":\"Esporta la lista di chi segui\",\"follow_export_button\":\"Esporta la lista di chi segui in un file csv\",\"follow_export_processing\":\"Sto elaborando, presto ti sarà chiesto di scaricare il tuo file\",\"follow_import\":\"Importa la lista di chi segui\",\"follow_import_error\":\"Errore nell'importazione della lista di chi segui\",\"follows_imported\":\"Importazione riuscita! L'elaborazione richiederà un po' di tempo.\",\"foreground\":\"In primo piano\",\"general\":\"Generale\",\"hide_post_stats\":\"Nascondi statistiche dei post (es. il numero di mi piace)\",\"hide_user_stats\":\"Nascondi statistiche dell'utente (es. il numero di chi ti segue)\",\"import_followers_from_a_csv_file\":\"Importa una lista di chi segui da un file csv\",\"import_theme\":\"Carica settaggi\",\"inputRadius\":\"Campi di testo\",\"instance_default\":\"(predefinito: {value})\",\"interfaceLanguage\":\"Linguaggio dell'interfaccia\",\"invalid_theme_imported\":\"Il file selezionato non è un file di tema per Pleroma supportato. Il tuo tema non è stato modificato.\",\"limited_availability\":\"Non disponibile nel tuo browser\",\"links\":\"Collegamenti\",\"lock_account_description\":\"Limita il tuo account solo per contatti approvati\",\"loop_video\":\"Riproduci video in ciclo continuo\",\"loop_video_silent_only\":\"Riproduci solo video senza audio in ciclo continuo (es. le gif di Mastodon)\",\"new_password\":\"Nuova password\",\"notification_visibility\":\"Tipi di notifiche da mostrare\",\"notification_visibility_follows\":\"Nuove persone ti seguono\",\"notification_visibility_likes\":\"Mi piace\",\"notification_visibility_mentions\":\"Menzioni\",\"notification_visibility_repeats\":\"Condivisioni\",\"no_rich_text_description\":\"Togli la formattazione del testo da tutti i post\",\"panelRadius\":\"Pannelli\",\"pause_on_unfocused\":\"Metti in pausa l'aggiornamento continuo quando la scheda non è in primo piano\",\"presets\":\"Valori predefiniti\",\"profile_tab\":\"Profilo\",\"radii_help\":\"Imposta l'arrotondamento dei bordi (in pixel)\",\"replies_in_timeline\":\"Risposte nella sequenza temporale\",\"reply_visibility_all\":\"Mostra tutte le risposte\",\"reply_visibility_following\":\"Mostra solo le risposte dirette a me o agli utenti che seguo\",\"reply_visibility_self\":\"Mostra solo risposte dirette a me\",\"saving_err\":\"Errore nel salvataggio delle impostazioni\",\"saving_ok\":\"Impostazioni salvate\",\"security_tab\":\"Sicurezza\",\"stop_gifs\":\"Riproduci GIF al passaggio del cursore del mouse\",\"streaming\":\"Abilita aggiornamento automatico dei nuovi post quando si è in alto alla pagina\",\"text\":\"Testo\",\"theme_help\":\"Usa codici colore esadecimali (#rrggbb) per personalizzare il tuo schema di colori.\",\"tooltipRadius\":\"Descrizioni/avvisi\",\"values\":{\"false\":\"no\",\"true\":\"si\"}},\"timeline\":{\"error_fetching\":\"Errore nel prelievo aggiornamenti\",\"load_older\":\"Carica messaggi più vecchi\",\"show_new\":\"Mostra nuovi\",\"up_to_date\":\"Aggiornato\",\"collapse\":\"Riduci\",\"conversation\":\"Conversazione\",\"no_retweet_hint\":\"La visibilità del post è impostata solo per chi ti segue o messaggio diretto e non può essere condiviso\",\"repeated\":\"condiviso\"},\"user_card\":{\"follow\":\"Segui\",\"followees\":\"Chi stai seguendo\",\"followers\":\"Chi ti segue\",\"following\":\"Lo stai seguendo!\",\"follows_you\":\"Ti segue!\",\"mute\":\"Silenzia\",\"muted\":\"Silenziato\",\"per_day\":\"al giorno\",\"statuses\":\"Messaggi\",\"approve\":\"Approva\",\"block\":\"Blocca\",\"blocked\":\"Bloccato!\",\"deny\":\"Nega\",\"remote_follow\":\"Segui da remoto\"},\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Opzioni di visibilità\",\"text_limit\":\"Lunghezza limite\",\"title\":\"Caratteristiche\",\"who_to_follow\":\"Chi seguire\"},\"finder\":{\"error_fetching_user\":\"Errore nel recupero dell'utente\",\"find_user\":\"Trova utente\"},\"login\":{\"login\":\"Accedi\",\"logout\":\"Disconnettiti\",\"password\":\"Password\",\"placeholder\":\"es. lain\",\"register\":\"Registrati\",\"username\":\"Nome utente\"},\"post_status\":{\"account_not_locked_warning\":\"Il tuo account non è {0}. Chiunque può seguirti e vedere i tuoi post riservati a chi ti segue.\",\"account_not_locked_warning_link\":\"bloccato\",\"attachments_sensitive\":\"Segna allegati come sensibili\",\"content_type\":{\"plain_text\":\"Testo normale\"},\"content_warning\":\"Oggetto (facoltativo)\",\"default\":\"Appena atterrato in L.A.\",\"direct_warning\":\"Questo post sarà visibile solo dagli utenti menzionati.\",\"posting\":\"Pubblica\",\"scope\":{\"direct\":\"Diretto - Pubblicato solo per gli utenti menzionati\",\"private\":\"Solo per chi ti segue - Visibile solo da chi ti segue\",\"public\":\"Pubblico - Visibile sulla sequenza temporale pubblica\",\"unlisted\":\"Non elencato - Non visibile sulla sequenza temporale pubblica\"}},\"registration\":{\"bio\":\"Introduzione\",\"email\":\"Email\",\"fullname\":\"Nome visualizzato\",\"password_confirm\":\"Conferma password\",\"registration\":\"Registrazione\",\"token\":\"Codice d'invito\"},\"user_profile\":{\"timeline_title\":\"Sequenza Temporale dell'Utente\"},\"who_to_follow\":{\"more\":\"Più\",\"who_to_follow\":\"Chi seguire\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/it.json\n// module id = 404\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"チャット\"},\"features_panel\":{\"chat\":\"チャット\",\"gopher\":\"Gopher\",\"media_proxy\":\"メディアプロクシ\",\"scope_options\":\"こうかいはんいせんたく\",\"text_limit\":\"もじのかず\",\"title\":\"ゆうこうなきのう\",\"who_to_follow\":\"おすすめユーザー\"},\"finder\":{\"error_fetching_user\":\"ユーザーけんさくがエラーになりました。\",\"find_user\":\"ユーザーをさがす\"},\"general\":{\"apply\":\"てきよう\",\"submit\":\"そうしん\"},\"login\":{\"login\":\"ログイン\",\"description\":\"OAuthでログイン\",\"logout\":\"ログアウト\",\"password\":\"パスワード\",\"placeholder\":\"れい: lain\",\"register\":\"はじめる\",\"username\":\"ユーザーめい\"},\"nav\":{\"about\":\"これはなに?\",\"back\":\"もどる\",\"chat\":\"ローカルチャット\",\"friend_requests\":\"フォローリクエスト\",\"mentions\":\"メンション\",\"dms\":\"ダイレクトメッセージ\",\"public_tl\":\"パブリックタイムライン\",\"timeline\":\"タイムライン\",\"twkn\":\"つながっているすべてのネットワーク\",\"user_search\":\"ユーザーをさがす\",\"who_to_follow\":\"おすすめユーザー\",\"preferences\":\"せってい\"},\"notifications\":{\"broken_favorite\":\"ステータスがみつかりません。さがしています...\",\"favorited_you\":\"あなたのステータスがおきにいりされました\",\"followed_you\":\"フォローされました\",\"load_older\":\"ふるいつうちをみる\",\"notifications\":\"つうち\",\"read\":\"よんだ!\",\"repeated_you\":\"あなたのステータスがリピートされました\"},\"post_status\":{\"new_status\":\"とうこうする\",\"account_not_locked_warning\":\"あなたのアカウントは {0} ではありません。あなたをフォローすれば、だれでも、フォロワーげんていのステータスをよむことができます。\",\"account_not_locked_warning_link\":\"ロックされたアカウント\",\"attachments_sensitive\":\"ファイルをNSFWにする\",\"content_type\":{\"plain_text\":\"プレーンテキスト\"},\"content_warning\":\"せつめい (かかなくてもよい)\",\"default\":\"はねだくうこうに、つきました。\",\"direct_warning\":\"このステータスは、メンションされたユーザーだけが、よむことができます。\",\"posting\":\"とうこう\",\"scope\":{\"direct\":\"ダイレクト: メンションされたユーザーのみにとどきます。\",\"private\":\"フォロワーげんてい: フォロワーのみにとどきます。\",\"public\":\"パブリック: パブリックタイムラインにとどきます。\",\"unlisted\":\"アンリステッド: パブリックタイムラインにとどきません。\"}},\"registration\":{\"bio\":\"プロフィール\",\"email\":\"Eメール\",\"fullname\":\"スクリーンネーム\",\"password_confirm\":\"パスワードのかくにん\",\"registration\":\"はじめる\",\"token\":\"しょうたいトークン\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"もじがよめないときは、がぞうをクリックすると、あたらしいがぞうになります\",\"validations\":{\"username_required\":\"なにかかいてください\",\"fullname_required\":\"なにかかいてください\",\"email_required\":\"なにかかいてください\",\"password_required\":\"なにかかいてください\",\"password_confirmation_required\":\"なにかかいてください\",\"password_confirmation_match\":\"パスワードがちがいます\"}},\"settings\":{\"attachmentRadius\":\"ファイル\",\"attachments\":\"ファイル\",\"autoload\":\"したにスクロールしたとき、じどうてきによみこむ。\",\"avatar\":\"アバター\",\"avatarAltRadius\":\"つうちのアバター\",\"avatarRadius\":\"アバター\",\"background\":\"バックグラウンド\",\"bio\":\"プロフィール\",\"btnRadius\":\"ボタン\",\"cBlue\":\"リプライとフォロー\",\"cGreen\":\"リピート\",\"cOrange\":\"おきにいり\",\"cRed\":\"キャンセル\",\"change_password\":\"パスワードをかえる\",\"change_password_error\":\"パスワードをかえることが、できなかったかもしれません。\",\"changed_password\":\"パスワードが、かわりました!\",\"collapse_subject\":\"せつめいのあるとうこうをたたむ\",\"composing\":\"とうこう\",\"confirm_new_password\":\"あたらしいパスワードのかくにん\",\"current_avatar\":\"いまのアバター\",\"current_password\":\"いまのパスワード\",\"current_profile_banner\":\"いまのプロフィールバナー\",\"data_import_export_tab\":\"インポートとエクスポート\",\"default_vis\":\"デフォルトのこうかいはんい\",\"delete_account\":\"アカウントをけす\",\"delete_account_description\":\"あなたのアカウントとメッセージが、きえます。\",\"delete_account_error\":\"アカウントをけすことが、できなかったかもしれません。インスタンスのかんりしゃに、れんらくしてください。\",\"delete_account_instructions\":\"ほんとうにアカウントをけしてもいいなら、パスワードをかいてください。\",\"export_theme\":\"セーブ\",\"filtering\":\"フィルタリング\",\"filtering_explanation\":\"これらのことばをふくむすべてのものがミュートされます。1ぎょうに1つのことばをかいてください。\",\"follow_export\":\"フォローのエクスポート\",\"follow_export_button\":\"エクスポート\",\"follow_export_processing\":\"おまちください。まもなくファイルをダウンロードできます。\",\"follow_import\":\"フォローインポート\",\"follow_import_error\":\"フォローのインポートがエラーになりました。\",\"follows_imported\":\"フォローがインポートされました! すこしじかんがかかるかもしれません。\",\"foreground\":\"フォアグラウンド\",\"general\":\"ぜんぱん\",\"hide_attachments_in_convo\":\"スレッドのファイルをかくす\",\"hide_attachments_in_tl\":\"タイムラインのファイルをかくす\",\"hide_isp\":\"インスタンススペシフィックパネルをかくす\",\"preload_images\":\"がぞうをさきよみする\",\"hide_post_stats\":\"とうこうのとうけいをかくす (れい: おきにいりのかず)\",\"hide_user_stats\":\"ユーザーのとうけいをかくす (れい: フォロワーのかず)\",\"import_followers_from_a_csv_file\":\"CSVファイルからフォローをインポートする\",\"import_theme\":\"ロード\",\"inputRadius\":\"インプットフィールド\",\"checkboxRadius\":\"チェックボックス\",\"instance_default\":\"(デフォルト: {value})\",\"instance_default_simple\":\"(デフォルト)\",\"interface\":\"インターフェース\",\"interfaceLanguage\":\"インターフェースのことば\",\"invalid_theme_imported\":\"このファイルはPleromaのテーマではありません。テーマはへんこうされませんでした。\",\"limited_availability\":\"あなたのブラウザではできません\",\"links\":\"リンク\",\"lock_account_description\":\"あなたがみとめたひとだけ、あなたのアカウントをフォローできる\",\"loop_video\":\"ビデオをくりかえす\",\"loop_video_silent_only\":\"おとのないビデオだけくりかえす\",\"name\":\"なまえ\",\"name_bio\":\"なまえとプロフィール\",\"new_password\":\"あたらしいパスワード\",\"notification_visibility\":\"ひょうじするつうち\",\"notification_visibility_follows\":\"フォロー\",\"notification_visibility_likes\":\"おきにいり\",\"notification_visibility_mentions\":\"メンション\",\"notification_visibility_repeats\":\"リピート\",\"no_rich_text_description\":\"リッチテキストをつかわない\",\"hide_followings_description\":\"フォローしている人を表示しない\",\"hide_followers_description\":\"フォローしている人を表示しない\",\"nsfw_clickthrough\":\"NSFWなファイルをかくす\",\"panelRadius\":\"パネル\",\"pause_on_unfocused\":\"タブにフォーカスがないときストリーミングをとめる\",\"presets\":\"プリセット\",\"profile_background\":\"プロフィールのバックグラウンド\",\"profile_banner\":\"プロフィールバナー\",\"profile_tab\":\"プロフィール\",\"radii_help\":\"インターフェースのまるさをせっていする。\",\"replies_in_timeline\":\"タイムラインのリプライ\",\"reply_link_preview\":\"カーソルをかさねたとき、リプライのプレビューをみる\",\"reply_visibility_all\":\"すべてのリプライをみる\",\"reply_visibility_following\":\"わたしにあてられたリプライと、フォローしているひとからのリプライをみる\",\"reply_visibility_self\":\"わたしにあてられたリプライをみる\",\"saving_err\":\"せっていをセーブできませんでした\",\"saving_ok\":\"せっていをセーブしました\",\"security_tab\":\"セキュリティ\",\"scope_copy\":\"リプライするとき、こうかいはんいをコピーする (DMのこうかいはんいは、つねにコピーされます)\",\"set_new_avatar\":\"あたらしいアバターをせっていする\",\"set_new_profile_background\":\"あたらしいプロフィールのバックグラウンドをせっていする\",\"set_new_profile_banner\":\"あたらしいプロフィールバナーを設定する\",\"settings\":\"せってい\",\"subject_input_always_show\":\"サブジェクトフィールドをいつでもひょうじする\",\"subject_line_behavior\":\"リプライするときサブジェクトをコピーする\",\"subject_line_email\":\"メールふう: \\\"re: サブジェクト\\\"\",\"subject_line_mastodon\":\"マストドンふう: そのままコピー\",\"subject_line_noop\":\"コピーしない\",\"stop_gifs\":\"カーソルをかさねたとき、GIFをうごかす\",\"streaming\":\"うえまでスクロールしたとき、じどうてきにストリーミングする\",\"text\":\"もじ\",\"theme\":\"テーマ\",\"theme_help\":\"カラーテーマをカスタマイズできます\",\"theme_help_v2_1\":\"チェックボックスをONにすると、コンポーネントごとに、いろと、とうめいどを、オーバーライドできます。「すべてクリア」ボタンをおすと、すべてのオーバーライドを、やめます。\",\"theme_help_v2_2\":\"バックグラウンドとテキストのコントラストをあらわすアイコンがあります。マウスをホバーすると、くわしいせつめいがでます。とうめいないろをつかっているときは、もっともわるいばあいのコントラストがしめされます。\",\"tooltipRadius\":\"ツールチップとアラート\",\"user_settings\":\"ユーザーせってい\",\"values\":{\"false\":\"いいえ\",\"true\":\"はい\"},\"notifications\":\"つうち\",\"enable_web_push_notifications\":\"ウェブプッシュつうちをゆるす\",\"style\":{\"switcher\":{\"keep_color\":\"いろをのこす\",\"keep_shadows\":\"かげをのこす\",\"keep_opacity\":\"とうめいどをのこす\",\"keep_roundness\":\"まるさをのこす\",\"keep_fonts\":\"フォントをのこす\",\"save_load_hint\":\"「のこす」オプションをONにすると、テーマをえらんだときとロードしたとき、いまのせっていをのこします。また、テーマをエクスポートするとき、これらのオプションをストアします。すべてのチェックボックスをOFFにすると、テーマをエクスポートしたとき、すべてのせっていをセーブします。\",\"reset\":\"リセット\",\"clear_all\":\"すべてクリア\",\"clear_opacity\":\"とうめいどをクリア\"},\"common\":{\"color\":\"いろ\",\"opacity\":\"とうめいど\",\"contrast\":{\"hint\":\"コントラストは {ratio} です。{level}。({context})\",\"level\":{\"aa\":\"AAレベルガイドライン (ミニマル) をみたします\",\"aaa\":\"AAAレベルガイドライン (レコメンデッド) をみたします。\",\"bad\":\"ガイドラインをみたしません。\"},\"context\":{\"18pt\":\"おおきい (18ポイントいじょう) テキスト\",\"text\":\"テキスト\"}}},\"common_colors\":{\"_tab_label\":\"きょうつう\",\"main\":\"きょうつうのいろ\",\"foreground_hint\":\"「くわしく」タブで、もっとこまかくせっていできます\",\"rgbo\":\"アイコンとアクセントとバッジ\"},\"advanced_colors\":{\"_tab_label\":\"くわしく\",\"alert\":\"アラートのバックグラウンド\",\"alert_error\":\"エラー\",\"badge\":\"バッジのバックグラウンド\",\"badge_notification\":\"つうち\",\"panel_header\":\"パネルヘッダー\",\"top_bar\":\"トップバー\",\"borders\":\"さかいめ\",\"buttons\":\"ボタン\",\"inputs\":\"インプットフィールド\",\"faint_text\":\"うすいテキスト\"},\"radii\":{\"_tab_label\":\"まるさ\"},\"shadows\":{\"_tab_label\":\"ひかりとかげ\",\"component\":\"コンポーネント\",\"override\":\"オーバーライド\",\"shadow_id\":\"かげ #{value}\",\"blur\":\"ぼかし\",\"spread\":\"ひろがり\",\"inset\":\"うちがわ\",\"hint\":\"かげのせっていでは、いろのあたいとして --variable をつかうことができます。これはCSS3へんすうです。ただし、とうめいどのせっていは、きかなくなります。\",\"filter_hint\":{\"always_drop_shadow\":\"ブラウザーがサポートしていれば、つねに {0} がつかわれます。\",\"drop_shadow_syntax\":\"{0} は、{1} パラメーターと {2} キーワードをサポートしていません。\",\"avatar_inset\":\"うちがわのかげと、そとがわのかげを、いっしょにつかうと、とうめいなアバターが、へんなみためになります。\",\"spread_zero\":\"ひろがりが 0 よりもおおきなかげは、0 とおなじです。\",\"inset_classic\":\"うちがわのかげは {0} をつかいます。\"},\"components\":{\"panel\":\"パネル\",\"panelHeader\":\"パネルヘッダー\",\"topBar\":\"トップバー\",\"avatar\":\"ユーザーアバター (プロフィール)\",\"avatarStatus\":\"ユーザーアバター (とうこう)\",\"popup\":\"ポップアップとツールチップ\",\"button\":\"ボタン\",\"buttonHover\":\"ボタン (ホバー)\",\"buttonPressed\":\"ボタン (おされているとき)\",\"buttonPressedHover\":\"ボタン (ホバー、かつ、おされているとき)\",\"input\":\"インプットフィールド\"}},\"fonts\":{\"_tab_label\":\"フォント\",\"help\":\"「カスタム」をえらんだときは、システムにあるフォントのなまえを、ただしくにゅうりょくしてください。\",\"components\":{\"interface\":\"インターフェース\",\"input\":\"インプットフィールド\",\"post\":\"とうこう\",\"postCode\":\"モノスペース (とうこうがリッチテキストであるとき)\"},\"family\":\"フォントめい\",\"size\":\"おおきさ (px)\",\"weight\":\"ふとさ\",\"custom\":\"カスタム\"},\"preview\":{\"header\":\"プレビュー\",\"content\":\"ほんぶん\",\"error\":\"エラーのれい\",\"button\":\"ボタン\",\"text\":\"これは{0}と{1}のれいです。\",\"mono\":\"monospace\",\"input\":\"はねだくうこうに、つきました。\",\"faint_link\":\"とてもたすけになるマニュアル\",\"fine_print\":\"わたしたちの{0}を、よまないでください!\",\"header_faint\":\"エラーではありません\",\"checkbox\":\"りようきやくを、よみました\",\"link\":\"ハイパーリンク\"}}},\"timeline\":{\"collapse\":\"たたむ\",\"conversation\":\"スレッド\",\"error_fetching\":\"よみこみがエラーになりました\",\"load_older\":\"ふるいステータス\",\"no_retweet_hint\":\"とうこうを「フォロワーのみ」または「ダイレクト」にすると、リピートできなくなります\",\"repeated\":\"リピート\",\"show_new\":\"よみこみ\",\"up_to_date\":\"さいしん\"},\"user_card\":{\"approve\":\"うけいれ\",\"block\":\"ブロック\",\"blocked\":\"ブロックしています!\",\"deny\":\"おことわり\",\"follow\":\"フォロー\",\"follow_sent\":\"リクエストを、おくりました!\",\"follow_progress\":\"リクエストしています…\",\"follow_again\":\"ふたたびリクエストをおくりますか?\",\"follow_unfollow\":\"フォローをやめる\",\"followees\":\"フォロー\",\"followers\":\"フォロワー\",\"following\":\"フォローしています!\",\"follows_you\":\"フォローされました!\",\"its_you\":\"これはあなたです!\",\"mute\":\"ミュート\",\"muted\":\"ミュートしています!\",\"per_day\":\"/日\",\"remote_follow\":\"リモートフォロー\",\"statuses\":\"ステータス\"},\"user_profile\":{\"timeline_title\":\"ユーザータイムライン\"},\"who_to_follow\":{\"more\":\"くわしく\",\"who_to_follow\":\"おすすめユーザー\"},\"tool_tip\":{\"media_upload\":\"メディアをアップロード\",\"repeat\":\"リピート\",\"reply\":\"リプライ\",\"favorite\":\"おきにいり\",\"user_settings\":\"ユーザーせってい\"},\"upload\":{\"error\":{\"base\":\"アップロードにしっぱいしました。\",\"file_too_big\":\"ファイルがおおきすぎます [{filesize} {filesizeunit} / {allowedsize} {allowedsizeunit}]\",\"default\":\"しばらくしてから、ためしてください\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ja.json\n// module id = 405\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"챗\"},\"features_panel\":{\"chat\":\"챗\",\"gopher\":\"고퍼\",\"media_proxy\":\"미디어 프록시\",\"scope_options\":\"범위 옵션\",\"text_limit\":\"텍스트 제한\",\"title\":\"기능\",\"who_to_follow\":\"팔로우 추천\"},\"finder\":{\"error_fetching_user\":\"사용자 정보 불러오기 실패\",\"find_user\":\"사용자 찾기\"},\"general\":{\"apply\":\"적용\",\"submit\":\"보내기\"},\"login\":{\"login\":\"로그인\",\"description\":\"OAuth로 로그인\",\"logout\":\"로그아웃\",\"password\":\"암호\",\"placeholder\":\"예시: lain\",\"register\":\"가입\",\"username\":\"사용자 이름\"},\"nav\":{\"about\":\"About\",\"back\":\"뒤로\",\"chat\":\"로컬 챗\",\"friend_requests\":\"팔로우 요청\",\"mentions\":\"멘션\",\"dms\":\"다이렉트 메시지\",\"public_tl\":\"공개 타임라인\",\"timeline\":\"타임라인\",\"twkn\":\"모든 알려진 네트워크\",\"user_search\":\"사용자 검색\",\"preferences\":\"환경설정\"},\"notifications\":{\"broken_favorite\":\"알 수 없는 게시물입니다, 검색 합니다...\",\"favorited_you\":\"당신의 게시물을 즐겨찾기\",\"followed_you\":\"당신을 팔로우\",\"load_older\":\"오래 된 알림 불러오기\",\"notifications\":\"알림\",\"read\":\"읽음!\",\"repeated_you\":\"당신의 게시물을 리핏\"},\"post_status\":{\"new_status\":\"새 게시물 게시\",\"account_not_locked_warning\":\"당신의 계정은 {0} 상태가 아닙니다. 누구나 당신을 팔로우 하고 팔로워 전용 게시물을 볼 수 있습니다.\",\"account_not_locked_warning_link\":\"잠김\",\"attachments_sensitive\":\"첨부물을 민감함으로 설정\",\"content_type\":{\"plain_text\":\"평문\"},\"content_warning\":\"주제 (필수 아님)\",\"default\":\"LA에 도착!\",\"direct_warning\":\"이 게시물을 멘션 된 사용자들에게만 보여집니다\",\"posting\":\"게시\",\"scope\":{\"direct\":\"다이렉트 - 멘션 된 사용자들에게만\",\"private\":\"팔로워 전용 - 팔로워들에게만\",\"public\":\"공개 - 공개 타임라인으로\",\"unlisted\":\"비공개 - 공개 타임라인에 게시 안 함\"}},\"registration\":{\"bio\":\"소개\",\"email\":\"이메일\",\"fullname\":\"표시 되는 이름\",\"password_confirm\":\"암호 확인\",\"registration\":\"가입하기\",\"token\":\"초대 토큰\",\"captcha\":\"캡차\",\"new_captcha\":\"이미지를 클릭해서 새로운 캡차\",\"validations\":{\"username_required\":\"공백으로 둘 수 없습니다\",\"fullname_required\":\"공백으로 둘 수 없습니다\",\"email_required\":\"공백으로 둘 수 없습니다\",\"password_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_required\":\"공백으로 둘 수 없습니다\",\"password_confirmation_match\":\"패스워드와 일치해야 합니다\"}},\"settings\":{\"attachmentRadius\":\"첨부물\",\"attachments\":\"첨부물\",\"autoload\":\"최하단에 도착하면 자동으로 로드 활성화\",\"avatar\":\"아바타\",\"avatarAltRadius\":\"아바타 (알림)\",\"avatarRadius\":\"아바타\",\"background\":\"배경\",\"bio\":\"소개\",\"btnRadius\":\"버튼\",\"cBlue\":\"파랑 (답글, 팔로우)\",\"cGreen\":\"초록 (리트윗)\",\"cOrange\":\"주황 (즐겨찾기)\",\"cRed\":\"빨강 (취소)\",\"change_password\":\"암호 바꾸기\",\"change_password_error\":\"암호를 바꾸는 데 몇 가지 문제가 있습니다.\",\"changed_password\":\"암호를 바꾸었습니다!\",\"collapse_subject\":\"주제를 가진 게시물 접기\",\"composing\":\"작성\",\"confirm_new_password\":\"새 패스워드 확인\",\"current_avatar\":\"현재 아바타\",\"current_password\":\"현재 패스워드\",\"current_profile_banner\":\"현재 프로필 배너\",\"data_import_export_tab\":\"데이터 불러오기 / 내보내기\",\"default_vis\":\"기본 공개 범위\",\"delete_account\":\"계정 삭제\",\"delete_account_description\":\"계정과 메시지를 영구히 삭제.\",\"delete_account_error\":\"계정을 삭제하는데 문제가 있습니다. 계속 발생한다면 인스턴스 관리자에게 문의하세요.\",\"delete_account_instructions\":\"계정 삭제를 확인하기 위해 아래에 패스워드 입력.\",\"export_theme\":\"프리셋 저장\",\"filtering\":\"필터링\",\"filtering_explanation\":\"아래의 단어를 가진 게시물들은 뮤트 됩니다, 한 줄에 하나씩 적으세요\",\"follow_export\":\"팔로우 내보내기\",\"follow_export_button\":\"팔로우 목록을 csv로 내보내기\",\"follow_export_processing\":\"진행 중입니다, 곧 다운로드 가능해 질 것입니다\",\"follow_import\":\"팔로우 불러오기\",\"follow_import_error\":\"팔로우 불러오기 실패\",\"follows_imported\":\"팔로우 목록을 불러왔습니다! 처리에는 시간이 걸립니다.\",\"foreground\":\"전경\",\"general\":\"일반\",\"hide_attachments_in_convo\":\"대화의 첨부물 숨기기\",\"hide_attachments_in_tl\":\"타임라인의 첨부물 숨기기\",\"hide_isp\":\"인스턴스 전용 패널 숨기기\",\"preload_images\":\"이미지 미리 불러오기\",\"hide_post_stats\":\"게시물 통계 숨기기 (즐겨찾기 수 등)\",\"hide_user_stats\":\"사용자 통계 숨기기 (팔로워 수 등)\",\"import_followers_from_a_csv_file\":\"csv 파일에서 팔로우 목록 불러오기\",\"import_theme\":\"프리셋 불러오기\",\"inputRadius\":\"입력 칸\",\"checkboxRadius\":\"체크박스\",\"instance_default\":\"(기본: {value})\",\"instance_default_simple\":\"(기본)\",\"interface\":\"인터페이스\",\"interfaceLanguage\":\"인터페이스 언어\",\"invalid_theme_imported\":\"선택한 파일은 지원하는 플레로마 테마가 아닙니다. 아무런 변경도 일어나지 않았습니다.\",\"limited_availability\":\"이 브라우저에서 사용 불가\",\"links\":\"링크\",\"lock_account_description\":\"계정을 승인 된 팔로워들로 제한\",\"loop_video\":\"비디오 반복재생\",\"loop_video_silent_only\":\"소리가 없는 비디오만 반복 재생 (마스토돈의 \\\"gifs\\\" 같은 것들)\",\"name\":\"이름\",\"name_bio\":\"이름 & 소개\",\"new_password\":\"새 암호\",\"notification_visibility\":\"보여 줄 알림 종류\",\"notification_visibility_follows\":\"팔로우\",\"notification_visibility_likes\":\"좋아함\",\"notification_visibility_mentions\":\"멘션\",\"notification_visibility_repeats\":\"반복\",\"no_rich_text_description\":\"모든 게시물의 서식을 지우기\",\"hide_followings_description\":\"내가 팔로우하는 사람을 표시하지 않음\",\"hide_followers_description\":\"나를 따르는 사람을 보여주지 마라.\",\"nsfw_clickthrough\":\"NSFW 이미지 \\\"클릭해서 보이기\\\"를 활성화\",\"panelRadius\":\"패널\",\"pause_on_unfocused\":\"탭이 활성 상태가 아닐 때 스트리밍 멈추기\",\"presets\":\"프리셋\",\"profile_background\":\"프로필 배경\",\"profile_banner\":\"프로필 배너\",\"profile_tab\":\"프로필\",\"radii_help\":\"인터페이스 모서리 둥글기 (픽셀 단위)\",\"replies_in_timeline\":\"답글을 타임라인에\",\"reply_link_preview\":\"마우스를 올려서 답글 링크 미리보기 활성화\",\"reply_visibility_all\":\"모든 답글 보기\",\"reply_visibility_following\":\"나에게 직접 오는 답글이나 내가 팔로우 중인 사람에게서 오는 답글만 표시\",\"reply_visibility_self\":\"나에게 직접 전송 된 답글만 보이기\",\"saving_err\":\"설정 저장 실패\",\"saving_ok\":\"설정 저장 됨\",\"security_tab\":\"보안\",\"scope_copy\":\"답글을 달 때 공개 범위 따라가리 (다이렉트 메시지는 언제나 따라감)\",\"set_new_avatar\":\"새 아바타 설정\",\"set_new_profile_background\":\"새 프로필 배경 설정\",\"set_new_profile_banner\":\"새 프로필 배너 설정\",\"settings\":\"설정\",\"subject_input_always_show\":\"항상 주제 칸 보이기\",\"subject_line_behavior\":\"답글을 달 때 주제 복사하기\",\"subject_line_email\":\"이메일처럼: \\\"re: 주제\\\"\",\"subject_line_mastodon\":\"마스토돈처럼: 그대로 복사\",\"subject_line_noop\":\"복사 안 함\",\"stop_gifs\":\"GIF파일에 마우스를 올려서 재생\",\"streaming\":\"최상단에 도달하면 자동으로 새 게시물 스트리밍\",\"text\":\"텍스트\",\"theme\":\"테마\",\"theme_help\":\"16진수 색상코드(#rrggbb)를 사용해 색상 테마를 커스터마이즈.\",\"theme_help_v2_1\":\"체크박스를 통해 몇몇 컴포넌트의 색상과 불투명도를 조절 가능, \\\"모두 지우기\\\" 버튼으로 덮어 씌운 것을 모두 취소.\",\"theme_help_v2_2\":\"몇몇 입력칸 밑의 아이콘은 전경/배경 대비 관련 표시등입니다, 마우스를 올려 자세한 정보를 볼 수 있습니다. 투명도 대비 표시등이 가장 최악의 경우를 나타낸다는 것을 유의하세요.\",\"tooltipRadius\":\"툴팁/경고\",\"user_settings\":\"사용자 설정\",\"values\":{\"false\":\"아니오\",\"true\":\"네\"},\"notifications\":\"알림\",\"enable_web_push_notifications\":\"웹 푸시 알림 활성화\",\"style\":{\"switcher\":{\"keep_color\":\"색상 유지\",\"keep_shadows\":\"그림자 유지\",\"keep_opacity\":\"불투명도 유지\",\"keep_roundness\":\"둥글기 유지\",\"keep_fonts\":\"글자체 유지\",\"save_load_hint\":\"\\\"유지\\\" 옵션들은 다른 테마를 고르거나 불러 올 때 현재 설정 된 옵션들을 건드리지 않게 합니다, 테마를 내보내기 할 때도 이 옵션에 따라 저장합니다. 아무 것도 체크 되지 않았다면 모든 설정을 내보냅니다.\",\"reset\":\"초기화\",\"clear_all\":\"모두 지우기\",\"clear_opacity\":\"불투명도 지우기\"},\"common\":{\"color\":\"색상\",\"opacity\":\"불투명도\",\"contrast\":{\"hint\":\"대비율이 {ratio}입니다, 이것은 {context} {level}\",\"level\":{\"aa\":\"AA등급 가이드라인에 부합합니다 (최소한도)\",\"aaa\":\"AAA등급 가이드라인에 부합합니다 (권장)\",\"bad\":\"아무런 가이드라인 등급에도 미치지 못합니다\"},\"context\":{\"18pt\":\"큰 (18pt 이상) 텍스트에 대해\",\"text\":\"텍스트에 대해\"}}},\"common_colors\":{\"_tab_label\":\"일반\",\"main\":\"일반 색상\",\"foreground_hint\":\"\\\"고급\\\" 탭에서 더 자세한 설정이 가능합니다\",\"rgbo\":\"아이콘, 강조, 배지\"},\"advanced_colors\":{\"_tab_label\":\"고급\",\"alert\":\"주의 배경\",\"alert_error\":\"에러\",\"badge\":\"배지 배경\",\"badge_notification\":\"알림\",\"panel_header\":\"패널 헤더\",\"top_bar\":\"상단 바\",\"borders\":\"테두리\",\"buttons\":\"버튼\",\"inputs\":\"입력칸\",\"faint_text\":\"흐려진 텍스트\"},\"radii\":{\"_tab_label\":\"둥글기\"},\"shadows\":{\"_tab_label\":\"그림자와 빛\",\"component\":\"컴포넌트\",\"override\":\"덮어쓰기\",\"shadow_id\":\"그림자 #{value}\",\"blur\":\"흐리기\",\"spread\":\"퍼지기\",\"inset\":\"안쪽으로\",\"hint\":\"그림자에는 CSS3 변수를 --variable을 통해 색상 값으로 사용할 수 있습니다. 불투명도에는 적용 되지 않습니다.\",\"filter_hint\":{\"always_drop_shadow\":\"경고, 이 그림자는 브라우저가 지원하는 경우 항상 {0}을 사용합니다.\",\"drop_shadow_syntax\":\"{0}는 {1} 파라미터와 {2} 키워드를 지원하지 않습니다.\",\"avatar_inset\":\"안쪽과 안쪽이 아닌 그림자를 모두 설정하는 경우 투명 아바타에서 예상치 못 한 결과가 나올 수 있다는 것에 주의해 주세요.\",\"spread_zero\":\"퍼지기가 0보다 큰 그림자는 0으로 설정한 것과 동일하게 보여집니다\",\"inset_classic\":\"안쪽 그림자는 {0}를 사용합니다\"},\"components\":{\"panel\":\"패널\",\"panelHeader\":\"패널 헤더\",\"topBar\":\"상단 바\",\"avatar\":\"사용자 아바타 (프로필 뷰에서)\",\"avatarStatus\":\"사용자 아바타 (게시물에서)\",\"popup\":\"팝업과 툴팁\",\"button\":\"버튼\",\"buttonHover\":\"버튼 (마우스 올렸을 때)\",\"buttonPressed\":\"버튼 (눌렸을 때)\",\"buttonPressedHover\":\"Button (마우스 올림 + 눌림)\",\"input\":\"입력칸\"}},\"fonts\":{\"_tab_label\":\"글자체\",\"help\":\"인터페이스의 요소에 사용 될 글자체를 고르세요. \\\"커스텀\\\"은 시스템에 있는 폰트 이름을 정확히 입력해야 합니다.\",\"components\":{\"interface\":\"인터페이스\",\"input\":\"입력칸\",\"post\":\"게시물 텍스트\",\"postCode\":\"게시물의 고정폭 텍스트 (서식 있는 텍스트)\"},\"family\":\"글자체 이름\",\"size\":\"크기 (px 단위)\",\"weight\":\"굵기\",\"custom\":\"커스텀\"},\"preview\":{\"header\":\"미리보기\",\"content\":\"내용\",\"error\":\"에러 예시\",\"button\":\"버튼\",\"text\":\"더 많은 {0} 그리고 {1}\",\"mono\":\"내용\",\"input\":\"LA에 막 도착!\",\"faint_link\":\"도움 되는 설명서\",\"fine_print\":\"우리의 {0} 를 읽고 도움 되지 않는 것들을 배우자!\",\"header_faint\":\"이건 괜찮아\",\"checkbox\":\"나는 약관을 대충 훑어보았습니다\",\"link\":\"작고 귀여운 링크\"}}},\"timeline\":{\"collapse\":\"접기\",\"conversation\":\"대화\",\"error_fetching\":\"업데이트 불러오기 실패\",\"load_older\":\"더 오래 된 게시물 불러오기\",\"no_retweet_hint\":\"팔로워 전용, 다이렉트 메시지는 반복할 수 없습니다\",\"repeated\":\"반복 됨\",\"show_new\":\"새로운 것 보기\",\"up_to_date\":\"최신 상태\"},\"user_card\":{\"approve\":\"승인\",\"block\":\"차단\",\"blocked\":\"차단 됨!\",\"deny\":\"거부\",\"follow\":\"팔로우\",\"follow_sent\":\"요청 보내짐!\",\"follow_progress\":\"요청 중…\",\"follow_again\":\"요청을 다시 보낼까요?\",\"follow_unfollow\":\"팔로우 중지\",\"followees\":\"팔로우 중\",\"followers\":\"팔로워\",\"following\":\"팔로우 중!\",\"follows_you\":\"당신을 팔로우 합니다!\",\"its_you\":\"당신입니다!\",\"mute\":\"침묵\",\"muted\":\"침묵 됨\",\"per_day\":\" / 하루\",\"remote_follow\":\"원격 팔로우\",\"statuses\":\"게시물\"},\"user_profile\":{\"timeline_title\":\"사용자 타임라인\"},\"who_to_follow\":{\"more\":\"더 보기\",\"who_to_follow\":\"팔로우 추천\"},\"tool_tip\":{\"media_upload\":\"미디어 업로드\",\"repeat\":\"반복\",\"reply\":\"답글\",\"favorite\":\"즐겨찾기\",\"user_settings\":\"사용자 설정\"},\"upload\":{\"error\":{\"base\":\"업로드 실패.\",\"file_too_big\":\"파일이 너무 커요 [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"잠시 후에 다시 시도해 보세요\"},\"file_size_units\":{\"B\":\"바이트\",\"KiB\":\"키비바이트\",\"MiB\":\"메비바이트\",\"GiB\":\"기비바이트\",\"TiB\":\"테비바이트\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ko.json\n// module id = 406\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Nettprat\"},\"features_panel\":{\"chat\":\"Nettprat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Velg mottakere\",\"text_limit\":\"Tekst-grense\",\"title\":\"Egenskaper\",\"who_to_follow\":\"Hvem å følge\"},\"finder\":{\"error_fetching_user\":\"Feil ved henting av bruker\",\"find_user\":\"Finn bruker\"},\"general\":{\"apply\":\"Bruk\",\"submit\":\"Send\"},\"login\":{\"login\":\"Logg inn\",\"logout\":\"Logg ut\",\"password\":\"Passord\",\"placeholder\":\"f. eks lain\",\"register\":\"Registrer\",\"username\":\"Brukernavn\"},\"nav\":{\"chat\":\"Lokal nettprat\",\"friend_requests\":\"Følgeforespørsler\",\"mentions\":\"Nevnt\",\"public_tl\":\"Offentlig Tidslinje\",\"timeline\":\"Tidslinje\",\"twkn\":\"Det hele kjente nettverket\"},\"notifications\":{\"broken_favorite\":\"Ukjent status, leter etter den...\",\"favorited_you\":\"likte din status\",\"followed_you\":\"fulgte deg\",\"load_older\":\"Last eldre varsler\",\"notifications\":\"Varslinger\",\"read\":\"Les!\",\"repeated_you\":\"Gjentok din status\"},\"post_status\":{\"account_not_locked_warning\":\"Kontoen din er ikke {0}. Hvem som helst kan følge deg for å se dine statuser til følgere\",\"account_not_locked_warning_link\":\"låst\",\"attachments_sensitive\":\"Merk vedlegg som sensitive\",\"content_type\":{\"plain_text\":\"Klar tekst\"},\"content_warning\":\"Tema (valgfritt)\",\"default\":\"Landet akkurat i L.A.\",\"direct_warning\":\"Denne statusen vil kun bli sett av nevnte brukere\",\"posting\":\"Publiserer\",\"scope\":{\"direct\":\"Direkte, publiser bare til nevnte brukere\",\"private\":\"Bare følgere, publiser bare til brukere som følger deg\",\"public\":\"Offentlig, publiser til offentlige tidslinjer\",\"unlisted\":\"Uoppført, ikke publiser til offentlige tidslinjer\"}},\"registration\":{\"bio\":\"Biografi\",\"email\":\"Epost-adresse\",\"fullname\":\"Visningsnavn\",\"password_confirm\":\"Bekreft passord\",\"registration\":\"Registrering\",\"token\":\"Invitasjons-bevis\"},\"settings\":{\"attachmentRadius\":\"Vedlegg\",\"attachments\":\"Vedlegg\",\"autoload\":\"Automatisk lasting når du blar ned til bunnen\",\"avatar\":\"Profilbilde\",\"avatarAltRadius\":\"Profilbilde (Varslinger)\",\"avatarRadius\":\"Profilbilde\",\"background\":\"Bakgrunn\",\"bio\":\"Biografi\",\"btnRadius\":\"Knapper\",\"cBlue\":\"Blå (Svar, følg)\",\"cGreen\":\"Grønn (Gjenta)\",\"cOrange\":\"Oransje (Lik)\",\"cRed\":\"Rød (Avbryt)\",\"change_password\":\"Endre passord\",\"change_password_error\":\"Feil ved endring av passord\",\"changed_password\":\"Passord endret\",\"collapse_subject\":\"Sammenfold statuser med tema\",\"confirm_new_password\":\"Bekreft nytt passord\",\"current_avatar\":\"Ditt nåværende profilbilde\",\"current_password\":\"Nåværende passord\",\"current_profile_banner\":\"Din nåværende profil-banner\",\"data_import_export_tab\":\"Data import / eksport\",\"default_vis\":\"Standard visnings-omfang\",\"delete_account\":\"Slett konto\",\"delete_account_description\":\"Slett din konto og alle dine statuser\",\"delete_account_error\":\"Det oppsto et problem ved sletting av kontoen din, hvis dette problemet forblir kontakt din administrator\",\"delete_account_instructions\":\"Skriv inn ditt passord i feltet nedenfor for å bekrefte sletting av konto\",\"export_theme\":\"Lagre tema\",\"filtering\":\"Filtrering\",\"filtering_explanation\":\"Alle statuser som inneholder disse ordene vil bli dempet, en kombinasjon av tegn per linje\",\"follow_export\":\"Eksporter følginger\",\"follow_export_button\":\"Eksporter følgingene dine til en .csv fil\",\"follow_export_processing\":\"Jobber, du vil snart bli spurt om å laste ned filen din.\",\"follow_import\":\"Importer følginger\",\"follow_import_error\":\"Feil ved importering av følginger.\",\"follows_imported\":\"Følginger importert! Behandling vil ta litt tid.\",\"foreground\":\"Forgrunn\",\"general\":\"Generell\",\"hide_attachments_in_convo\":\"Gjem vedlegg i samtaler\",\"hide_attachments_in_tl\":\"Gjem vedlegg på tidslinje\",\"import_followers_from_a_csv_file\":\"Importer følginger fra en csv fil\",\"import_theme\":\"Last tema\",\"inputRadius\":\"Input felt\",\"instance_default\":\"(standard: {value})\",\"interfaceLanguage\":\"Grensesnitt-språk\",\"invalid_theme_imported\":\"Den valgte filen er ikke ett støttet Pleroma-tema, ingen endringer til ditt tema ble gjort\",\"limited_availability\":\"Ikke tilgjengelig i din nettleser\",\"links\":\"Linker\",\"lock_account_description\":\"Begrens din konto til bare godkjente følgere\",\"loop_video\":\"Gjenta videoer\",\"loop_video_silent_only\":\"Gjenta bare videoer uten lyd, (for eksempel Mastodon sine \\\"gifs\\\")\",\"name\":\"Navn\",\"name_bio\":\"Navn & Biografi\",\"new_password\":\"Nytt passord\",\"notification_visibility\":\"Typer varsler som skal vises\",\"notification_visibility_follows\":\"Følginger\",\"notification_visibility_likes\":\"Likes\",\"notification_visibility_mentions\":\"Nevnt\",\"notification_visibility_repeats\":\"Gjentakelser\",\"no_rich_text_description\":\"Fjern all formatering fra statuser\",\"nsfw_clickthrough\":\"Krev trykk for å vise statuser som kan være upassende\",\"panelRadius\":\"Panel\",\"pause_on_unfocused\":\"Stopp henting av poster når vinduet ikke er i fokus\",\"presets\":\"Forhåndsdefinerte tema\",\"profile_background\":\"Profil-bakgrunn\",\"profile_banner\":\"Profil-banner\",\"profile_tab\":\"Profil\",\"radii_help\":\"Bestem hvor runde hjørnene i brukergrensesnittet skal være (i piksler)\",\"replies_in_timeline\":\"Svar på tidslinje\",\"reply_link_preview\":\"Vis en forhåndsvisning når du holder musen over svar til en status\",\"reply_visibility_all\":\"Vis alle svar\",\"reply_visibility_following\":\"Vis bare svar som er til meg eller folk jeg følger\",\"reply_visibility_self\":\"Vis bare svar som er til meg\",\"saving_err\":\"Feil ved lagring av innstillinger\",\"saving_ok\":\"Innstillinger lagret\",\"security_tab\":\"Sikkerhet\",\"set_new_avatar\":\"Rediger profilbilde\",\"set_new_profile_background\":\"Rediger profil-bakgrunn\",\"set_new_profile_banner\":\"Sett ny profil-banner\",\"settings\":\"Innstillinger\",\"stop_gifs\":\"Spill av GIFs når du holder over dem\",\"streaming\":\"Automatisk strømming av nye statuser når du har bladd til toppen\",\"text\":\"Tekst\",\"theme\":\"Tema\",\"theme_help\":\"Bruk heksadesimale fargekoder (#rrggbb) til å endre farge-temaet ditt.\",\"tooltipRadius\":\"Verktøytips/advarsler\",\"user_settings\":\"Brukerinstillinger\",\"values\":{\"false\":\"nei\",\"true\":\"ja\"}},\"timeline\":{\"collapse\":\"Sammenfold\",\"conversation\":\"Samtale\",\"error_fetching\":\"Feil ved henting av oppdateringer\",\"load_older\":\"Last eldre statuser\",\"no_retweet_hint\":\"Status er markert som bare til følgere eller direkte og kan ikke gjentas\",\"repeated\":\"gjentok\",\"show_new\":\"Vis nye\",\"up_to_date\":\"Oppdatert\"},\"user_card\":{\"approve\":\"Godkjenn\",\"block\":\"Blokker\",\"blocked\":\"Blokkert!\",\"deny\":\"Avslå\",\"follow\":\"Følg\",\"followees\":\"Følger\",\"followers\":\"Følgere\",\"following\":\"Følger!\",\"follows_you\":\"Følger deg!\",\"mute\":\"Demp\",\"muted\":\"Dempet\",\"per_day\":\"per dag\",\"remote_follow\":\"Følg eksternt\",\"statuses\":\"Statuser\"},\"user_profile\":{\"timeline_title\":\"Bruker-tidslinje\"},\"who_to_follow\":{\"more\":\"Mer\",\"who_to_follow\":\"Hvem å følge\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/nb.json\n// module id = 407\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"features_panel\":{\"chat\":\"Chat\",\"gopher\":\"Gopher\",\"media_proxy\":\"Media proxy\",\"scope_options\":\"Zichtbaarheidsopties\",\"text_limit\":\"Tekst limiet\",\"title\":\"Features\",\"who_to_follow\":\"Wie te volgen\"},\"finder\":{\"error_fetching_user\":\"Fout tijdens ophalen gebruiker\",\"find_user\":\"Gebruiker zoeken\"},\"general\":{\"apply\":\"toepassen\",\"submit\":\"Verzend\"},\"login\":{\"login\":\"Log in\",\"description\":\"Log in met OAuth\",\"logout\":\"Log uit\",\"password\":\"Wachtwoord\",\"placeholder\":\"bv. lain\",\"register\":\"Registreer\",\"username\":\"Gebruikersnaam\"},\"nav\":{\"about\":\"Over\",\"back\":\"Terug\",\"chat\":\"Locale Chat\",\"friend_requests\":\"Volgverzoek\",\"mentions\":\"Vermeldingen\",\"dms\":\"Directe Berichten\",\"public_tl\":\"Publieke Tijdlijn\",\"timeline\":\"Tijdlijn\",\"twkn\":\"Het Geheel Gekende Netwerk\",\"user_search\":\"Zoek Gebruiker\",\"who_to_follow\":\"Wie te volgen\",\"preferences\":\"Voorkeuren\"},\"notifications\":{\"broken_favorite\":\"Onbekende status, aan het zoeken...\",\"favorited_you\":\"vond je status leuk\",\"followed_you\":\"volgt jou\",\"load_older\":\"Laad oudere meldingen\",\"notifications\":\"Meldingen\",\"read\":\"Gelezen!\",\"repeated_you\":\"Herhaalde je status\"},\"post_status\":{\"new_status\":\"Post nieuwe status\",\"account_not_locked_warning\":\"Je account is niet {0}. Iedereen die je volgt kan enkel-volgers posts lezen.\",\"account_not_locked_warning_link\":\"gesloten\",\"attachments_sensitive\":\"Markeer bijlage als gevoelig\",\"content_type\":{\"plain_text\":\"Gewone tekst\"},\"content_warning\":\"Onderwerp (optioneel)\",\"default\":\"Tijd voor een pauze!\",\"direct_warning\":\"Deze post zal enkel zichtbaar zijn voor de personen die genoemd zijn.\",\"posting\":\"Plaatsen\",\"scope\":{\"direct\":\"Direct - Post enkel naar genoemde gebruikers\",\"private\":\"Enkel volgers - Post enkel naar volgers\",\"public\":\"Publiek - Post op publieke tijdlijnen\",\"unlisted\":\"Unlisted - Toon niet op publieke tijdlijnen\"}},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Weergave naam\",\"password_confirm\":\"Wachtwoord bevestiging\",\"registration\":\"Registratie\",\"token\":\"Uitnodigingstoken\",\"captcha\":\"CAPTCHA\",\"new_captcha\":\"Klik op de afbeelding voor een nieuwe captcha\",\"validations\":{\"username_required\":\"moet ingevuld zijn\",\"fullname_required\":\"moet ingevuld zijn\",\"email_required\":\"moet ingevuld zijn\",\"password_required\":\"moet ingevuld zijn\",\"password_confirmation_required\":\"moet ingevuld zijn\",\"password_confirmation_match\":\"komt niet overeen met het wachtwoord\"}},\"settings\":{\"attachmentRadius\":\"Bijlages\",\"attachments\":\"Bijlages\",\"autoload\":\"Automatisch laden wanneer tot de bodem gescrold inschakelen\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Meldingen)\",\"avatarRadius\":\"Avatars\",\"background\":\"Achtergrond\",\"bio\":\"Bio\",\"btnRadius\":\"Knoppen\",\"cBlue\":\"Blauw (Antwoord, volgen)\",\"cGreen\":\"Groen (Herhaal)\",\"cOrange\":\"Oranje (Vind ik leuk)\",\"cRed\":\"Rood (Annuleer)\",\"change_password\":\"Verander Wachtwoord\",\"change_password_error\":\"Er was een probleem bij het aanpassen van je wachtwoord.\",\"changed_password\":\"Wachtwoord succesvol aangepast!\",\"collapse_subject\":\"Klap posts met onderwerp in\",\"composing\":\"Samenstellen\",\"confirm_new_password\":\"Bevestig nieuw wachtwoord\",\"current_avatar\":\"Je huidige avatar\",\"current_password\":\"Huidig wachtwoord\",\"current_profile_banner\":\"Je huidige profiel banner\",\"data_import_export_tab\":\"Data Import / Export\",\"default_vis\":\"Standaard zichtbaarheidsscope\",\"delete_account\":\"Verwijder Account\",\"delete_account_description\":\"Verwijder je account en berichten permanent.\",\"delete_account_error\":\"Er was een probleem bij het verwijderen van je account. Indien dit probleem blijft, gelieve de administratie van deze instantie te verwittigen.\",\"delete_account_instructions\":\"Typ je wachtwoord in de input hieronder om het verwijderen van je account te bevestigen.\",\"export_theme\":\"Sla preset op\",\"filtering\":\"Filtering\",\"filtering_explanation\":\"Alle statussen die deze woorden bevatten worden genegeerd, één filter per lijn.\",\"follow_export\":\"Volgers export\",\"follow_export_button\":\"Exporteer je volgers naar een csv file\",\"follow_export_processing\":\"Aan het verwerken, binnen enkele ogenblikken wordt je gevraagd je bestand te downloaden\",\"follow_import\":\"Volgers import\",\"follow_import_error\":\"Fout bij importeren volgers\",\"follows_imported\":\"Volgers geïmporteerd! Het kan even duren om ze allemaal te verwerken.\",\"foreground\":\"Voorgrond\",\"general\":\"Algemeen\",\"hide_attachments_in_convo\":\"Verberg bijlages in conversaties\",\"hide_attachments_in_tl\":\"Verberg bijlages in de tijdlijn\",\"hide_isp\":\"Verberg instantie-specifiek paneel\",\"preload_images\":\"Afbeeldingen voorladen\",\"hide_post_stats\":\"Verberg post statistieken (bv. het aantal vind-ik-leuks)\",\"hide_user_stats\":\"Verberg post statistieken (bv. het aantal volgers)\",\"import_followers_from_a_csv_file\":\"Importeer volgers uit een csv file\",\"import_theme\":\"Laad preset\",\"inputRadius\":\"Invoer velden\",\"checkboxRadius\":\"Checkboxen\",\"instance_default\":\"(standaard: {value})\",\"instance_default_simple\":\"(standaard)\",\"interface\":\"Interface\",\"interfaceLanguage\":\"Interface taal\",\"invalid_theme_imported\":\"Het geselecteerde thema is geen door Pleroma ondersteund thema. Er zijn geen aanpassingen gedaan.\",\"limited_availability\":\"Onbeschikbaar in je browser\",\"links\":\"Links\",\"lock_account_description\":\"Laat volgers enkel toe na expliciete toestemming\",\"loop_video\":\"Speel videos af in een lus\",\"loop_video_silent_only\":\"Speel enkel videos zonder geluid af in een lus (bv. Mastodon's \\\"gifs\\\")\",\"name\":\"Naam\",\"name_bio\":\"Naam & Bio\",\"new_password\":\"Nieuw wachtwoord\",\"notification_visibility\":\"Type meldingen die getoond worden\",\"notification_visibility_follows\":\"Volgers\",\"notification_visibility_likes\":\"Vind-ik-leuks\",\"notification_visibility_mentions\":\"Vermeldingen\",\"notification_visibility_repeats\":\"Herhalingen\",\"no_rich_text_description\":\"Strip rich text formattering van alle posts\",\"hide_network_description\":\"Toon niet wie mij volgt en wie ik volg.\",\"nsfw_clickthrough\":\"Schakel doorklikbaar verbergen van NSFW bijlages in\",\"panelRadius\":\"Panelen\",\"pause_on_unfocused\":\"Pauzeer streamen wanneer de tab niet gefocused is\",\"presets\":\"Presets\",\"profile_background\":\"Profiel Achtergrond\",\"profile_banner\":\"Profiel Banner\",\"profile_tab\":\"Profiel\",\"radii_help\":\"Stel afronding van hoeken in de interface in (in pixels)\",\"replies_in_timeline\":\"Antwoorden in tijdlijn\",\"reply_link_preview\":\"Schakel antwoordlink preview in bij over zweven met muisaanwijzer\",\"reply_visibility_all\":\"Toon alle antwoorden\",\"reply_visibility_following\":\"Toon enkel antwoorden naar mij of andere gebruikers gericht\",\"reply_visibility_self\":\"Toon enkel antwoorden naar mij gericht\",\"saving_err\":\"Fout tijdens opslaan van instellingen\",\"saving_ok\":\"Instellingen opgeslagen\",\"security_tab\":\"Veiligheid\",\"scope_copy\":\"Neem scope over bij antwoorden (Directe Berichten blijven altijd Direct)\",\"set_new_avatar\":\"Zet nieuwe avatar\",\"set_new_profile_background\":\"Zet nieuwe profiel achtergrond\",\"set_new_profile_banner\":\"Zet nieuwe profiel banner\",\"settings\":\"Instellingen\",\"subject_input_always_show\":\"Maak onderwerpveld altijd zichtbaar\",\"subject_line_behavior\":\"Kopieer onderwerp bij antwoorden\",\"subject_line_email\":\"Zoals email: \\\"re: onderwerp\\\"\",\"subject_line_mastodon\":\"Zoals Mastodon: kopieer zoals het is\",\"subject_line_noop\":\"Kopieer niet\",\"stop_gifs\":\"Speel GIFs af bij zweven\",\"streaming\":\"Schakel automatisch streamen van posts in wanneer tot boven gescrold.\",\"text\":\"Tekst\",\"theme\":\"Thema\",\"theme_help\":\"Gebruik hex color codes (#rrggbb) om je kleurschema te wijzigen.\",\"theme_help_v2_1\":\"Je kan ook de kleur en transparantie van bepaalde componenten overschrijven door de checkbox aan te vinken, gebruik de \\\"Wis alles\\\" knop om alle overschrijvingen te annuleren.\",\"theme_help_v2_2\":\"Iconen onder sommige items zijn achtergrond/tekst contrast indicators, zweef er over voor gedetailleerde info. Hou er rekening mee dat bij doorzichtigheid de ergst mogelijke situatie wordt weer gegeven.\",\"tooltipRadius\":\"Gereedschapstips/alarmen\",\"user_settings\":\"Gebruikers Instellingen\",\"values\":{\"false\":\"nee\",\"true\":\"ja\"},\"notifications\":\"Meldingen\",\"enable_web_push_notifications\":\"Schakel web push meldingen in\",\"style\":{\"switcher\":{\"keep_color\":\"Behoud kleuren\",\"keep_shadows\":\"Behoud schaduwen\",\"keep_opacity\":\"Behoud transparantie\",\"keep_roundness\":\"Behoud afrondingen\",\"keep_fonts\":\"Behoud lettertypes\",\"save_load_hint\":\"\\\"Behoud\\\" opties behouden de momenteel ingestelde opties bij het selecteren of laden van thema's, maar slaan ook de genoemde opties op bij het exporteren van een thema. Wanneer alle selectievakjes zijn uitgeschakeld, zal het exporteren van thema's alles opslaan.\",\"reset\":\"Reset\",\"clear_all\":\"Wis alles\",\"clear_opacity\":\"Wis transparantie\"},\"common\":{\"color\":\"Kleur\",\"opacity\":\"Transparantie\",\"contrast\":{\"hint\":\"Contrast ratio is {ratio}, {level} {context}\",\"level\":{\"aa\":\"voldoet aan de richtlijn van niveau AA (minimum)\",\"aaa\":\"voldoet aan de richtlijn van niveau AAA (aangeraden)\",\"bad\":\"voldoet aan geen enkele toegankelijkheidsrichtlijn\"},\"context\":{\"18pt\":\"voor grote (18pt+) tekst\",\"text\":\"voor tekst\"}}},\"common_colors\":{\"_tab_label\":\"Gemeenschappelijk\",\"main\":\"Gemeenschappelijke kleuren\",\"foreground_hint\":\"Zie \\\"Geavanceerd\\\" tab voor meer gedetailleerde controle\",\"rgbo\":\"Iconen, accenten, badges\"},\"advanced_colors\":{\"_tab_label\":\"Geavanceerd\",\"alert\":\"Alarm achtergrond\",\"alert_error\":\"Fout\",\"badge\":\"Badge achtergrond\",\"badge_notification\":\"Meldingen\",\"panel_header\":\"Paneel hoofding\",\"top_bar\":\"Top bar\",\"borders\":\"Randen\",\"buttons\":\"Knoppen\",\"inputs\":\"Invoervelden\",\"faint_text\":\"Vervaagde tekst\"},\"radii\":{\"_tab_label\":\"Rondheid\"},\"shadows\":{\"_tab_label\":\"Schaduw en belichting\",\"component\":\"Component\",\"override\":\"Overschrijven\",\"shadow_id\":\"Schaduw #{value}\",\"blur\":\"Vervagen\",\"spread\":\"Spreid\",\"inset\":\"Inzet\",\"hint\":\"Voor schaduw kan je ook --variable gebruiken als een kleur waarde om CSS3 variabelen te gebruiken. Houd er rekening mee dat het instellen van opaciteit in dit geval niet werkt.\",\"filter_hint\":{\"always_drop_shadow\":\"Waarschuwing, deze schaduw gebruikt altijd {0} als de browser dit ondersteund.\",\"drop_shadow_syntax\":\"{0} ondersteund niet de {1} parameter en {2} sleutelwoord.\",\"avatar_inset\":\"Houd er rekening mee dat het combineren van zowel inzet and niet-inzet schaduwen op transparante avatars onverwachte resultaten kan opleveren.\",\"spread_zero\":\"Schaduw met spreiding > 0 worden weergegeven alsof ze op nul staan\",\"inset_classic\":\"Inzet schaduw zal {0} gebruiken\"},\"components\":{\"panel\":\"Paneel\",\"panelHeader\":\"Paneel hoofding\",\"topBar\":\"Top bar\",\"avatar\":\"Gebruiker avatar (in profiel weergave)\",\"avatarStatus\":\"Gebruiker avatar (in post weergave)\",\"popup\":\"Popups en gereedschapstips\",\"button\":\"Knop\",\"buttonHover\":\"Knop (zweven)\",\"buttonPressed\":\"Knop (ingedrukt)\",\"buttonPressedHover\":\"Knop (ingedrukt+zweven)\",\"input\":\"Invoerveld\"}},\"fonts\":{\"_tab_label\":\"Lettertypes\",\"help\":\"Selecteer het lettertype om te gebruiken voor elementen van de UI.Voor \\\"aangepast\\\" moet je de exacte naam van het lettertype invoeren zoals die in het systeem wordt weergegeven.\",\"components\":{\"interface\":\"Interface\",\"input\":\"Invoervelden\",\"post\":\"Post tekst\",\"postCode\":\"Monospaced tekst in een post (rich text)\"},\"family\":\"Naam lettertype\",\"size\":\"Grootte (in px)\",\"weight\":\"Gewicht (vetheid)\",\"custom\":\"Aangepast\"},\"preview\":{\"header\":\"Voorvertoning\",\"content\":\"Inhoud\",\"error\":\"Voorbeeld fout\",\"button\":\"Knop\",\"text\":\"Nog een boel andere {0} en {1}\",\"mono\":\"inhoud\",\"input\":\"Tijd voor een pauze!\",\"faint_link\":\"handige gebruikershandleiding\",\"fine_print\":\"Lees onze {0} om niets nuttig te leren!\",\"header_faint\":\"Alles komt goed\",\"checkbox\":\"Ik heb de gebruikersvoorwaarden eens van ver bekeken\",\"link\":\"een link\"}}},\"timeline\":{\"collapse\":\"Inklappen\",\"conversation\":\"Conversatie\",\"error_fetching\":\"Fout bij ophalen van updates\",\"load_older\":\"Laad oudere Statussen\",\"no_retweet_hint\":\"Post is gemarkeerd als enkel volgers of direct en kan niet worden herhaald\",\"repeated\":\"herhaalde\",\"show_new\":\"Toon nieuwe\",\"up_to_date\":\"Up-to-date\"},\"user_card\":{\"approve\":\"Goedkeuren\",\"block\":\"Blokkeren\",\"blocked\":\"Geblokkeerd!\",\"deny\":\"Ontzeggen\",\"favorites\":\"Vind-ik-leuks\",\"follow\":\"Volgen\",\"follow_sent\":\"Aanvraag verzonden!\",\"follow_progress\":\"Aanvragen…\",\"follow_again\":\"Aanvraag opnieuw zenden?\",\"follow_unfollow\":\"Stop volgen\",\"followees\":\"Aan het volgen\",\"followers\":\"Volgers\",\"following\":\"Aan het volgen!\",\"follows_you\":\"Volgt jou!\",\"its_you\":\"'t is jij!\",\"mute\":\"Dempen\",\"muted\":\"Gedempt\",\"per_day\":\"per dag\",\"remote_follow\":\"Volg vanop afstand\",\"statuses\":\"Statussen\"},\"user_profile\":{\"timeline_title\":\"Gebruikers Tijdlijn\"},\"who_to_follow\":{\"more\":\"Meer\",\"who_to_follow\":\"Wie te volgen\"},\"tool_tip\":{\"media_upload\":\"Upload Media\",\"repeat\":\"Herhaal\",\"reply\":\"Antwoord\",\"favorite\":\"Vind-ik-leuk\",\"user_settings\":\"Gebruikers Instellingen\"},\"upload\":{\"error\":{\"base\":\"Upload gefaald.\",\"file_too_big\":\"Bestand is te groot [{filesize}{filesizeunit} / {allowedsize}{allowedsizeunit}]\",\"default\":\"Probeer later opnieuw\"},\"file_size_units\":{\"B\":\"B\",\"KiB\":\"KiB\",\"MiB\":\"MiB\",\"GiB\":\"GiB\",\"TiB\":\"TiB\"}}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/nl.json\n// module id = 408\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Messatjariá\"},\"finder\":{\"error_fetching_user\":\"Error pendent la recèrca d’un utilizaire\",\"find_user\":\"Cercar un utilizaire\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Mandar\"},\"login\":{\"login\":\"Connexion\",\"logout\":\"Desconnexion\",\"password\":\"Senhal\",\"placeholder\":\"e.g. lain\",\"register\":\"Se marcar\",\"username\":\"Nom d’utilizaire\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Notificacions\",\"public_tl\":\"Estatuts locals\",\"timeline\":\"Flux d’actualitat\",\"twkn\":\"Lo malhum conegut\",\"friend_requests\":\"Demandas d'abonament\"},\"notifications\":{\"favorited_you\":\"a aimat vòstre estatut\",\"followed_you\":\"vos a seguit\",\"notifications\":\"Notficacions\",\"read\":\"Legit !\",\"repeated_you\":\"a repetit vòstre estatut\",\"broken_favorite\":\"Estatut desconegut, sèm a lo cercar...\",\"load_older\":\"Cargar las notificaciones mai ancianas\"},\"post_status\":{\"content_warning\":\"Avís de contengut (opcional)\",\"default\":\"Escrivètz aquí vòstre estatut.\",\"posting\":\"Mandadís\",\"account_not_locked_warning\":\"Vòstre compte es pas {0}. Qual que siá pòt vos seguir per veire vòstras publicacions destinadas pas qu'a vòstres seguidors.\",\"account_not_locked_warning_link\":\"clavat\",\"attachments_sensitive\":\"Marcar las pèças juntas coma sensiblas\",\"content_type\":{\"plain_text\":\"Tèxte brut\"},\"direct_warning\":\"Aquesta publicacion serà pas que visibla pels utilizaires mencionats.\",\"scope\":{\"direct\":\"Dirècte - Publicar pels utilizaires mencionats solament\",\"private\":\"Seguidors solament - Publicar pels sols seguidors\",\"public\":\"Public - Publicar pel flux d’actualitat public\",\"unlisted\":\"Pas listat - Publicar pas pel flux public\"}},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Adreça de corrièl\",\"fullname\":\"Nom complèt\",\"password_confirm\":\"Confirmar lo senhal\",\"registration\":\"Inscripcion\",\"token\":\"Geton de convidat\"},\"settings\":{\"attachmentRadius\":\"Pèças juntas\",\"attachments\":\"Pèças juntas\",\"autoload\":\"Activar lo cargament automatic un còp arribat al cap de la pagina\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatars (Notificacions)\",\"avatarRadius\":\"Avatars\",\"background\":\"Rèire plan\",\"bio\":\"Biografia\",\"btnRadius\":\"Botons\",\"cBlue\":\"Blau (Respondre, seguir)\",\"cGreen\":\"Verd (Repartajar)\",\"cOrange\":\"Irange (Aimar)\",\"cRed\":\"Roge (Anullar)\",\"change_password\":\"Cambiar lo senhal\",\"change_password_error\":\"Una error s’es producha en cambiant lo senhal.\",\"changed_password\":\"Senhal corrèctament cambiat !\",\"confirm_new_password\":\"Confirmatz lo nòu senhal\",\"current_avatar\":\"Vòstre avatar actual\",\"current_password\":\"Senhal actual\",\"current_profile_banner\":\"Bandièra actuala del perfil\",\"delete_account\":\"Suprimir lo compte\",\"delete_account_description\":\"Suprimir vòstre compte e los messatges per sempre.\",\"delete_account_error\":\"Una error s’es producha en suprimir lo compte. S’aquò ten d’arribar mercés de contactar vòstre administrador d’instància.\",\"delete_account_instructions\":\"Picatz vòstre senhal dins lo camp tèxte çai-jos per confirmar la supression del compte.\",\"filtering\":\"Filtre\",\"filtering_explanation\":\"Totes los estatuts amb aqueles mots seràn en silenci, un mot per linha\",\"follow_export\":\"Exportar los abonaments\",\"follow_export_button\":\"Exportar vòstres abonaments dins un fichièr csv\",\"follow_export_processing\":\"Tractament, vos demandarem lèu de telecargar lo fichièr\",\"follow_import\":\"Importar los abonaments\",\"follow_import_error\":\"Error en important los seguidors\",\"follows_imported\":\"Seguidors importats. Lo tractament pòt trigar una estona.\",\"foreground\":\"Endavant\",\"hide_attachments_in_convo\":\"Rescondre las pèças juntas dins las conversacions\",\"hide_attachments_in_tl\":\"Rescondre las pèças juntas\",\"import_followers_from_a_csv_file\":\"Importar los seguidors d’un fichièr csv\",\"inputRadius\":\"Camps tèxte\",\"links\":\"Ligams\",\"name\":\"Nom\",\"name_bio\":\"Nom & Bio\",\"new_password\":\"Nòu senhal\",\"nsfw_clickthrough\":\"Activar lo clic per mostrar los imatges marcats coma pels adults o sensibles\",\"panelRadius\":\"Panèls\",\"presets\":\"Pre-enregistrats\",\"profile_background\":\"Imatge de fons\",\"profile_banner\":\"Bandièra del perfil\",\"radii_help\":\"Configurar los caires arredondits de l’interfàcia (en pixèls)\",\"reply_link_preview\":\"Activar l’apercebut en passar la mirga\",\"set_new_avatar\":\"Cambiar l’avatar\",\"set_new_profile_background\":\"Cambiar l’imatge de fons\",\"set_new_profile_banner\":\"Cambiar de bandièra\",\"settings\":\"Paramètres\",\"stop_gifs\":\"Lançar los GIFs al subrevòl\",\"streaming\":\"Activar lo cargament automatic dels novèls estatus en anar amont\",\"text\":\"Tèxte\",\"theme\":\"Tèma\",\"theme_help\":\"Emplegatz los còdis de color hex (#rrggbb) per personalizar vòstre tèma de color.\",\"tooltipRadius\":\"Astúcias/Alèrta\",\"user_settings\":\"Paramètres utilizaire\",\"collapse_subject\":\"Replegar las publicacions amb de subjèctes\",\"data_import_export_tab\":\"Importar / Exportar las donadas\",\"default_vis\":\"Nivèl de visibilitat per defaut\",\"export_theme\":\"Enregistrar la preconfiguracion\",\"general\":\"General\",\"hide_post_stats\":\"Amagar los estatistics de publicacion (ex. lo ombre de favorits)\",\"hide_user_stats\":\"Amagar las estatisticas de l’utilizaire (ex. lo nombre de seguidors)\",\"import_theme\":\"Cargar un tèma\",\"instance_default\":\"(defaut : {value})\",\"interfaceLanguage\":\"Lenga de l’interfàcia\",\"invalid_theme_imported\":\"Lo fichièr seleccionat es pas un tèma Pleroma valid. Cap de cambiament es estat fach a vòstre tèma.\",\"limited_availability\":\"Pas disponible per vòstre navigador\",\"lock_account_description\":\"Limitar vòstre compte als seguidors acceptats solament\",\"loop_video\":\"Bocla vidèo\",\"loop_video_silent_only\":\"Legir en bocla solament las vidèos sens son (coma los « Gifs » de Mastodon)\",\"notification_visibility\":\"Tipes de notificacion de mostrar\",\"notification_visibility_follows\":\"Abonaments\",\"notification_visibility_likes\":\"Aiman\",\"notification_visibility_mentions\":\"Mencions\",\"notification_visibility_repeats\":\"Repeticions\",\"no_rich_text_description\":\"Netejar lo format tèxte de totas las publicacions\",\"pause_on_unfocused\":\"Pausar la difusion quand l’onglet es pas seleccionat\",\"profile_tab\":\"Perfil\",\"replies_in_timeline\":\"Responsas del flux\",\"reply_visibility_all\":\"Mostrar totas las responsas\",\"reply_visibility_following\":\"Mostrar pas que las responsas que me son destinada a ieu o un utilizaire que seguissi\",\"reply_visibility_self\":\"Mostrar pas que las responsas que me son destinadas\",\"saving_err\":\"Error en enregistrant los paramètres\",\"saving_ok\":\"Paramètres enregistrats\",\"security_tab\":\"Seguretat\",\"values\":{\"false\":\"non\",\"true\":\"òc\"}},\"timeline\":{\"collapse\":\"Tampar\",\"conversation\":\"Conversacion\",\"error_fetching\":\"Error en cercant de mesas a jorn\",\"load_older\":\"Ne veire mai\",\"repeated\":\"repetit\",\"show_new\":\"Ne veire mai\",\"up_to_date\":\"A jorn\",\"no_retweet_hint\":\"La publicacion marcada coma pels seguidors solament o dirècte pòt pas èsser repetida\"},\"user_card\":{\"block\":\"Blocar\",\"blocked\":\"Blocat !\",\"follow\":\"Seguir\",\"followees\":\"Abonaments\",\"followers\":\"Seguidors\",\"following\":\"Seguit !\",\"follows_you\":\"Vos sèc !\",\"mute\":\"Amagar\",\"muted\":\"Amagat\",\"per_day\":\"per jorn\",\"remote_follow\":\"Seguir a distància\",\"statuses\":\"Estatuts\",\"approve\":\"Validar\",\"deny\":\"Refusar\"},\"user_profile\":{\"timeline_title\":\"Flux utilizaire\"},\"features_panel\":{\"chat\":\"Discutida\",\"gopher\":\"Gopher\",\"media_proxy\":\"Servidor mandatari dels mèdias\",\"scope_options\":\"Opcions d'encastres\",\"text_limit\":\"Limit de tèxte\",\"title\":\"Foncionalitats\",\"who_to_follow\":\"Qui seguir\"},\"who_to_follow\":{\"more\":\"Mai\",\"who_to_follow\":\"Qui seguir\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/oc.json\n// module id = 409\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Czat\"},\"finder\":{\"error_fetching_user\":\"Błąd przy pobieraniu profilu\",\"find_user\":\"Znajdź użytkownika\"},\"general\":{\"apply\":\"Zastosuj\",\"submit\":\"Wyślij\"},\"login\":{\"login\":\"Zaloguj\",\"logout\":\"Wyloguj\",\"password\":\"Hasło\",\"placeholder\":\"n.p. lain\",\"register\":\"Zarejestruj\",\"username\":\"Użytkownik\"},\"nav\":{\"chat\":\"Lokalny czat\",\"mentions\":\"Wzmianki\",\"public_tl\":\"Publiczna oś czasu\",\"timeline\":\"Oś czasu\",\"twkn\":\"Cała znana sieć\"},\"notifications\":{\"favorited_you\":\"dodał twój status do ulubionych\",\"followed_you\":\"obserwuje cię\",\"notifications\":\"Powiadomienia\",\"read\":\"Przeczytane!\",\"repeated_you\":\"powtórzył twój status\"},\"post_status\":{\"default\":\"Właśnie wróciłem z kościoła\",\"posting\":\"Wysyłanie\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Wyświetlana nazwa profilu\",\"password_confirm\":\"Potwierdzenie hasła\",\"registration\":\"Rejestracja\"},\"settings\":{\"attachmentRadius\":\"Załączniki\",\"attachments\":\"Załączniki\",\"autoload\":\"Włącz automatyczne ładowanie po przewinięciu do końca strony\",\"avatar\":\"Awatar\",\"avatarAltRadius\":\"Awatary (powiadomienia)\",\"avatarRadius\":\"Awatary\",\"background\":\"Tło\",\"bio\":\"Bio\",\"btnRadius\":\"Przyciski\",\"cBlue\":\"Niebieski (odpowiedz, obserwuj)\",\"cGreen\":\"Zielony (powtórzenia)\",\"cOrange\":\"Pomarańczowy (ulubione)\",\"cRed\":\"Czerwony (anuluj)\",\"change_password\":\"Zmień hasło\",\"change_password_error\":\"Podczas zmiany hasła wystąpił problem.\",\"changed_password\":\"Hasło zmienione poprawnie!\",\"confirm_new_password\":\"Potwierdź nowe hasło\",\"current_avatar\":\"Twój obecny awatar\",\"current_password\":\"Obecne hasło\",\"current_profile_banner\":\"Twój obecny banner profilu\",\"delete_account\":\"Usuń konto\",\"delete_account_description\":\"Trwale usuń konto i wszystkie posty.\",\"delete_account_error\":\"Wystąpił problem z usuwaniem twojego konta. Jeżeli problem powtarza się, poinformuj administratora swojej instancji.\",\"delete_account_instructions\":\"Wprowadź swoje hasło w poniższe pole aby potwierdzić usunięcie konta.\",\"filtering\":\"Filtrowanie\",\"filtering_explanation\":\"Wszystkie statusy zawierające te słowa będą wyciszone. Jedno słowo na linijkę.\",\"follow_export\":\"Eksport obserwowanych\",\"follow_export_button\":\"Eksportuj swoją listę obserwowanych do pliku CSV\",\"follow_export_processing\":\"Przetwarzanie, wkrótce twój plik zacznie się ściągać.\",\"follow_import\":\"Import obserwowanych\",\"follow_import_error\":\"Błąd przy importowaniu obserwowanych\",\"follows_imported\":\"Obserwowani zaimportowani! Przetwarzanie może trochę potrwać.\",\"foreground\":\"Pierwszy plan\",\"hide_attachments_in_convo\":\"Ukryj załączniki w rozmowach\",\"hide_attachments_in_tl\":\"Ukryj załączniki w osi czasu\",\"import_followers_from_a_csv_file\":\"Importuj obserwowanych z pliku CSV\",\"inputRadius\":\"Pola tekstowe\",\"links\":\"Łącza\",\"name\":\"Imię\",\"name_bio\":\"Imię i bio\",\"new_password\":\"Nowe hasło\",\"nsfw_clickthrough\":\"Włącz domyślne ukrywanie załączników o treści nieprzyzwoitej (NSFW)\",\"panelRadius\":\"Panele\",\"presets\":\"Gotowe motywy\",\"profile_background\":\"Tło profilu\",\"profile_banner\":\"Banner profilu\",\"radii_help\":\"Ustaw zaokrąglenie krawędzi interfejsu (w pikselach)\",\"reply_link_preview\":\"Włącz dymek z podglądem postu po najechaniu na znak odpowiedzi\",\"set_new_avatar\":\"Ustaw nowy awatar\",\"set_new_profile_background\":\"Ustaw nowe tło profilu\",\"set_new_profile_banner\":\"Ustaw nowy banner profilu\",\"settings\":\"Ustawienia\",\"stop_gifs\":\"Odtwarzaj GIFy po najechaniu kursorem\",\"streaming\":\"Włącz automatycznie strumieniowanie nowych postów gdy na początku strony\",\"text\":\"Tekst\",\"theme\":\"Motyw\",\"theme_help\":\"Użyj kolorów w notacji szesnastkowej (#rrggbb), by stworzyć swój motyw.\",\"tooltipRadius\":\"Etykiety/alerty\",\"user_settings\":\"Ustawienia użytkownika\"},\"timeline\":{\"collapse\":\"Zwiń\",\"conversation\":\"Rozmowa\",\"error_fetching\":\"Błąd pobierania\",\"load_older\":\"Załaduj starsze statusy\",\"repeated\":\"powtórzono\",\"show_new\":\"Pokaż nowe\",\"up_to_date\":\"Na bieżąco\"},\"user_card\":{\"block\":\"Zablokuj\",\"blocked\":\"Zablokowany!\",\"follow\":\"Obserwuj\",\"followees\":\"Obserwowani\",\"followers\":\"Obserwujący\",\"following\":\"Obserwowany!\",\"follows_you\":\"Obserwuje cię!\",\"mute\":\"Wycisz\",\"muted\":\"Wyciszony\",\"per_day\":\"dziennie\",\"remote_follow\":\"Zdalna obserwacja\",\"statuses\":\"Statusy\"},\"user_profile\":{\"timeline_title\":\"Oś czasu użytkownika\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/pl.json\n// module id = 410\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Chat\"},\"finder\":{\"error_fetching_user\":\"Erro procurando usuário\",\"find_user\":\"Buscar usuário\"},\"general\":{\"apply\":\"Aplicar\",\"submit\":\"Enviar\"},\"login\":{\"login\":\"Entrar\",\"logout\":\"Sair\",\"password\":\"Senha\",\"placeholder\":\"p.e. lain\",\"register\":\"Registrar\",\"username\":\"Usuário\"},\"nav\":{\"chat\":\"Chat local\",\"mentions\":\"Menções\",\"public_tl\":\"Linha do tempo pública\",\"timeline\":\"Linha do tempo\",\"twkn\":\"Toda a rede conhecida\"},\"notifications\":{\"favorited_you\":\"favoritou sua postagem\",\"followed_you\":\"seguiu você\",\"notifications\":\"Notificações\",\"read\":\"Lido!\",\"repeated_you\":\"repetiu sua postagem\"},\"post_status\":{\"default\":\"Acabei de chegar no Rio!\",\"posting\":\"Publicando\"},\"registration\":{\"bio\":\"Biografia\",\"email\":\"Correio eletrônico\",\"fullname\":\"Nome para exibição\",\"password_confirm\":\"Confirmação de senha\",\"registration\":\"Registro\"},\"settings\":{\"attachmentRadius\":\"Anexos\",\"attachments\":\"Anexos\",\"autoload\":\"Habilitar carregamento automático quando a rolagem chegar ao fim.\",\"avatar\":\"Avatar\",\"avatarAltRadius\":\"Avatares (Notificações)\",\"avatarRadius\":\"Avatares\",\"background\":\"Plano de Fundo\",\"bio\":\"Biografia\",\"btnRadius\":\"Botões\",\"cBlue\":\"Azul (Responder, seguir)\",\"cGreen\":\"Verde (Repetir)\",\"cOrange\":\"Laranja (Favoritar)\",\"cRed\":\"Vermelho (Cancelar)\",\"current_avatar\":\"Seu avatar atual\",\"current_profile_banner\":\"Sua capa de perfil atual\",\"filtering\":\"Filtragem\",\"filtering_explanation\":\"Todas as postagens contendo estas palavras serão silenciadas, uma por linha.\",\"follow_import\":\"Importar seguidas\",\"follow_import_error\":\"Erro ao importar seguidores\",\"follows_imported\":\"Seguidores importados! O processamento pode demorar um pouco.\",\"foreground\":\"Primeiro Plano\",\"hide_attachments_in_convo\":\"Ocultar anexos em conversas\",\"hide_attachments_in_tl\":\"Ocultar anexos na linha do tempo.\",\"import_followers_from_a_csv_file\":\"Importe seguidores a partir de um arquivo CSV\",\"links\":\"Links\",\"name\":\"Nome\",\"name_bio\":\"Nome & Biografia\",\"nsfw_clickthrough\":\"Habilitar clique para ocultar anexos NSFW\",\"panelRadius\":\"Paineis\",\"presets\":\"Predefinições\",\"profile_background\":\"Plano de fundo de perfil\",\"profile_banner\":\"Capa de perfil\",\"radii_help\":\"Arredondar arestas da interface (em píxeis)\",\"reply_link_preview\":\"Habilitar a pré-visualização de link de respostas ao passar o mouse.\",\"set_new_avatar\":\"Alterar avatar\",\"set_new_profile_background\":\"Alterar o plano de fundo de perfil\",\"set_new_profile_banner\":\"Alterar capa de perfil\",\"settings\":\"Configurações\",\"stop_gifs\":\"Reproduzir GIFs ao passar o cursor em cima\",\"streaming\":\"Habilitar o fluxo automático de postagens quando ao topo da página\",\"text\":\"Texto\",\"theme\":\"Tema\",\"theme_help\":\"Use cores em código hexadecimal (#rrggbb) para personalizar seu esquema de cores.\",\"tooltipRadius\":\"Dicass/alertas\",\"user_settings\":\"Configurações de Usuário\"},\"timeline\":{\"conversation\":\"Conversa\",\"error_fetching\":\"Erro buscando atualizações\",\"load_older\":\"Carregar postagens antigas\",\"show_new\":\"Mostrar novas\",\"up_to_date\":\"Atualizado\"},\"user_card\":{\"block\":\"Bloquear\",\"blocked\":\"Bloqueado!\",\"follow\":\"Seguir\",\"followees\":\"Seguindo\",\"followers\":\"Seguidores\",\"following\":\"Seguindo!\",\"follows_you\":\"Segue você!\",\"mute\":\"Silenciar\",\"muted\":\"Silenciado\",\"per_day\":\"por dia\",\"remote_follow\":\"Seguidor Remoto\",\"statuses\":\"Postagens\"},\"user_profile\":{\"timeline_title\":\"Linha do tempo do usuário\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/pt.json\n// module id = 411\n// module chunks = 2","module.exports = {\"finder\":{\"error_fetching_user\":\"Eroare la preluarea utilizatorului\",\"find_user\":\"Găsește utilizator\"},\"general\":{\"submit\":\"trimite\"},\"login\":{\"login\":\"Loghează\",\"logout\":\"Deloghează\",\"password\":\"Parolă\",\"placeholder\":\"d.e. lain\",\"register\":\"Înregistrare\",\"username\":\"Nume utilizator\"},\"nav\":{\"mentions\":\"Menționări\",\"public_tl\":\"Cronologie Publică\",\"timeline\":\"Cronologie\",\"twkn\":\"Toată Reșeaua Cunoscută\"},\"notifications\":{\"followed_you\":\"te-a urmărit\",\"notifications\":\"Notificări\",\"read\":\"Citit!\"},\"post_status\":{\"default\":\"Nu de mult am aterizat în L.A.\",\"posting\":\"Postează\"},\"registration\":{\"bio\":\"Bio\",\"email\":\"Email\",\"fullname\":\"Numele întreg\",\"password_confirm\":\"Cofirmă parola\",\"registration\":\"Îregistrare\"},\"settings\":{\"attachments\":\"Atașamente\",\"autoload\":\"Permite încărcarea automată când scrolat la capăt\",\"avatar\":\"Avatar\",\"bio\":\"Bio\",\"current_avatar\":\"Avatarul curent\",\"current_profile_banner\":\"Bannerul curent al profilului\",\"filtering\":\"Filtru\",\"filtering_explanation\":\"Toate stările care conțin aceste cuvinte vor fi puse pe mut, una pe linie\",\"hide_attachments_in_convo\":\"Ascunde atașamentele în conversații\",\"hide_attachments_in_tl\":\"Ascunde atașamentele în cronologie\",\"name\":\"Nume\",\"name_bio\":\"Nume și Bio\",\"nsfw_clickthrough\":\"Permite ascunderea al atașamentelor NSFW\",\"profile_background\":\"Fundalul de profil\",\"profile_banner\":\"Banner de profil\",\"reply_link_preview\":\"Permite previzualizarea linkului de răspuns la planarea de mouse\",\"set_new_avatar\":\"Setează avatar nou\",\"set_new_profile_background\":\"Setează fundal nou\",\"set_new_profile_banner\":\"Setează banner nou la profil\",\"settings\":\"Setări\",\"theme\":\"Temă\",\"user_settings\":\"Setările utilizatorului\"},\"timeline\":{\"conversation\":\"Conversație\",\"error_fetching\":\"Erare la preluarea actualizărilor\",\"load_older\":\"Încarcă stări mai vechi\",\"show_new\":\"Arată cele noi\",\"up_to_date\":\"La zi\"},\"user_card\":{\"block\":\"Blochează\",\"blocked\":\"Blocat!\",\"follow\":\"Urmărește\",\"followees\":\"Urmărește\",\"followers\":\"Următori\",\"following\":\"Urmărit!\",\"follows_you\":\"Te urmărește!\",\"mute\":\"Pune pe mut\",\"muted\":\"Pus pe mut\",\"per_day\":\"pe zi\",\"statuses\":\"Stări\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ro.json\n// module id = 412\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"Чат\"},\"finder\":{\"error_fetching_user\":\"Пользователь не найден\",\"find_user\":\"Найти пользователя\"},\"general\":{\"apply\":\"Применить\",\"submit\":\"Отправить\"},\"login\":{\"login\":\"Войти\",\"logout\":\"Выйти\",\"password\":\"Пароль\",\"placeholder\":\"e.c. lain\",\"register\":\"Зарегистрироваться\",\"username\":\"Имя пользователя\"},\"nav\":{\"back\":\"Назад\",\"chat\":\"Локальный чат\",\"mentions\":\"Упоминания\",\"public_tl\":\"Публичная лента\",\"timeline\":\"Лента\",\"twkn\":\"Федеративная лента\"},\"notifications\":{\"broken_favorite\":\"Неизвестный статус, ищем...\",\"favorited_you\":\"нравится ваш статус\",\"followed_you\":\"начал(а) читать вас\",\"load_older\":\"Загрузить старые уведомления\",\"notifications\":\"Уведомления\",\"read\":\"Прочесть\",\"repeated_you\":\"повторил(а) ваш статус\"},\"post_status\":{\"account_not_locked_warning\":\"Ваш аккаунт не {0}. Кто угодно может зафоловить вас чтобы прочитать посты только для подписчиков\",\"account_not_locked_warning_link\":\"залочен\",\"attachments_sensitive\":\"Вложения содержат чувствительный контент\",\"content_warning\":\"Тема (не обязательно)\",\"default\":\"Что нового?\",\"direct_warning\":\"Этот пост будет видет только упомянутым пользователям\",\"posting\":\"Отправляется\",\"scope\":{\"direct\":\"Личное - этот пост видят только те кто в нём упомянут\",\"private\":\"Для подписчиков - этот пост видят только подписчики\",\"public\":\"Публичный - этот пост виден всем\",\"unlisted\":\"Непубличный - этот пост не виден на публичных лентах\"}},\"registration\":{\"bio\":\"Описание\",\"email\":\"Email\",\"fullname\":\"Отображаемое имя\",\"password_confirm\":\"Подтверждение пароля\",\"registration\":\"Регистрация\",\"token\":\"Код приглашения\",\"validations\":{\"username_required\":\"не должно быть пустым\",\"fullname_required\":\"не должно быть пустым\",\"email_required\":\"не должен быть пустым\",\"password_required\":\"не должен быть пустым\",\"password_confirmation_required\":\"не должно быть пустым\",\"password_confirmation_match\":\"должно совпадать с паролем\"}},\"settings\":{\"attachmentRadius\":\"Прикреплённые файлы\",\"attachments\":\"Вложения\",\"autoload\":\"Включить автоматическую загрузку при прокрутке вниз\",\"avatar\":\"Аватар\",\"avatarAltRadius\":\"Аватары в уведомлениях\",\"avatarRadius\":\"Аватары\",\"background\":\"Фон\",\"bio\":\"Описание\",\"btnRadius\":\"Кнопки\",\"cBlue\":\"Ответить, читать\",\"cGreen\":\"Повторить\",\"cOrange\":\"Нравится\",\"cRed\":\"Отменить\",\"change_password\":\"Сменить пароль\",\"change_password_error\":\"Произошла ошибка при попытке изменить пароль.\",\"changed_password\":\"Пароль изменён успешно.\",\"collapse_subject\":\"Сворачивать посты с темой\",\"confirm_new_password\":\"Подтверждение нового пароля\",\"current_avatar\":\"Текущий аватар\",\"current_password\":\"Текущий пароль\",\"current_profile_banner\":\"Текущий баннер профиля\",\"data_import_export_tab\":\"Импорт / Экспорт данных\",\"delete_account\":\"Удалить аккаунт\",\"delete_account_description\":\"Удалить ваш аккаунт и все ваши сообщения.\",\"delete_account_error\":\"Возникла ошибка в процессе удаления вашего аккаунта. Если это повторяется, свяжитесь с администратором вашего сервера.\",\"delete_account_instructions\":\"Введите ваш пароль в поле ниже для подтверждения удаления.\",\"export_theme\":\"Сохранить Тему\",\"filtering\":\"Фильтрация\",\"filtering_explanation\":\"Все статусы, содержащие данные слова, будут игнорироваться, по одному в строке\",\"follow_export\":\"Экспортировать читаемых\",\"follow_export_button\":\"Экспортировать читаемых в файл .csv\",\"follow_export_processing\":\"Ведётся обработка, скоро вам будет предложено загрузить файл\",\"follow_import\":\"Импортировать читаемых\",\"follow_import_error\":\"Ошибка при импортировании читаемых.\",\"follows_imported\":\"Список читаемых импортирован. Обработка займёт некоторое время..\",\"foreground\":\"Передний план\",\"general\":\"Общие\",\"hide_attachments_in_convo\":\"Прятать вложения в разговорах\",\"hide_attachments_in_tl\":\"Прятать вложения в ленте\",\"hide_isp\":\"Скрыть серверную панель\",\"import_followers_from_a_csv_file\":\"Импортировать читаемых из файла .csv\",\"import_theme\":\"Загрузить Тему\",\"inputRadius\":\"Поля ввода\",\"checkboxRadius\":\"Чекбоксы\",\"interface\":\"Интерфейс\",\"interfaceLanguage\":\"Язык интерфейса\",\"limited_availability\":\"Не доступно в вашем браузере\",\"links\":\"Ссылки\",\"lock_account_description\":\"Аккаунт доступен только подтверждённым подписчикам\",\"loop_video\":\"Зациливать видео\",\"loop_video_silent_only\":\"Зацикливать только беззвучные видео (т.е. \\\"гифки\\\" с Mastodon)\",\"name\":\"Имя\",\"name_bio\":\"Имя и описание\",\"new_password\":\"Новый пароль\",\"notification_visibility\":\"Показывать уведомления\",\"notification_visibility_follows\":\"Подписки\",\"notification_visibility_likes\":\"Лайки\",\"notification_visibility_mentions\":\"Упоминания\",\"notification_visibility_repeats\":\"Повторы\",\"no_rich_text_description\":\"Убрать форматирование из всех постов\",\"hide_followings_description\":\"Не показывать кого я читаю\",\"hide_followers_description\":\"Не показывать кто читает меня\",\"nsfw_clickthrough\":\"Включить скрытие NSFW вложений\",\"panelRadius\":\"Панели\",\"pause_on_unfocused\":\"Приостановить загрузку когда вкладка не в фокусе\",\"presets\":\"Пресеты\",\"profile_background\":\"Фон профиля\",\"profile_banner\":\"Баннер профиля\",\"profile_tab\":\"Профиль\",\"radii_help\":\"Скругление углов элементов интерфейса (в пикселях)\",\"replies_in_timeline\":\"Ответы в ленте\",\"reply_link_preview\":\"Включить предварительный просмотр ответа при наведении мыши\",\"reply_visibility_all\":\"Показывать все ответы\",\"reply_visibility_following\":\"Показывать только ответы мне и тех на кого я подписан\",\"reply_visibility_self\":\"Показывать только ответы мне\",\"security_tab\":\"Безопасность\",\"set_new_avatar\":\"Загрузить новый аватар\",\"set_new_profile_background\":\"Загрузить новый фон профиля\",\"set_new_profile_banner\":\"Загрузить новый баннер профиля\",\"settings\":\"Настройки\",\"subject_input_always_show\":\"Всегда показывать поле ввода темы\",\"stop_gifs\":\"Проигрывать GIF анимации только при наведении\",\"streaming\":\"Включить автоматическую загрузку новых сообщений при прокрутке вверх\",\"text\":\"Текст\",\"theme\":\"Тема\",\"theme_help\":\"Используйте шестнадцатеричные коды цветов (#rrggbb) для настройки темы.\",\"theme_help_v2_1\":\"Вы так же можете перепоределить цвета определенных компонентов нажав соотв. галочку. Используйте кнопку \\\"Очистить всё\\\" чтобы снять все переопределения\",\"theme_help_v2_2\":\"Под некоторыми полями ввода это идикаторы контрастности, наведите на них мышью чтобы узнать больше. Приспользовании прозрачности контраст расчитывается для наихудшего варианта.\",\"tooltipRadius\":\"Всплывающие подсказки/уведомления\",\"user_settings\":\"Настройки пользователя\",\"style\":{\"switcher\":{\"keep_color\":\"Оставить цвета\",\"keep_shadows\":\"Оставить тени\",\"keep_opacity\":\"Оставить прозрачность\",\"keep_roundness\":\"Оставить скругление\",\"keep_fonts\":\"Оставить шрифты\",\"save_load_hint\":\"Опции \\\"оставить...\\\" позволяют сохранить текущие настройки при выборе другой темы или импорта её из файла. Так же они влияют на то какие компоненты будут сохранены при экспорте темы. Когда все галочки сняты все компоненты будут экспортированы.\",\"reset\":\"Сбросить\",\"clear_all\":\"Очистить всё\",\"clear_opacity\":\"Очистить прозрачность\"},\"common\":{\"color\":\"Цвет\",\"opacity\":\"Прозрачность\",\"contrast\":{\"hint\":\"Уровень контраста: {ratio}, что {level} {context}\",\"level\":{\"aa\":\"соответствует гайдлайну Level AA (минимальный)\",\"aaa\":\"соответствует гайдлайну Level AAA (рекомендуемый)\",\"bad\":\"не соответствует каким либо гайдлайнам\"},\"context\":{\"18pt\":\"для крупного (18pt+) текста\",\"text\":\"для текста\"}}},\"common_colors\":{\"_tab_label\":\"Общие\",\"main\":\"Общие цвета\",\"foreground_hint\":\"См. вкладку \\\"Дополнительно\\\" для более детального контроля\",\"rgbo\":\"Иконки, акценты, ярылки\"},\"advanced_colors\":{\"_tab_label\":\"Дополнительно\",\"alert\":\"Фон уведомлений\",\"alert_error\":\"Ошибки\",\"badge\":\"Фон значков\",\"badge_notification\":\"Уведомления\",\"panel_header\":\"Заголовок панели\",\"top_bar\":\"Верняя полоска\",\"borders\":\"Границы\",\"buttons\":\"Кнопки\",\"inputs\":\"Поля ввода\",\"faint_text\":\"Маловажный текст\"},\"radii\":{\"_tab_label\":\"Скругление\"},\"shadows\":{\"_tab_label\":\"Светотень\",\"component\":\"Компонент\",\"override\":\"Переопределить\",\"shadow_id\":\"Тень №{value}\",\"blur\":\"Размытие\",\"spread\":\"Разброс\",\"inset\":\"Внутренняя\",\"hint\":\"Для теней вы так же можете использовать --variable в качестве цвета чтобы использовать CSS3-переменные. В таком случае прозрачность работать не будет.\",\"filter_hint\":{\"always_drop_shadow\":\"Внимание, эта тень всегда использует {0} когда браузер поддерживает это\",\"drop_shadow_syntax\":\"{0} не поддерживает параметр {1} и ключевое слово {2}\",\"avatar_inset\":\"Одновременное использование внутренних и внешних теней на (прозрачных) аватарках может дать не те результаты что вы ожидаете\",\"spread_zero\":\"Тени с разбросом > 0 будут выглядеть как если бы разброс установлен в 0\",\"inset_classic\":\"Внутренние тени будут использовать {0}\"},\"components\":{\"panel\":\"Панель\",\"panelHeader\":\"Заголовок панели\",\"topBar\":\"Верхняя полоска\",\"avatar\":\"Аватарка (профиль)\",\"avatarStatus\":\"Аватарка (в ленте)\",\"popup\":\"Всплывающие подсказки\",\"button\":\"Кнопки\",\"buttonHover\":\"Кнопки (наведен курсор)\",\"buttonPressed\":\"Кнопки (нажата)\",\"buttonPressedHover\":\"Кнопки (нажата+наведен курсор)\",\"input\":\"Поля ввода\"}},\"fonts\":{\"_tab_label\":\"Шрифты\",\"help\":\"Выберите тип шрифта для использования в интерфейсе. При выборе варианта \\\"другой\\\" надо ввести название шрифта в точности как он называется в системе.\",\"components\":{\"interface\":\"Интерфейс\",\"input\":\"Поля ввода\",\"post\":\"Текст постов\",\"postCode\":\"Моноширинный текст в посте (форматирование)\"},\"family\":\"Шрифт\",\"size\":\"Размер (в пикселях)\",\"weight\":\"Ширина\",\"custom\":\"Другой\"},\"preview\":{\"header\":\"Пример\",\"content\":\"Контент\",\"error\":\"Ошибка стоп 000\",\"button\":\"Кнопка\",\"text\":\"Еще немного {0} и масенькая {1}\",\"mono\":\"контента\",\"input\":\"Что нового?\",\"faint_link\":\"Его придется убрать\",\"fine_print\":\"Если проблемы остались — ваш гуртовщик мыши плохо стоит. {0}.\",\"header_faint\":\"Все идет по плану\",\"checkbox\":\"Я подтверждаю что не было ни единого разрыва\",\"link\":\"ссылка\"}}},\"timeline\":{\"collapse\":\"Свернуть\",\"conversation\":\"Разговор\",\"error_fetching\":\"Ошибка при обновлении\",\"load_older\":\"Загрузить старые статусы\",\"no_retweet_hint\":\"Пост помечен как \\\"только для подписчиков\\\" или \\\"личное\\\" и поэтому не может быть повторён\",\"repeated\":\"повторил(а)\",\"show_new\":\"Показать новые\",\"up_to_date\":\"Обновлено\"},\"user_card\":{\"block\":\"Заблокировать\",\"blocked\":\"Заблокирован\",\"favorites\":\"Понравившиеся\",\"follow\":\"Читать\",\"follow_sent\":\"Запрос отправлен!\",\"follow_progress\":\"Запрашиваем…\",\"follow_again\":\"Запросить еще заново?\",\"follow_unfollow\":\"Перестать читать\",\"followees\":\"Читаемые\",\"followers\":\"Читатели\",\"following\":\"Читаю\",\"follows_you\":\"Читает вас\",\"mute\":\"Игнорировать\",\"muted\":\"Игнорирую\",\"per_day\":\"в день\",\"remote_follow\":\"Читать удалённо\",\"statuses\":\"Статусы\"},\"user_profile\":{\"timeline_title\":\"Лента пользователя\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/ru.json\n// module id = 413\n// module chunks = 2","module.exports = {\"chat\":{\"title\":\"聊天\"},\"features_panel\":{\"chat\":\"聊天\",\"gopher\":\"Gopher\",\"media_proxy\":\"媒体代理\",\"scope_options\":\"可见范围设置\",\"text_limit\":\"文本长度限制\",\"title\":\"功能\",\"who_to_follow\":\"推荐关注\"},\"finder\":{\"error_fetching_user\":\"获取用户时发生错误\",\"find_user\":\"寻找用户\"},\"general\":{\"apply\":\"应用\",\"submit\":\"提交\"},\"login\":{\"login\":\"登录\",\"logout\":\"登出\",\"password\":\"密码\",\"placeholder\":\"例如:lain\",\"register\":\"注册\",\"username\":\"用户名\"},\"nav\":{\"chat\":\"本地聊天\",\"friend_requests\":\"关注请求\",\"mentions\":\"提及\",\"public_tl\":\"公共时间线\",\"timeline\":\"时间线\",\"twkn\":\"所有已知网络\"},\"notifications\":{\"broken_favorite\":\"未知的状态,正在搜索中...\",\"favorited_you\":\"收藏了你的状态\",\"followed_you\":\"关注了你\",\"load_older\":\"加载更早的通知\",\"notifications\":\"通知\",\"read\":\"阅读!\",\"repeated_you\":\"转发了你的状态\"},\"post_status\":{\"account_not_locked_warning\":\"你的帐号没有 {0}。任何人都可以关注你并浏览你的上锁内容。\",\"account_not_locked_warning_link\":\"上锁\",\"attachments_sensitive\":\"标记附件为敏感内容\",\"content_type\":{\"plain_text\":\"纯文本\"},\"content_warning\":\"主题(可选)\",\"default\":\"刚刚抵达上海\",\"direct_warning\":\"本条内容只有被提及的用户能够看到。\",\"posting\":\"发送\",\"scope\":{\"direct\":\"私信 - 只发送给被提及的用户\",\"private\":\"仅关注者 - 只有关注了你的人能看到\",\"public\":\"公共 - 发送到公共时间轴\",\"unlisted\":\"不公开 - 所有人可见,但不会发送到公共时间轴\"}},\"registration\":{\"bio\":\"简介\",\"email\":\"电子邮箱\",\"fullname\":\"全名\",\"password_confirm\":\"确认密码\",\"registration\":\"注册\",\"token\":\"邀请码\"},\"settings\":{\"attachmentRadius\":\"附件\",\"attachments\":\"附件\",\"autoload\":\"启用滚动到底部时的自动加载\",\"avatar\":\"头像\",\"avatarAltRadius\":\"头像(通知)\",\"avatarRadius\":\"头像\",\"background\":\"背景\",\"bio\":\"简介\",\"btnRadius\":\"按钮\",\"cBlue\":\"蓝色(回复,关注)\",\"cGreen\":\"绿色(转发)\",\"cOrange\":\"橙色(收藏)\",\"cRed\":\"红色(取消)\",\"change_password\":\"修改密码\",\"change_password_error\":\"修改密码的时候出了点问题。\",\"changed_password\":\"成功修改了密码!\",\"collapse_subject\":\"折叠带主题的内容\",\"confirm_new_password\":\"确认新密码\",\"current_avatar\":\"当前头像\",\"current_password\":\"当前密码\",\"current_profile_banner\":\"您当前的横幅图片\",\"data_import_export_tab\":\"数据导入/导出\",\"default_vis\":\"默认可见范围\",\"delete_account\":\"删除账户\",\"delete_account_description\":\"永久删除你的帐号和所有消息。\",\"delete_account_error\":\"删除账户时发生错误,如果一直删除不了,请联系实例管理员。\",\"delete_account_instructions\":\"在下面输入你的密码来确认删除账户\",\"export_theme\":\"导出预置主题\",\"filtering\":\"过滤器\",\"filtering_explanation\":\"所有包含以下词汇的内容都会被隐藏,一行一个\",\"follow_export\":\"导出关注\",\"follow_export_button\":\"将关注导出成 csv 文件\",\"follow_export_processing\":\"正在处理,过一会儿就可以下载你的文件了\",\"follow_import\":\"导入关注\",\"follow_import_error\":\"导入关注时错误\",\"follows_imported\":\"关注已导入!尚需要一些时间来处理。\",\"foreground\":\"前景\",\"general\":\"通用\",\"hide_attachments_in_convo\":\"在对话中隐藏附件\",\"hide_attachments_in_tl\":\"在时间线上隐藏附件\",\"hide_post_stats\":\"隐藏推文相关的统计数据(例如:收藏的次数)\",\"hide_user_stats\":\"隐藏用户的统计数据(例如:关注者的数量)\",\"import_followers_from_a_csv_file\":\"从 csv 文件中导入关注\",\"import_theme\":\"导入预置主题\",\"inputRadius\":\"输入框\",\"instance_default\":\"(默认:{value})\",\"interfaceLanguage\":\"界面语言\",\"invalid_theme_imported\":\"您所选择的主题文件不被 Pleroma 支持,因此主题未被修改。\",\"limited_availability\":\"在您的浏览器中无法使用\",\"links\":\"链接\",\"lock_account_description\":\"你需要手动审核关注请求\",\"loop_video\":\"循环视频\",\"loop_video_silent_only\":\"只循环没有声音的视频(例如:Mastodon 里的“GIF”)\",\"name\":\"名字\",\"name_bio\":\"名字及简介\",\"new_password\":\"新密码\",\"notification_visibility\":\"要显示的通知类型\",\"notification_visibility_follows\":\"关注\",\"notification_visibility_likes\":\"点赞\",\"notification_visibility_mentions\":\"提及\",\"notification_visibility_repeats\":\"转发\",\"no_rich_text_description\":\"不显示富文本格式\",\"nsfw_clickthrough\":\"将不和谐附件隐藏,点击才能打开\",\"panelRadius\":\"面板\",\"pause_on_unfocused\":\"在离开页面时暂停时间线推送\",\"presets\":\"预置\",\"profile_background\":\"个人资料背景图\",\"profile_banner\":\"横幅图片\",\"profile_tab\":\"个人资料\",\"radii_help\":\"设置界面边缘的圆角 (单位:像素)\",\"replies_in_timeline\":\"时间线中的回复\",\"reply_link_preview\":\"启用鼠标悬停时预览回复链接\",\"reply_visibility_all\":\"显示所有回复\",\"reply_visibility_following\":\"只显示发送给我的回复/发送给我关注的用户的回复\",\"reply_visibility_self\":\"只显示发送给我的回复\",\"saving_err\":\"保存设置时发生错误\",\"saving_ok\":\"设置已保存\",\"security_tab\":\"安全\",\"set_new_avatar\":\"设置新头像\",\"set_new_profile_background\":\"设置新的个人资料背景\",\"set_new_profile_banner\":\"设置新的横幅图片\",\"settings\":\"设置\",\"stop_gifs\":\"鼠标悬停时播放GIF\",\"streaming\":\"开启滚动到顶部时的自动推送\",\"text\":\"文本\",\"theme\":\"主题\",\"theme_help\":\"使用十六进制代码(#rrggbb)来设置主题颜色。\",\"tooltipRadius\":\"提醒\",\"user_settings\":\"用户设置\",\"values\":{\"false\":\"否\",\"true\":\"是\"}},\"timeline\":{\"collapse\":\"折叠\",\"conversation\":\"对话\",\"error_fetching\":\"获取更新时发生错误\",\"load_older\":\"加载更早的状态\",\"no_retweet_hint\":\"这条内容仅关注者可见,或者是私信,因此不能转发。\",\"repeated\":\"已转发\",\"show_new\":\"显示新内容\",\"up_to_date\":\"已是最新\"},\"user_card\":{\"approve\":\"允许\",\"block\":\"屏蔽\",\"blocked\":\"已屏蔽!\",\"deny\":\"拒绝\",\"follow\":\"关注\",\"followees\":\"正在关注\",\"followers\":\"关注者\",\"following\":\"正在关注!\",\"follows_you\":\"关注了你!\",\"mute\":\"隐藏\",\"muted\":\"已隐藏\",\"per_day\":\"每天\",\"remote_follow\":\"跨站关注\",\"statuses\":\"状态\"},\"user_profile\":{\"timeline_title\":\"用户时间线\"},\"who_to_follow\":{\"more\":\"更多\",\"who_to_follow\":\"推荐关注\"}}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/i18n/zh.json\n// module id = 414\n// module chunks = 2","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 = 415\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 = 416\n// module chunks = 2","module.exports = __webpack_public_path__ + \"static/img/nsfw.74818f9.png\";\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/assets/nsfw.png\n// module id = 588\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 = 591\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-519c4ebc\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./about.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./about.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-519c4ebc\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./about.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/about/about.vue\n// module id = 592\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-205b4e20\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./contrast_ratio.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./contrast_ratio.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-205b4e20\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./contrast_ratio.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/contrast_ratio/contrast_ratio.vue\n// module id = 593\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 = 594\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 = 595\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./dm_timeline.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-55994110\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./dm_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/dm_timeline/dm_timeline.vue\n// module id = 596\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-e5bdcefc\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./export_import.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./export_import.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-e5bdcefc\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./export_import.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/export_import/export_import.vue\n// module id = 597\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 = 598\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 = 599\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-4bc1e940\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./font_control.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./font_control.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-4bc1e940\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./font_control.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/font_control/font_control.vue\n// module id = 600\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 = 601\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-d4665f74\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./gallery.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./gallery.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-d4665f74\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./gallery.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/gallery/gallery.vue\n// module id = 602\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./interface_language_switcher.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-3de351e6\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./interface_language_switcher.vue\"),\n /* scopeId */\n null,\n /* cssModules */\n null\n)\n\nmodule.exports = Component.exports\n\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./src/components/interface_language_switcher/interface_language_switcher.vue\n// module id = 603\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-6efb6640\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./link-preview.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./link-preview.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6efb6640\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./link-preview.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/link-preview/link-preview.vue\n// module id = 604\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-556eb774\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./media_modal.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./media_modal.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-556eb774\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./media_modal.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_modal/media_modal.vue\n// module id = 605\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 = 606\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 = 607\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 = 608\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 = 609\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./oauth_callback.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-410c9440\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./oauth_callback.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/oauth_callback/oauth_callback.vue\n// module id = 610\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 = 611\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 = 612\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!../../../node_modules/vue-loader/lib/selector?type=script&index=0!./range_input.vue\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6553acb2\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./range_input.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/range_input/range_input.vue\n// module id = 613\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 = 614\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 = 615\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 = 616\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-6a1c4fc0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./shadow_control.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./shadow_control.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-6a1c4fc0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./shadow_control.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/shadow_control/shadow_control.vue\n// module id = 617\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-69918754\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./side_drawer.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./side_drawer.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-69918754\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./side_drawer.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/side_drawer/side_drawer.vue\n// module id = 618\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 = 619\n// module chunks = 2","var Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n null,\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-b5c96572\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./preview.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/preview.vue\n// module id = 620\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 = 621\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-1faeb7a0\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./terms_of_service_panel.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./terms_of_service_panel.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1faeb7a0\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./terms_of_service_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/terms_of_service_panel/terms_of_service_panel.vue\n// module id = 622\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 = 623\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 = 624\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-5e33ef5a\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./user_search.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./user_search.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-5e33ef5a\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./user_search.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_search/user_search.vue\n// module id = 625\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 = 626\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-1a7865ca\\\",\\\"scoped\\\":false,\\\"hasInlineConfig\\\":false}!sass-loader?sourceMap!../../../node_modules/vue-loader/lib/selector?type=styles&index=0!./who_to_follow.vue\")\n\nvar Component = require(\"!../../../node_modules/vue-loader/lib/component-normalizer\")(\n /* script */\n require(\"!!babel-loader!./who_to_follow.js\"),\n /* template */\n require(\"!!../../../node_modules/vue-loader/lib/template-compiler/index?{\\\"id\\\":\\\"data-v-1a7865ca\\\"}!../../../node_modules/vue-loader/lib/selector?type=template&index=0!./who_to_follow.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/who_to_follow.vue\n// module id = 627\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 = 628\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 }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.notifications')) + \"\\n \"), (_vm.unseenCount) ? _c('span', {\n staticClass: \"badge badge-notification unseen-count\"\n }, [_vm._v(_vm._s(_vm.unseenCount))]) : _vm._e()]), _vm._v(\" \"), (_vm.error) ? _c('div', {\n staticClass: \"loadmore-error alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.error_fetching')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.unseenCount) ? _c('button', {\n staticClass: \"read-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.markAsSeen($event)\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('notifications.read')))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.visibleNotifications), function(notification) {\n return _c('div', {\n key: notification.action.id,\n staticClass: \"notification\",\n class: {\n \"unseen\": !notification.seen\n }\n }, [_c('div', {\n staticClass: \"notification-overlay\"\n }), _vm._v(\" \"), _c('notification', {\n attrs: {\n \"notification\": notification\n }\n })], 1)\n }), 0), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-footer\"\n }, [(_vm.bottomedOut) ? _c('div', {\n staticClass: \"new-status-notification text-center panel-footer faint\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('notifications.no_more_notifications')) + \"\\n \")]) : (!_vm.loading) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.fetchOlderNotifications()\n }\n }\n }, [_c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_vm._v(_vm._s(_vm.$t('notifications.load_older')))])]) : _c('div', {\n staticClass: \"new-status-notification text-center panel-footer\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\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 = 629\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 }, [_c('div', {\n staticClass: \"container\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_c('StillImage', {\n staticClass: \"avatar\",\n class: {\n \"better-shadow\": _vm.betterShadow\n },\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: \"top-line\"\n }, [(_vm.user.name_html) ? _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.name_html)\n }\n }) : _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(_vm._s(_vm.user.name))]), _vm._v(\" \"), (!_vm.isOtherUser) ? _c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-settings'\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-cog usersettings\",\n attrs: {\n \"title\": _vm.$t('tool_tip.user_settings')\n }\n })]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser) ? _c('a', {\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()], 1), _vm._v(\" \"), _c('router-link', {\n staticClass: \"user-screen-name\",\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_c('span', {\n staticClass: \"handle\"\n }, [_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(\" \"), (!_vm.hideUserStatsLocal && !_vm.hideBio) ? _c('span', {\n staticClass: \"dailyAvg\"\n }, [_vm._v(_vm._s(_vm.dailyAvg) + \" \" + _vm._s(_vm.$t('user_card.per_day')))]) : _vm._e()])], 1)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"user-meta\"\n }, [(_vm.user.follows_you && _vm.loggedIn && _vm.isOtherUser) ? _c('div', {\n staticClass: \"following\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && (_vm.loggedIn || !_vm.switcher)) ? _c('div', {\n staticClass: \"highlighter\"\n }, [(_vm.userHighlightType !== 'disabled') ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightColor),\n expression: \"userHighlightColor\"\n }],\n staticClass: \"userHighlightText\",\n attrs: {\n \"type\": \"text\",\n \"id\": 'userHighlightColorTx' + _vm.user.id\n },\n domProps: {\n \"value\": (_vm.userHighlightColor)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.userHighlightColor = $event.target.value\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.userHighlightType !== 'disabled') ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightColor),\n expression: \"userHighlightColor\"\n }],\n staticClass: \"userHighlightCl\",\n attrs: {\n \"type\": \"color\",\n \"id\": 'userHighlightColor' + _vm.user.id\n },\n domProps: {\n \"value\": (_vm.userHighlightColor)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.userHighlightColor = $event.target.value\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('label', {\n staticClass: \"userHighlightSel select\",\n attrs: {\n \"for\": \"style-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.userHighlightType),\n expression: \"userHighlightType\"\n }],\n staticClass: \"userHighlightSel\",\n attrs: {\n \"id\": 'userHighlightSel' + _vm.user.id\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.userHighlightType = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"disabled\"\n }\n }, [_vm._v(\"No highlight\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"solid\"\n }\n }, [_vm._v(\"Solid bg\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"striped\"\n }\n }, [_vm._v(\"Striped bg\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"side\"\n }\n }, [_vm._v(\"Side stripe\")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]) : _vm._e()]), _vm._v(\" \"), (_vm.isOtherUser) ? _c('div', {\n staticClass: \"user-interactions\"\n }, [(_vm.loggedIn) ? _c('div', {\n staticClass: \"follow\"\n }, [(_vm.user.following) ? _c('span', [_c('button', {\n staticClass: \"pressed\",\n attrs: {\n \"disabled\": _vm.followRequestInProgress,\n \"title\": _vm.$t('user_card.follow_unfollow')\n },\n on: {\n \"click\": _vm.unfollowUser\n }\n }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.following')) + \"\\n \")]], 2)]) : _vm._e(), _vm._v(\" \"), (!_vm.user.following) ? _c('span', [_c('button', {\n attrs: {\n \"disabled\": _vm.followRequestInProgress,\n \"title\": _vm.followRequestSent ? _vm.$t('user_card.follow_again') : ''\n },\n on: {\n \"click\": _vm.followUser\n }\n }, [(_vm.followRequestInProgress) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_progress')) + \"\\n \")] : (_vm.followRequestSent) ? [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow_sent')) + \"\\n \")] : [_vm._v(\"\\n \" + _vm._s(_vm.$t('user_card.follow')) + \"\\n \")]], 2)]) : _vm._e()]) : _vm._e(), _vm._v(\" \"), (_vm.isOtherUser && _vm.loggedIn) ? _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()])]), _vm._v(\" \"), (!_vm.hideBio) ? _c('div', {\n staticClass: \"panel-body profile-panel-body\"\n }, [(!_vm.hideUserStatsLocal || _vm.switcher) ? _c('div', {\n staticClass: \"user-counts\"\n }, [_c('div', {\n staticClass: \"user-count\",\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(\" \"), (!_vm.hideUserStatsLocal) ? _c('span', [_vm._v(_vm._s(_vm.user.statuses_count) + \" \"), _c('br')]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"user-count\",\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(\" \"), (!_vm.hideUserStatsLocal) ? _c('span', [_vm._v(_vm._s(_vm.user.friends_count))]) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"user-count\",\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(\" \"), (!_vm.hideUserStatsLocal) ? _c('span', [_vm._v(_vm._s(_vm.user.followers_count))]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), (!_vm.hideBio && _vm.user.description_html) ? _c('p', {\n staticClass: \"profile-bio\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.description_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }) : (!_vm.hideBio) ? _c('p', {\n staticClass: \"profile-bio\"\n }, [_vm._v(_vm._s(_vm.user.description))]) : _vm._e()]) : _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 = 630\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 class: _vm.classes.root\n }, [_c('div', {\n class: _vm.classes.header\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.title) + \"\\n \")]), _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('button', {\n staticClass: \"loadmore-button\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.showNewStatuses($event)\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.show_new')) + _vm._s(_vm.newStatusCountStr) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.timeline.newStatusCount > 0 && !_vm.timelineError) ? _c('div', {\n staticClass: \"loadmore-text faint\",\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 class: _vm.classes.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 }), 1)]), _vm._v(\" \"), _c('div', {\n class: _vm.classes.footer\n }, [(_vm.bottomedOut) ? _c('div', {\n staticClass: \"new-status-notification text-center panel-footer faint\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.no_more_statuses')) + \"\\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 }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])])])\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 = 631\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 }), 1)])\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 = 632\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"post-status-form\"\n }, [_c('form', {\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n _vm.postStatus(_vm.newStatus)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [(!this.$store.state.users.currentUser.locked && this.newStatus.visibility == 'private') ? _c('i18n', {\n staticClass: \"visibility-notice\",\n attrs: {\n \"path\": \"post_status.account_not_locked_warning\",\n \"tag\": \"p\"\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-settings'\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.account_not_locked_warning_link')))])], 1) : _vm._e(), _vm._v(\" \"), (this.newStatus.visibility == 'direct') ? _c('p', {\n staticClass: \"visibility-notice\"\n }, [_vm._v(_vm._s(_vm.$t('post_status.direct_warning')))]) : _vm._e(), _vm._v(\" \"), (_vm.newStatus.spoilerText || _vm.alwaysShowSubject) ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.spoilerText),\n expression: \"newStatus.spoilerText\"\n }],\n staticClass: \"form-cw\",\n attrs: {\n \"type\": \"text\",\n \"placeholder\": _vm.$t('post_status.content_warning')\n },\n domProps: {\n \"value\": (_vm.newStatus.spoilerText)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"spoilerText\", $event.target.value)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), _c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.status),\n expression: \"newStatus.status\"\n }],\n ref: \"textarea\",\n staticClass: \"form-control\",\n attrs: {\n \"placeholder\": _vm.$t('post_status.default'),\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.newStatus.status)\n },\n on: {\n \"click\": _vm.setCaret,\n \"keyup\": [_vm.setCaret, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n if (!$event.ctrlKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"keydown\": [function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"down\", 40, $event.key, [\"Down\", \"ArrowDown\"])) { return null; }\n return _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"up\", 38, $event.key, [\"Up\", \"ArrowUp\"])) { return null; }\n return _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n if (!$event.shiftKey) { return null; }\n return _vm.cycleBackward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"tab\", 9, $event.key, \"Tab\")) { return null; }\n return _vm.cycleForward($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n return _vm.replaceCandidate($event)\n }, function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n if (!$event.metaKey) { return null; }\n _vm.postStatus(_vm.newStatus)\n }],\n \"drop\": _vm.fileDrop,\n \"dragover\": function($event) {\n $event.preventDefault();\n return _vm.fileDrag($event)\n },\n \"input\": [function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.newStatus, \"status\", $event.target.value)\n }, _vm.resize],\n \"paste\": _vm.paste\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"visibility-tray\"\n }, [(_vm.formattingOptionsEnabled) ? _c('span', {\n staticClass: \"text-format\"\n }, [_c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"post-content-type\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.contentType),\n expression: \"newStatus.contentType\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"id\": \"post-content-type\"\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.$set(_vm.newStatus, \"contentType\", $event.target.multiple ? $$selectedVal : $$selectedVal[0])\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"text/plain\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.content_type.plain_text')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"text/html\"\n }\n }, [_vm._v(\"HTML\")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"text/markdown\"\n }\n }, [_vm._v(\"Markdown\")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n attrs: {\n \"title\": _vm.$t('post_status.scope.direct')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n attrs: {\n \"title\": _vm.$t('post_status.scope.private')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n attrs: {\n \"title\": _vm.$t('post_status.scope.unlisted')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n attrs: {\n \"title\": _vm.$t('post_status.scope.public')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })]) : _vm._e()])], 1), _vm._v(\" \"), (_vm.candidates) ? _c('div', {\n staticStyle: {\n \"position\": \"relative\"\n }\n }, [_c('div', {\n staticClass: \"autocomplete-panel\"\n }, _vm._l((_vm.candidates), function(candidate) {\n return _c('div', {\n on: {\n \"click\": function($event) {\n _vm.replace(candidate.utf || (candidate.screen_name + ' '))\n }\n }\n }, [_c('div', {\n staticClass: \"autocomplete\",\n class: {\n highlighted: candidate.highlighted\n }\n }, [(candidate.img) ? _c('span', [_c('img', {\n attrs: {\n \"src\": candidate.img\n }\n })]) : _c('span', [_vm._v(_vm._s(candidate.utf))]), _vm._v(\" \"), _c('span', [_vm._v(_vm._s(candidate.screen_name)), _c('small', [_vm._v(_vm._s(candidate.name))])])])])\n }), 0)]) : _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.uploadFailed\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: \"button-icon icon-cancel\",\n on: {\n \"click\": _vm.clearError\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"attachments\"\n }, _vm._l((_vm.newStatus.files), function(file) {\n return _c('div', {\n staticClass: \"media-upload-wrapper\"\n }, [_c('i', {\n staticClass: \"fa button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.removeMediaFile(file)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"media-upload-container attachment\"\n }, [(_vm.type(file) === 'image') ? _c('img', {\n staticClass: \"thumbnail media-upload\",\n attrs: {\n \"src\": file.image\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'video') ? _c('video', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'audio') ? _c('audio', {\n attrs: {\n \"src\": file.image,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type(file) === 'unknown') ? _c('a', {\n attrs: {\n \"href\": file.image\n }\n }, [_vm._v(_vm._s(file.url))]) : _vm._e()])])\n }), 0), _vm._v(\" \"), (_vm.newStatus.files.length > 0) ? _c('div', {\n staticClass: \"upload_settings\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newStatus.nsfw),\n expression: \"newStatus.nsfw\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"filesSensitive\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newStatus.nsfw) ? _vm._i(_vm.newStatus.nsfw, null) > -1 : (_vm.newStatus.nsfw)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newStatus.nsfw,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.newStatus, \"nsfw\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.newStatus, \"nsfw\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"filesSensitive\"\n }\n }, [_vm._v(_vm._s(_vm.$t('post_status.attachments_sensitive')))])]) : _vm._e()])])\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 = 633\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 }, [_c('span', {\n staticClass: \"title\"\n }, [_vm._v(\" \" + _vm._s(_vm.$t('timeline.conversation')) + \" \")]), _vm._v(\" \"), (_vm.collapsable) ? _c('span', [_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 }), 1)])])\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 = 634\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 = 635\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: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.users), function(user) {\n return _c('user-card', {\n key: user.id,\n attrs: {\n \"user\": user,\n \"showFollows\": true\n }\n })\n }), 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1a7865ca\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/who_to_follow/who_to_follow.vue\n// module id = 636\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', [(_vm.visibility !== 'private' && _vm.visibility !== 'direct') ? [_c('i', {\n staticClass: \"button-icon retweet-button icon-retweet rt-active\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.retweet()\n }\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()] : [_c('i', {\n staticClass: \"button-icon icon-lock\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('timeline.no_retweet_hint')\n }\n })]], 2) : (!_vm.loggedIn) ? _c('div', [_c('i', {\n staticClass: \"button-icon icon-retweet\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.repeat_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.repeat_num))]) : _vm._e()]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1ca01100\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/retweet_button/retweet_button.vue\n// module id = 637\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', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-body\"\n }, [_c('div', {\n staticClass: \"tos-content\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.content)\n }\n })])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-1faeb7a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/terms_of_service_panel/terms_of_service_panel.vue\n// module id = 638\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.contrast) ? _c('span', {\n staticClass: \"contrast-ratio\"\n }, [_c('span', {\n staticClass: \"rating\",\n attrs: {\n \"title\": _vm.hint\n }\n }, [(_vm.contrast.aaa) ? _c('span', [_c('i', {\n staticClass: \"icon-thumbs-up-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && _vm.contrast.aa) ? _c('span', [_c('i', {\n staticClass: \"icon-adjust\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.aaa && !_vm.contrast.aa) ? _c('span', [_c('i', {\n staticClass: \"icon-attention\"\n })]) : _vm._e()]), _vm._v(\" \"), (_vm.contrast && _vm.large) ? _c('span', {\n staticClass: \"rating\",\n attrs: {\n \"title\": _vm.hint_18pt\n }\n }, [(_vm.contrast.laaa) ? _c('span', [_c('i', {\n staticClass: \"icon-thumbs-up-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && _vm.contrast.laa) ? _c('span', [_c('i', {\n staticClass: \"icon-adjust\"\n })]) : _vm._e(), _vm._v(\" \"), (!_vm.contrast.laaa && !_vm.contrast.laa) ? _c('span', [_c('i', {\n staticClass: \"icon-attention\"\n })]) : _vm._e()]) : _vm._e()]) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-205b4e20\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/contrast_ratio/contrast_ratio.vue\n// module id = 639\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 = 640\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 = 641\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 || !this.floating) ? _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading\",\n class: {\n 'chat-heading': _vm.floating\n },\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \"), (_vm.floating) ? _c('i', {\n staticClass: \"icon-cancel\",\n staticStyle: {\n \"float\": \"right\"\n }\n }) : _vm._e()])]), _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\": _vm.userProfileLink(message.author)\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 }), 0), _vm._v(\" \"), _c('div', {\n staticClass: \"chat-input\"\n }, [_c('textarea', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.currentMessage),\n expression: \"currentMessage\"\n }],\n staticClass: \"chat-input-textarea\",\n attrs: {\n \"rows\": \"1\"\n },\n domProps: {\n \"value\": (_vm.currentMessage)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.submit(_vm.currentMessage)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.currentMessage = $event.target.value\n }\n }\n })])])]) : _c('div', {\n staticClass: \"chat-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading stub timeline-heading chat-heading\",\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.togglePanel($event)\n }\n }\n }, [_c('div', {\n staticClass: \"title\"\n }, [_c('i', {\n staticClass: \"icon-comment-empty\"\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('chat.title')) + \"\\n \")])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-37c7b840\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/chat_panel/chat_panel.vue\n// module id = 642\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', [_c('label', {\n attrs: {\n \"for\": \"interface-language-switcher\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.interfaceLanguage')) + \"\\n \")]), _vm._v(\" \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"interface-language-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.language),\n expression: \"language\"\n }],\n attrs: {\n \"id\": \"interface-language-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.language = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.languageCodes), function(langCode, i) {\n return _c('option', {\n domProps: {\n \"value\": langCode\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.languageNames[i]) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-3de351e6\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/interface_language_switcher/interface_language_switcher.vue\n// module id = 643\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', {\n staticClass: \"user-finder-container\"\n }, [(_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 \"title\": _vm.$t('finder.find_user')\n }\n }, [_c('i', {\n staticClass: \"icon-user-plus user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n return _vm.toggleHidden($event)\n }\n }\n })]) : [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.username),\n expression: \"username\"\n }],\n staticClass: \"user-finder-input\",\n attrs: {\n \"placeholder\": _vm.$t('finder.find_user'),\n \"id\": \"user-finder-input\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.username)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.findUser(_vm.username)\n },\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.username = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"btn search-button\",\n on: {\n \"click\": function($event) {\n _vm.findUser(_vm.username)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-search\"\n })]), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-cancel user-finder-icon\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n $event.stopPropagation();\n return _vm.toggleHidden($event)\n }\n }\n })]], 2)])\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 = 644\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('h1', [_vm._v(\"...\")])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-410c9440\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/oauth_callback/oauth_callback.vue\n// module id = 645\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 = 646\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 }, [(_vm.loginMethod == 'password') ? _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._e(), _vm._v(\" \"), (_vm.loginMethod == 'token') ? _c('form', {\n staticClass: \"login-form\",\n on: {\n \"submit\": function($event) {\n $event.preventDefault();\n return _vm.oAuthLogin($event)\n }\n }\n }, [_c('div', {\n staticClass: \"form-group\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('login.description')))])]), _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._e(), _vm._v(\" \"), (_vm.authError) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.authError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": _vm.clearError\n }\n })])]) : _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 = 647\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 class: {\n 'form-group--error': _vm.$v.user.username.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-username\"\n }\n }, [_vm._v(_vm._s(_vm.$t('login.username')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model.trim\",\n value: (_vm.$v.user.username.$model),\n expression: \"$v.user.username.$model\",\n modifiers: {\n \"trim\": true\n }\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"sign-up-username\",\n \"placeholder\": \"e.g. lain\"\n },\n domProps: {\n \"value\": (_vm.$v.user.username.$model)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.$v.user.username, \"$model\", $event.target.value.trim())\n },\n \"blur\": function($event) {\n _vm.$forceUpdate()\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.username.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.username.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.username_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\",\n class: {\n 'form-group--error': _vm.$v.user.fullname.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-fullname\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.fullname')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model.trim\",\n value: (_vm.$v.user.fullname.$model),\n expression: \"$v.user.fullname.$model\",\n modifiers: {\n \"trim\": true\n }\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"sign-up-fullname\",\n \"placeholder\": \"e.g. Lain Iwakura\"\n },\n domProps: {\n \"value\": (_vm.$v.user.fullname.$model)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.$v.user.fullname, \"$model\", $event.target.value.trim())\n },\n \"blur\": function($event) {\n _vm.$forceUpdate()\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.fullname.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.fullname.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.fullname_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\",\n class: {\n 'form-group--error': _vm.$v.user.email.$error\n }\n }, [_c('label', {\n staticClass: \"form--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.$v.user.email.$model),\n expression: \"$v.user.email.$model\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"email\",\n \"type\": \"email\"\n },\n domProps: {\n \"value\": (_vm.$v.user.email.$model)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.$v.user.email, \"$model\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.email.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.email.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.email_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n staticClass: \"form--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.isPending,\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 class: {\n 'form-group--error': _vm.$v.user.password.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-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.isPending,\n \"id\": \"sign-up-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(\" \"), (_vm.$v.user.password.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.password.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_required')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\",\n class: {\n 'form-group--error': _vm.$v.user.confirm.$error\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"sign-up-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.isPending,\n \"id\": \"sign-up-password-confirmation\",\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.user.confirm)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.user, \"confirm\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), (_vm.$v.user.confirm.$dirty) ? _c('div', {\n staticClass: \"form-error\"\n }, [_c('ul', [(!_vm.$v.user.confirm.required) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_required')))])]) : _vm._e(), _vm._v(\" \"), (!_vm.$v.user.confirm.sameAsPassword) ? _c('li', [_c('span', [_vm._v(_vm._s(_vm.$t('registration.validations.password_confirmation_match')))])]) : _vm._e()])]) : _vm._e(), _vm._v(\" \"), (_vm.captcha.type != 'none') ? _c('div', {\n staticClass: \"form-group\",\n attrs: {\n \"id\": \"captcha-group\"\n }\n }, [_c('label', {\n staticClass: \"form--label\",\n attrs: {\n \"for\": \"captcha-label\"\n }\n }, [_vm._v(_vm._s(_vm.$t('captcha')))]), _vm._v(\" \"), (_vm.captcha.type == 'kocaptcha') ? [_c('img', {\n attrs: {\n \"src\": _vm.captcha.url\n },\n on: {\n \"click\": _vm.setCaptcha\n }\n }), _vm._v(\" \"), _c('sub', [_vm._v(_vm._s(_vm.$t('registration.new_captcha')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.captcha.solution),\n expression: \"captcha.solution\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": _vm.isPending,\n \"id\": \"captcha-answer\",\n \"type\": \"text\",\n \"autocomplete\": \"off\"\n },\n domProps: {\n \"value\": (_vm.captcha.solution)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.captcha, \"solution\", $event.target.value)\n }\n }\n })] : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.token) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('label', {\n attrs: {\n \"for\": \"token\"\n }\n }, [_vm._v(_vm._s(_vm.$t('registration.token')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.token),\n expression: \"token\"\n }],\n staticClass: \"form-control\",\n attrs: {\n \"disabled\": \"true\",\n \"id\": \"token\",\n \"type\": \"text\"\n },\n domProps: {\n \"value\": (_vm.token)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.token = $event.target.value\n }\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"form-group\"\n }, [_c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.isPending,\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.serverValidationErrors.length) ? _c('div', {\n staticClass: \"form-group\"\n }, [_c('div', {\n staticClass: \"alert error\"\n }, _vm._l((_vm.serverValidationErrors), function(error) {\n return _c('span', [_vm._v(_vm._s(error))])\n }), 0)]) : _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 = 648\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: \"features-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default base01-background\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading base02-background base04\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('features_panel.title')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body features-panel\"\n }, [_c('ul', [(_vm.chat) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.chat')))]) : _vm._e(), _vm._v(\" \"), (_vm.gopher) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.gopher')))]) : _vm._e(), _vm._v(\" \"), (_vm.whoToFollow) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.who_to_follow')))]) : _vm._e(), _vm._v(\" \"), (_vm.mediaProxy) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.media_proxy')))]) : _vm._e(), _vm._v(\" \"), (_vm.scopeOptions) ? _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.scope_options')))]) : _vm._e(), _vm._v(\" \"), _c('li', [_vm._v(_vm._s(_vm.$t('features_panel.text_limit')) + \" = \" + _vm._s(_vm.textlimit))])])])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-46b7c7a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/features_panel/features_panel.vue\n// module id = 649\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.id) ? _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 }), _vm._v(\" \"), _c('tab-switcher', [_c('Timeline', {\n attrs: {\n \"label\": _vm.$t('user_card.statuses'),\n \"embedded\": true,\n \"title\": _vm.$t('user_profile.timeline_title'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'user',\n \"user-id\": _vm.fetchBy\n }\n }), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('user_card.followees')\n }\n }, [(_vm.friends) ? _c('div', _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 }), 1) : _c('div', {\n staticClass: \"userlist-placeholder\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('user_card.followers')\n }\n }, [(_vm.followers) ? _c('div', _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 }), 1) : _c('div', {\n staticClass: \"userlist-placeholder\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])]), _vm._v(\" \"), _c('Timeline', {\n attrs: {\n \"label\": _vm.$t('user_card.media'),\n \"embedded\": true,\n \"title\": _vm.$t('user_card.media'),\n \"timeline-name\": \"media\",\n \"timeline\": _vm.media,\n \"user-id\": _vm.fetchBy\n }\n }), _vm._v(\" \"), (_vm.isUs) ? _c('Timeline', {\n attrs: {\n \"label\": _vm.$t('user_card.favorites'),\n \"embedded\": true,\n \"title\": _vm.$t('user_card.favorites'),\n \"timeline-name\": \"favorites\",\n \"timeline\": _vm.favorites\n }\n }) : _vm._e()], 1)], 1) : _c('div', {\n staticClass: \"panel user-profile-placeholder\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.profile_tab')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)])])\n},staticRenderFns: [function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"panel-body\"\n }, [_c('i', {\n staticClass: \"icon-spin3 animate-spin\"\n })])\n}]}\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 = 650\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.usePlaceHolder) ? _c('div', {\n on: {\n \"click\": _vm.openModal\n }\n }, [(_vm.type !== 'html') ? _c('a', {\n staticClass: \"placeholder\",\n attrs: {\n \"target\": \"_blank\",\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(\"\\n [\" + _vm._s(_vm.nsfw ? \"NSFW/\" : \"\") + _vm._s(_vm.type.toUpperCase()) + \"]\\n \")]) : _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 'fullwidth': _vm.fullwidth,\n 'nsfw-placeholder': _vm.hidden\n }, _obj[_vm.type] = true, _obj )\n }, [(_vm.hidden) ? _c('a', {\n staticClass: \"image-attachment\",\n attrs: {\n \"href\": _vm.attachment.url\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleHidden($event)\n }\n }\n }, [_c('img', {\n key: _vm.nsfwImage,\n staticClass: \"nsfw\",\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"src\": _vm.nsfwImage\n }\n }), _vm._v(\" \"), (_vm.type === 'video') ? _c('i', {\n staticClass: \"play-icon icon-play-circled\"\n }) : _vm._e()]) : _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 return _vm.toggleHidden($event)\n }\n }\n }, [_vm._v(\"Hide\")])]) : _vm._e(), _vm._v(\" \"), (_vm.type === 'image' && (!_vm.hidden || _vm.preloadImage)) ? _c('a', {\n staticClass: \"image-attachment\",\n class: {\n 'hidden': _vm.hidden && _vm.preloadImage\n },\n attrs: {\n \"href\": _vm.attachment.url,\n \"target\": \"_blank\",\n \"title\": _vm.attachment.description\n },\n on: {\n \"click\": _vm.openModal\n }\n }, [_c('StillImage', {\n attrs: {\n \"referrerpolicy\": _vm.referrerpolicy,\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('a', {\n staticClass: \"video-container\",\n class: {\n 'small': _vm.isSmall\n },\n attrs: {\n \"href\": _vm.allowPlay ? undefined : _vm.attachment.url\n },\n on: {\n \"click\": _vm.openModal\n }\n }, [_c('VideoAttachment', {\n staticClass: \"video\",\n attrs: {\n \"attachment\": _vm.attachment,\n \"controls\": _vm.allowPlay\n }\n }), _vm._v(\" \"), (!_vm.allowPlay) ? _c('i', {\n staticClass: \"play-icon icon-play-circled\"\n }) : _vm._e()], 1) : _vm._e(), _vm._v(\" \"), (_vm.type === 'audio') ? _c('audio', {\n attrs: {\n \"src\": _vm.attachment.url,\n \"controls\": \"\"\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'html' && _vm.attachment.oembed) ? _c('div', {\n staticClass: \"oembed\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }, [(_vm.attachment.thumb_url) ? _c('div', {\n staticClass: \"image\"\n }, [_c('img', {\n attrs: {\n \"src\": _vm.attachment.thumb_url\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"text\"\n }, [_c('h1', [_c('a', {\n attrs: {\n \"href\": _vm.attachment.url\n }\n }, [_vm._v(_vm._s(_vm.attachment.oembed.title))])]), _vm._v(\" \"), _c('div', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.attachment.oembed.oembedHTML)\n }\n })])]) : _vm._e()])\n var _obj;\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-48d74080\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/attachment/attachment.vue\n// module id = 651\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: \"font-control style-control\",\n class: {\n custom: _vm.isCustom\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.preset === 'custom' ? _vm.name : _vm.name + '-font-switcher'\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exlcude-disabled\",\n attrs: {\n \"type\": \"checkbox\",\n \"id\": _vm.name + '-o'\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": _vm.name + '-font-switcher',\n \"disabled\": !_vm.present\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.preset),\n expression: \"preset\"\n }],\n staticClass: \"font-switcher\",\n attrs: {\n \"disabled\": !_vm.present,\n \"id\": _vm.name + '-font-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.preset = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.availableOptions), function(option) {\n return _c('option', {\n domProps: {\n \"value\": option\n }\n }, [_vm._v(\"\\n \" + _vm._s(option === 'custom' ? _vm.$t('settings.style.fonts.custom') : option) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })]), _vm._v(\" \"), (_vm.isCustom) ? _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.family),\n expression: \"family\"\n }],\n staticClass: \"custom-font\",\n attrs: {\n \"type\": \"text\",\n \"id\": _vm.name\n },\n domProps: {\n \"value\": (_vm.family)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.family = $event.target.value\n }\n }\n }) : _vm._e()])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4bc1e940\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/font_control/font_control.vue\n// module id = 652\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: \"nav-bar container\",\n attrs: {\n \"id\": \"nav\"\n },\n on: {\n \"click\": function($event) {\n _vm.scrollToTop()\n }\n }\n }, [_c('div', {\n staticClass: \"logo\",\n style: (_vm.logoBgStyle)\n }, [_c('div', {\n staticClass: \"mask\",\n style: (_vm.logoMaskStyle)\n }), _vm._v(\" \"), _c('img', {\n style: (_vm.logoStyle),\n attrs: {\n \"src\": _vm.logo\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"inner-nav\"\n }, [_c('div', {\n staticClass: \"item\"\n }, [_c('a', {\n staticClass: \"menu-button\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n _vm.toggleMobileSidebar()\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-menu\"\n }), _vm._v(\" \"), (_vm.unseenNotificationsCount) ? _c('div', {\n staticClass: \"alert-dot\"\n }) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n staticClass: \"site-name\",\n attrs: {\n \"to\": {\n name: 'root'\n },\n \"active-class\": \"home\"\n }\n }, [_vm._v(_vm._s(_vm.sitename))])], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"item right\"\n }, [_c('user-finder', {\n staticClass: \"button-icon nav-icon mobile-hidden\",\n on: {\n \"toggled\": _vm.onFinderToggled\n }\n }), _vm._v(\" \"), _c('router-link', {\n staticClass: \"mobile-hidden\",\n attrs: {\n \"to\": {\n name: 'settings'\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-cog nav-icon\",\n attrs: {\n \"title\": _vm.$t('nav.preferences')\n }\n })]), _vm._v(\" \"), (_vm.currentUser) ? _c('a', {\n staticClass: \"mobile-hidden\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.logout($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon 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('side-drawer', {\n ref: \"sideDrawer\",\n attrs: {\n \"logout\": _vm.logout\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"sidebar-flexer mobile-hidden\"\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) ? _c('features-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('who-to-follow-panel') : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('notifications') : _vm._e()], 1)])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"main\"\n }, [_c('transition', {\n attrs: {\n \"name\": \"fade\"\n }\n }, [_c('router-view')], 1)], 1), _vm._v(\" \"), _c('media-modal')], 1), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('chat-panel', {\n staticClass: \"floating-chat mobile-hidden\",\n attrs: {\n \"floating\": true\n }\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 = 653\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: \"opacity-control style-control\",\n class: {\n disabled: !_vm.present || _vm.disabled\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.common.opacity')) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exclude-disabled\",\n attrs: {\n \"id\": _vm.name + '-o',\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticClass: \"input-number\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"number\",\n \"disabled\": !_vm.present || _vm.disabled,\n \"max\": \"1\",\n \"min\": \"0\",\n \"step\": \".05\"\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-4cc8580e\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/opacity_input/opacity_input.vue\n// module id = 654\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: \"sidebar\"\n }, [_c('instance-specific-panel'), _vm._v(\" \"), _c('features-panel'), _vm._v(\" \"), _c('terms-of-service-panel')], 1)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-519c4ebc\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/about/about.vue\n// module id = 655\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('video', {\n staticClass: \"video\",\n attrs: {\n \"src\": _vm.attachment.url,\n \"loop\": _vm.loopVideo,\n \"controls\": _vm.controls,\n \"playsinline\": \"\"\n },\n on: {\n \"loadeddata\": _vm.onVideoDataLoad\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-526a5280\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/video_attachment/video_attachment.vue\n// module id = 656\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"media-upload\",\n on: {\n \"drop\": [function($event) {\n $event.preventDefault();\n }, _vm.fileDrop],\n \"dragover\": function($event) {\n $event.preventDefault();\n return _vm.fileDrag($event)\n }\n }\n }, [_c('label', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"title\": _vm.$t('tool_tip.media_upload')\n }\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 \"multiple\": \"true\"\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 = 657\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.showing) ? _c('div', {\n staticClass: \"modal-view\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.hide($event)\n }\n }\n }, [(_vm.type === 'image') ? _c('img', {\n staticClass: \"modal-image\",\n attrs: {\n \"src\": _vm.currentMedia.url\n }\n }) : _vm._e(), _vm._v(\" \"), (_vm.type === 'video') ? _c('VideoAttachment', {\n staticClass: \"modal-image\",\n attrs: {\n \"attachment\": _vm.currentMedia,\n \"controls\": true\n },\n nativeOn: {\n \"click\": function($event) {\n $event.stopPropagation();\n }\n }\n }) : _vm._e()], 1) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-556eb774\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/media_modal/media_modal.vue\n// module id = 658\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.dms'),\n \"timeline\": _vm.timeline,\n \"timeline-name\": 'dms'\n }\n })\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-55994110\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/dm_timeline/dm_timeline.vue\n// module id = 659\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-search panel panel-default\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('nav.user_search')) + \"\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"user-search-input-container\"\n }, [_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 },\n domProps: {\n \"value\": (_vm.username)\n },\n on: {\n \"keyup\": function($event) {\n if (!('button' in $event) && _vm._k($event.keyCode, \"enter\", 13, $event.key, \"Enter\")) { return null; }\n _vm.newQuery(_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('button', {\n staticClass: \"btn search-button\",\n on: {\n \"click\": function($event) {\n _vm.newQuery(_vm.username)\n }\n }\n }, [_c('i', {\n staticClass: \"icon-search\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, _vm._l((_vm.users), function(user) {\n return _c('user-card', {\n key: user.id,\n attrs: {\n \"user\": user,\n \"showFollows\": true\n }\n })\n }), 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-5e33ef5a\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/user_search/user_search.vue\n// module id = 660\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 = 661\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: \"range-control style-control\",\n class: {\n disabled: !_vm.present || _vm.disabled\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exclude-disabled\",\n attrs: {\n \"id\": _vm.name + '-o',\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', !_vm.present ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticClass: \"input-number\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"range\",\n \"disabled\": !_vm.present || _vm.disabled,\n \"max\": _vm.max || _vm.hardMax || 100,\n \"min\": _vm.min || _vm.hardMin || 0,\n \"step\": _vm.step || 1\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n staticClass: \"input-number\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"number\",\n \"disabled\": !_vm.present || _vm.disabled,\n \"max\": _vm.hardMax,\n \"min\": _vm.hardMin,\n \"step\": _vm.step || 1\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6553acb2\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/range_input/range_input.vue\n// module id = 662\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.notification.type === 'mention') ? _c('status', {\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status\n }\n }) : _c('div', {\n staticClass: \"non-mention\",\n class: [_vm.userClass, {\n highlighted: _vm.userStyle\n }],\n style: ([_vm.userStyle])\n }, [_c('a', {\n staticClass: \"avatar-container\",\n attrs: {\n \"href\": _vm.notification.action.user.statusnet_profile_url\n },\n on: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar-compact\",\n class: {\n 'better-shadow': _vm.betterShadow\n },\n attrs: {\n \"src\": _vm.notification.action.user.profile_image_url_original\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"notification-right\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard notification-usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.notification.action.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), _c('span', {\n staticClass: \"notification-details\"\n }, [_c('div', {\n staticClass: \"name-and-action\"\n }, [(!!_vm.notification.action.user.name_html) ? _c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.notification.action.user.name_html)\n }\n }) : _c('span', {\n staticClass: \"username\",\n attrs: {\n \"title\": '@' + _vm.notification.action.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.notification.action.user.name))]), _vm._v(\" \"), (_vm.notification.type === 'like') ? _c('span', [_c('i', {\n staticClass: \"fa icon-star lit\"\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.favorited_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'repeat') ? _c('span', [_c('i', {\n staticClass: \"fa icon-retweet lit\",\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n }\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.repeated_you')))])]) : _vm._e(), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('span', [_c('i', {\n staticClass: \"fa icon-user-plus lit\"\n }), _vm._v(\" \"), _c('small', [_vm._v(_vm._s(_vm.$t('notifications.followed_you')))])]) : _vm._e()]), _vm._v(\" \"), _c('small', {\n staticClass: \"timeago\"\n }, [(_vm.notification.status) ? _c('router-link', {\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.notification.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.notification.action.created_at,\n \"auto-update\": 240\n }\n })], 1) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.notification.type === 'follow') ? _c('div', {\n staticClass: \"follow-text\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(_vm.notification.action.user)\n }\n }, [_vm._v(\"\\n @\" + _vm._s(_vm.notification.action.user.screen_name) + \"\\n \")])], 1) : [_c('status', {\n staticClass: \"faint\",\n attrs: {\n \"compact\": true,\n \"statusoid\": _vm.notification.status,\n \"noHeading\": true\n }\n })]], 2)])\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 = 663\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: \"side-drawer-container\",\n class: {\n 'side-drawer-container-closed': _vm.closed, 'side-drawer-container-open': !_vm.closed\n }\n }, [_c('div', {\n staticClass: \"side-drawer\",\n class: {\n 'side-drawer-closed': _vm.closed\n },\n on: {\n \"touchstart\": _vm.touchStart,\n \"touchmove\": _vm.touchMove\n }\n }, [_c('div', {\n staticClass: \"side-drawer-heading\",\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [(_vm.currentUser) ? _c('user-card-content', {\n attrs: {\n \"user\": _vm.currentUser,\n \"switcher\": false,\n \"hideBio\": true\n }\n }) : _vm._e()], 1), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'new-status',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"post_status.new_status\")) + \"\\n \")])], 1) : _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'login'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.login\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'notifications',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"notifications.notifications\")) + \" \" + _vm._s(_vm.unseenNotificationsCount > 0 ? (\"(\" + _vm.unseenNotificationsCount + \")\") : '') + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'dms',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.dms\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [(_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'friends'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.timeline\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_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', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_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', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": \"/main/all\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.twkn\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser && _vm.chat) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'chat'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.chat\")) + \"\\n \")])], 1) : _vm._e()]), _vm._v(\" \"), _c('ul', [_c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'user-search'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.user_search\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser && _vm.suggestionsEnabled) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'who-to-follow'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.who_to_follow\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'settings'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"settings.settings\")) + \"\\n \")])], 1), _vm._v(\" \"), _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'about'\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.about\")) + \"\\n \")])], 1), _vm._v(\" \"), (_vm.currentUser) ? _c('li', {\n on: {\n \"click\": _vm.toggleDrawer\n }\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": _vm.doLogout\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"login.logout\")) + \"\\n \")])]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n staticClass: \"side-drawer-click-outside\",\n class: {\n 'side-drawer-click-outside-closed': _vm.closed\n },\n on: {\n \"click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleDrawer($event)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-69918754\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/side_drawer/side_drawer.vue\n// module id = 664\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: \"shadow-control\",\n class: {\n disabled: !_vm.present\n }\n }, [_c('div', {\n staticClass: \"shadow-preview-container\"\n }, [_c('div', {\n staticClass: \"y-shift-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.y),\n expression: \"selected.y\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\"\n },\n domProps: {\n \"value\": (_vm.selected.y)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"y\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"wrap\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.y),\n expression: \"selected.y\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"-20\"\n },\n domProps: {\n \"value\": (_vm.selected.y)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"y\", $event.target.value)\n }\n }\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"preview-window\"\n }, [_c('div', {\n staticClass: \"preview-block\",\n style: (_vm.style)\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"x-shift-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.x),\n expression: \"selected.x\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\"\n },\n domProps: {\n \"value\": (_vm.selected.x)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"x\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"wrap\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.x),\n expression: \"selected.x\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"-20\"\n },\n domProps: {\n \"value\": (_vm.selected.x)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"x\", $event.target.value)\n }\n }\n })])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"shadow-tweak\"\n }, [_c('div', {\n staticClass: \"id-control style-control\",\n attrs: {\n \"disabled\": _vm.usingFallback\n }\n }, [_c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"shadow-switcher\",\n \"disabled\": !_vm.ready || _vm.usingFallback\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selectedId),\n expression: \"selectedId\"\n }],\n staticClass: \"shadow-switcher\",\n attrs: {\n \"disabled\": !_vm.ready || _vm.usingFallback,\n \"id\": \"shadow-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.selectedId = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.cValue), function(shadow, index) {\n return _c('option', {\n domProps: {\n \"value\": index\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.shadow_id', {\n value: index\n })) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": !_vm.ready || !_vm.present\n },\n on: {\n \"click\": _vm.del\n }\n }, [_c('i', {\n staticClass: \"icon-cancel\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": !_vm.moveUpValid\n },\n on: {\n \"click\": _vm.moveUp\n }\n }, [_c('i', {\n staticClass: \"icon-up-open\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": !_vm.moveDnValid\n },\n on: {\n \"click\": _vm.moveDn\n }\n }, [_c('i', {\n staticClass: \"icon-down-open\"\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n attrs: {\n \"disabled\": _vm.usingFallback\n },\n on: {\n \"click\": _vm.add\n }\n }, [_c('i', {\n staticClass: \"icon-plus\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"inset-control style-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"inset\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.inset')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.inset),\n expression: \"selected.inset\"\n }],\n staticClass: \"input-inset\",\n attrs: {\n \"disabled\": !_vm.present,\n \"name\": \"inset\",\n \"id\": \"inset\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.selected.inset) ? _vm._i(_vm.selected.inset, null) > -1 : (_vm.selected.inset)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.selected.inset,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.selected, \"inset\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.selected, \"inset\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.selected, \"inset\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n staticClass: \"checkbox-label\",\n attrs: {\n \"for\": \"inset\"\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"blur-control style-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"spread\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.blur')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.blur),\n expression: \"selected.blur\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"name\": \"blur\",\n \"id\": \"blur\",\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"0\"\n },\n domProps: {\n \"value\": (_vm.selected.blur)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"blur\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.blur),\n expression: \"selected.blur\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\",\n \"min\": \"0\"\n },\n domProps: {\n \"value\": (_vm.selected.blur)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"blur\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('div', {\n staticClass: \"spread-control style-control\",\n attrs: {\n \"disabled\": !_vm.present\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"spread\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.spread')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.spread),\n expression: \"selected.spread\"\n }],\n staticClass: \"input-range\",\n attrs: {\n \"disabled\": !_vm.present,\n \"name\": \"spread\",\n \"id\": \"spread\",\n \"type\": \"range\",\n \"max\": \"20\",\n \"min\": \"-20\"\n },\n domProps: {\n \"value\": (_vm.selected.spread)\n },\n on: {\n \"__r\": function($event) {\n _vm.$set(_vm.selected, \"spread\", $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected.spread),\n expression: \"selected.spread\"\n }],\n staticClass: \"input-number\",\n attrs: {\n \"disabled\": !_vm.present,\n \"type\": \"number\"\n },\n domProps: {\n \"value\": (_vm.selected.spread)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.$set(_vm.selected, \"spread\", $event.target.value)\n }\n }\n })]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"disabled\": !_vm.present,\n \"label\": _vm.$t('settings.style.common.color'),\n \"name\": \"shadow\"\n },\n model: {\n value: (_vm.selected.color),\n callback: function($$v) {\n _vm.$set(_vm.selected, \"color\", $$v)\n },\n expression: \"selected.color\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"disabled\": !_vm.present\n },\n model: {\n value: (_vm.selected.alpha),\n callback: function($$v) {\n _vm.$set(_vm.selected, \"alpha\", $$v)\n },\n expression: \"selected.alpha\"\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.hint')) + \"\\n \")])], 1)])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6a1c4fc0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/shadow_control/shadow_control.vue\n// module id = 665\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 = 666\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 = 667\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('a', {\n staticClass: \"link-preview-card\",\n attrs: {\n \"href\": _vm.card.url,\n \"target\": \"_blank\",\n \"rel\": \"noopener\"\n }\n }, [(_vm.useImage) ? _c('div', {\n staticClass: \"card-image\",\n class: {\n 'small-image': _vm.size === 'small'\n }\n }, [_c('img', {\n attrs: {\n \"src\": _vm.card.image\n }\n })]) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"card-content\"\n }, [_c('span', {\n staticClass: \"card-host faint\"\n }, [_vm._v(_vm._s(_vm.card.provider_name))]), _vm._v(\" \"), _c('h4', {\n staticClass: \"card-title\"\n }, [_vm._v(_vm._s(_vm.card.title))]), _vm._v(\" \"), (_vm.useDescription) ? _c('p', {\n staticClass: \"card-description\"\n }, [_vm._v(_vm._s(_vm.card.description))]) : _vm._e()])])])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-6efb6640\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/link-preview/link-preview.vue\n// module id = 668\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: \"color-control style-control\",\n class: {\n disabled: !_vm.present || _vm.disabled\n }\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": _vm.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.label) + \"\\n \")]), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('input', {\n staticClass: \"opt exlcude-disabled\",\n attrs: {\n \"id\": _vm.name + '-o',\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": _vm.present\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', typeof _vm.value === 'undefined' ? _vm.fallback : undefined)\n }\n }\n }) : _vm._e(), _vm._v(\" \"), (typeof _vm.fallback !== 'undefined') ? _c('label', {\n staticClass: \"opt-l\",\n attrs: {\n \"for\": _vm.name + '-o'\n }\n }) : _vm._e(), _vm._v(\" \"), _c('input', {\n staticClass: \"color-input\",\n attrs: {\n \"id\": _vm.name,\n \"type\": \"color\",\n \"disabled\": !_vm.present || _vm.disabled\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n }), _vm._v(\" \"), _c('input', {\n staticClass: \"text-input\",\n attrs: {\n \"id\": _vm.name + '-t',\n \"type\": \"text\",\n \"disabled\": !_vm.present || _vm.disabled\n },\n domProps: {\n \"value\": _vm.value || _vm.fallback\n },\n on: {\n \"input\": function($event) {\n _vm.$emit('input', $event.target.value)\n }\n }\n })])\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-73de3e04\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/color_input/color_input.vue\n// module id = 669\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (!_vm.hideReply && !_vm.deleted) ? _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\": _vm.userProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")])], 1), _vm._v(\" \"), _c('small', {\n staticClass: \"muteWords\"\n }, [_vm._v(_vm._s(_vm.muteWordHits.join(', ')))]), _vm._v(\" \"), _c('a', {\n staticClass: \"unmute\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-eye-off\"\n })])])] : [(_vm.retweet && !_vm.noHeading) ? _c('div', {\n staticClass: \"media container retweet-info\",\n class: [_vm.repeaterClass, {\n highlighted: _vm.repeaterStyle\n }],\n style: ([_vm.repeaterStyle])\n }, [(_vm.retweet) ? _c('StillImage', {\n staticClass: \"avatar\",\n class: {\n \"better-shadow\": _vm.betterShadow\n },\n attrs: {\n \"src\": _vm.statusoid.user.profile_image_url_original\n }\n }) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media-body faint\"\n }, [(_vm.retweeterHtml) ? _c('a', {\n staticClass: \"user-name\",\n attrs: {\n \"href\": _vm.statusoid.user.statusnet_profile_url,\n \"title\": '@' + _vm.statusoid.user.screen_name\n },\n domProps: {\n \"innerHTML\": _vm._s(_vm.retweeterHtml)\n }\n }) : _c('a', {\n staticClass: \"user-name\",\n attrs: {\n \"href\": _vm.statusoid.user.statusnet_profile_url,\n \"title\": '@' + _vm.statusoid.user.screen_name\n }\n }, [_vm._v(_vm._s(_vm.retweeter))]), _vm._v(\" \"), _c('i', {\n staticClass: \"fa icon-retweet retweeted\",\n attrs: {\n \"title\": _vm.$t('tool_tip.repeat')\n }\n }), _vm._v(\"\\n \" + _vm._s(_vm.$t('timeline.repeated')) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"media status\",\n class: [_vm.userClass, {\n highlighted: _vm.userStyle,\n 'is-retweet': _vm.retweet\n }],\n style: ([_vm.userStyle])\n }, [(!_vm.noHeading) ? _c('div', {\n staticClass: \"media-left\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink\n },\n nativeOn: {\n \"!click\": function($event) {\n $event.stopPropagation();\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n }, [_c('StillImage', {\n staticClass: \"avatar\",\n class: {\n 'avatar-compact': _vm.compact, 'better-shadow': _vm.betterShadow\n },\n attrs: {\n \"src\": _vm.status.user.profile_image_url_original\n }\n })], 1)], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-body\"\n }, [(_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard media-body\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.status.user,\n \"switcher\": false\n }\n })], 1) : _vm._e(), _vm._v(\" \"), (!_vm.noHeading) ? _c('div', {\n staticClass: \"media-body container media-heading\"\n }, [_c('div', {\n staticClass: \"media-heading-left\"\n }, [_c('div', {\n staticClass: \"name-and-links\"\n }, [(_vm.status.user.name_html) ? _c('h4', {\n staticClass: \"user-name\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.user.name_html)\n }\n }) : _c('h4', {\n staticClass: \"user-name\"\n }, [_vm._v(_vm._s(_vm.status.user.name))]), _vm._v(\" \"), _c('span', {\n staticClass: \"links\"\n }, [_c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.status.user.screen_name) + \"\\n \")]), _vm._v(\" \"), (_vm.isReply) ? _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\": _vm.replyProfileLink\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.replyToName) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.isReply && !_vm.noReplyLinks) ? _c('a', {\n attrs: {\n \"href\": \"#\",\n \"aria-label\": _vm.$t('tool_tip.reply')\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: \"button-icon icon-reply\",\n on: {\n \"mouseenter\": function($event) {\n _vm.replyEnter(_vm.status.in_reply_to_status_id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n })]) : _vm._e()], 1)]), _vm._v(\" \"), (_vm.inConversation && !_vm.noReplyLinks) ? _c('h4', {\n staticClass: \"replies\"\n }, [(_vm.replies.length) ? _c('small', [_vm._v(\"Replies:\")]) : _vm._e(), _vm._v(\" \"), _vm._l((_vm.replies), function(reply) {\n return _c('small', {\n staticClass: \"reply-link\"\n }, [_c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.gotoOriginal(reply.id)\n },\n \"mouseenter\": function($event) {\n _vm.replyEnter(reply.id, $event)\n },\n \"mouseout\": function($event) {\n _vm.replyLeave()\n }\n }\n }, [_vm._v(_vm._s(reply.name) + \" \")])])\n })], 2) : _vm._e()]), _vm._v(\" \"), _c('div', {\n staticClass: \"media-heading-right\"\n }, [_c('router-link', {\n staticClass: \"timeago\",\n attrs: {\n \"to\": {\n name: 'conversation',\n params: {\n id: _vm.status.id\n }\n }\n }\n }, [_c('timeago', {\n attrs: {\n \"since\": _vm.status.created_at,\n \"auto-update\": 60\n }\n })], 1), _vm._v(\" \"), (_vm.status.visibility) ? _c('div', {\n staticClass: \"button-icon visibility-icon\"\n }, [_c('i', {\n class: _vm.visibilityIcon(_vm.status.visibility),\n attrs: {\n \"title\": _vm._f(\"capitalize\")(_vm.status.visibility)\n }\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 \"title\": \"Source\"\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-link-ext-alt\"\n })]) : _vm._e(), _vm._v(\" \"), (_vm.expandable) ? [_c('a', {\n attrs: {\n \"href\": \"#\",\n \"title\": \"Expand\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleExpanded($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-plus-squared\"\n })])] : _vm._e(), _vm._v(\" \"), (_vm.unmuted) ? _c('a', {\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleMute($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-eye-off\"\n })]) : _vm._e()], 2)]) : _vm._e(), _vm._v(\" \"), (_vm.showPreview) ? _c('div', {\n staticClass: \"status-preview-container\"\n }, [(_vm.preview) ? _c('status', {\n staticClass: \"status-preview\",\n attrs: {\n \"noReplyLinks\": true,\n \"statusoid\": _vm.preview,\n \"compact\": true\n }\n }) : _c('div', {\n staticClass: \"status-preview status-preview-loading\"\n }, [_c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n })])], 1) : _vm._e(), _vm._v(\" \"), _c('div', {\n staticClass: \"status-content-wrapper\",\n class: {\n 'tall-status': _vm.hideTallStatus\n }\n }, [(_vm.hideTallStatus) ? _c('a', {\n staticClass: \"tall-status-hider\",\n class: {\n 'tall-status-hider_focused': _vm.isFocused\n },\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (!_vm.hideSubjectStatus) ? _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.statusnet_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }) : _c('div', {\n staticClass: \"status-content media-body\",\n domProps: {\n \"innerHTML\": _vm._s(_vm.status.summary_html)\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.linkClicked($event)\n }\n }\n }), _vm._v(\" \"), (_vm.hideSubjectStatus) ? _c('a', {\n staticClass: \"cw-status-hider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show more\")]) : _vm._e(), _vm._v(\" \"), (_vm.showingMore) ? _c('a', {\n staticClass: \"status-unhider\",\n attrs: {\n \"href\": \"#\"\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleShowMore($event)\n }\n }\n }, [_vm._v(\"Show less\")]) : _vm._e()]), _vm._v(\" \"), (_vm.status.attachments && !_vm.hideSubjectStatus) ? _c('div', {\n staticClass: \"attachments media-body\"\n }, [_vm._l((_vm.nonGalleryAttachments), function(attachment) {\n return _c('attachment', {\n key: attachment.id,\n staticClass: \"non-gallery\",\n attrs: {\n \"size\": _vm.attachmentSize,\n \"nsfw\": _vm.nsfwClickthrough,\n \"attachment\": attachment,\n \"allowPlay\": true,\n \"setMedia\": _vm.setMedia()\n }\n })\n }), _vm._v(\" \"), (_vm.galleryAttachments.length > 0) ? _c('gallery', {\n attrs: {\n \"nsfw\": _vm.nsfwClickthrough,\n \"attachments\": _vm.galleryAttachments,\n \"setMedia\": _vm.setMedia()\n }\n }) : _vm._e()], 2) : _vm._e(), _vm._v(\" \"), (_vm.status.card && !_vm.hideSubjectStatus && !_vm.noHeading) ? _c('div', {\n staticClass: \"link-preview media-body\"\n }, [_c('link-preview', {\n attrs: {\n \"card\": _vm.status.card,\n \"size\": _vm.attachmentSize,\n \"nsfw\": _vm.nsfwClickthrough\n }\n })], 1) : _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 \"title\": _vm.$t('tool_tip.reply')\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleReplying($event)\n }\n }\n }, [_c('i', {\n staticClass: \"button-icon icon-reply\",\n class: {\n 'icon-reply-active': _vm.replying\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('retweet-button', {\n attrs: {\n \"visibility\": _vm.status.visibility,\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('favorite-button', {\n attrs: {\n \"loggedIn\": _vm.loggedIn,\n \"status\": _vm.status\n }\n }), _vm._v(\" \"), _c('delete-button', {\n attrs: {\n \"status\": _vm.status\n }\n })], 1) : _vm._e()])]), _vm._v(\" \"), (_vm.replying) ? _c('div', {\n staticClass: \"container\"\n }, [_c('div', {\n staticClass: \"reply-left\"\n }), _vm._v(\" \"), _c('post-status-form', {\n staticClass: \"reply-body\",\n attrs: {\n \"reply-to\": _vm.status.id,\n \"attentions\": _vm.status.attentions,\n \"repliedUser\": _vm.status.user,\n \"copy-message-scope\": _vm.status.visibility,\n \"subject\": _vm.replySubject\n },\n on: {\n \"posted\": _vm.toggleReplying\n }\n })], 1) : _vm._e()]], 2) : _vm._e()\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-769e38a0\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/status/status.vue\n// module id = 670\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return (_vm.show) ? _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 })])])]) : _vm._e()\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 = 671\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 = 672\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('tab-switcher', [_c('div', {\n attrs: {\n \"label\": _vm.$t('settings.profile_tab')\n }\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('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newLocked),\n expression: \"newLocked\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-locked\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newLocked) ? _vm._i(_vm.newLocked, null) > -1 : (_vm.newLocked)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newLocked,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.newLocked = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.newLocked = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.newLocked = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-locked\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.lock_account_description')))])]), _vm._v(\" \"), (_vm.scopeOptionsEnabled) ? _c('div', [_c('label', {\n attrs: {\n \"for\": \"default-vis\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.default_vis')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"visibility-tray\",\n attrs: {\n \"id\": \"default-vis\"\n }\n }, [_c('i', {\n staticClass: \"icon-mail-alt\",\n class: _vm.vis.direct,\n attrs: {\n \"title\": _vm.$t('post_status.scope.direct')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('direct')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock\",\n class: _vm.vis.private,\n attrs: {\n \"title\": _vm.$t('post_status.scope.private')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('private')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-lock-open-alt\",\n class: _vm.vis.unlisted,\n attrs: {\n \"title\": _vm.$t('post_status.scope.unlisted')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('unlisted')\n }\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-globe\",\n class: _vm.vis.public,\n attrs: {\n \"title\": _vm.$t('post_status.scope.public')\n },\n on: {\n \"click\": function($event) {\n _vm.changeVis('public')\n }\n }\n })])]) : _vm._e(), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.newNoRichText),\n expression: \"newNoRichText\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-no-rich-text\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.newNoRichText) ? _vm._i(_vm.newNoRichText, null) > -1 : (_vm.newNoRichText)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.newNoRichText,\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.newNoRichText = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.newNoRichText = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.newNoRichText = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-no-rich-text\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.no_rich_text_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideFollowings),\n expression: \"hideFollowings\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-hide-followings\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideFollowings) ? _vm._i(_vm.hideFollowings, null) > -1 : (_vm.hideFollowings)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideFollowings,\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.hideFollowings = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideFollowings = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideFollowings = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-hide-followings\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_followings_description')))])]), _vm._v(\" \"), _c('p', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideFollowers),\n expression: \"hideFollowers\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"account-hide-followers\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideFollowers) ? _vm._i(_vm.hideFollowers, null) > -1 : (_vm.hideFollowers)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideFollowers,\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.hideFollowers = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideFollowers = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideFollowers = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"account-hide-followers\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_followers_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.avatarPreview) ? _c('img', {\n staticClass: \"new-avatar\",\n attrs: {\n \"src\": _vm.avatarPreview\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('avatar', $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.avatarUploading) ? _c('i', {\n staticClass: \"icon-spin4 animate-spin\"\n }) : (_vm.avatarPreview) ? _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(\" \"), (_vm.avatarUploadError) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.avatarUploadError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.clearUploadError('avatar')\n }\n }\n })]) : _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.bannerPreview) ? _c('img', {\n staticClass: \"banner\",\n attrs: {\n \"src\": _vm.bannerPreview\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('banner', $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.bannerUploading) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.bannerPreview) ? _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(\" \"), (_vm.bannerUploadError) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.bannerUploadError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.clearUploadError('banner')\n }\n }\n })]) : _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.backgroundPreview) ? _c('img', {\n staticClass: \"bg\",\n attrs: {\n \"src\": _vm.backgroundPreview\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('background', $event)\n }\n }\n })]), _vm._v(\" \"), (_vm.backgroundUploading) ? _c('i', {\n staticClass: \" icon-spin4 animate-spin uploading\"\n }) : (_vm.backgroundPreview) ? _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(\" \"), (_vm.backgroundUploadError) ? _c('div', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n Error: \" + _vm._s(_vm.backgroundUploadError) + \"\\n \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n on: {\n \"click\": function($event) {\n _vm.clearUploadError('background')\n }\n }\n })]) : _vm._e()])]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.security_tab')\n }\n }, [_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(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.delete_account')))]), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_description')))]) : _vm._e(), _vm._v(\" \"), (_vm.deletingAccount) ? _c('div', [_c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_instructions')))]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('login.password')))]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.deleteAccountConfirmPasswordInput),\n expression: \"deleteAccountConfirmPasswordInput\"\n }],\n attrs: {\n \"type\": \"password\"\n },\n domProps: {\n \"value\": (_vm.deleteAccountConfirmPasswordInput)\n },\n on: {\n \"input\": function($event) {\n if ($event.target.composing) { return; }\n _vm.deleteAccountConfirmPasswordInput = $event.target.value\n }\n }\n }), _vm._v(\" \"), _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.deleteAccount\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.delete_account')))])]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError !== false) ? _c('p', [_vm._v(_vm._s(_vm.$t('settings.delete_account_error')))]) : _vm._e(), _vm._v(\" \"), (_vm.deleteAccountError) ? _c('p', [_vm._v(_vm._s(_vm.deleteAccountError))]) : _vm._e(), _vm._v(\" \"), (!_vm.deletingAccount) ? _c('button', {\n staticClass: \"btn btn-default\",\n on: {\n \"click\": _vm.confirmDelete\n }\n }, [_vm._v(_vm._s(_vm.$t('general.submit')))]) : _vm._e()])]), _vm._v(\" \"), (_vm.pleromaBackend) ? _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.data_import_export_tab')\n }\n }, [_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.followListUploading) ? _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._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._e()])], 1)])\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 = 673\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: \"button-icon 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 = 674\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: \"style-switcher\"\n }, [_c('div', {\n staticClass: \"presets-container\"\n }, [_c('div', {\n staticClass: \"save-load\"\n }, [_c('export-import', {\n attrs: {\n \"exportObject\": _vm.exportedTheme,\n \"exportLabel\": _vm.$t(\"settings.export_theme\"),\n \"importLabel\": _vm.$t(\"settings.import_theme\"),\n \"importFailedText\": _vm.$t(\"settings.invalid_theme_imported\"),\n \"onImport\": _vm.onImport,\n \"validator\": _vm.importValidator\n }\n }, [_c('template', {\n slot: \"before\"\n }, [_c('div', {\n staticClass: \"presets\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.presets')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"preset-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.selected),\n expression: \"selected\"\n }],\n staticClass: \"preset-switcher\",\n attrs: {\n \"id\": \"preset-switcher\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.selected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.availableStyles), function(style) {\n return _c('option', {\n style: ({\n backgroundColor: style[1] || style.theme.colors.bg,\n color: style[3] || style.theme.colors.text\n }),\n domProps: {\n \"value\": style\n }\n }, [_vm._v(\"\\n \" + _vm._s(style[0] || style.name) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])])], 2)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"save-load-options\"\n }, [_c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepColor),\n expression: \"keepColor\"\n }],\n attrs: {\n \"id\": \"keep-color\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepColor) ? _vm._i(_vm.keepColor, null) > -1 : (_vm.keepColor)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepColor,\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.keepColor = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepColor = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepColor = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-color\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_color')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepShadows),\n expression: \"keepShadows\"\n }],\n attrs: {\n \"id\": \"keep-shadows\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepShadows) ? _vm._i(_vm.keepShadows, null) > -1 : (_vm.keepShadows)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepShadows,\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.keepShadows = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepShadows = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepShadows = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-shadows\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_shadows')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepOpacity),\n expression: \"keepOpacity\"\n }],\n attrs: {\n \"id\": \"keep-opacity\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepOpacity) ? _vm._i(_vm.keepOpacity, null) > -1 : (_vm.keepOpacity)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepOpacity,\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.keepOpacity = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepOpacity = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepOpacity = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-opacity\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_opacity')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepRoundness),\n expression: \"keepRoundness\"\n }],\n attrs: {\n \"id\": \"keep-roundness\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepRoundness) ? _vm._i(_vm.keepRoundness, null) > -1 : (_vm.keepRoundness)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepRoundness,\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.keepRoundness = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepRoundness = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepRoundness = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-roundness\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_roundness')))])]), _vm._v(\" \"), _c('span', {\n staticClass: \"keep-option\"\n }, [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.keepFonts),\n expression: \"keepFonts\"\n }],\n attrs: {\n \"id\": \"keep-fonts\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.keepFonts) ? _vm._i(_vm.keepFonts, null) > -1 : (_vm.keepFonts)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.keepFonts,\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.keepFonts = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.keepFonts = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.keepFonts = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"keep-fonts\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.keep_fonts')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.switcher.save_load_hint')))])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"preview-container\"\n }, [_c('preview', {\n style: (_vm.previewRules)\n })], 1), _vm._v(\" \"), _c('keep-alive', [_c('tab-switcher', {\n key: \"style-tweak\"\n }, [_c('div', {\n staticClass: \"color-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.common_colors._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearOpacity\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearV1\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_1')))]), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.main')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"bgColor\",\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.bgColorLocal),\n callback: function($$v) {\n _vm.bgColorLocal = $$v\n },\n expression: \"bgColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"bgOpacity\",\n \"fallback\": _vm.previewTheme.opacity.bg || 1\n },\n model: {\n value: (_vm.bgOpacityLocal),\n callback: function($$v) {\n _vm.bgOpacityLocal = $$v\n },\n expression: \"bgOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"textColor\",\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.textColorLocal),\n callback: function($$v) {\n _vm.textColorLocal = $$v\n },\n expression: \"textColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgText\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"linkColor\",\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.linkColorLocal),\n callback: function($$v) {\n _vm.linkColorLocal = $$v\n },\n expression: \"linkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgLink\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"fgColor\",\n \"label\": _vm.$t('settings.foreground')\n },\n model: {\n value: (_vm.fgColorLocal),\n callback: function($$v) {\n _vm.fgColorLocal = $$v\n },\n expression: \"fgColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"fgTextColor\",\n \"label\": _vm.$t('settings.text'),\n \"fallback\": _vm.previewTheme.colors.fgText\n },\n model: {\n value: (_vm.fgTextColorLocal),\n callback: function($$v) {\n _vm.fgTextColorLocal = $$v\n },\n expression: \"fgTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"fgLinkColor\",\n \"label\": _vm.$t('settings.links'),\n \"fallback\": _vm.previewTheme.colors.fgLink\n },\n model: {\n value: (_vm.fgLinkColorLocal),\n callback: function($$v) {\n _vm.fgLinkColorLocal = $$v\n },\n expression: \"fgLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.foreground_hint')))])], 1), _vm._v(\" \"), _c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.common_colors.rgbo')))]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"cRedColor\",\n \"label\": _vm.$t('settings.cRed')\n },\n model: {\n value: (_vm.cRedColorLocal),\n callback: function($$v) {\n _vm.cRedColorLocal = $$v\n },\n expression: \"cRedColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgRed\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"cBlueColor\",\n \"label\": _vm.$t('settings.cBlue')\n },\n model: {\n value: (_vm.cBlueColorLocal),\n callback: function($$v) {\n _vm.cBlueColorLocal = $$v\n },\n expression: \"cBlueColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgBlue\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('ColorInput', {\n attrs: {\n \"name\": \"cGreenColor\",\n \"label\": _vm.$t('settings.cGreen')\n },\n model: {\n value: (_vm.cGreenColorLocal),\n callback: function($$v) {\n _vm.cGreenColorLocal = $$v\n },\n expression: \"cGreenColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgGreen\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"cOrangeColor\",\n \"label\": _vm.$t('settings.cOrange')\n },\n model: {\n value: (_vm.cOrangeColorLocal),\n callback: function($$v) {\n _vm.cOrangeColorLocal = $$v\n },\n expression: \"cOrangeColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.bgOrange\n }\n })], 1), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help_v2_2')))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.advanced_colors._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.theme_help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearOpacity\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_opacity')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearV1\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.alert')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"alertError\",\n \"label\": _vm.$t('settings.style.advanced_colors.alert_error'),\n \"fallback\": _vm.previewTheme.colors.alertError\n },\n model: {\n value: (_vm.alertErrorColorLocal),\n callback: function($$v) {\n _vm.alertErrorColorLocal = $$v\n },\n expression: \"alertErrorColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.alertError\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.badge')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"badgeNotification\",\n \"label\": _vm.$t('settings.style.advanced_colors.badge_notification'),\n \"fallback\": _vm.previewTheme.colors.badgeNotification\n },\n model: {\n value: (_vm.badgeNotificationColorLocal),\n callback: function($$v) {\n _vm.badgeNotificationColorLocal = $$v\n },\n expression: \"badgeNotificationColorLocal\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.panel_header')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.panelColorLocal),\n callback: function($$v) {\n _vm.panelColorLocal = $$v\n },\n expression: \"panelColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"panelOpacity\",\n \"fallback\": _vm.previewTheme.opacity.panel || 1\n },\n model: {\n value: (_vm.panelOpacityLocal),\n callback: function($$v) {\n _vm.panelOpacityLocal = $$v\n },\n expression: \"panelOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelTextColor\",\n \"fallback\": _vm.previewTheme.colors.panelText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.panelTextColorLocal),\n callback: function($$v) {\n _vm.panelTextColorLocal = $$v\n },\n expression: \"panelTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.panelText,\n \"large\": \"1\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelLinkColor\",\n \"fallback\": _vm.previewTheme.colors.panelLink,\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.panelLinkColorLocal),\n callback: function($$v) {\n _vm.panelLinkColorLocal = $$v\n },\n expression: \"panelLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.panelLink,\n \"large\": \"1\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.top_bar')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"topBarColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.topBarColorLocal),\n callback: function($$v) {\n _vm.topBarColorLocal = $$v\n },\n expression: \"topBarColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"topBarTextColor\",\n \"fallback\": _vm.previewTheme.colors.topBarText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.topBarTextColorLocal),\n callback: function($$v) {\n _vm.topBarTextColorLocal = $$v\n },\n expression: \"topBarTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.topBarText\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"topBarLinkColor\",\n \"fallback\": _vm.previewTheme.colors.topBarLink,\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.topBarLinkColorLocal),\n callback: function($$v) {\n _vm.topBarLinkColorLocal = $$v\n },\n expression: \"topBarLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.topBarLink\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.inputs')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"inputColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.inputColorLocal),\n callback: function($$v) {\n _vm.inputColorLocal = $$v\n },\n expression: \"inputColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"inputOpacity\",\n \"fallback\": _vm.previewTheme.opacity.input || 1\n },\n model: {\n value: (_vm.inputOpacityLocal),\n callback: function($$v) {\n _vm.inputOpacityLocal = $$v\n },\n expression: \"inputOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"inputTextColor\",\n \"fallback\": _vm.previewTheme.colors.inputText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.inputTextColorLocal),\n callback: function($$v) {\n _vm.inputTextColorLocal = $$v\n },\n expression: \"inputTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.inputText\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.buttons')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"btnColor\",\n \"fallback\": _vm.fgColorLocal,\n \"label\": _vm.$t('settings.background')\n },\n model: {\n value: (_vm.btnColorLocal),\n callback: function($$v) {\n _vm.btnColorLocal = $$v\n },\n expression: \"btnColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"btnOpacity\",\n \"fallback\": _vm.previewTheme.opacity.btn || 1\n },\n model: {\n value: (_vm.btnOpacityLocal),\n callback: function($$v) {\n _vm.btnOpacityLocal = $$v\n },\n expression: \"btnOpacityLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"btnTextColor\",\n \"fallback\": _vm.previewTheme.colors.btnText,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.btnTextColorLocal),\n callback: function($$v) {\n _vm.btnTextColorLocal = $$v\n },\n expression: \"btnTextColorLocal\"\n }\n }), _vm._v(\" \"), _c('ContrastRatio', {\n attrs: {\n \"contrast\": _vm.previewContrast.btnText\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.borders')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"borderColor\",\n \"fallback\": _vm.previewTheme.colors.border,\n \"label\": _vm.$t('settings.style.common.color')\n },\n model: {\n value: (_vm.borderColorLocal),\n callback: function($$v) {\n _vm.borderColorLocal = $$v\n },\n expression: \"borderColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"borderOpacity\",\n \"fallback\": _vm.previewTheme.opacity.border || 1\n },\n model: {\n value: (_vm.borderOpacityLocal),\n callback: function($$v) {\n _vm.borderOpacityLocal = $$v\n },\n expression: \"borderOpacityLocal\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"color-item\"\n }, [_c('h4', [_vm._v(_vm._s(_vm.$t('settings.style.advanced_colors.faint_text')))]), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"faintColor\",\n \"fallback\": _vm.previewTheme.colors.faint || 1,\n \"label\": _vm.$t('settings.text')\n },\n model: {\n value: (_vm.faintColorLocal),\n callback: function($$v) {\n _vm.faintColorLocal = $$v\n },\n expression: \"faintColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"faintLinkColor\",\n \"fallback\": _vm.previewTheme.colors.faintLink,\n \"label\": _vm.$t('settings.links')\n },\n model: {\n value: (_vm.faintLinkColorLocal),\n callback: function($$v) {\n _vm.faintLinkColorLocal = $$v\n },\n expression: \"faintLinkColorLocal\"\n }\n }), _vm._v(\" \"), _c('ColorInput', {\n attrs: {\n \"name\": \"panelFaintColor\",\n \"fallback\": _vm.previewTheme.colors.panelFaint,\n \"label\": _vm.$t('settings.style.advanced_colors.panel_header')\n },\n model: {\n value: (_vm.panelFaintColorLocal),\n callback: function($$v) {\n _vm.panelFaintColorLocal = $$v\n },\n expression: \"panelFaintColorLocal\"\n }\n }), _vm._v(\" \"), _c('OpacityInput', {\n attrs: {\n \"name\": \"faintOpacity\",\n \"fallback\": _vm.previewTheme.opacity.faint || 0.5\n },\n model: {\n value: (_vm.faintOpacityLocal),\n callback: function($$v) {\n _vm.faintOpacityLocal = $$v\n },\n expression: \"faintOpacityLocal\"\n }\n })], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"radius-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.radii._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.radii_help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearRoundness\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"btnRadius\",\n \"label\": _vm.$t('settings.btnRadius'),\n \"fallback\": _vm.previewTheme.radii.btn,\n \"max\": \"16\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.btnRadiusLocal),\n callback: function($$v) {\n _vm.btnRadiusLocal = $$v\n },\n expression: \"btnRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"inputRadius\",\n \"label\": _vm.$t('settings.inputRadius'),\n \"fallback\": _vm.previewTheme.radii.input,\n \"max\": \"9\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.inputRadiusLocal),\n callback: function($$v) {\n _vm.inputRadiusLocal = $$v\n },\n expression: \"inputRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"checkboxRadius\",\n \"label\": _vm.$t('settings.checkboxRadius'),\n \"fallback\": _vm.previewTheme.radii.checkbox,\n \"max\": \"16\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.checkboxRadiusLocal),\n callback: function($$v) {\n _vm.checkboxRadiusLocal = $$v\n },\n expression: \"checkboxRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"panelRadius\",\n \"label\": _vm.$t('settings.panelRadius'),\n \"fallback\": _vm.previewTheme.radii.panel,\n \"max\": \"50\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.panelRadiusLocal),\n callback: function($$v) {\n _vm.panelRadiusLocal = $$v\n },\n expression: \"panelRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"avatarRadius\",\n \"label\": _vm.$t('settings.avatarRadius'),\n \"fallback\": _vm.previewTheme.radii.avatar,\n \"max\": \"28\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.avatarRadiusLocal),\n callback: function($$v) {\n _vm.avatarRadiusLocal = $$v\n },\n expression: \"avatarRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"avatarAltRadius\",\n \"label\": _vm.$t('settings.avatarAltRadius'),\n \"fallback\": _vm.previewTheme.radii.avatarAlt,\n \"max\": \"28\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.avatarAltRadiusLocal),\n callback: function($$v) {\n _vm.avatarAltRadiusLocal = $$v\n },\n expression: \"avatarAltRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"attachmentRadius\",\n \"label\": _vm.$t('settings.attachmentRadius'),\n \"fallback\": _vm.previewTheme.radii.attachment,\n \"max\": \"50\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.attachmentRadiusLocal),\n callback: function($$v) {\n _vm.attachmentRadiusLocal = $$v\n },\n expression: \"attachmentRadiusLocal\"\n }\n }), _vm._v(\" \"), _c('RangeInput', {\n attrs: {\n \"name\": \"tooltipRadius\",\n \"label\": _vm.$t('settings.tooltipRadius'),\n \"fallback\": _vm.previewTheme.radii.tooltip,\n \"max\": \"50\",\n \"hardMin\": \"0\"\n },\n model: {\n value: (_vm.tooltipRadiusLocal),\n callback: function($$v) {\n _vm.tooltipRadiusLocal = $$v\n },\n expression: \"tooltipRadiusLocal\"\n }\n })], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"shadow-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.shadows._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header shadow-selector\"\n }, [_c('div', {\n staticClass: \"select-container\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.component')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"shadow-switcher\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.shadowSelected),\n expression: \"shadowSelected\"\n }],\n staticClass: \"shadow-switcher\",\n attrs: {\n \"id\": \"shadow-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.shadowSelected = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, _vm._l((_vm.shadowsAvailable), function(shadow) {\n return _c('option', {\n domProps: {\n \"value\": shadow\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.components.' + shadow)) + \"\\n \")])\n }), 0), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]), _vm._v(\" \"), _c('div', {\n staticClass: \"override\"\n }, [_c('label', {\n staticClass: \"label\",\n attrs: {\n \"for\": \"override\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.shadows.override')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.currentShadowOverriden),\n expression: \"currentShadowOverriden\"\n }],\n staticClass: \"input-override\",\n attrs: {\n \"name\": \"override\",\n \"id\": \"override\",\n \"type\": \"checkbox\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.currentShadowOverriden) ? _vm._i(_vm.currentShadowOverriden, null) > -1 : (_vm.currentShadowOverriden)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.currentShadowOverriden,\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.currentShadowOverriden = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.currentShadowOverriden = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.currentShadowOverriden = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n staticClass: \"checkbox-label\",\n attrs: {\n \"for\": \"override\"\n }\n })]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearShadows\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('shadow-control', {\n attrs: {\n \"ready\": !!_vm.currentShadowFallback,\n \"fallback\": _vm.currentShadowFallback\n },\n model: {\n value: (_vm.currentShadow),\n callback: function($$v) {\n _vm.currentShadow = $$v\n },\n expression: \"currentShadow\"\n }\n }), _vm._v(\" \"), (_vm.shadowSelected === 'avatar' || _vm.shadowSelected === 'avatarStatus') ? _c('div', [_c('i18n', {\n attrs: {\n \"path\": \"settings.style.shadows.filter_hint.always_drop_shadow\",\n \"tag\": \"p\"\n }\n }, [_c('code', [_vm._v(\"filter: drop-shadow()\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.avatar_inset')))]), _vm._v(\" \"), _c('i18n', {\n attrs: {\n \"path\": \"settings.style.shadows.filter_hint.drop_shadow_syntax\",\n \"tag\": \"p\"\n }\n }, [_c('code', [_vm._v(\"drop-shadow\")]), _vm._v(\" \"), _c('code', [_vm._v(\"spread-radius\")]), _vm._v(\" \"), _c('code', [_vm._v(\"inset\")])]), _vm._v(\" \"), _c('i18n', {\n attrs: {\n \"path\": \"settings.style.shadows.filter_hint.inset_classic\",\n \"tag\": \"p\"\n }\n }, [_c('code', [_vm._v(\"box-shadow\")])]), _vm._v(\" \"), _c('p', [_vm._v(_vm._s(_vm.$t('settings.style.shadows.filter_hint.spread_zero')))])], 1) : _vm._e()], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"fonts-container\",\n attrs: {\n \"label\": _vm.$t('settings.style.fonts._tab_label')\n }\n }, [_c('div', {\n staticClass: \"tab-header\"\n }, [_c('p', [_vm._v(_vm._s(_vm.$t('settings.style.fonts.help')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearFonts\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.clear_all')))])]), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"ui\",\n \"label\": _vm.$t('settings.style.fonts.components.interface'),\n \"fallback\": _vm.previewTheme.fonts.interface,\n \"no-inherit\": \"1\"\n },\n model: {\n value: (_vm.fontsLocal.interface),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"interface\", $$v)\n },\n expression: \"fontsLocal.interface\"\n }\n }), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"input\",\n \"label\": _vm.$t('settings.style.fonts.components.input'),\n \"fallback\": _vm.previewTheme.fonts.input\n },\n model: {\n value: (_vm.fontsLocal.input),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"input\", $$v)\n },\n expression: \"fontsLocal.input\"\n }\n }), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"post\",\n \"label\": _vm.$t('settings.style.fonts.components.post'),\n \"fallback\": _vm.previewTheme.fonts.post\n },\n model: {\n value: (_vm.fontsLocal.post),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"post\", $$v)\n },\n expression: \"fontsLocal.post\"\n }\n }), _vm._v(\" \"), _c('FontControl', {\n attrs: {\n \"name\": \"postCode\",\n \"label\": _vm.$t('settings.style.fonts.components.postCode'),\n \"fallback\": _vm.previewTheme.fonts.postCode\n },\n model: {\n value: (_vm.fontsLocal.postCode),\n callback: function($$v) {\n _vm.$set(_vm.fontsLocal, \"postCode\", $$v)\n },\n expression: \"fontsLocal.postCode\"\n }\n })], 1)])], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"apply-container\"\n }, [_c('button', {\n staticClass: \"btn submit\",\n attrs: {\n \"disabled\": !_vm.themeValid\n },\n on: {\n \"click\": _vm.setCustomTheme\n }\n }, [_vm._v(_vm._s(_vm.$t('general.apply')))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.clearAll\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.switcher.reset')))])])], 1)\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 = 675\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: \"panel dummy\"\n }, [_c('div', {\n staticClass: \"panel-heading\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header')) + \"\\n \"), _c('span', {\n staticClass: \"badge badge-notification\"\n }, [_vm._v(\"\\n 99\\n \")])]), _vm._v(\" \"), _c('span', {\n staticClass: \"faint\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.header_faint')) + \"\\n \")]), _vm._v(\" \"), _c('span', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body theme-preview-content\"\n }, [_c('div', {\n staticClass: \"post\"\n }, [_c('div', {\n staticClass: \"avatar\"\n }, [_vm._v(\"\\n ( ͡° ͜ʖ ͡°)\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"content\"\n }, [_c('h4', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.content')) + \"\\n \")]), _vm._v(\" \"), _c('i18n', {\n attrs: {\n \"path\": \"settings.style.preview.text\"\n }\n }, [_c('code', {\n staticStyle: {\n \"font-family\": \"var(--postCodeFont)\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.mono')) + \"\\n \")]), _vm._v(\" \"), _c('a', {\n staticStyle: {\n \"color\": \"var(--link)\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.link')) + \"\\n \")])]), _vm._v(\" \"), _vm._m(0)], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"after-post\"\n }, [_c('div', {\n staticClass: \"avatar-alt\"\n }, [_vm._v(\"\\n :^)\\n \")]), _vm._v(\" \"), _c('div', {\n staticClass: \"content\"\n }, [_c('i18n', {\n staticClass: \"faint\",\n attrs: {\n \"path\": \"settings.style.preview.fine_print\",\n \"tag\": \"span\"\n }\n }, [_c('a', {\n staticStyle: {\n \"color\": \"var(--faintLink)\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.faint_link')) + \"\\n \")])])], 1)]), _vm._v(\" \"), _c('div', {\n staticClass: \"separator\"\n }), _vm._v(\" \"), _c('span', {\n staticClass: \"alert error\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.error')) + \"\\n \")]), _vm._v(\" \"), _c('input', {\n attrs: {\n \"type\": \"text\"\n },\n domProps: {\n \"value\": _vm.$t('settings.style.preview.input')\n }\n }), _vm._v(\" \"), _c('div', {\n staticClass: \"actions\"\n }, [_c('span', {\n staticClass: \"checkbox\"\n }, [_c('input', {\n attrs: {\n \"checked\": \"very yes\",\n \"type\": \"checkbox\",\n \"id\": \"preview_checkbox\"\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"preview_checkbox\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.style.preview.checkbox')))])]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.style.preview.button')) + \"\\n \")])])])])\n},staticRenderFns: [function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"icons\"\n }, [_c('i', {\n staticClass: \"button-icon icon-reply\",\n staticStyle: {\n \"color\": \"var(--cBlue)\"\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-retweet\",\n staticStyle: {\n \"color\": \"var(--cGreen)\"\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-star\",\n staticStyle: {\n \"color\": \"var(--cOrange)\"\n }\n }), _vm._v(\" \"), _c('i', {\n staticClass: \"button-icon icon-cancel\",\n staticStyle: {\n \"color\": \"var(--cRed)\"\n }\n })])\n}]}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-b5c96572\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/style_switcher/preview.vue\n// module id = 676\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: \"button-icon favorite-button fav-active\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.favorite')\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n _vm.favorite()\n }\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _vm.status.fave_num > 0) ? _c('span', [_vm._v(_vm._s(_vm.status.fave_num))]) : _vm._e()]) : _c('div', [_c('i', {\n staticClass: \"button-icon favorite-button\",\n class: _vm.classes,\n attrs: {\n \"title\": _vm.$t('tool_tip.favorite')\n }\n }), _vm._v(\" \"), (!_vm.hidePostStatsLocal && _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 = 677\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 }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.settings')) + \"\\n \")]), _vm._v(\" \"), _c('transition', {\n attrs: {\n \"name\": \"fade\"\n }\n }, [(_vm.currentSaveStateNotice) ? [(_vm.currentSaveStateNotice.error) ? _c('div', {\n staticClass: \"alert error\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.saving_err')) + \"\\n \")]) : _vm._e(), _vm._v(\" \"), (!_vm.currentSaveStateNotice.error) ? _c('div', {\n staticClass: \"alert transparent\",\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.saving_ok')) + \"\\n \")]) : _vm._e()] : _vm._e()], 2)], 1), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body\"\n }, [_c('keep-alive', [_c('tab-switcher', [_c('div', {\n attrs: {\n \"label\": _vm.$t('settings.general')\n }\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.interface')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('interface-language-switcher')], 1), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideISPLocal),\n expression: \"hideISPLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideISP\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideISPLocal) ? _vm._i(_vm.hideISPLocal, null) > -1 : (_vm.hideISPLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideISPLocal,\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.hideISPLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideISPLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideISPLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideISP\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_isp')))])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('nav.timeline')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.collapseMessageWithSubjectLocal),\n expression: \"collapseMessageWithSubjectLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"collapseMessageWithSubject\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.collapseMessageWithSubjectLocal) ? _vm._i(_vm.collapseMessageWithSubjectLocal, null) > -1 : (_vm.collapseMessageWithSubjectLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.collapseMessageWithSubjectLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.collapseMessageWithSubjectLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.collapseMessageWithSubjectLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.collapseMessageWithSubjectLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"collapseMessageWithSubject\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.collapse_subject')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.collapseMessageWithSubjectDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.streamingLocal),\n expression: \"streamingLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"streaming\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.streamingLocal) ? _vm._i(_vm.streamingLocal, null) > -1 : (_vm.streamingLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.streamingLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.streamingLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.streamingLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.streamingLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"streaming\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.streaming')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\",\n class: [{\n disabled: !_vm.streamingLocal\n }]\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.pauseOnUnfocusedLocal),\n expression: \"pauseOnUnfocusedLocal\"\n }],\n attrs: {\n \"disabled\": !_vm.streamingLocal,\n \"type\": \"checkbox\",\n \"id\": \"pauseOnUnfocused\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.pauseOnUnfocusedLocal) ? _vm._i(_vm.pauseOnUnfocusedLocal, null) > -1 : (_vm.pauseOnUnfocusedLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.pauseOnUnfocusedLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.pauseOnUnfocusedLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.pauseOnUnfocusedLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.pauseOnUnfocusedLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"pauseOnUnfocused\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.pause_on_unfocused')))])])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.autoLoadLocal),\n expression: \"autoLoadLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"autoload\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.autoLoadLocal) ? _vm._i(_vm.autoLoadLocal, null) > -1 : (_vm.autoLoadLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.autoLoadLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.autoLoadLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.autoLoadLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.autoLoadLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"autoload\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.autoload')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hoverPreviewLocal),\n expression: \"hoverPreviewLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hoverPreview\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hoverPreviewLocal) ? _vm._i(_vm.hoverPreviewLocal, null) > -1 : (_vm.hoverPreviewLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hoverPreviewLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hoverPreviewLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hoverPreviewLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hoverPreviewLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hoverPreview\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_link_preview')))])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.composing')))]), _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.scopeCopyLocal),\n expression: \"scopeCopyLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"scopeCopy\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.scopeCopyLocal) ? _vm._i(_vm.scopeCopyLocal, null) > -1 : (_vm.scopeCopyLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.scopeCopyLocal,\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.scopeCopyLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.scopeCopyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.scopeCopyLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"scopeCopy\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.scope_copy')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.scopeCopyDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.alwaysShowSubjectInputLocal),\n expression: \"alwaysShowSubjectInputLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"subjectHide\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.alwaysShowSubjectInputLocal) ? _vm._i(_vm.alwaysShowSubjectInputLocal, null) > -1 : (_vm.alwaysShowSubjectInputLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.alwaysShowSubjectInputLocal,\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.alwaysShowSubjectInputLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.alwaysShowSubjectInputLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.alwaysShowSubjectInputLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"subjectHide\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_input_always_show')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.alwaysShowSubjectInputDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_behavior')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"subjectLineBehavior\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.subjectLineBehaviorLocal),\n expression: \"subjectLineBehaviorLocal\"\n }],\n attrs: {\n \"id\": \"subjectLineBehavior\"\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.subjectLineBehaviorLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"email\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_email')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'email' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"masto\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_mastodon')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'mastodon' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"noop\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.subject_line_noop')) + \"\\n \" + _vm._s(_vm.subjectLineBehaviorDefault == 'noop' ? _vm.$t('settings.instance_default_simple') : '') + \"\\n \")])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.attachments')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsLocal),\n expression: \"hideAttachmentsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachments\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsLocal) ? _vm._i(_vm.hideAttachmentsLocal, null) > -1 : (_vm.hideAttachmentsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachments\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_tl')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideAttachmentsInConvLocal),\n expression: \"hideAttachmentsInConvLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideAttachmentsInConv\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideAttachmentsInConvLocal) ? _vm._i(_vm.hideAttachmentsInConvLocal, null) > -1 : (_vm.hideAttachmentsInConvLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideAttachmentsInConvLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideAttachmentsInConvLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideAttachmentsInConvLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideAttachmentsInConvLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideAttachmentsInConv\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.hide_attachments_in_convo')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideNsfwLocal),\n expression: \"hideNsfwLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideNsfw\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideNsfwLocal) ? _vm._i(_vm.hideNsfwLocal, null) > -1 : (_vm.hideNsfwLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideNsfwLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.hideNsfwLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideNsfwLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideNsfwLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideNsfw\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.nsfw_clickthrough')))])]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.preloadImage),\n expression: \"preloadImage\"\n }],\n attrs: {\n \"disabled\": !_vm.hideNsfwLocal,\n \"type\": \"checkbox\",\n \"id\": \"preloadImage\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.preloadImage) ? _vm._i(_vm.preloadImage, null) > -1 : (_vm.preloadImage)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.preloadImage,\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.preloadImage = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.preloadImage = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.preloadImage = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"preloadImage\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.preload_images')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.useOneClickNsfw),\n expression: \"useOneClickNsfw\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"useOneClickNsfw\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.useOneClickNsfw) ? _vm._i(_vm.useOneClickNsfw, null) > -1 : (_vm.useOneClickNsfw)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.useOneClickNsfw,\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.useOneClickNsfw = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.useOneClickNsfw = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.useOneClickNsfw = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"useOneClickNsfw\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.use_one_click_nsfw')))])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.stopGifs),\n expression: \"stopGifs\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"stopGifs\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.stopGifs) ? _vm._i(_vm.stopGifs, null) > -1 : (_vm.stopGifs)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.stopGifs,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.stopGifs = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.stopGifs = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.stopGifs = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"stopGifs\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.stop_gifs')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.loopVideoLocal),\n expression: \"loopVideoLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"loopVideo\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.loopVideoLocal) ? _vm._i(_vm.loopVideoLocal, null) > -1 : (_vm.loopVideoLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.loopVideoLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.loopVideoLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.loopVideoLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.loopVideoLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"loopVideo\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.loop_video')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"setting-list suboptions\",\n class: [{\n disabled: !_vm.streamingLocal\n }]\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.loopVideoSilentOnlyLocal),\n expression: \"loopVideoSilentOnlyLocal\"\n }],\n attrs: {\n \"disabled\": !_vm.loopVideoLocal || !_vm.loopSilentAvailable,\n \"type\": \"checkbox\",\n \"id\": \"loopVideoSilentOnly\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.loopVideoSilentOnlyLocal) ? _vm._i(_vm.loopVideoSilentOnlyLocal, null) > -1 : (_vm.loopVideoSilentOnlyLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.loopVideoSilentOnlyLocal,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.loopVideoSilentOnlyLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.loopVideoSilentOnlyLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.loopVideoSilentOnlyLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"loopVideoSilentOnly\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.loop_video_silent_only')))]), _vm._v(\" \"), (!_vm.loopSilentAvailable) ? _c('div', {\n staticClass: \"unavailable\"\n }, [_c('i', {\n staticClass: \"icon-globe\"\n }), _vm._v(\"! \" + _vm._s(_vm.$t('settings.limited_availability')) + \"\\n \")]) : _vm._e()])])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.playVideosInline),\n expression: \"playVideosInline\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"playVideosInline\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.playVideosInline) ? _vm._i(_vm.playVideosInline, null) > -1 : (_vm.playVideosInline)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.playVideosInline,\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.playVideosInline = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.playVideosInline = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.playVideosInline = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"playVideosInline\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.play_videos_inline')))])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.useContainFit),\n expression: \"useContainFit\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"useContainFit\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.useContainFit) ? _vm._i(_vm.useContainFit, null) > -1 : (_vm.useContainFit)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.useContainFit,\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.useContainFit = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.useContainFit = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.useContainFit = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"useContainFit\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.use_contain_fit')))])])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_c('h2', [_vm._v(_vm._s(_vm.$t('settings.notifications')))]), _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.webPushNotificationsLocal),\n expression: \"webPushNotificationsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"webPushNotifications\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.webPushNotificationsLocal) ? _vm._i(_vm.webPushNotificationsLocal, null) > -1 : (_vm.webPushNotificationsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.webPushNotificationsLocal,\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.webPushNotificationsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.webPushNotificationsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.webPushNotificationsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"webPushNotifications\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.enable_web_push_notifications')) + \"\\n \")])])])])]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.theme')\n }\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('style-switcher')], 1)]), _vm._v(\" \"), _c('div', {\n attrs: {\n \"label\": _vm.$t('settings.filtering')\n }\n }, [_c('div', {\n staticClass: \"setting-item\"\n }, [_c('div', {\n staticClass: \"select-multiple\"\n }, [_c('span', {\n staticClass: \"label\"\n }, [_vm._v(_vm._s(_vm.$t('settings.notification_visibility')))]), _vm._v(\" \"), _c('ul', {\n staticClass: \"option-list\"\n }, [_c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.likes),\n expression: \"notificationVisibilityLocal.likes\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-likes\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.likes) ? _vm._i(_vm.notificationVisibilityLocal.likes, null) > -1 : (_vm.notificationVisibilityLocal.likes)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.likes,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"likes\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-likes\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_likes')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.repeats),\n expression: \"notificationVisibilityLocal.repeats\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-repeats\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.repeats) ? _vm._i(_vm.notificationVisibilityLocal.repeats, null) > -1 : (_vm.notificationVisibilityLocal.repeats)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.repeats,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"repeats\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-repeats\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_repeats')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.follows),\n expression: \"notificationVisibilityLocal.follows\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-follows\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.follows) ? _vm._i(_vm.notificationVisibilityLocal.follows, null) > -1 : (_vm.notificationVisibilityLocal.follows)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.follows,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"follows\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-follows\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_follows')) + \"\\n \")])]), _vm._v(\" \"), _c('li', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.notificationVisibilityLocal.mentions),\n expression: \"notificationVisibilityLocal.mentions\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"notification-visibility-mentions\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.notificationVisibilityLocal.mentions) ? _vm._i(_vm.notificationVisibilityLocal.mentions, null) > -1 : (_vm.notificationVisibilityLocal.mentions)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.notificationVisibilityLocal.mentions,\n $$el = $event.target,\n $$c = $$el.checked ? (true) : (false);\n if (Array.isArray($$a)) {\n var $$v = null,\n $$i = _vm._i($$a, $$v);\n if ($$el.checked) {\n $$i < 0 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.concat([$$v])))\n } else {\n $$i > -1 && (_vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$a.slice(0, $$i).concat($$a.slice($$i + 1))))\n }\n } else {\n _vm.$set(_vm.notificationVisibilityLocal, \"mentions\", $$c)\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"notification-visibility-mentions\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.notification_visibility_mentions')) + \"\\n \")])])])]), _vm._v(\" \"), _c('div', [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.replies_in_timeline')) + \"\\n \"), _c('label', {\n staticClass: \"select\",\n attrs: {\n \"for\": \"replyVisibility\"\n }\n }, [_c('select', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.replyVisibilityLocal),\n expression: \"replyVisibilityLocal\"\n }],\n attrs: {\n \"id\": \"replyVisibility\"\n },\n on: {\n \"change\": function($event) {\n var $$selectedVal = Array.prototype.filter.call($event.target.options, function(o) {\n return o.selected\n }).map(function(o) {\n var val = \"_value\" in o ? o._value : o.value;\n return val\n });\n _vm.replyVisibilityLocal = $event.target.multiple ? $$selectedVal : $$selectedVal[0]\n }\n }\n }, [_c('option', {\n attrs: {\n \"value\": \"all\",\n \"selected\": \"\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_all')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"following\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_following')))]), _vm._v(\" \"), _c('option', {\n attrs: {\n \"value\": \"self\"\n }\n }, [_vm._v(_vm._s(_vm.$t('settings.reply_visibility_self')))])]), _vm._v(\" \"), _c('i', {\n staticClass: \"icon-down-open\"\n })])]), _vm._v(\" \"), _c('div', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hidePostStatsLocal),\n expression: \"hidePostStatsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hidePostStats\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hidePostStatsLocal) ? _vm._i(_vm.hidePostStatsLocal, null) > -1 : (_vm.hidePostStatsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hidePostStatsLocal,\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.hidePostStatsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hidePostStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hidePostStatsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hidePostStats\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_post_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.hidePostStatsDefault\n })) + \"\\n \")])]), _vm._v(\" \"), _c('div', [_c('input', {\n directives: [{\n name: \"model\",\n rawName: \"v-model\",\n value: (_vm.hideUserStatsLocal),\n expression: \"hideUserStatsLocal\"\n }],\n attrs: {\n \"type\": \"checkbox\",\n \"id\": \"hideUserStats\"\n },\n domProps: {\n \"checked\": Array.isArray(_vm.hideUserStatsLocal) ? _vm._i(_vm.hideUserStatsLocal, null) > -1 : (_vm.hideUserStatsLocal)\n },\n on: {\n \"change\": function($event) {\n var $$a = _vm.hideUserStatsLocal,\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.hideUserStatsLocal = $$a.concat([$$v]))\n } else {\n $$i > -1 && (_vm.hideUserStatsLocal = $$a.slice(0, $$i).concat($$a.slice($$i + 1)))\n }\n } else {\n _vm.hideUserStatsLocal = $$c\n }\n }\n }\n }), _vm._v(\" \"), _c('label', {\n attrs: {\n \"for\": \"hideUserStats\"\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('settings.hide_user_stats')) + \" \" + _vm._s(_vm.$t('settings.instance_default', {\n value: _vm.hideUserStatsDefault\n })) + \"\\n \")])])]), _vm._v(\" \"), _c('div', {\n staticClass: \"setting-item\"\n }, [_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 })])])])], 1)], 1)])\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 = 678\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\": {\n name: 'friends'\n }\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) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'dms',\n params: {\n username: _vm.currentUser.screen_name\n }\n }\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t(\"nav.dms\")) + \"\\n \")])], 1) : _vm._e(), _vm._v(\" \"), (_vm.currentUser && _vm.currentUser.locked) ? _c('li', [_c('router-link', {\n attrs: {\n \"to\": {\n name: 'friend-requests'\n }\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\": {\n name: 'public-timeline'\n }\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\": {\n name: 'public-external-timeline'\n }\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 = 679\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 ref: \"galleryContainer\",\n staticStyle: {\n \"width\": \"100%\"\n }\n }, _vm._l((_vm.rows), function(row) {\n return _c('div', {\n staticClass: \"gallery-row\",\n class: {\n 'contain-fit': _vm.useContainFit, 'cover-fit': !_vm.useContainFit\n },\n style: (_vm.rowHeight(row.length))\n }, _vm._l((row), function(attachment) {\n return _c('attachment', {\n key: attachment.id,\n attrs: {\n \"setMedia\": _vm.setMedia,\n \"nsfw\": _vm.nsfw,\n \"attachment\": attachment,\n \"allowPlay\": false\n }\n })\n }), 1)\n }), 0)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-d4665f74\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/gallery/gallery.vue\n// module id = 680\n// module chunks = 2","module.exports={render:function (){var _vm=this;var _h=_vm.$createElement;var _c=_vm._self._c||_h;\n return _c('div', {\n staticClass: \"who-to-follow-panel\"\n }, [_c('div', {\n staticClass: \"panel panel-default base01-background\"\n }, [_c('div', {\n staticClass: \"panel-heading timeline-heading base02-background base04\"\n }, [_c('div', {\n staticClass: \"title\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.$t('who_to_follow.who_to_follow')) + \"\\n \")])]), _vm._v(\" \"), _c('div', {\n staticClass: \"panel-body who-to-follow\"\n }, [_vm._l((_vm.usersToFollow), function(user) {\n return _c('span', [_c('img', {\n attrs: {\n \"src\": user.img\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": _vm.userProfileLink(user.id, user.name)\n }\n }, [_vm._v(\"\\n \" + _vm._s(user.name) + \"\\n \")]), _c('br')], 1)\n }), _vm._v(\" \"), _c('img', {\n attrs: {\n \"src\": _vm.$store.state.instance.logo\n }\n }), _vm._v(\" \"), _c('router-link', {\n attrs: {\n \"to\": {\n name: 'who-to-follow'\n }\n }\n }, [_vm._v(_vm._s(_vm.$t('who_to_follow.more')))])], 2)])])\n},staticRenderFns: []}\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 = 681\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: \"import-export-container\"\n }, [_vm._t(\"before\"), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.exportData\n }\n }, [_vm._v(_vm._s(_vm.exportLabel))]), _vm._v(\" \"), _c('button', {\n staticClass: \"btn\",\n on: {\n \"click\": _vm.importData\n }\n }, [_vm._v(_vm._s(_vm.importLabel))]), _vm._v(\" \"), _vm._t(\"afterButtons\"), _vm._v(\" \"), (_vm.importFailed) ? _c('p', {\n staticClass: \"alert error\"\n }, [_vm._v(_vm._s(_vm.importFailedText))]) : _vm._e(), _vm._v(\" \"), _vm._t(\"afterError\")], 2)\n},staticRenderFns: []}\n\n\n//////////////////\n// WEBPACK FOOTER\n// ./~/vue-loader/lib/template-compiler?{\"id\":\"data-v-e5bdcefc\"}!./~/vue-loader/lib/selector.js?type=template&index=0!./src/components/export_import/export_import.vue\n// module id = 682\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 = 683\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('StillImage', {\n staticClass: \"avatar\",\n attrs: {\n \"src\": _vm.user.profile_image_url\n },\n on: {\n \"click\": function($event) {\n $event.preventDefault();\n return _vm.toggleUserExpanded($event)\n }\n }\n })], 1), _vm._v(\" \"), (_vm.userExpanded) ? _c('div', {\n staticClass: \"usercard\"\n }, [_c('user-card-content', {\n attrs: {\n \"user\": _vm.user,\n \"switcher\": false\n }\n })], 1) : _c('div', {\n staticClass: \"name-and-screen-name\"\n }, [(_vm.user.name_html) ? _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_c('span', {\n domProps: {\n \"innerHTML\": _vm._s(_vm.user.name_html)\n }\n }), _vm._v(\" \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]) : _c('div', {\n staticClass: \"user-name\",\n attrs: {\n \"title\": _vm.user.name\n }\n }, [_vm._v(\"\\n \" + _vm._s(_vm.user.name) + \"\\n \"), (!_vm.userExpanded && _vm.showFollows && _vm.user.follows_you) ? _c('span', {\n staticClass: \"follows-you\"\n }, [_vm._v(\"\\n \" + _vm._s(_vm.currentUser.id == _vm.user.id ? _vm.$t('user_card.its_you') : _vm.$t('user_card.follows_you')) + \"\\n \")]) : _vm._e()]), _vm._v(\" \"), _c('router-link', {\n staticClass: \"user-screen-name\",\n attrs: {\n \"to\": _vm.userProfileLink(_vm.user)\n }\n }, [_vm._v(\"\\n @\" + _vm._s(_vm.user.screen_name) + \"\\n \")])], 1), _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 = 684\n// module chunks = 2"],"sourceRoot":""}
\ No newline at end of file
diff --git a/priv/static/static/js/manifest.6aa5664a1a2c0832ce7b.js b/priv/static/static/js/manifest.6aa5664a1a2c0832ce7b.js
deleted file mode 100644
index e146dae30..000000000
--- a/priv/static/static/js/manifest.6aa5664a1a2c0832ce7b.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(o,p){for(var c,l,s=0,i=[];s =0&&Math.floor(e)===e&&isFinite(t)}function p(t){return null==t?"":"object"==typeof t?JSON.stringify(t,null,2):String(t)}function h(t){var e=parseFloat(t);return isNaN(e)?t:e}function d(t,e){for(var n=Object.create(null),r=t.split(","),o=0;o -1}function i(t,e){for(var n in e)t[n]=e[n];return t}function a(t,e){switch(typeof e){case"undefined":return;case"object":return e;case"function":return e(t);case"boolean":return e?t.params:void 0}}function u(t,e,n){void 0===e&&(e={});var r,o=n||s;try{r=o(t||"")}catch(t){r={}}for(var i in e)r[i]=e[i];return r}function s(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach(function(t){var n=t.replace(/\+/g," ").split("="),r=Ft(n.shift()),o=n.length>0?Ft(n.join("=")):null;void 0===e[r]?e[r]=o:Array.isArray(e[r])?e[r].push(o):e[r]=[e[r],o]}),e):e}function c(t){var e=t?Object.keys(t).map(function(e){var n=t[e];if(void 0===n)return"";if(null===n)return Dt(e);if(Array.isArray(n)){var r=[];return n.forEach(function(t){void 0!==t&&(null===t?r.push(Dt(e)):r.push(Dt(e)+"="+Dt(t)))}),r.join("&")}return Dt(e)+"="+Dt(n)}).filter(function(t){return t.length>0}).join("&"):null;return e?"?"+e:""}function f(t,e,n,r){var o=r&&r.options.stringifyQuery,i=e.query||{};try{i=l(i)}catch(t){}var a={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:i,params:e.params||{},fullPath:h(e,o),matched:t?p(t):[]};return n&&(a.redirectedFrom=h(n,o)),Object.freeze(a)}function l(t){if(Array.isArray(t))return t.map(l);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=l(t[n]);return e}return t}function p(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function h(t,e){var n=t.path,r=t.query;void 0===r&&(r={});var o=t.hash;void 0===o&&(o="");var i=e||c;return(n||"/")+i(r)+o}function d(t,e){return e===zt?t===e:!!e&&(t.path&&e.path?t.path.replace(Bt,"")===e.path.replace(Bt,"")&&t.hash===e.hash&&v(t.query,e.query):!(!t.name||!e.name)&&(t.name===e.name&&t.hash===e.hash&&v(t.query,e.query)&&v(t.params,e.params)))}function v(t,e){if(void 0===t&&(t={}),void 0===e&&(e={}),!t||!e)return t===e;var n=Object.keys(t),r=Object.keys(e);return n.length===r.length&&n.every(function(n){var r=t[n],o=e[n];return"object"==typeof r&&"object"==typeof o?v(r,o):String(r)===String(o)})}function m(t,e){return 0===t.path.replace(Bt,"/").indexOf(e.path.replace(Bt,"/"))&&(!e.hash||t.hash===e.hash)&&y(t.query,e.query)}function y(t,e){for(var n in e)if(!(n in t))return!1;return!0}function g(t){if(!(t.metaKey||t.altKey||t.ctrlKey||t.shiftKey||t.defaultPrevented||void 0!==t.button&&0!==t.button)){if(t.currentTarget&&t.currentTarget.getAttribute){var e=t.currentTarget.getAttribute("target");if(/\b_blank\b/i.test(e))return}return t.preventDefault&&t.preventDefault(),!0}}function b(t){if(t)for(var e,n=0;n -1;);return n}var o=n(72);t.exports=r},function(t,e,n){function r(t,e){for(var n=-1,r=t.length;++n -1;);return n}var o=n(72);t.exports=r},function(t,e,n){function r(t,e){for(var n=-1,r=t.length;++n , or missing
between them)\n // as well as approximate line count by counting characters and approximating ~80\n // per line.\n //\n // Using max-height + overflow: auto for status components resulted in false positives\n // very often with japanese characters, and it was very annoying.\n tallStatus () {\n const lengthScore = this.status.statusnet_html.split(/
between them)\n // as well as approximate line count by counting characters and approximating ~80\n // per line.\n //\n // Using max-height + overflow: auto for status components resulted in false positives\n // very often with japanese characters, and it was very annoying.\n tallStatus () {\n const lengthScore = this.status.statusnet_html.split(/0&&(a=bt(a,(e||"")+"_"+n),gt(a[0])&>(c)&&(f[s]=P(c.text+a[0].text),a.shift()),f.push.apply(f,a)):u(a)?gt(c)?f[s]=P(c.text+a):""!==a&&f.push(P(a)):gt(a)&>(c)?f[s]=P(c.text+a.text):(i(t._isVList)&&o(a.tag)&&r(a.key)&&o(e)&&(a.key="__vlist"+e+"_"+n+"__"),f.push(a)));return f}function _t(t,e){return(t.__esModule||uo&&"Module"===t[Symbol.toStringTag])&&(t=t.default),s(t)?e.extend(t):t}function jt(t,e,n,r,o){var i=vo();return i.asyncFactory=t,i.asyncMeta={data:e,context:n,children:r,tag:o},i}function wt(t,e,n){if(i(t.error)&&o(t.errorComp))return t.errorComp;if(o(t.resolved))return t.resolved;if(i(t.loading)&&o(t.loadingComp))return t.loadingComp;if(!o(t.contexts)){var a=t.contexts=[n],u=!0,c=function(t){for(var e=0,n=a.length;e-1,a.selected!==i&&(a.selected=i);else if(O(vr(a),r))return void(t.selectedIndex!==u&&(t.selectedIndex=u));o||(t.selectedIndex=-1)}}function dr(t,e){return e.every(function(e){return!O(e,t)})}function vr(t){return"_value"in t?t._value:t.value}function mr(t){t.target.composing=!0}function yr(t){t.target.composing&&(t.target.composing=!1,gr(t.target,"input"))}function gr(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function br(t){return!t.componentInstance||t.data&&t.data.transition?t:br(t.componentInstance._vnode)}function _r(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?_r(Ot(e.children)):t}function jr(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[Pr(i)]=o[i];return e}function wr(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}function xr(t){for(;t=t.parent;)if(t.data.transition)return!0}function Or(t,e){return e.key===t.key&&e.tag===t.tag}function kr(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function Sr(t){t.data.newPos=t.elm.getBoundingClientRect()}function Ar(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}var Er=Object.freeze({}),Nr=Object.prototype.toString,Cr=(d("slot,component",!0),d("key,ref,slot,slot-scope,is")),Tr=Object.prototype.hasOwnProperty,Mr=/-(\w)/g,Pr=y(function(t){return t.replace(Mr,function(t,e){return e?e.toUpperCase():""})}),Ir=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),$r=/\B([A-Z])/g,Lr=y(function(t){return t.replace($r,"-$1").toLowerCase()}),Rr=Function.prototype.bind?b:g,Dr=function(t,e,n){return!1},Fr=function(t){return t},Br="data-server-rendered",zr=["component","directive","filter"],Ur=["beforeCreate","created","beforeMount","mounted","beforeUpdate","updated","beforeDestroy","destroyed","activated","deactivated","errorCaptured"],qr={optionMergeStrategies:Object.create(null),silent:!1,productionTip:!1,devtools:!1,performance:!1,errorHandler:null,warnHandler:null,ignoredElements:[],keyCodes:Object.create(null),isReservedTag:Dr,isReservedAttr:Dr,isUnknownElement:Dr,getTagNamespace:x,parsePlatformTagName:Fr,mustUseProp:Dr,async:!0,_lifecycleHooks:Ur},Vr=/[^\w.$]/,Wr="__proto__"in{},Hr="undefined"!=typeof window,Yr="undefined"!=typeof WXEnvironment&&!!WXEnvironment.platform,Xr=Yr&&WXEnvironment.platform.toLowerCase(),Gr=Hr&&window.navigator.userAgent.toLowerCase(),Zr=Gr&&/msie|trident/.test(Gr),Kr=Gr&&Gr.indexOf("msie 9.0")>0,Jr=Gr&&Gr.indexOf("edge/")>0,Qr=(Gr&&Gr.indexOf("android")>0||"android"===Xr,Gr&&/iphone|ipad|ipod|ios/.test(Gr)||"ios"===Xr),to=(Gr&&/chrome\/\d+/.test(Gr)&&!Jr,{}.watch),eo=!1;if(Hr)try{var no={};Object.defineProperty(no,"passive",{get:function(){eo=!0}}),window.addEventListener("test-passive",null,no)}catch(t){}var ro,oo,io=function(){return void 0===ro&&(ro=!Hr&&!Yr&&"undefined"!=typeof e&&(e.process&&"server"===e.process.env.VUE_ENV)),ro},ao=Hr&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__,uo="undefined"!=typeof Symbol&&C(Symbol)&&"undefined"!=typeof Reflect&&C(Reflect.ownKeys);oo="undefined"!=typeof Set&&C(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return this.set[t]===!0},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var so=x,co=0,fo=function(){this.id=co++,this.subs=[]};fo.prototype.addSub=function(t){this.subs.push(t)},fo.prototype.removeSub=function(t){v(this.subs,t)},fo.prototype.depend=function(){fo.target&&fo.target.addDep(this)},fo.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;e0&&(a=bt(a,(e||"")+"_"+n),gt(a[0])&>(c)&&(f[s]=P(c.text+a[0].text),a.shift()),f.push.apply(f,a)):u(a)?gt(c)?f[s]=P(c.text+a):""!==a&&f.push(P(a)):gt(a)&>(c)?f[s]=P(c.text+a.text):(i(t._isVList)&&o(a.tag)&&r(a.key)&&o(e)&&(a.key="__vlist"+e+"_"+n+"__"),f.push(a)));return f}function _t(t,e){return(t.__esModule||uo&&"Module"===t[Symbol.toStringTag])&&(t=t.default),s(t)?e.extend(t):t}function jt(t,e,n,r,o){var i=vo();return i.asyncFactory=t,i.asyncMeta={data:e,context:n,children:r,tag:o},i}function xt(t,e,n){if(i(t.error)&&o(t.errorComp))return t.errorComp;if(o(t.resolved))return t.resolved;if(i(t.loading)&&o(t.loadingComp))return t.loadingComp;if(!o(t.contexts)){var a=t.contexts=[n],u=!0,c=function(t){for(var e=0,n=a.length;e-1,a.selected!==i&&(a.selected=i);else if(O(vr(a),r))return void(t.selectedIndex!==u&&(t.selectedIndex=u));o||(t.selectedIndex=-1)}}function dr(t,e){return e.every(function(e){return!O(e,t)})}function vr(t){return"_value"in t?t._value:t.value}function mr(t){t.target.composing=!0}function yr(t){t.target.composing&&(t.target.composing=!1,gr(t.target,"input"))}function gr(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function br(t){return!t.componentInstance||t.data&&t.data.transition?t:br(t.componentInstance._vnode)}function _r(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?_r(Ot(e.children)):t}function jr(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[Pr(i)]=o[i];return e}function xr(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}function wr(t){for(;t=t.parent;)if(t.data.transition)return!0}function Or(t,e){return e.key===t.key&&e.tag===t.tag}function kr(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function Sr(t){t.data.newPos=t.elm.getBoundingClientRect()}function Ar(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}var Er=Object.freeze({}),Nr=Object.prototype.toString,Cr=(d("slot,component",!0),d("key,ref,slot,slot-scope,is")),Tr=Object.prototype.hasOwnProperty,Mr=/-(\w)/g,Pr=y(function(t){return t.replace(Mr,function(t,e){return e?e.toUpperCase():""})}),Ir=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),$r=/\B([A-Z])/g,Lr=y(function(t){return t.replace($r,"-$1").toLowerCase()}),Rr=Function.prototype.bind?b:g,Dr=function(t,e,n){return!1},Fr=function(t){return t},Br="data-server-rendered",zr=["component","directive","filter"],Ur=["beforeCreate","created","beforeMount","mounted","beforeUpdate","updated","beforeDestroy","destroyed","activated","deactivated","errorCaptured"],qr={optionMergeStrategies:Object.create(null),silent:!1,productionTip:!1,devtools:!1,performance:!1,errorHandler:null,warnHandler:null,ignoredElements:[],keyCodes:Object.create(null),isReservedTag:Dr,isReservedAttr:Dr,isUnknownElement:Dr,getTagNamespace:w,parsePlatformTagName:Fr,mustUseProp:Dr,async:!0,_lifecycleHooks:Ur},Vr=/[^\w.$]/,Wr="__proto__"in{},Hr="undefined"!=typeof window,Yr="undefined"!=typeof WXEnvironment&&!!WXEnvironment.platform,Xr=Yr&&WXEnvironment.platform.toLowerCase(),Gr=Hr&&window.navigator.userAgent.toLowerCase(),Zr=Gr&&/msie|trident/.test(Gr),Kr=Gr&&Gr.indexOf("msie 9.0")>0,Jr=Gr&&Gr.indexOf("edge/")>0,Qr=(Gr&&Gr.indexOf("android")>0||"android"===Xr,Gr&&/iphone|ipad|ipod|ios/.test(Gr)||"ios"===Xr),to=(Gr&&/chrome\/\d+/.test(Gr)&&!Jr,{}.watch),eo=!1;if(Hr)try{var no={};Object.defineProperty(no,"passive",{get:function(){eo=!0}}),window.addEventListener("test-passive",null,no)}catch(t){}var ro,oo,io=function(){return void 0===ro&&(ro=!Hr&&!Yr&&"undefined"!=typeof e&&(e.process&&"server"===e.process.env.VUE_ENV)),ro},ao=Hr&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__,uo="undefined"!=typeof Symbol&&C(Symbol)&&"undefined"!=typeof Reflect&&C(Reflect.ownKeys);oo="undefined"!=typeof Set&&C(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return this.set[t]===!0},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var so=w,co=0,fo=function(){this.id=co++,this.subs=[]};fo.prototype.addSub=function(t){this.subs.push(t)},fo.prototype.removeSub=function(t){v(this.subs,t)},fo.prototype.depend=function(){fo.target&&fo.target.addDep(this)},fo.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;e1?n[o-1]:void 0,u=o>2?n[2]:void 0;for(a=t.length>3&&"function"==typeof a?(o--,a):void 0,u&&i(n[0],n[1],u)&&(a=o<3?void 0:a,o=1),e=Object(e);++r1?n[o-1]:void 0,u=o>2?n[2]:void 0;for(a=t.length>3&&"function"==typeof a?(o--,a):void 0,u&&i(n[0],n[1],u)&&(a=o<3?void 0:a,o=1),e=Object(e);++r