mirror of
https://github.com/lunaisnotaboy/mastodon.git
synced 2024-10-31 20:14:26 +00:00
Merge branch 'main' into glitch-soc/merge-upstream
This commit is contained in:
commit
425a6c90c4
|
@ -7,7 +7,7 @@ class Admin::Reports::ActionsController < Admin::BaseController
|
||||||
authorize @report, :show?
|
authorize @report, :show?
|
||||||
|
|
||||||
case action_from_button
|
case action_from_button
|
||||||
when 'delete'
|
when 'delete', 'mark_as_sensitive'
|
||||||
status_batch_action = Admin::StatusBatchAction.new(
|
status_batch_action = Admin::StatusBatchAction.new(
|
||||||
type: action_from_button,
|
type: action_from_button,
|
||||||
status_ids: @report.status_ids,
|
status_ids: @report.status_ids,
|
||||||
|
@ -41,6 +41,8 @@ class Admin::Reports::ActionsController < Admin::BaseController
|
||||||
def action_from_button
|
def action_from_button
|
||||||
if params[:delete]
|
if params[:delete]
|
||||||
'delete'
|
'delete'
|
||||||
|
elsif params[:mark_as_sensitive]
|
||||||
|
'mark_as_sensitive'
|
||||||
elsif params[:silence]
|
elsif params[:silence]
|
||||||
'silence'
|
'silence'
|
||||||
elsif params[:suspend]
|
elsif params[:suspend]
|
||||||
|
|
|
@ -5,6 +5,7 @@ class Api::BaseController < ApplicationController
|
||||||
DEFAULT_ACCOUNTS_LIMIT = 40
|
DEFAULT_ACCOUNTS_LIMIT = 40
|
||||||
|
|
||||||
include RateLimitHeaders
|
include RateLimitHeaders
|
||||||
|
include AccessTokenTrackingConcern
|
||||||
|
|
||||||
skip_before_action :store_current_location
|
skip_before_action :store_current_location
|
||||||
skip_before_action :require_functional!, unless: :whitelist_mode?
|
skip_before_action :require_functional!, unless: :whitelist_mode?
|
||||||
|
|
|
@ -132,7 +132,7 @@ class Auth::RegistrationsController < Devise::RegistrationsController
|
||||||
end
|
end
|
||||||
|
|
||||||
def set_strikes
|
def set_strikes
|
||||||
@strikes = current_account.strikes.active.latest
|
@strikes = current_account.strikes.recent.latest
|
||||||
end
|
end
|
||||||
|
|
||||||
def require_not_suspended!
|
def require_not_suspended!
|
||||||
|
|
21
app/controllers/concerns/access_token_tracking_concern.rb
Normal file
21
app/controllers/concerns/access_token_tracking_concern.rb
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
# frozen_string_literal: true
|
||||||
|
|
||||||
|
module AccessTokenTrackingConcern
|
||||||
|
extend ActiveSupport::Concern
|
||||||
|
|
||||||
|
ACCESS_TOKEN_UPDATE_FREQUENCY = 24.hours.freeze
|
||||||
|
|
||||||
|
included do
|
||||||
|
before_action :update_access_token_last_used
|
||||||
|
end
|
||||||
|
|
||||||
|
private
|
||||||
|
|
||||||
|
def update_access_token_last_used
|
||||||
|
doorkeeper_token.update_last_used(request) if access_token_needs_update?
|
||||||
|
end
|
||||||
|
|
||||||
|
def access_token_needs_update?
|
||||||
|
doorkeeper_token.present? && (doorkeeper_token.last_used_at.nil? || doorkeeper_token.last_used_at < ACCESS_TOKEN_UPDATE_FREQUENCY.ago)
|
||||||
|
end
|
||||||
|
end
|
|
@ -3,7 +3,7 @@
|
||||||
module SessionTrackingConcern
|
module SessionTrackingConcern
|
||||||
extend ActiveSupport::Concern
|
extend ActiveSupport::Concern
|
||||||
|
|
||||||
UPDATE_SIGN_IN_HOURS = 24
|
SESSION_UPDATE_FREQUENCY = 24.hours.freeze
|
||||||
|
|
||||||
included do
|
included do
|
||||||
before_action :set_session_activity
|
before_action :set_session_activity
|
||||||
|
@ -17,6 +17,6 @@ module SessionTrackingConcern
|
||||||
end
|
end
|
||||||
|
|
||||||
def session_needs_update?
|
def session_needs_update?
|
||||||
!current_session.nil? && current_session.updated_at < UPDATE_SIGN_IN_HOURS.hours.ago
|
!current_session.nil? && current_session.updated_at < SESSION_UPDATE_FREQUENCY.ago
|
||||||
end
|
end
|
||||||
end
|
end
|
||||||
|
|
|
@ -3,7 +3,7 @@
|
||||||
module UserTrackingConcern
|
module UserTrackingConcern
|
||||||
extend ActiveSupport::Concern
|
extend ActiveSupport::Concern
|
||||||
|
|
||||||
UPDATE_SIGN_IN_FREQUENCY = 24.hours.freeze
|
SIGN_IN_UPDATE_FREQUENCY = 24.hours.freeze
|
||||||
|
|
||||||
included do
|
included do
|
||||||
before_action :update_user_sign_in
|
before_action :update_user_sign_in
|
||||||
|
@ -16,6 +16,6 @@ module UserTrackingConcern
|
||||||
end
|
end
|
||||||
|
|
||||||
def user_needs_sign_in_update?
|
def user_needs_sign_in_update?
|
||||||
user_signed_in? && (current_user.current_sign_in_at.nil? || current_user.current_sign_in_at < UPDATE_SIGN_IN_FREQUENCY.ago)
|
user_signed_in? && (current_user.current_sign_in_at.nil? || current_user.current_sign_in_at < SIGN_IN_UPDATE_FREQUENCY.ago)
|
||||||
end
|
end
|
||||||
end
|
end
|
||||||
|
|
|
@ -1,7 +1,11 @@
|
||||||
# frozen_string_literal: true
|
# frozen_string_literal: true
|
||||||
|
|
||||||
class Disputes::StrikesController < Disputes::BaseController
|
class Disputes::StrikesController < Disputes::BaseController
|
||||||
before_action :set_strike
|
before_action :set_strike, only: [:show]
|
||||||
|
|
||||||
|
def index
|
||||||
|
@strikes = current_account.strikes.latest
|
||||||
|
end
|
||||||
|
|
||||||
def show
|
def show
|
||||||
authorize @strike, :show?
|
authorize @strike, :show?
|
||||||
|
|
|
@ -225,4 +225,19 @@ module ApplicationHelper
|
||||||
content_tag(:script, json_escape(json).html_safe, id: 'initial-state', type: 'application/json')
|
content_tag(:script, json_escape(json).html_safe, id: 'initial-state', type: 'application/json')
|
||||||
# rubocop:enable Rails/OutputSafety
|
# rubocop:enable Rails/OutputSafety
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def grouped_scopes(scopes)
|
||||||
|
scope_parser = ScopeParser.new
|
||||||
|
scope_transformer = ScopeTransformer.new
|
||||||
|
|
||||||
|
scopes.each_with_object({}) do |str, h|
|
||||||
|
scope = scope_transformer.apply(scope_parser.parse(str))
|
||||||
|
|
||||||
|
if h[scope.key]
|
||||||
|
h[scope.key].merge!(scope)
|
||||||
|
else
|
||||||
|
h[scope.key] = scope
|
||||||
|
end
|
||||||
|
end.values
|
||||||
|
end
|
||||||
end
|
end
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -153,7 +153,7 @@
|
||||||
"emoji_button.nature": "Natura",
|
"emoji_button.nature": "Natura",
|
||||||
"emoji_button.not_found": "¡Nun hai fustaxes! (╯°□°)╯︵ ┻━┻",
|
"emoji_button.not_found": "¡Nun hai fustaxes! (╯°□°)╯︵ ┻━┻",
|
||||||
"emoji_button.objects": "Oxetos",
|
"emoji_button.objects": "Oxetos",
|
||||||
"emoji_button.people": "Xente",
|
"emoji_button.people": "Persones",
|
||||||
"emoji_button.recent": "Úsase davezu",
|
"emoji_button.recent": "Úsase davezu",
|
||||||
"emoji_button.search": "Guetar…",
|
"emoji_button.search": "Guetar…",
|
||||||
"emoji_button.search_results": "Search results",
|
"emoji_button.search_results": "Search results",
|
||||||
|
@ -334,7 +334,7 @@
|
||||||
"notifications.column_settings.show": "Amosar en columna",
|
"notifications.column_settings.show": "Amosar en columna",
|
||||||
"notifications.column_settings.sound": "Reproducir un soníu",
|
"notifications.column_settings.sound": "Reproducir un soníu",
|
||||||
"notifications.column_settings.status": "New toots:",
|
"notifications.column_settings.status": "New toots:",
|
||||||
"notifications.column_settings.unread_notifications.category": "Unread notifications",
|
"notifications.column_settings.unread_notifications.category": "Avisos ensin lleer",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "Highlight unread notifications",
|
"notifications.column_settings.unread_notifications.highlight": "Highlight unread notifications",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "Edits:",
|
||||||
"notifications.filter.all": "Too",
|
"notifications.filter.all": "Too",
|
||||||
|
@ -362,7 +362,7 @@
|
||||||
"poll.voted": "You voted for this answer",
|
"poll.voted": "You voted for this answer",
|
||||||
"poll.votes": "{votes, plural, one {# vote} other {# votes}}",
|
"poll.votes": "{votes, plural, one {# vote} other {# votes}}",
|
||||||
"poll_button.add_poll": "Amestar una encuesta",
|
"poll_button.add_poll": "Amestar una encuesta",
|
||||||
"poll_button.remove_poll": "Desaniciar la encuesta",
|
"poll_button.remove_poll": "Quitar la encuesta",
|
||||||
"privacy.change": "Adjust status privacy",
|
"privacy.change": "Adjust status privacy",
|
||||||
"privacy.direct.long": "Post to mentioned users only",
|
"privacy.direct.long": "Post to mentioned users only",
|
||||||
"privacy.direct.short": "Direct",
|
"privacy.direct.short": "Direct",
|
||||||
|
@ -375,16 +375,16 @@
|
||||||
"refresh": "Refresh",
|
"refresh": "Refresh",
|
||||||
"regeneration_indicator.label": "Cargando…",
|
"regeneration_indicator.label": "Cargando…",
|
||||||
"regeneration_indicator.sublabel": "¡Tamos tresnando'l feed d'Aniciu!",
|
"regeneration_indicator.sublabel": "¡Tamos tresnando'l feed d'Aniciu!",
|
||||||
"relative_time.days": "{number}d",
|
"relative_time.days": "{number} d",
|
||||||
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
|
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
|
||||||
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
|
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
|
||||||
"relative_time.full.just_now": "just now",
|
"relative_time.full.just_now": "puramente agora",
|
||||||
"relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
|
"relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
|
||||||
"relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
|
"relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
|
||||||
"relative_time.hours": "{number}h",
|
"relative_time.hours": "{number} h",
|
||||||
"relative_time.just_now": "agora",
|
"relative_time.just_now": "agora",
|
||||||
"relative_time.minutes": "{number}m",
|
"relative_time.minutes": "{number} m",
|
||||||
"relative_time.seconds": "{number}s",
|
"relative_time.seconds": "{number} s",
|
||||||
"relative_time.today": "güei",
|
"relative_time.today": "güei",
|
||||||
"reply_indicator.cancel": "Encaboxar",
|
"reply_indicator.cancel": "Encaboxar",
|
||||||
"report.block": "Block",
|
"report.block": "Block",
|
||||||
|
@ -399,7 +399,7 @@
|
||||||
"report.close": "Done",
|
"report.close": "Done",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Is there anything else you think we should know?",
|
||||||
"report.forward": "Forward to {target}",
|
"report.forward": "Forward to {target}",
|
||||||
"report.forward_hint": "The account is from another server. Send an anonymized copy of the report there as well?",
|
"report.forward_hint": "La cuenta ye d'otru sirvidor. ¿Quies unviar ellí tamién una copia anónima del informe?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
|
@ -504,9 +504,9 @@
|
||||||
"trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
|
"trends.counter_by_accounts": "{count, plural, one {{counter} person} other {{counter} people}} talking",
|
||||||
"trends.trending_now": "Trending now",
|
"trends.trending_now": "Trending now",
|
||||||
"ui.beforeunload": "El borrador va perdese si coles de Mastodon.",
|
"ui.beforeunload": "El borrador va perdese si coles de Mastodon.",
|
||||||
"units.short.billion": "{count}B",
|
"units.short.billion": "{count} B",
|
||||||
"units.short.million": "{count}M",
|
"units.short.million": "{count} M",
|
||||||
"units.short.thousand": "{count}K",
|
"units.short.thousand": "{count} K",
|
||||||
"upload_area.title": "Arrastra y suelta pa xubir",
|
"upload_area.title": "Arrastra y suelta pa xubir",
|
||||||
"upload_button.label": "Add images, a video or an audio file",
|
"upload_button.label": "Add images, a video or an audio file",
|
||||||
"upload_error.limit": "File upload limit exceeded.",
|
"upload_error.limit": "File upload limit exceeded.",
|
||||||
|
@ -519,7 +519,7 @@
|
||||||
"upload_form.video_description": "Descripción pa persones con perda auditiva o discapacidá visual",
|
"upload_form.video_description": "Descripción pa persones con perda auditiva o discapacidá visual",
|
||||||
"upload_modal.analyzing_picture": "Analizando la semeya…",
|
"upload_modal.analyzing_picture": "Analizando la semeya…",
|
||||||
"upload_modal.apply": "Aplicar",
|
"upload_modal.apply": "Aplicar",
|
||||||
"upload_modal.applying": "Applying…",
|
"upload_modal.applying": "Aplicando…",
|
||||||
"upload_modal.choose_image": "Choose image",
|
"upload_modal.choose_image": "Choose image",
|
||||||
"upload_modal.description_placeholder": "A quick brown fox jumps over the lazy dog",
|
"upload_modal.description_placeholder": "A quick brown fox jumps over the lazy dog",
|
||||||
"upload_modal.detect_text": "Detectar el testu de la semeya",
|
"upload_modal.detect_text": "Detectar el testu de la semeya",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "La línia de temps local és buida. Escriu alguna cosa públicament per a fer rodar la pilota!",
|
"empty_column.community": "La línia de temps local és buida. Escriu alguna cosa públicament per a fer rodar la pilota!",
|
||||||
"empty_column.direct": "Encara no tens missatges directes. Quan enviïs o rebis un, es mostrarà aquí.",
|
"empty_column.direct": "Encara no tens missatges directes. Quan enviïs o rebis un, es mostrarà aquí.",
|
||||||
"empty_column.domain_blocks": "Encara no hi ha dominis ocults.",
|
"empty_column.domain_blocks": "Encara no hi ha dominis ocults.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "No hi ha res en tendència ara mateix. Verifica-ho més tard!",
|
||||||
"empty_column.favourited_statuses": "Encara no has marcat com a favorit cap tut. Quan en facis, apareixerà aquí.",
|
"empty_column.favourited_statuses": "Encara no has marcat com a favorit cap tut. Quan en facis, apareixerà aquí.",
|
||||||
"empty_column.favourites": "Ningú no ha marcat aquest tut com a preferit encara. Quan algú ho faci, apareixerà aquí.",
|
"empty_column.favourites": "Ningú no ha marcat aquest tut com a preferit encara. Quan algú ho faci, apareixerà aquí.",
|
||||||
"empty_column.follow_recommendations": "Sembla que no es poden generar sugerencies per a tu. Pots provar d'emprar la cerca per a trobar gent que voldries conèixer o explorar les etiquetes en tendència.",
|
"empty_column.follow_recommendations": "Sembla que no es poden generar sugerencies per a tu. Pots provar d'emprar la cerca per a trobar gent que voldries conèixer o explorar les etiquetes en tendència.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Prova de desactivar-les i refrescant la pàgina. Si això no ajuda, encara pots ser capaç d’utilitzar Mastodon amb un altre navegador o aplicació nativa.",
|
"error.unexpected_crash.next_steps_addons": "Prova de desactivar-les i refrescant la pàgina. Si això no ajuda, encara pots ser capaç d’utilitzar Mastodon amb un altre navegador o aplicació nativa.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Còpia stacktrace al porta-retalls",
|
"errors.unexpected_crash.copy_stacktrace": "Còpia stacktrace al porta-retalls",
|
||||||
"errors.unexpected_crash.report_issue": "Informa d'un problema",
|
"errors.unexpected_crash.report_issue": "Informa d'un problema",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Resultats de la cerca",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Per a tu",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Explora",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Notícies",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Publicacions",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Etiquetes",
|
||||||
"follow_recommendations.done": "Fet",
|
"follow_recommendations.done": "Fet",
|
||||||
"follow_recommendations.heading": "Segueix a la gent de la que t'agradaria veure els seus tuts! Aquí hi ha algunes recomanacions.",
|
"follow_recommendations.heading": "Segueix a la gent de la que t'agradaria veure els seus tuts! Aquí hi ha algunes recomanacions.",
|
||||||
"follow_recommendations.lead": "Els tuts del usuaris que segueixes es mostraran en ordre cronològic en la teva línia de temps Inici. No tinguis por en cometre errors, pots fàcilment deixar de seguir-los en qualsevol moment!",
|
"follow_recommendations.lead": "Els tuts del usuaris que segueixes es mostraran en ordre cronològic en la teva línia de temps Inici. No tinguis por en cometre errors, pots fàcilment deixar de seguir-los en qualsevol moment!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Preferències",
|
"navigation_bar.preferences": "Preferències",
|
||||||
"navigation_bar.public_timeline": "Línia de temps federada",
|
"navigation_bar.public_timeline": "Línia de temps federada",
|
||||||
"navigation_bar.security": "Seguretat",
|
"navigation_bar.security": "Seguretat",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} s'ha registrat",
|
||||||
"notification.favourite": "{name} ha afavorit el teu estat",
|
"notification.favourite": "{name} ha afavorit el teu estat",
|
||||||
"notification.follow": "{name} et segueix",
|
"notification.follow": "{name} et segueix",
|
||||||
"notification.follow_request": "{name} ha sol·licitat seguir-te",
|
"notification.follow_request": "{name} ha sol·licitat seguir-te",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} ha editat una publicació",
|
"notification.update": "{name} ha editat una publicació",
|
||||||
"notifications.clear": "Netejar notificacions",
|
"notifications.clear": "Netejar notificacions",
|
||||||
"notifications.clear_confirmation": "Estàs segur que vols esborrar permanentment totes les teves notificacions?",
|
"notifications.clear_confirmation": "Estàs segur que vols esborrar permanentment totes les teves notificacions?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nous registres:",
|
||||||
"notifications.column_settings.alert": "Notificacions d'escriptori",
|
"notifications.column_settings.alert": "Notificacions d'escriptori",
|
||||||
"notifications.column_settings.favourite": "Preferits:",
|
"notifications.column_settings.favourite": "Preferits:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Mostra totes les categories",
|
"notifications.column_settings.filter_bar.advanced": "Mostra totes les categories",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "fa {number} segons",
|
"relative_time.seconds": "fa {number} segons",
|
||||||
"relative_time.today": "avui",
|
"relative_time.today": "avui",
|
||||||
"reply_indicator.cancel": "Cancel·lar",
|
"reply_indicator.cancel": "Cancel·lar",
|
||||||
"report.block": "Block",
|
"report.block": "Bloqueja",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "No veuràs les seves publicacions. Ell no podran veure les teves publicacions ni seguir-te. Ell podran dir que estan bloquejats.",
|
||||||
"report.categories.other": "Altres",
|
"report.categories.other": "Altres",
|
||||||
"report.categories.spam": "Contingut brossa",
|
"report.categories.spam": "Contingut brossa",
|
||||||
"report.categories.violation": "El contingut viola una o més regles del servidor",
|
"report.categories.violation": "El contingut viola una o més regles del servidor",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Tria la millor combinació",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Digue'ns què està passant amb aquest {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "perfil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "publicació",
|
||||||
"report.close": "Done",
|
"report.close": "Fet",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Hi ha res més que penses hauriem de saber?",
|
||||||
"report.forward": "Reenvia a {target}",
|
"report.forward": "Reenvia a {target}",
|
||||||
"report.forward_hint": "Aquest compte és d'un altre servidor. Enviar-hi també una copia anònima del informe?",
|
"report.forward_hint": "Aquest compte és d'un altre servidor. Enviar-hi també una copia anònima del informe?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Silencia",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "No veuràs les seves publicacions. Ells encara poden seguir-te i veure les teves publicacions però no sabran que han estat silenciats.",
|
||||||
"report.next": "Next",
|
"report.next": "Següent",
|
||||||
"report.placeholder": "Comentaris addicionals",
|
"report.placeholder": "Comentaris addicionals",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "No m'agrada",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Això no és quelcom que vulguis veure",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Això és una altre cosa",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "El problema no encaixa en altres categories",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Això és brossa",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Enllaços maliciosos, compromís falç o respostes repetitives",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Viola les regles del servidor",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Ets conscient que trenca regles especifiques",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Selecciona totes les aplicables",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Quines regles han estat violades?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Selecciona tots els aplicables",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Hi ha alguna publicació que recolzi aquest informe?",
|
||||||
"report.submit": "Enviar",
|
"report.submit": "Enviar",
|
||||||
"report.target": "Informes {target}",
|
"report.target": "Informes {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Aquestes son les teves opcions per a controlar el que veus a Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Mentre ho revisem, pots pendre mesures contra @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "No vols veure això?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Gràcies per informar, ho investigarem.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Deixar de seguir @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Estàs seguint aquest compte. Per a no veure més les seves publicacions en la teva línia de temps Inici, deixa de seguir-lo.",
|
||||||
"search.placeholder": "Cercar",
|
"search.placeholder": "Cercar",
|
||||||
"search_popout.search_format": "Format de cerca avançada",
|
"search_popout.search_format": "Format de cerca avançada",
|
||||||
"search_popout.tips.full_text": "Text simple recupera publicacions que has escrit, les marcades com a preferides, les impulsades o en les que has estat esmentat, així com usuaris, noms d'usuari i etiquetes.",
|
"search_popout.tips.full_text": "Text simple recupera publicacions que has escrit, les marcades com a preferides, les impulsades o en les que has estat esmentat, així com usuaris, noms d'usuari i etiquetes.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "El text simple retorna coincidències amb els noms de visualització, els noms d'usuari i les etiquetes",
|
"search_popout.tips.text": "El text simple retorna coincidències amb els noms de visualització, els noms d'usuari i les etiquetes",
|
||||||
"search_popout.tips.user": "usuari",
|
"search_popout.tips.user": "usuari",
|
||||||
"search_results.accounts": "Gent",
|
"search_results.accounts": "Gent",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Tots",
|
||||||
"search_results.hashtags": "Etiquetes",
|
"search_results.hashtags": "Etiquetes",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "No s'ha pogut trobar res per a aquests termes de cerca",
|
||||||
"search_results.statuses": "Tuts",
|
"search_results.statuses": "Tuts",
|
||||||
"search_results.statuses_fts_disabled": "La cerca de tuts pel seu contingut no està habilitada en aquest servidor Mastodon.",
|
"search_results.statuses_fts_disabled": "La cerca de tuts pel seu contingut no està habilitada en aquest servidor Mastodon.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultats}}",
|
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultats}}",
|
||||||
|
|
|
@ -51,7 +51,7 @@
|
||||||
"admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
|
"admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
|
||||||
"admin.dashboard.retention.average": "Average",
|
"admin.dashboard.retention.average": "Average",
|
||||||
"admin.dashboard.retention.cohort": "Sign-up month",
|
"admin.dashboard.retention.cohort": "Sign-up month",
|
||||||
"admin.dashboard.retention.cohort_size": "New users",
|
"admin.dashboard.retention.cohort_size": "Defnyddwyr newydd",
|
||||||
"alert.rate_limited.message": "Ceisiwch eto ar ôl {retry_time, time, medium}.",
|
"alert.rate_limited.message": "Ceisiwch eto ar ôl {retry_time, time, medium}.",
|
||||||
"alert.rate_limited.title": "Cyfradd gyfyngedig",
|
"alert.rate_limited.title": "Cyfradd gyfyngedig",
|
||||||
"alert.unexpected.message": "Digwyddodd gwall annisgwyl.",
|
"alert.unexpected.message": "Digwyddodd gwall annisgwyl.",
|
||||||
|
@ -192,7 +192,7 @@
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "News",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Posts",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtags",
|
||||||
"follow_recommendations.done": "Done",
|
"follow_recommendations.done": "Wedi gorffen",
|
||||||
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
|
"follow_recommendations.heading": "Follow people you'd like to see posts from! Here are some suggestions.",
|
||||||
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
|
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
|
||||||
"follow_request.authorize": "Caniatau",
|
"follow_request.authorize": "Caniatau",
|
||||||
|
@ -259,8 +259,8 @@
|
||||||
"keyboard_shortcuts.unfocus": "i ddad-ffocysu ardal cyfansoddi testun/chwilio",
|
"keyboard_shortcuts.unfocus": "i ddad-ffocysu ardal cyfansoddi testun/chwilio",
|
||||||
"keyboard_shortcuts.up": "i symud yn uwch yn y rhestr",
|
"keyboard_shortcuts.up": "i symud yn uwch yn y rhestr",
|
||||||
"lightbox.close": "Cau",
|
"lightbox.close": "Cau",
|
||||||
"lightbox.compress": "Compress image view box",
|
"lightbox.compress": "Cywasgu blwch gweld delwedd",
|
||||||
"lightbox.expand": "Expand image view box",
|
"lightbox.expand": "Ehangu blwch gweld delwedd",
|
||||||
"lightbox.next": "Nesaf",
|
"lightbox.next": "Nesaf",
|
||||||
"lightbox.previous": "Blaenorol",
|
"lightbox.previous": "Blaenorol",
|
||||||
"lists.account.add": "Ychwanegwch at restr",
|
"lists.account.add": "Ychwanegwch at restr",
|
||||||
|
@ -270,10 +270,10 @@
|
||||||
"lists.edit.submit": "Newid teitl",
|
"lists.edit.submit": "Newid teitl",
|
||||||
"lists.new.create": "Ychwanegu rhestr",
|
"lists.new.create": "Ychwanegu rhestr",
|
||||||
"lists.new.title_placeholder": "Teitl rhestr newydd",
|
"lists.new.title_placeholder": "Teitl rhestr newydd",
|
||||||
"lists.replies_policy.followed": "Any followed user",
|
"lists.replies_policy.followed": "Unrhyw ddefnyddiwr a ddilynir",
|
||||||
"lists.replies_policy.list": "Members of the list",
|
"lists.replies_policy.list": "Aelodau'r rhestr",
|
||||||
"lists.replies_policy.none": "Neb",
|
"lists.replies_policy.none": "Neb",
|
||||||
"lists.replies_policy.title": "Show replies to:",
|
"lists.replies_policy.title": "Dangos ymatebion i:",
|
||||||
"lists.search": "Chwilio ymysg pobl yr ydych yn ei ddilyn",
|
"lists.search": "Chwilio ymysg pobl yr ydych yn ei ddilyn",
|
||||||
"lists.subheading": "Eich rhestrau",
|
"lists.subheading": "Eich rhestrau",
|
||||||
"load_pending": "{count, plural, one {# eitem newydd} other {# eitemau newydd}}",
|
"load_pending": "{count, plural, one {# eitem newydd} other {# eitemau newydd}}",
|
||||||
|
@ -315,7 +315,7 @@
|
||||||
"notification.own_poll": "Mae eich pôl wedi diweddu",
|
"notification.own_poll": "Mae eich pôl wedi diweddu",
|
||||||
"notification.poll": "Mae pleidlais rydych wedi pleidleisio ynddi wedi dod i ben",
|
"notification.poll": "Mae pleidlais rydych wedi pleidleisio ynddi wedi dod i ben",
|
||||||
"notification.reblog": "Hysbysebodd {name} eich tŵt",
|
"notification.reblog": "Hysbysebodd {name} eich tŵt",
|
||||||
"notification.status": "{name} just posted",
|
"notification.status": "{name} newydd ei bostio",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "{name} edited a post",
|
||||||
"notifications.clear": "Clirio hysbysiadau",
|
"notifications.clear": "Clirio hysbysiadau",
|
||||||
"notifications.clear_confirmation": "Ydych chi'n sicr eich bod am glirio'ch holl hysbysiadau am byth?",
|
"notifications.clear_confirmation": "Ydych chi'n sicr eich bod am glirio'ch holl hysbysiadau am byth?",
|
||||||
|
@ -343,17 +343,17 @@
|
||||||
"notifications.filter.follows": "Yn dilyn",
|
"notifications.filter.follows": "Yn dilyn",
|
||||||
"notifications.filter.mentions": "Crybwylliadau",
|
"notifications.filter.mentions": "Crybwylliadau",
|
||||||
"notifications.filter.polls": "Canlyniadau pleidlais",
|
"notifications.filter.polls": "Canlyniadau pleidlais",
|
||||||
"notifications.filter.statuses": "Updates from people you follow",
|
"notifications.filter.statuses": "Diweddariadau gan bobl rydych chi'n eu dilyn",
|
||||||
"notifications.grant_permission": "Grant permission.",
|
"notifications.grant_permission": "Caniatáu.",
|
||||||
"notifications.group": "{count} o hysbysiadau",
|
"notifications.group": "{count} o hysbysiadau",
|
||||||
"notifications.mark_as_read": "Mark every notification as read",
|
"notifications.mark_as_read": "Marciwch bob hysbysiad fel y'i darllenwyd",
|
||||||
"notifications.permission_denied": "Desktop notifications are unavailable due to previously denied browser permissions request",
|
"notifications.permission_denied": "Nid oes hysbysiadau bwrdd gwaith ar gael oherwydd cais am ganiatâd porwr a wrthodwyd yn flaenorol",
|
||||||
"notifications.permission_denied_alert": "Desktop notifications can't be enabled, as browser permission has been denied before",
|
"notifications.permission_denied_alert": "Ni ellir galluogi hysbysiadau bwrdd gwaith, gan fod caniatâd porwr wedi'i wrthod o'r blaen",
|
||||||
"notifications.permission_required": "Desktop notifications are unavailable because the required permission has not been granted.",
|
"notifications.permission_required": "Nid oes hysbysiadau bwrdd gwaith ar gael oherwydd na roddwyd y caniatâd gofynnol.",
|
||||||
"notifications_permission_banner.enable": "Galluogi hysbysiadau bwrdd gwaith",
|
"notifications_permission_banner.enable": "Galluogi hysbysiadau bwrdd gwaith",
|
||||||
"notifications_permission_banner.how_to_control": "To receive notifications when Mastodon isn't open, enable desktop notifications. You can control precisely which types of interactions generate desktop notifications through the {icon} button above once they're enabled.",
|
"notifications_permission_banner.how_to_control": "I dderbyn hysbysiadau pan nad yw Mastodon ar agor, galluogi hysbysiadau bwrdd gwaith. Gallwch reoli'n union pa fathau o ryngweithio sy'n cynhyrchu hysbysiadau bwrdd gwaith trwy'r botwm {icon} uchod unwaith y byddant wedi'u galluogi.",
|
||||||
"notifications_permission_banner.title": "Never miss a thing",
|
"notifications_permission_banner.title": "Peidiwch byth â cholli peth",
|
||||||
"picture_in_picture.restore": "Put it back",
|
"picture_in_picture.restore": "Rhowch ef yn ôl",
|
||||||
"poll.closed": "Ar gau",
|
"poll.closed": "Ar gau",
|
||||||
"poll.refresh": "Adnewyddu",
|
"poll.refresh": "Adnewyddu",
|
||||||
"poll.total_people": "{count, plural, one {# berson} other {# o bobl}}",
|
"poll.total_people": "{count, plural, one {# berson} other {# o bobl}}",
|
||||||
|
@ -389,8 +389,8 @@
|
||||||
"reply_indicator.cancel": "Canslo",
|
"reply_indicator.cancel": "Canslo",
|
||||||
"report.block": "Block",
|
"report.block": "Block",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "Other",
|
"report.categories.other": "Arall",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Sbam",
|
||||||
"report.categories.violation": "Content violates one or more server rules",
|
"report.categories.violation": "Content violates one or more server rules",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tell us what's going on with this {type}",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Den lokale tidslinje er tom. Skriv noget offentligt for at sætte tingene i gang!",
|
"empty_column.community": "Den lokale tidslinje er tom. Skriv noget offentligt for at sætte tingene i gang!",
|
||||||
"empty_column.direct": "Du har ingen direkte beskeder endnu. Hvis du sender eller modtager en, bliver den vist hér.",
|
"empty_column.direct": "Du har ingen direkte beskeder endnu. Hvis du sender eller modtager en, bliver den vist hér.",
|
||||||
"empty_column.domain_blocks": "Der er ingen skjulte domæner endnu.",
|
"empty_column.domain_blocks": "Der er ingen skjulte domæner endnu.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Intet nye tendensen pt. Tjek igen senere!",
|
||||||
"empty_column.favourited_statuses": "Du har ikke markeret nogle indlæg som favorit. Når du markerer ét, bliver det vist hér.",
|
"empty_column.favourited_statuses": "Du har ikke markeret nogle indlæg som favorit. Når du markerer ét, bliver det vist hér.",
|
||||||
"empty_column.favourites": "Ingen har markeret indlægget som favorit endnu. Hvis der er nogen der gør, bliver det vist hér.",
|
"empty_column.favourites": "Ingen har markeret indlægget som favorit endnu. Hvis der er nogen der gør, bliver det vist hér.",
|
||||||
"empty_column.follow_recommendations": "Det ser ud til, at der ikke kunne blive lavet forslag til dig. Du kan prøve med Søg for at finde personer, du kender, eller udforske hashtags.",
|
"empty_column.follow_recommendations": "Det ser ud til, at der ikke kunne blive lavet forslag til dig. Du kan prøve med Søg for at finde personer, du kender, eller udforske hashtags.",
|
||||||
|
@ -186,11 +186,11 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Prøv at deaktivere dem og genindlæse siden. Hvis det ikke hjælper, kan Mastodon muligvis stadig bruges via en anden browser eller app.",
|
"error.unexpected_crash.next_steps_addons": "Prøv at deaktivere dem og genindlæse siden. Hvis det ikke hjælper, kan Mastodon muligvis stadig bruges via en anden browser eller app.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Kopiér stacktrace til udklipsholderen",
|
"errors.unexpected_crash.copy_stacktrace": "Kopiér stacktrace til udklipsholderen",
|
||||||
"errors.unexpected_crash.report_issue": "Anmeld problem",
|
"errors.unexpected_crash.report_issue": "Anmeld problem",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Søgeresultater",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Til dig",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Udforsk",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Nyheder",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Indlæg",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtags",
|
||||||
"follow_recommendations.done": "Udført",
|
"follow_recommendations.done": "Udført",
|
||||||
"follow_recommendations.heading": "Følg personer du gerne vil se indlæg fra! Her er nogle forslag.",
|
"follow_recommendations.heading": "Følg personer du gerne vil se indlæg fra! Her er nogle forslag.",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Præferencer",
|
"navigation_bar.preferences": "Præferencer",
|
||||||
"navigation_bar.public_timeline": "Fælles tidslinje",
|
"navigation_bar.public_timeline": "Fælles tidslinje",
|
||||||
"navigation_bar.security": "Sikkerhed",
|
"navigation_bar.security": "Sikkerhed",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} tilmeldte sig",
|
||||||
"notification.favourite": "{name} favoriserede dit trut",
|
"notification.favourite": "{name} favoriserede dit trut",
|
||||||
"notification.follow": "{name} fulgte dig",
|
"notification.follow": "{name} fulgte dig",
|
||||||
"notification.follow_request": "{name} har anmodet om at følge dig",
|
"notification.follow_request": "{name} har anmodet om at følge dig",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} redigerede et indlæg",
|
"notification.update": "{name} redigerede et indlæg",
|
||||||
"notifications.clear": "Ryd notifikationer",
|
"notifications.clear": "Ryd notifikationer",
|
||||||
"notifications.clear_confirmation": "Er du sikker på, du vil rydde alle dine notifikationer permanent?",
|
"notifications.clear_confirmation": "Er du sikker på, du vil rydde alle dine notifikationer permanent?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nye tilmeldinger:",
|
||||||
"notifications.column_settings.alert": "Skrivebordsnotifikationer",
|
"notifications.column_settings.alert": "Skrivebordsnotifikationer",
|
||||||
"notifications.column_settings.favourite": "Favoritter:",
|
"notifications.column_settings.favourite": "Favoritter:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Vis alle kategorier",
|
"notifications.column_settings.filter_bar.advanced": "Vis alle kategorier",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}s",
|
"relative_time.seconds": "{number}s",
|
||||||
"relative_time.today": "i dag",
|
"relative_time.today": "i dag",
|
||||||
"reply_indicator.cancel": "Afbryd",
|
"reply_indicator.cancel": "Afbryd",
|
||||||
"report.block": "Block",
|
"report.block": "Blokér",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Du vil ikke se vedkommendes indlæg, og vedkommende vil ikke kunne se dine eller følge dig. Vedkommende vil være bekendt med blokeringen.",
|
||||||
"report.categories.other": "Andre",
|
"report.categories.other": "Andre",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spam",
|
||||||
"report.categories.violation": "Indhold overtræder en eller flere serverregler",
|
"report.categories.violation": "Indhold overtræder en eller flere serverregler",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Vælg den bedste match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Fortæl os, hvad der foregår med denne {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "indlæg",
|
||||||
"report.close": "Done",
|
"report.close": "Udført",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Findes der noget andet, som vi burde vide?",
|
||||||
"report.forward": "Videresend til {target}",
|
"report.forward": "Videresend til {target}",
|
||||||
"report.forward_hint": "Kontoen er fra en anden server. Send en anonymiseret kopi af anmeldelsen dertil også?",
|
"report.forward_hint": "Kontoen er fra en anden server. Send en anonymiseret kopi af anmeldelsen dertil også?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Tavsgør",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Du vil ikke se vedkommendes indlæg, men vedkommende kan stadig se dine/følge dig. Vedkommende vil ikke være bekendt med tavsgørelsen.",
|
||||||
"report.next": "Next",
|
"report.next": "Næste",
|
||||||
"report.placeholder": "Yderligere kommentarer",
|
"report.placeholder": "Yderligere kommentarer",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Synes ikke om den/dem",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Det er ikke noget, man ønsker at se",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Det er noget andet",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Problemet passer ikke ind i andre kategorier",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Det er spam",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Ondsindede links, falsk engagement eller repetitive svar",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Overtræder serverregler",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Det står klart, at det bryder bestemte regler",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Vælg alle relevante",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Hvilke regler brydes?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Vælg alle relevante",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Er der indlæg, som kan bekræfte denne anmeldelse?",
|
||||||
"report.submit": "Indsend",
|
"report.submit": "Indsend",
|
||||||
"report.target": "Anmelder {target}",
|
"report.target": "Anmelder {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Her er mulighederne styring af, hvad man ses på Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Mens dette gennemgås, kan der skrides til handling mod @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Ønsker ikke at se dette?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Tak for anmeldelsen, der vil set nærmere på dette.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Følg ikke længere @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Denne konto følges. For at ophøre medat se vedkommendes indlæg i hjemmefeedet, vælg Følg ikke længere.",
|
||||||
"search.placeholder": "Søg",
|
"search.placeholder": "Søg",
|
||||||
"search_popout.search_format": "Avanceret søgeformat",
|
"search_popout.search_format": "Avanceret søgeformat",
|
||||||
"search_popout.tips.full_text": "Simpel tekst returnerer trut, du har skrevet, favoriseret, fremhævede eller som er nævnt i/matcher bruger- og profilnavne samt hashtags.",
|
"search_popout.tips.full_text": "Simpel tekst returnerer trut, du har skrevet, favoriseret, fremhævede eller som er nævnt i/matcher bruger- og profilnavne samt hashtags.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Simpel tekst returnerer matchende visnings- og brugernavne samt hashtags",
|
"search_popout.tips.text": "Simpel tekst returnerer matchende visnings- og brugernavne samt hashtags",
|
||||||
"search_popout.tips.user": "bruger",
|
"search_popout.tips.user": "bruger",
|
||||||
"search_results.accounts": "Personer",
|
"search_results.accounts": "Personer",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Alle",
|
||||||
"search_results.hashtags": "Hashtags",
|
"search_results.hashtags": "Hashtags",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Ingen resultater for disse søgeord",
|
||||||
"search_results.statuses": "Indlæg",
|
"search_results.statuses": "Indlæg",
|
||||||
"search_results.statuses_fts_disabled": "På denne Mastodon-server er trutsøgning efter deres indhold ikke aktiveret.",
|
"search_results.statuses_fts_disabled": "På denne Mastodon-server er trutsøgning efter deres indhold ikke aktiveret.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultater}}",
|
"search_results.total": "{count, number} {count, plural, one {resultat} other {resultater}}",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Die lokale Zeitleiste ist leer. Schreibe einen öffentlichen Beitrag, um den Ball ins Rollen zu bringen!",
|
"empty_column.community": "Die lokale Zeitleiste ist leer. Schreibe einen öffentlichen Beitrag, um den Ball ins Rollen zu bringen!",
|
||||||
"empty_column.direct": "Du hast noch keine Direktnachrichten erhalten. Wenn du eine sendest oder empfängst, wird sie hier zu sehen sein.",
|
"empty_column.direct": "Du hast noch keine Direktnachrichten erhalten. Wenn du eine sendest oder empfängst, wird sie hier zu sehen sein.",
|
||||||
"empty_column.domain_blocks": "Es sind noch keine Domains versteckt.",
|
"empty_column.domain_blocks": "Es sind noch keine Domains versteckt.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Momentan ist nichts im Trend. Schau später wieder!",
|
||||||
"empty_column.favourited_statuses": "Du hast noch keine favorisierten Tröts. Wenn du einen favorisierst, wird er hier erscheinen.",
|
"empty_column.favourited_statuses": "Du hast noch keine favorisierten Tröts. Wenn du einen favorisierst, wird er hier erscheinen.",
|
||||||
"empty_column.favourites": "Noch niemand hat diesen Beitrag favorisiert. Sobald es jemand tut, wird das hier angezeigt.",
|
"empty_column.favourites": "Noch niemand hat diesen Beitrag favorisiert. Sobald es jemand tut, wird das hier angezeigt.",
|
||||||
"empty_column.follow_recommendations": "Es sieht so aus, als könnten keine Vorschläge für dich generiert werden. Du kannst versuchen nach Leuten zu suchen, die du vielleicht kennst oder du kannst angesagte Hashtags erkunden.",
|
"empty_column.follow_recommendations": "Es sieht so aus, als könnten keine Vorschläge für dich generiert werden. Du kannst versuchen nach Leuten zu suchen, die du vielleicht kennst oder du kannst angesagte Hashtags erkunden.",
|
||||||
|
@ -186,11 +186,11 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Versuche sie zu deaktivieren und lade dann die Seite neu. Wenn das Problem weiterhin besteht, solltest du Mastodon über einen anderen Browser oder eine native App nutzen.",
|
"error.unexpected_crash.next_steps_addons": "Versuche sie zu deaktivieren und lade dann die Seite neu. Wenn das Problem weiterhin besteht, solltest du Mastodon über einen anderen Browser oder eine native App nutzen.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Fehlerlog in die Zwischenablage kopieren",
|
"errors.unexpected_crash.copy_stacktrace": "Fehlerlog in die Zwischenablage kopieren",
|
||||||
"errors.unexpected_crash.report_issue": "Problem melden",
|
"errors.unexpected_crash.report_issue": "Problem melden",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Suchergebnisse",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Für dich",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Entdecken",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Nachrichten",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Beiträge",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtags",
|
||||||
"follow_recommendations.done": "Fertig",
|
"follow_recommendations.done": "Fertig",
|
||||||
"follow_recommendations.heading": "Folge Leuten, von denen du Beiträge sehen möchtest! Hier sind einige Vorschläge.",
|
"follow_recommendations.heading": "Folge Leuten, von denen du Beiträge sehen möchtest! Hier sind einige Vorschläge.",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Einstellungen",
|
"navigation_bar.preferences": "Einstellungen",
|
||||||
"navigation_bar.public_timeline": "Föderierte Zeitleiste",
|
"navigation_bar.public_timeline": "Föderierte Zeitleiste",
|
||||||
"navigation_bar.security": "Sicherheit",
|
"navigation_bar.security": "Sicherheit",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} hat sich registriert",
|
||||||
"notification.favourite": "{name} hat deinen Beitrag favorisiert",
|
"notification.favourite": "{name} hat deinen Beitrag favorisiert",
|
||||||
"notification.follow": "{name} folgt dir",
|
"notification.follow": "{name} folgt dir",
|
||||||
"notification.follow_request": "{name} möchte dir folgen",
|
"notification.follow_request": "{name} möchte dir folgen",
|
||||||
|
@ -316,10 +316,10 @@
|
||||||
"notification.poll": "Eine Umfrage in der du abgestimmt hast ist vorbei",
|
"notification.poll": "Eine Umfrage in der du abgestimmt hast ist vorbei",
|
||||||
"notification.reblog": "{name} hat deinen Beitrag geteilt",
|
"notification.reblog": "{name} hat deinen Beitrag geteilt",
|
||||||
"notification.status": "{name} hat gerade etwas gepostet",
|
"notification.status": "{name} hat gerade etwas gepostet",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "{name} bearbeitete einen Beitrag",
|
||||||
"notifications.clear": "Mitteilungen löschen",
|
"notifications.clear": "Mitteilungen löschen",
|
||||||
"notifications.clear_confirmation": "Bist du dir sicher, dass du alle Mitteilungen löschen möchtest?",
|
"notifications.clear_confirmation": "Bist du dir sicher, dass du alle Mitteilungen löschen möchtest?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Neue Anmeldungen:",
|
||||||
"notifications.column_settings.alert": "Desktop-Benachrichtigungen",
|
"notifications.column_settings.alert": "Desktop-Benachrichtigungen",
|
||||||
"notifications.column_settings.favourite": "Favorisierungen:",
|
"notifications.column_settings.favourite": "Favorisierungen:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Zeige alle Kategorien an",
|
"notifications.column_settings.filter_bar.advanced": "Zeige alle Kategorien an",
|
||||||
|
@ -336,7 +336,7 @@
|
||||||
"notifications.column_settings.status": "Neue Beiträge:",
|
"notifications.column_settings.status": "Neue Beiträge:",
|
||||||
"notifications.column_settings.unread_notifications.category": "Ungelesene Benachrichtigungen",
|
"notifications.column_settings.unread_notifications.category": "Ungelesene Benachrichtigungen",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "Ungelesene Benachrichtigungen hervorheben",
|
"notifications.column_settings.unread_notifications.highlight": "Ungelesene Benachrichtigungen hervorheben",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "Bearbeitungen:",
|
||||||
"notifications.filter.all": "Alle",
|
"notifications.filter.all": "Alle",
|
||||||
"notifications.filter.boosts": "Geteilte Beiträge",
|
"notifications.filter.boosts": "Geteilte Beiträge",
|
||||||
"notifications.filter.favourites": "Favorisierungen",
|
"notifications.filter.favourites": "Favorisierungen",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}s",
|
"relative_time.seconds": "{number}s",
|
||||||
"relative_time.today": "heute",
|
"relative_time.today": "heute",
|
||||||
"reply_indicator.cancel": "Abbrechen",
|
"reply_indicator.cancel": "Abbrechen",
|
||||||
"report.block": "Block",
|
"report.block": "Blockieren",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Du wirst die Beiträge von diesem Konto nicht sehen. Das Konto wird nicht in der Lage sein, deine Beiträge zu sehen oder dir zu folgen. Die Person hinter dem Konto wird wissen, dass du das Konto blockiert hast.",
|
||||||
"report.categories.other": "Andere",
|
"report.categories.other": "Andere",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spam",
|
||||||
"report.categories.violation": "Inhalt verletzt ein oder mehrere Server-Regeln",
|
"report.categories.violation": "Inhalt verletzt ein oder mehrere Server-Regeln",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Wähle die beste Zugehörigkeit",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Sag uns, was mit diesem {type} vor sich geht",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "Profil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "Beitrag",
|
||||||
"report.close": "Done",
|
"report.close": "Fertig",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Gibt es etwas anderes, was wir wissen sollten?",
|
||||||
"report.forward": "An {target} weiterleiten",
|
"report.forward": "An {target} weiterleiten",
|
||||||
"report.forward_hint": "Dieses Konto ist von einem anderen Server. Soll eine anonymisierte Kopie des Berichts auch dorthin geschickt werden?",
|
"report.forward_hint": "Dieses Konto ist von einem anderen Server. Soll eine anonymisierte Kopie des Berichts auch dorthin geschickt werden?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Stummschalten",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Du wirst die Beiträge vom Konto nicht mehr sehen. Das Konto kann dir immernoch folgen und die Person hinter dem Konto wird deine Beiträge sehen können und nicht wissen, dass du sie stumm geschaltet hast.",
|
||||||
"report.next": "Next",
|
"report.next": "Weiter",
|
||||||
"report.placeholder": "Zusätzliche Kommentare",
|
"report.placeholder": "Zusätzliche Kommentare",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Das gefällt mir nicht",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Das ist nicht etwas, was ihr nicht sehen wollt",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Da ist was anderes",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Das Problem passt nicht in eine der Kategorien",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Das ist Spam",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Bösartige Links, gefälschtes Engagement oder wiederholte Antworten",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Es verstößt gegen Serverregeln",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Du weißt, welche Regeln verletzt werden",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Alles Zutreffende auswählen",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Welche Regeln werden verletzt?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Alles Zutreffende auswählen",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Gibt es Beiträge, die diesen Bericht unterstützen?",
|
||||||
"report.submit": "Absenden",
|
"report.submit": "Absenden",
|
||||||
"report.target": "{target} melden",
|
"report.target": "{target} melden",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Hier sind deine Optionen, die es dir erlauben zu kontrollieren, was du auf Mastodon sehen möchtest:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Während wir dies überprüfen, kannst du gegen @{name} vorgehen:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Möchtest du das nicht sehen?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Vielen Dank für die Berichterstattung, wir werden uns damit befassen.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "@{name} entfolgen",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Du folgst diesem Konto. Um die Beiträge nicht mehr auf deiner Startseite zu sehen, entfolge dem Konto.",
|
||||||
"search.placeholder": "Suche",
|
"search.placeholder": "Suche",
|
||||||
"search_popout.search_format": "Fortgeschrittenes Suchformat",
|
"search_popout.search_format": "Fortgeschrittenes Suchformat",
|
||||||
"search_popout.tips.full_text": "Einfache Texteingabe gibt Beiträge, die du geschrieben, favorisiert und geteilt hast zurück. Außerdem auch Beiträge in denen du erwähnt wurdest, aber auch passende Nutzernamen, Anzeigenamen oder Hashtags.",
|
"search_popout.tips.full_text": "Einfache Texteingabe gibt Beiträge, die du geschrieben, favorisiert und geteilt hast zurück. Außerdem auch Beiträge in denen du erwähnt wurdest, aber auch passende Nutzernamen, Anzeigenamen oder Hashtags.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Einfache Texteingabe gibt Anzeigenamen, Benutzernamen und Hashtags zurück",
|
"search_popout.tips.text": "Einfache Texteingabe gibt Anzeigenamen, Benutzernamen und Hashtags zurück",
|
||||||
"search_popout.tips.user": "Nutzer",
|
"search_popout.tips.user": "Nutzer",
|
||||||
"search_results.accounts": "Personen",
|
"search_results.accounts": "Personen",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Alle",
|
||||||
"search_results.hashtags": "Hashtags",
|
"search_results.hashtags": "Hashtags",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Nichts für diese Suchbegriffe gefunden",
|
||||||
"search_results.statuses": "Beiträge",
|
"search_results.statuses": "Beiträge",
|
||||||
"search_results.statuses_fts_disabled": "Die Suche für Beiträge nach ihrem Inhalt ist auf diesem Mastodon-Server deaktiviert.",
|
"search_results.statuses_fts_disabled": "Die Suche für Beiträge nach ihrem Inhalt ist auf diesem Mastodon-Server deaktiviert.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {Ergebnis} other {Ergebnisse}}",
|
"search_results.total": "{count, number} {count, plural, one {Ergebnis} other {Ergebnisse}}",
|
||||||
|
|
|
@ -187,11 +187,11 @@
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Αντιγραφή μηνυμάτων κώδικα στο πρόχειρο",
|
"errors.unexpected_crash.copy_stacktrace": "Αντιγραφή μηνυμάτων κώδικα στο πρόχειρο",
|
||||||
"errors.unexpected_crash.report_issue": "Αναφορά προβλήματος",
|
"errors.unexpected_crash.report_issue": "Αναφορά προβλήματος",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Search results",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Για σένα",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Εξερεύνηση",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Νέα",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Αναρτήσεις",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Ετικέτες",
|
||||||
"follow_recommendations.done": "Ολοκληρώθηκε",
|
"follow_recommendations.done": "Ολοκληρώθηκε",
|
||||||
"follow_recommendations.heading": "Ακολουθήστε άτομα από τα οποία θα θέλατε να βλέπετε δημοσιεύσεις! Ορίστε μερικές προτάσεις.",
|
"follow_recommendations.heading": "Ακολουθήστε άτομα από τα οποία θα θέλατε να βλέπετε δημοσιεύσεις! Ορίστε μερικές προτάσεις.",
|
||||||
"follow_recommendations.lead": "Οι αναρτήσεις των ατόμων που ακολουθείτε θα εμφανίζονται με χρονολογική σειρά στη ροή σας. Μη φοβάστε να κάνετε λάθη, καθώς μπορείτε πολύ εύκολα να σταματήσετε να ακολουθείτε άλλα άτομα οποιαδήποτε στιγμή!",
|
"follow_recommendations.lead": "Οι αναρτήσεις των ατόμων που ακολουθείτε θα εμφανίζονται με χρονολογική σειρά στη ροή σας. Μη φοβάστε να κάνετε λάθη, καθώς μπορείτε πολύ εύκολα να σταματήσετε να ακολουθείτε άλλα άτομα οποιαδήποτε στιγμή!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Προτιμήσεις",
|
"navigation_bar.preferences": "Προτιμήσεις",
|
||||||
"navigation_bar.public_timeline": "Ομοσπονδιακή ροή",
|
"navigation_bar.public_timeline": "Ομοσπονδιακή ροή",
|
||||||
"navigation_bar.security": "Ασφάλεια",
|
"navigation_bar.security": "Ασφάλεια",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} έχει εγγραφεί",
|
||||||
"notification.favourite": "Ο/Η {name} σημείωσε ως αγαπημένη την κατάστασή σου",
|
"notification.favourite": "Ο/Η {name} σημείωσε ως αγαπημένη την κατάστασή σου",
|
||||||
"notification.follow": "Ο/Η {name} σε ακολούθησε",
|
"notification.follow": "Ο/Η {name} σε ακολούθησε",
|
||||||
"notification.follow_request": "Ο/H {name} ζήτησε να σε παρακολουθεί",
|
"notification.follow_request": "Ο/H {name} ζήτησε να σε παρακολουθεί",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} επεξεργάστηκε μια δημοσίευση",
|
"notification.update": "{name} επεξεργάστηκε μια δημοσίευση",
|
||||||
"notifications.clear": "Καθαρισμός ειδοποιήσεων",
|
"notifications.clear": "Καθαρισμός ειδοποιήσεων",
|
||||||
"notifications.clear_confirmation": "Σίγουρα θέλεις να καθαρίσεις όλες τις ειδοποιήσεις σου;",
|
"notifications.clear_confirmation": "Σίγουρα θέλεις να καθαρίσεις όλες τις ειδοποιήσεις σου;",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Νέες εγγραφές:",
|
||||||
"notifications.column_settings.alert": "Ειδοποιήσεις επιφάνειας εργασίας",
|
"notifications.column_settings.alert": "Ειδοποιήσεις επιφάνειας εργασίας",
|
||||||
"notifications.column_settings.favourite": "Αγαπημένα:",
|
"notifications.column_settings.favourite": "Αγαπημένα:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Εμφάνιση όλων των κατηγοριών",
|
"notifications.column_settings.filter_bar.advanced": "Εμφάνιση όλων των κατηγοριών",
|
||||||
|
@ -387,24 +387,24 @@
|
||||||
"relative_time.seconds": "{number}δ",
|
"relative_time.seconds": "{number}δ",
|
||||||
"relative_time.today": "σήμερα",
|
"relative_time.today": "σήμερα",
|
||||||
"reply_indicator.cancel": "Άκυρο",
|
"reply_indicator.cancel": "Άκυρο",
|
||||||
"report.block": "Block",
|
"report.block": "Αποκλεισμός",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "Άλλες",
|
"report.categories.other": "Άλλες",
|
||||||
"report.categories.spam": "Ανεπιθύμητα",
|
"report.categories.spam": "Ανεπιθύμητα",
|
||||||
"report.categories.violation": "Το περιεχόμενο παραβιάζει έναν ή περισσότερους κανόνες διακομιστή",
|
"report.categories.violation": "Το περιεχόμενο παραβιάζει έναν ή περισσότερους κανόνες διακομιστή",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tell us what's going on with this {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "προφίλ",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "ανάρτηση",
|
||||||
"report.close": "Done",
|
"report.close": "Τέλος",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Υπάρχει κάτι άλλο που νομίζετε ότι θα πρέπει να γνωρίζουμε;",
|
||||||
"report.forward": "Προώθηση προς {target}",
|
"report.forward": "Προώθηση προς {target}",
|
||||||
"report.forward_hint": "Ο λογαριασμός είναι από διαφορετικό διακομιστή. Να σταλεί ανώνυμο αντίγραφο της καταγγελίας κι εκεί;",
|
"report.forward_hint": "Ο λογαριασμός είναι από διαφορετικό διακομιστή. Να σταλεί ανώνυμο αντίγραφο της καταγγελίας κι εκεί;",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Σίγαση",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Επόμενη",
|
||||||
"report.placeholder": "Επιπλέον σχόλια",
|
"report.placeholder": "Επιπλέον σχόλια",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Δεν μου αρέσει",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "The issue does not fit into other categories",
|
||||||
|
@ -432,7 +432,7 @@
|
||||||
"search_popout.tips.text": "Απλό κείμενο που επιστρέφει ονόματα και ετικέτες που ταιριάζουν",
|
"search_popout.tips.text": "Απλό κείμενο που επιστρέφει ονόματα και ετικέτες που ταιριάζουν",
|
||||||
"search_popout.tips.user": "χρήστης",
|
"search_popout.tips.user": "χρήστης",
|
||||||
"search_results.accounts": "Άνθρωποι",
|
"search_results.accounts": "Άνθρωποι",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Όλα",
|
||||||
"search_results.hashtags": "Ετικέτες",
|
"search_results.hashtags": "Ετικέτες",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Could not find anything for these search terms",
|
||||||
"search_results.statuses": "Τουτ",
|
"search_results.statuses": "Τουτ",
|
||||||
|
|
|
@ -34,7 +34,7 @@
|
||||||
"account.muted": "Silenciado",
|
"account.muted": "Silenciado",
|
||||||
"account.never_active": "Nunca",
|
"account.never_active": "Nunca",
|
||||||
"account.posts": "Mensajes",
|
"account.posts": "Mensajes",
|
||||||
"account.posts_with_replies": "Mensajes y respuestas",
|
"account.posts_with_replies": "Mensajes y respuestas públicas",
|
||||||
"account.report": "Denunciar a @{name}",
|
"account.report": "Denunciar a @{name}",
|
||||||
"account.requested": "Esperando aprobación. Hacé clic para cancelar la solicitud de seguimiento",
|
"account.requested": "Esperando aprobación. Hacé clic para cancelar la solicitud de seguimiento",
|
||||||
"account.share": "Compartir el perfil de @{name}",
|
"account.share": "Compartir el perfil de @{name}",
|
||||||
|
|
|
@ -316,7 +316,7 @@
|
||||||
"notification.poll": "Una encuesta en la que has votado ha terminado",
|
"notification.poll": "Una encuesta en la que has votado ha terminado",
|
||||||
"notification.reblog": "{name} ha retooteado tu estado",
|
"notification.reblog": "{name} ha retooteado tu estado",
|
||||||
"notification.status": "{name} acaba de publicar",
|
"notification.status": "{name} acaba de publicar",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "{name} editó una publicación",
|
||||||
"notifications.clear": "Limpiar notificaciones",
|
"notifications.clear": "Limpiar notificaciones",
|
||||||
"notifications.clear_confirmation": "¿Seguro que quieres limpiar permanentemente todas tus notificaciones?",
|
"notifications.clear_confirmation": "¿Seguro que quieres limpiar permanentemente todas tus notificaciones?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
||||||
|
@ -336,7 +336,7 @@
|
||||||
"notifications.column_settings.status": "Nuevos toots:",
|
"notifications.column_settings.status": "Nuevos toots:",
|
||||||
"notifications.column_settings.unread_notifications.category": "Notificaciones sin leer",
|
"notifications.column_settings.unread_notifications.category": "Notificaciones sin leer",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "Destacar notificaciones no leídas",
|
"notifications.column_settings.unread_notifications.highlight": "Destacar notificaciones no leídas",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "Ediciones:",
|
||||||
"notifications.filter.all": "Todos",
|
"notifications.filter.all": "Todos",
|
||||||
"notifications.filter.boosts": "Retoots",
|
"notifications.filter.boosts": "Retoots",
|
||||||
"notifications.filter.favourites": "Favoritos",
|
"notifications.filter.favourites": "Favoritos",
|
||||||
|
|
|
@ -167,13 +167,13 @@
|
||||||
"empty_column.community": "La línea de tiempo local está vacía. ¡Escribe algo para empezar la fiesta!",
|
"empty_column.community": "La línea de tiempo local está vacía. ¡Escribe algo para empezar la fiesta!",
|
||||||
"empty_column.direct": "Aún no tienes ningún mensaje directo. Cuando envíes o recibas uno, se mostrará aquí.",
|
"empty_column.direct": "Aún no tienes ningún mensaje directo. Cuando envíes o recibas uno, se mostrará aquí.",
|
||||||
"empty_column.domain_blocks": "Todavía no hay dominios ocultos.",
|
"empty_column.domain_blocks": "Todavía no hay dominios ocultos.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Nada está en tendencia en este momento. ¡Revisa más tarde!",
|
||||||
"empty_column.favourited_statuses": "Aún no tienes publicaciones favoritas. Cuando marques una como favorita, aparecerá aquí.",
|
"empty_column.favourited_statuses": "Aún no tienes publicaciones favoritas. Cuando marques una como favorita, aparecerá aquí.",
|
||||||
"empty_column.favourites": "Nadie ha marcado esta publicación como favorita. Cuando alguien lo haga, aparecerá aquí.",
|
"empty_column.favourites": "Nadie ha marcado esta publicación como favorita. Cuando alguien lo haga, aparecerá aquí.",
|
||||||
"empty_column.follow_recommendations": "Parece que no se ha podido generar ninguna sugerencia para ti. Puedes probar a buscar a gente que quizá conozcas o explorar los hashtags que están en tendencia.",
|
"empty_column.follow_recommendations": "Parece que no se ha podido generar ninguna sugerencia para ti. Puedes probar a buscar a gente que quizá conozcas o explorar los hashtags que están en tendencia.",
|
||||||
"empty_column.follow_requests": "No tienes ninguna petición de seguidor. Cuando recibas una, se mostrará aquí.",
|
"empty_column.follow_requests": "No tienes ninguna petición de seguidor. Cuando recibas una, se mostrará aquí.",
|
||||||
"empty_column.hashtag": "No hay nada en este hashtag aún.",
|
"empty_column.hashtag": "No hay nada en este hashtag aún.",
|
||||||
"empty_column.home": "¡Tu línea temporal está vacía! Sigue a más personas para rellenarla. {suggestions}",
|
"empty_column.home": "¡Tu línea de tiempo está vacía! Sigue a más personas para rellenarla. {suggestions}",
|
||||||
"empty_column.home.suggestions": "Ver algunas sugerencias",
|
"empty_column.home.suggestions": "Ver algunas sugerencias",
|
||||||
"empty_column.list": "No hay nada en esta lista aún. Cuando miembros de esta lista publiquen nuevos estatus, estos aparecerán qui.",
|
"empty_column.list": "No hay nada en esta lista aún. Cuando miembros de esta lista publiquen nuevos estatus, estos aparecerán qui.",
|
||||||
"empty_column.lists": "No tienes ninguna lista. cuando crees una, se mostrará aquí.",
|
"empty_column.lists": "No tienes ninguna lista. cuando crees una, se mostrará aquí.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Intenta deshabilitarlos y recarga la página. Si eso no ayuda, podrías usar Mastodon a través de un navegador web diferente o aplicación nativa.",
|
"error.unexpected_crash.next_steps_addons": "Intenta deshabilitarlos y recarga la página. Si eso no ayuda, podrías usar Mastodon a través de un navegador web diferente o aplicación nativa.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Copiar el seguimiento de pila en el portapapeles",
|
"errors.unexpected_crash.copy_stacktrace": "Copiar el seguimiento de pila en el portapapeles",
|
||||||
"errors.unexpected_crash.report_issue": "Informar de un problema/error",
|
"errors.unexpected_crash.report_issue": "Informar de un problema/error",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Resultados de búsqueda",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Para ti",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Explorar",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Noticias",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Publicaciones",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Etiquetas",
|
||||||
"follow_recommendations.done": "Hecho",
|
"follow_recommendations.done": "Hecho",
|
||||||
"follow_recommendations.heading": "¡Sigue a gente que publique cosas que te gusten! Aquí tienes algunas sugerencias.",
|
"follow_recommendations.heading": "¡Sigue a gente que publique cosas que te gusten! Aquí tienes algunas sugerencias.",
|
||||||
"follow_recommendations.lead": "Las publicaciones de la gente a la que sigas aparecerán ordenadas cronológicamente en Inicio. No tengas miedo de cometer errores, ¡puedes dejarles de seguir en cualquier momento con la misma facilidad!",
|
"follow_recommendations.lead": "Las publicaciones de la gente a la que sigas aparecerán ordenadas cronológicamente en Inicio. No tengas miedo de cometer errores, ¡puedes dejarles de seguir en cualquier momento con la misma facilidad!",
|
||||||
|
@ -235,12 +235,12 @@
|
||||||
"keyboard_shortcuts.enter": "abrir estado",
|
"keyboard_shortcuts.enter": "abrir estado",
|
||||||
"keyboard_shortcuts.favourite": "añadir a favoritos",
|
"keyboard_shortcuts.favourite": "añadir a favoritos",
|
||||||
"keyboard_shortcuts.favourites": "abrir la lista de favoritos",
|
"keyboard_shortcuts.favourites": "abrir la lista de favoritos",
|
||||||
"keyboard_shortcuts.federated": "abrir el timeline federado",
|
"keyboard_shortcuts.federated": "Abrir la línea de tiempo federada",
|
||||||
"keyboard_shortcuts.heading": "Keyboard Shortcuts",
|
"keyboard_shortcuts.heading": "Keyboard Shortcuts",
|
||||||
"keyboard_shortcuts.home": "abrir el timeline propio",
|
"keyboard_shortcuts.home": "Abrir línea de tiempo",
|
||||||
"keyboard_shortcuts.hotkey": "Tecla caliente",
|
"keyboard_shortcuts.hotkey": "Tecla caliente",
|
||||||
"keyboard_shortcuts.legend": "para mostrar esta leyenda",
|
"keyboard_shortcuts.legend": "para mostrar esta leyenda",
|
||||||
"keyboard_shortcuts.local": "abrir el timeline local",
|
"keyboard_shortcuts.local": "Abrir línea de tiempo local",
|
||||||
"keyboard_shortcuts.mention": "para mencionar al autor",
|
"keyboard_shortcuts.mention": "para mencionar al autor",
|
||||||
"keyboard_shortcuts.muted": "abrir la lista de usuarios silenciados",
|
"keyboard_shortcuts.muted": "abrir la lista de usuarios silenciados",
|
||||||
"keyboard_shortcuts.my_profile": "abrir tu perfil",
|
"keyboard_shortcuts.my_profile": "abrir tu perfil",
|
||||||
|
@ -287,7 +287,7 @@
|
||||||
"navigation_bar.apps": "Aplicaciones móviles",
|
"navigation_bar.apps": "Aplicaciones móviles",
|
||||||
"navigation_bar.blocks": "Usuarios bloqueados",
|
"navigation_bar.blocks": "Usuarios bloqueados",
|
||||||
"navigation_bar.bookmarks": "Marcadores",
|
"navigation_bar.bookmarks": "Marcadores",
|
||||||
"navigation_bar.community_timeline": "Historia local",
|
"navigation_bar.community_timeline": "Línea de tiempo local",
|
||||||
"navigation_bar.compose": "Escribir nueva publicación",
|
"navigation_bar.compose": "Escribir nueva publicación",
|
||||||
"navigation_bar.direct": "Mensajes directos",
|
"navigation_bar.direct": "Mensajes directos",
|
||||||
"navigation_bar.discover": "Descubrir",
|
"navigation_bar.discover": "Descubrir",
|
||||||
|
@ -305,9 +305,9 @@
|
||||||
"navigation_bar.personal": "Personal",
|
"navigation_bar.personal": "Personal",
|
||||||
"navigation_bar.pins": "Publicaciones fijadas",
|
"navigation_bar.pins": "Publicaciones fijadas",
|
||||||
"navigation_bar.preferences": "Preferencias",
|
"navigation_bar.preferences": "Preferencias",
|
||||||
"navigation_bar.public_timeline": "Historia federada",
|
"navigation_bar.public_timeline": "Línea de tiempo federada",
|
||||||
"navigation_bar.security": "Seguridad",
|
"navigation_bar.security": "Seguridad",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} se registró",
|
||||||
"notification.favourite": "{name} marcó tu estado como favorito",
|
"notification.favourite": "{name} marcó tu estado como favorito",
|
||||||
"notification.follow": "{name} te empezó a seguir",
|
"notification.follow": "{name} te empezó a seguir",
|
||||||
"notification.follow_request": "{name} ha solicitado seguirte",
|
"notification.follow_request": "{name} ha solicitado seguirte",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} editó una publicación",
|
"notification.update": "{name} editó una publicación",
|
||||||
"notifications.clear": "Limpiar notificaciones",
|
"notifications.clear": "Limpiar notificaciones",
|
||||||
"notifications.clear_confirmation": "¿Seguro que quieres limpiar permanentemente todas tus notificaciones?",
|
"notifications.clear_confirmation": "¿Seguro que quieres limpiar permanentemente todas tus notificaciones?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nuevas inscripciones:",
|
||||||
"notifications.column_settings.alert": "Notificaciones de escritorio",
|
"notifications.column_settings.alert": "Notificaciones de escritorio",
|
||||||
"notifications.column_settings.favourite": "Favoritos:",
|
"notifications.column_settings.favourite": "Favoritos:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Mostrar todas las categorías",
|
"notifications.column_settings.filter_bar.advanced": "Mostrar todas las categorías",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number} s",
|
"relative_time.seconds": "{number} s",
|
||||||
"relative_time.today": "hoy",
|
"relative_time.today": "hoy",
|
||||||
"reply_indicator.cancel": "Cancelar",
|
"reply_indicator.cancel": "Cancelar",
|
||||||
"report.block": "Block",
|
"report.block": "Bloquear",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "No verás sus publicaciones. No podrán ver tus publicaciones ni seguirte. Podrán decir que están bloqueados.",
|
||||||
"report.categories.other": "Otros",
|
"report.categories.other": "Otros",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spam",
|
||||||
"report.categories.violation": "El contenido viola una o más reglas del servidor",
|
"report.categories.violation": "El contenido viola una o más reglas del servidor",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Elige la mejor coincidencia",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Cuéntanos lo que está pasando con este {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "perfil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "publicacion",
|
||||||
"report.close": "Done",
|
"report.close": "Hecho",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "¿Hay algo más que creas que deberíamos saber?",
|
||||||
"report.forward": "Reenviar a {target}",
|
"report.forward": "Reenviar a {target}",
|
||||||
"report.forward_hint": "Esta cuenta es de otro servidor. ¿Enviar una copia anonimizada del informe allí también?",
|
"report.forward_hint": "Esta cuenta es de otro servidor. ¿Enviar una copia anonimizada del informe allí también?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Silenciar",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "No verás sus publicaciones. Todavía pueden seguirte y ver tus mensajes y no sabrán que están silenciados.",
|
||||||
"report.next": "Next",
|
"report.next": "Siguiente",
|
||||||
"report.placeholder": "Comentarios adicionales",
|
"report.placeholder": "Comentarios adicionales",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "No me gusta",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "No es algo que quieras ver",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Es otra cosa",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "El problema no encaja en otras categorías",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Es spam",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Enlaces maliciosos, compromisos falsos o respuestas repetitivas",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Viola las reglas del servidor",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Usted es consciente de que infringe las normas específicas",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Selecciona todos los que aplica",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "¿Qué normas se están violando?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Selecciona todos los que aplican",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "¿Hay alguna publicación que respalde este informe?",
|
||||||
"report.submit": "Publicar",
|
"report.submit": "Publicar",
|
||||||
"report.target": "Reportando",
|
"report.target": "Reportando",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Aquí están tus opciones para controlar lo que ves en Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Mientras revisamos esto, puedes tomar medidas contra @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "¿No quieres esto?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Gracias por reportar, estudiaremos esto.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Dejar de seguir a @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Estás siguiendo esta cuenta. Para no ver sus publicaciones en tu muro de inicio, deja de seguirlas.",
|
||||||
"search.placeholder": "Buscar",
|
"search.placeholder": "Buscar",
|
||||||
"search_popout.search_format": "Formato de búsqueda avanzada",
|
"search_popout.search_format": "Formato de búsqueda avanzada",
|
||||||
"search_popout.tips.full_text": "Las búsquedas de texto recuperan publicaciones que has escrito, marcado como favoritas, retooteado o en los que has sido mencionado, así como usuarios, nombres y hashtags.",
|
"search_popout.tips.full_text": "Las búsquedas de texto recuperan publicaciones que has escrito, marcado como favoritas, retooteado o en los que has sido mencionado, así como usuarios, nombres y hashtags.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "El texto simple devuelve correspondencias de nombre, usuario y hashtag",
|
"search_popout.tips.text": "El texto simple devuelve correspondencias de nombre, usuario y hashtag",
|
||||||
"search_popout.tips.user": "usuario",
|
"search_popout.tips.user": "usuario",
|
||||||
"search_results.accounts": "Gente",
|
"search_results.accounts": "Gente",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Todos",
|
||||||
"search_results.hashtags": "Etiquetas",
|
"search_results.hashtags": "Etiquetas",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "No se pudo encontrar nada para estos términos de búsqueda",
|
||||||
"search_results.statuses": "Publicaciones",
|
"search_results.statuses": "Publicaciones",
|
||||||
"search_results.statuses_fts_disabled": "Buscar publicaciones por su contenido no está disponible en este servidor de Mastodon.",
|
"search_results.statuses_fts_disabled": "Buscar publicaciones por su contenido no está disponible en este servidor de Mastodon.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
|
"search_results.total": "{count, number} {count, plural, one {resultado} other {resultados}}",
|
||||||
|
@ -487,7 +487,7 @@
|
||||||
"status.unpin": "Dejar de fijar",
|
"status.unpin": "Dejar de fijar",
|
||||||
"suggestions.dismiss": "Descartar sugerencia",
|
"suggestions.dismiss": "Descartar sugerencia",
|
||||||
"suggestions.header": "Es posible que te interese…",
|
"suggestions.header": "Es posible que te interese…",
|
||||||
"tabs_bar.federated_timeline": "Federado",
|
"tabs_bar.federated_timeline": "Federada",
|
||||||
"tabs_bar.home": "Inicio",
|
"tabs_bar.home": "Inicio",
|
||||||
"tabs_bar.local_timeline": "Local",
|
"tabs_bar.local_timeline": "Local",
|
||||||
"tabs_bar.notifications": "Notificaciones",
|
"tabs_bar.notifications": "Notificaciones",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Paikallinen aikajana on tyhjä. Kirjoita jotain julkista, niin homma lähtee käyntiin!",
|
"empty_column.community": "Paikallinen aikajana on tyhjä. Kirjoita jotain julkista, niin homma lähtee käyntiin!",
|
||||||
"empty_column.direct": "Sinulla ei ole vielä yhtään viestiä yksittäiselle käyttäjälle. Kun lähetät tai vastaanotat sellaisen, se näkyy täällä.",
|
"empty_column.direct": "Sinulla ei ole vielä yhtään viestiä yksittäiselle käyttäjälle. Kun lähetät tai vastaanotat sellaisen, se näkyy täällä.",
|
||||||
"empty_column.domain_blocks": "Yhtään verkko-osoitetta ei ole vielä estetty.",
|
"empty_column.domain_blocks": "Yhtään verkko-osoitetta ei ole vielä estetty.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Mikään ei ole nyt trendi. Tarkista myöhemmin!",
|
||||||
"empty_column.favourited_statuses": "Et ole vielä lisännyt viestejä kirjanmerkkeihisi. Kun lisäät yhden, se näkyy tässä.",
|
"empty_column.favourited_statuses": "Et ole vielä lisännyt viestejä kirjanmerkkeihisi. Kun lisäät yhden, se näkyy tässä.",
|
||||||
"empty_column.favourites": "Kukaan ei ole vielä lisännyt tätä viestiä suosikkeihinsa. Kun joku tekee niin, näkyy kyseinen henkilö tässä.",
|
"empty_column.favourites": "Kukaan ei ole vielä lisännyt tätä viestiä suosikkeihinsa. Kun joku tekee niin, näkyy kyseinen henkilö tässä.",
|
||||||
"empty_column.follow_recommendations": "Näyttää siltä, että sinulle ei voi luoda ehdotuksia. Voit yrittää etsiä ihmisiä, jotka saatat tuntea tai tutkia trendaavia aihesanoja.",
|
"empty_column.follow_recommendations": "Näyttää siltä, että sinulle ei voi luoda ehdotuksia. Voit yrittää etsiä ihmisiä, jotka saatat tuntea tai tutkia trendaavia aihesanoja.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Yritä poistaa ne käytöstä ja päivittää sivu. Jos se ei auta, voit silti käyttää Mastodonia eri selaimen tai sovelluksen kautta.",
|
"error.unexpected_crash.next_steps_addons": "Yritä poistaa ne käytöstä ja päivittää sivu. Jos se ei auta, voit silti käyttää Mastodonia eri selaimen tai sovelluksen kautta.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Kopioi pinon jäljitys leikepöydälle",
|
"errors.unexpected_crash.copy_stacktrace": "Kopioi pinon jäljitys leikepöydälle",
|
||||||
"errors.unexpected_crash.report_issue": "Ilmoita ongelmasta",
|
"errors.unexpected_crash.report_issue": "Ilmoita ongelmasta",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Hakutulokset",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Sinulle",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Selaa",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Uutiset",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Viestit",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Aihetunnisteet",
|
||||||
"follow_recommendations.done": "Valmis",
|
"follow_recommendations.done": "Valmis",
|
||||||
"follow_recommendations.heading": "Seuraa ihmisiä, joilta haluaisit nähdä julkaisuja! Tässä on muutamia ehdotuksia.",
|
"follow_recommendations.heading": "Seuraa ihmisiä, joilta haluaisit nähdä julkaisuja! Tässä on muutamia ehdotuksia.",
|
||||||
"follow_recommendations.lead": "Seuraamiesi julkaisut näkyvät aikajärjestyksessä kotisyötteessä. Älä pelkää seurata vahingossa, voit lopettaa seuraamisen yhtä helposti!",
|
"follow_recommendations.lead": "Seuraamiesi julkaisut näkyvät aikajärjestyksessä kotisyötteessä. Älä pelkää seurata vahingossa, voit lopettaa seuraamisen yhtä helposti!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Asetukset",
|
"navigation_bar.preferences": "Asetukset",
|
||||||
"navigation_bar.public_timeline": "Yleinen aikajana",
|
"navigation_bar.public_timeline": "Yleinen aikajana",
|
||||||
"navigation_bar.security": "Turvallisuus",
|
"navigation_bar.security": "Turvallisuus",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} rekisteröitynyt",
|
||||||
"notification.favourite": "{name} tykkäsi viestistäsi",
|
"notification.favourite": "{name} tykkäsi viestistäsi",
|
||||||
"notification.follow": "{name} seurasi sinua",
|
"notification.follow": "{name} seurasi sinua",
|
||||||
"notification.follow_request": "{name} haluaa seurata sinua",
|
"notification.follow_request": "{name} haluaa seurata sinua",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} muokkasi viestiä",
|
"notification.update": "{name} muokkasi viestiä",
|
||||||
"notifications.clear": "Tyhjennä ilmoitukset",
|
"notifications.clear": "Tyhjennä ilmoitukset",
|
||||||
"notifications.clear_confirmation": "Haluatko varmasti poistaa kaikki ilmoitukset pysyvästi?",
|
"notifications.clear_confirmation": "Haluatko varmasti poistaa kaikki ilmoitukset pysyvästi?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Uudet kirjautumiset:",
|
||||||
"notifications.column_settings.alert": "Työpöytäilmoitukset",
|
"notifications.column_settings.alert": "Työpöytäilmoitukset",
|
||||||
"notifications.column_settings.favourite": "Tykkäykset:",
|
"notifications.column_settings.favourite": "Tykkäykset:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Näytä kaikki kategoriat",
|
"notifications.column_settings.filter_bar.advanced": "Näytä kaikki kategoriat",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number} sek",
|
"relative_time.seconds": "{number} sek",
|
||||||
"relative_time.today": "tänään",
|
"relative_time.today": "tänään",
|
||||||
"reply_indicator.cancel": "Peruuta",
|
"reply_indicator.cancel": "Peruuta",
|
||||||
"report.block": "Block",
|
"report.block": "Estä",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Et näe heidän viestejään. He eivät voi nähdä viestejäsi tai seurata sinua. He voivat kertoa, että heidät on estetty.",
|
||||||
"report.categories.other": "Muu",
|
"report.categories.other": "Muu",
|
||||||
"report.categories.spam": "Roskaposti",
|
"report.categories.spam": "Roskaposti",
|
||||||
"report.categories.violation": "Sisältö rikkoo yhden tai useamman palvelimen sääntöjä",
|
"report.categories.violation": "Sisältö rikkoo yhden tai useamman palvelimen sääntöjä",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Valitse paras osuma",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Kerro meille mitä tämän {type} kanssa tapahtuu",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profiili",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "viesti",
|
||||||
"report.close": "Done",
|
"report.close": "Valmis",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Pitäisikö meidän tietää jotain muuta?",
|
||||||
"report.forward": "Välitä kohteeseen {target}",
|
"report.forward": "Välitä kohteeseen {target}",
|
||||||
"report.forward_hint": "Tämä tili on toisella palvelimella. Haluatko lähettää nimettömän raportin myös sinne?",
|
"report.forward_hint": "Tämä tili on toisella palvelimella. Haluatko lähettää nimettömän raportin myös sinne?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mykistä",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Et näe heidän viestejään. He voivat silti seurata sinua ja nähdä viestisi eivätkä tiedä, että heidät on mykistetty.",
|
||||||
"report.next": "Next",
|
"report.next": "Seuraava",
|
||||||
"report.placeholder": "Lisäkommentit",
|
"report.placeholder": "Lisäkommentit",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "En pidä siitä",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Et halua nähdä sitä",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Se on jotain muuta",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Ongelma ei sovi muihin kategorioihin",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Se on roskapostia",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Haitalliset linkit, väärennetyt sitoutumiset tai toistuvat vastaukset",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Se rikkoo palvelimen sääntöjä",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Tiedät, että se rikkoo tiettyjä sääntöjä",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Valitse kaikki jotka sopivat",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Mitä sääntöjä rikotaan?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Valitse kaikki jotka sopivat",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Onko olemassa yhtään viestiä, jotka tukevat tätä raporttia?",
|
||||||
"report.submit": "Lähetä",
|
"report.submit": "Lähetä",
|
||||||
"report.target": "Raportoidaan {target}",
|
"report.target": "Raportoidaan {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Tässä on vaihtoehtosi hallita näkemääsi Mastodonissa:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Kun tarkistamme tämän, voit ryhtyä toimiin @{name} vastaan:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Etkö halua nähdä tätä?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Kiitos raportista, tutkimme asiaa.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Lopeta seuraaminen @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Seuraat tätä tiliä. Jotta et enää näkisi heidän kirjoituksiaan, lopeta niiden seuraaminen.",
|
||||||
"search.placeholder": "Hae",
|
"search.placeholder": "Hae",
|
||||||
"search_popout.search_format": "Tarkennettu haku",
|
"search_popout.search_format": "Tarkennettu haku",
|
||||||
"search_popout.tips.full_text": "Tekstihaku listaa tilapäivitykset, jotka olet kirjoittanut, lisännyt suosikkeihisi, boostannut tai joissa sinut mainitaan, sekä tekstin sisältävät käyttäjänimet, nimimerkit ja hastagit.",
|
"search_popout.tips.full_text": "Tekstihaku listaa tilapäivitykset, jotka olet kirjoittanut, lisännyt suosikkeihisi, boostannut tai joissa sinut mainitaan, sekä tekstin sisältävät käyttäjänimet, nimimerkit ja hastagit.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Tekstihaku listaa hakua vastaavat nimimerkit, käyttäjänimet ja hastagit",
|
"search_popout.tips.text": "Tekstihaku listaa hakua vastaavat nimimerkit, käyttäjänimet ja hastagit",
|
||||||
"search_popout.tips.user": "käyttäjä",
|
"search_popout.tips.user": "käyttäjä",
|
||||||
"search_results.accounts": "Ihmiset",
|
"search_results.accounts": "Ihmiset",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Kaikki",
|
||||||
"search_results.hashtags": "Aihetunnisteet",
|
"search_results.hashtags": "Aihetunnisteet",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Näille hakusanoille ei löytynyt mitään",
|
||||||
"search_results.statuses": "Viestit",
|
"search_results.statuses": "Viestit",
|
||||||
"search_results.statuses_fts_disabled": "Viestien haku sisällön perusteella ei ole käytössä tällä Mastodon-palvelimella.",
|
"search_results.statuses_fts_disabled": "Viestien haku sisällön perusteella ei ole käytössä tällä Mastodon-palvelimella.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {tulos} other {tulokset}}",
|
"search_results.total": "{count, number} {count, plural, one {tulos} other {tulokset}}",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Le fil public local est vide. Écrivez donc quelque chose pour le remplir !",
|
"empty_column.community": "Le fil public local est vide. Écrivez donc quelque chose pour le remplir !",
|
||||||
"empty_column.direct": "Vous n’avez pas encore de messages directs. Lorsque vous en enverrez ou recevrez un, il s’affichera ici.",
|
"empty_column.direct": "Vous n’avez pas encore de messages directs. Lorsque vous en enverrez ou recevrez un, il s’affichera ici.",
|
||||||
"empty_column.domain_blocks": "Il n’y a aucun domaine bloqué pour le moment.",
|
"empty_column.domain_blocks": "Il n’y a aucun domaine bloqué pour le moment.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Rien n'est en tendance pour le moment. Revenez plus tard !",
|
||||||
"empty_column.favourited_statuses": "Vous n’avez pas encore de message en favori. Lorsque vous en ajouterez un, il apparaîtra ici.",
|
"empty_column.favourited_statuses": "Vous n’avez pas encore de message en favori. Lorsque vous en ajouterez un, il apparaîtra ici.",
|
||||||
"empty_column.favourites": "Personne n’a encore ajouté ce message à ses favoris. Lorsque quelqu’un le fera, il apparaîtra ici.",
|
"empty_column.favourites": "Personne n’a encore ajouté ce message à ses favoris. Lorsque quelqu’un le fera, il apparaîtra ici.",
|
||||||
"empty_column.follow_recommendations": "Il semble qu’aucune suggestion n’ait pu être générée pour vous. Vous pouvez essayer d’utiliser la recherche pour découvrir des personnes que vous pourriez connaître ou explorer les hashtags tendance.",
|
"empty_column.follow_recommendations": "Il semble qu’aucune suggestion n’ait pu être générée pour vous. Vous pouvez essayer d’utiliser la recherche pour découvrir des personnes que vous pourriez connaître ou explorer les hashtags tendance.",
|
||||||
|
@ -186,11 +186,11 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Essayez de les désactiver et de rafraîchir la page. Si cela ne vous aide pas, vous pouvez toujours utiliser Mastodon via un autre navigateur ou une application native.",
|
"error.unexpected_crash.next_steps_addons": "Essayez de les désactiver et de rafraîchir la page. Si cela ne vous aide pas, vous pouvez toujours utiliser Mastodon via un autre navigateur ou une application native.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Copier la trace d'appels dans le presse-papier",
|
"errors.unexpected_crash.copy_stacktrace": "Copier la trace d'appels dans le presse-papier",
|
||||||
"errors.unexpected_crash.report_issue": "Signaler le problème",
|
"errors.unexpected_crash.report_issue": "Signaler le problème",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Résultats de la recherche",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Pour vous",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Explorer",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Actualité",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Messages",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtags",
|
||||||
"follow_recommendations.done": "Terminé",
|
"follow_recommendations.done": "Terminé",
|
||||||
"follow_recommendations.heading": "Suivez les personnes dont vous aimeriez voir les messages ! Voici quelques suggestions.",
|
"follow_recommendations.heading": "Suivez les personnes dont vous aimeriez voir les messages ! Voici quelques suggestions.",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Préférences",
|
"navigation_bar.preferences": "Préférences",
|
||||||
"navigation_bar.public_timeline": "Fil public global",
|
"navigation_bar.public_timeline": "Fil public global",
|
||||||
"navigation_bar.security": "Sécurité",
|
"navigation_bar.security": "Sécurité",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} s'est inscrit·e",
|
||||||
"notification.favourite": "{name} a ajouté le message à ses favoris",
|
"notification.favourite": "{name} a ajouté le message à ses favoris",
|
||||||
"notification.follow": "{name} vous suit",
|
"notification.follow": "{name} vous suit",
|
||||||
"notification.follow_request": "{name} a demandé à vous suivre",
|
"notification.follow_request": "{name} a demandé à vous suivre",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} a modifié un message",
|
"notification.update": "{name} a modifié un message",
|
||||||
"notifications.clear": "Effacer les notifications",
|
"notifications.clear": "Effacer les notifications",
|
||||||
"notifications.clear_confirmation": "Voulez-vous vraiment effacer toutes vos notifications ?",
|
"notifications.clear_confirmation": "Voulez-vous vraiment effacer toutes vos notifications ?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nouvelles inscriptions :",
|
||||||
"notifications.column_settings.alert": "Notifications du navigateur",
|
"notifications.column_settings.alert": "Notifications du navigateur",
|
||||||
"notifications.column_settings.favourite": "Favoris :",
|
"notifications.column_settings.favourite": "Favoris :",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Afficher toutes les catégories",
|
"notifications.column_settings.filter_bar.advanced": "Afficher toutes les catégories",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number} s",
|
"relative_time.seconds": "{number} s",
|
||||||
"relative_time.today": "aujourd’hui",
|
"relative_time.today": "aujourd’hui",
|
||||||
"reply_indicator.cancel": "Annuler",
|
"reply_indicator.cancel": "Annuler",
|
||||||
"report.block": "Block",
|
"report.block": "Bloquer",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Vous ne verrez plus les messages de ce profil, et il ne pourra ni vous suivre ni voir vos messages. Il pourra savoir qu'il a été bloqué.",
|
||||||
"report.categories.other": "Autre",
|
"report.categories.other": "Autre",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spam",
|
||||||
"report.categories.violation": "Le contenu enfreint une ou plusieurs règles du serveur",
|
"report.categories.violation": "Le contenu enfreint une ou plusieurs règles du serveur",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Sélctionnez ce qui correspond le mieux",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Dites-nous ce qu'il se passe avec {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "ce profil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "ce message",
|
||||||
"report.close": "Done",
|
"report.close": "Terminé",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Y a-t-il autre chose que nous devrions savoir ?",
|
||||||
"report.forward": "Transférer à {target}",
|
"report.forward": "Transférer à {target}",
|
||||||
"report.forward_hint": "Le compte provient d’un autre serveur. Envoyer également une copie anonyme du rapport ?",
|
"report.forward_hint": "Le compte provient d’un autre serveur. Envoyer également une copie anonyme du rapport ?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Masquer",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Vous ne verrez plus les messages de ce compte, mais il pourra toujours vous suivre et voir vos messages. Il ne pourra pas savoir qu'il a été masqué.",
|
||||||
"report.next": "Next",
|
"report.next": "Suivant",
|
||||||
"report.placeholder": "Commentaires additionnels",
|
"report.placeholder": "Commentaires additionnels",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Cela ne me plaît pas",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Ce n'est pas quelque chose que vous voulez voir",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Pour une autre raison",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Le problème ne correspond pas aux autres catégories",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "C'est du spam",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Liens malveillants, engagement mensonger ou réponses répétitives",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Infraction des règles du serveur",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Vous savez que des règles précises sont enfreintes",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Sélectionnez toutes les réponses appropriées",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Quelles règles sont enfreintes ?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Sélectionnez toutes les réponses appropriées",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Existe-t-il des messages pour étayer ce rapport ?",
|
||||||
"report.submit": "Envoyer",
|
"report.submit": "Envoyer",
|
||||||
"report.target": "Signalement de {target}",
|
"report.target": "Signalement de {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Voici les possibilités que vous avez pour contrôler ce que vous voyez sur Mastodon :",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Pendant que nous étudions votre requête, vous pouvez prendre des mesures contre @{name} :",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Vous ne voulez pas voir cela ?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Merci pour votre signalement, nous allons investiguer.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Ne plus suivre @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Vous suivez ce compte. Désabonnez-vous pour ne plus en voir les messages sur votre fil principal.",
|
||||||
"search.placeholder": "Rechercher",
|
"search.placeholder": "Rechercher",
|
||||||
"search_popout.search_format": "Recherche avancée",
|
"search_popout.search_format": "Recherche avancée",
|
||||||
"search_popout.tips.full_text": "Un texte normal retourne les messages que vous avez écrits, ajoutés à vos favoris, partagés, ou vous mentionnant, ainsi que les identifiants, les noms affichés, et les hashtags des personnes et messages correspondants.",
|
"search_popout.tips.full_text": "Un texte normal retourne les messages que vous avez écrits, ajoutés à vos favoris, partagés, ou vous mentionnant, ainsi que les identifiants, les noms affichés, et les hashtags des personnes et messages correspondants.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Un texte simple renvoie les noms affichés, les identifiants et les hashtags correspondants",
|
"search_popout.tips.text": "Un texte simple renvoie les noms affichés, les identifiants et les hashtags correspondants",
|
||||||
"search_popout.tips.user": "utilisateur·ice",
|
"search_popout.tips.user": "utilisateur·ice",
|
||||||
"search_results.accounts": "Comptes",
|
"search_results.accounts": "Comptes",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Tous les résultats",
|
||||||
"search_results.hashtags": "Hashtags",
|
"search_results.hashtags": "Hashtags",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Aucun résultat avec ces mots-clefs",
|
||||||
"search_results.statuses": "Messages",
|
"search_results.statuses": "Messages",
|
||||||
"search_results.statuses_fts_disabled": "La recherche de messages par leur contenu n'est pas activée sur ce serveur Mastodon.",
|
"search_results.statuses_fts_disabled": "La recherche de messages par leur contenu n'est pas activée sur ce serveur Mastodon.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {résultat} other {résultats}}",
|
"search_results.total": "{count, number} {count, plural, one {résultat} other {résultats}}",
|
||||||
|
|
|
@ -47,8 +47,8 @@
|
||||||
"account.unmute": "Dì-mhùch @{name}",
|
"account.unmute": "Dì-mhùch @{name}",
|
||||||
"account.unmute_notifications": "Dì-mhùch na brathan o @{name}",
|
"account.unmute_notifications": "Dì-mhùch na brathan o @{name}",
|
||||||
"account_note.placeholder": "Briog airson nòta a chur ris",
|
"account_note.placeholder": "Briog airson nòta a chur ris",
|
||||||
"admin.dashboard.daily_retention": "User retention rate by day after sign-up",
|
"admin.dashboard.daily_retention": "Reat glèidheadh nan cleachdaichean às dèidh an clàradh a-rèir latha",
|
||||||
"admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
|
"admin.dashboard.monthly_retention": "Reat glèidheadh nan cleachdaichean às dèidh an clàradh a-rèir mìos",
|
||||||
"admin.dashboard.retention.average": "Cuibheasach",
|
"admin.dashboard.retention.average": "Cuibheasach",
|
||||||
"admin.dashboard.retention.cohort": "Mìos a’ chlàraidh",
|
"admin.dashboard.retention.cohort": "Mìos a’ chlàraidh",
|
||||||
"admin.dashboard.retention.cohort_size": "Cleachdaichean ùra",
|
"admin.dashboard.retention.cohort_size": "Cleachdaichean ùra",
|
||||||
|
@ -105,7 +105,7 @@
|
||||||
"compose_form.poll.switch_to_single": "Atharraich an cunntas-bheachd gus nach gabh ach aon roghainn a thaghadh",
|
"compose_form.poll.switch_to_single": "Atharraich an cunntas-bheachd gus nach gabh ach aon roghainn a thaghadh",
|
||||||
"compose_form.publish": "Postaich",
|
"compose_form.publish": "Postaich",
|
||||||
"compose_form.publish_loud": "{publish}!",
|
"compose_form.publish_loud": "{publish}!",
|
||||||
"compose_form.save_changes": "Save changes",
|
"compose_form.save_changes": "Sàbhail na h-atharraichean",
|
||||||
"compose_form.sensitive.hide": "{count, plural, one {Cuir comharra gu bheil am meadhan frionasach} two {Cuir comharra gu bheil na meadhanan frionasach} few {Cuir comharra gu bheil na meadhanan frionasach} other {Cuir comharra gu bheil na meadhanan frionasach}}",
|
"compose_form.sensitive.hide": "{count, plural, one {Cuir comharra gu bheil am meadhan frionasach} two {Cuir comharra gu bheil na meadhanan frionasach} few {Cuir comharra gu bheil na meadhanan frionasach} other {Cuir comharra gu bheil na meadhanan frionasach}}",
|
||||||
"compose_form.sensitive.marked": "{count, plural, one {Tha comharra ris a’ mheadhan gu bheil e frionasach} two {Tha comharra ris na meadhanan gu bheil iad frionasach} few {Tha comharra ris na meadhanan gu bheil iad frionasach} other {Tha comharra ris na meadhanan gu bheil iad frionasach}}",
|
"compose_form.sensitive.marked": "{count, plural, one {Tha comharra ris a’ mheadhan gu bheil e frionasach} two {Tha comharra ris na meadhanan gu bheil iad frionasach} few {Tha comharra ris na meadhanan gu bheil iad frionasach} other {Tha comharra ris na meadhanan gu bheil iad frionasach}}",
|
||||||
"compose_form.sensitive.unmarked": "{count, plural, one {Chan eil comharra ris a’ mheadhan gun robh e frionasach} two {Chan eil comharra ris na meadhanan gun robh iad frionasach} few {Chan eil comharra ris na meadhanan gun robh iad frionasach} other {Chan eil comharra ris na meadhanan gun robh iad frionasach}}",
|
"compose_form.sensitive.unmarked": "{count, plural, one {Chan eil comharra ris a’ mheadhan gun robh e frionasach} two {Chan eil comharra ris na meadhanan gun robh iad frionasach} few {Chan eil comharra ris na meadhanan gun robh iad frionasach} other {Chan eil comharra ris na meadhanan gun robh iad frionasach}}",
|
||||||
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Tha an loidhne-ama ionadail falamh. Sgrìobh rudeigin gu poblach airson toiseach-tòiseachaidh a dhèanamh!",
|
"empty_column.community": "Tha an loidhne-ama ionadail falamh. Sgrìobh rudeigin gu poblach airson toiseach-tòiseachaidh a dhèanamh!",
|
||||||
"empty_column.direct": "Chan eil teachdaireachd dhìreach agad fhathast. Nuair a chuireas no a gheibh thu tè, nochdaidh i an-seo.",
|
"empty_column.direct": "Chan eil teachdaireachd dhìreach agad fhathast. Nuair a chuireas no a gheibh thu tè, nochdaidh i an-seo.",
|
||||||
"empty_column.domain_blocks": "Cha deach àrainn sam bith a bhacadh fhathast.",
|
"empty_column.domain_blocks": "Cha deach àrainn sam bith a bhacadh fhathast.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Chan eil dad a’ treandadh an-dràsta fhèin. Thoir sùil a-rithist an ceann greis!",
|
||||||
"empty_column.favourited_statuses": "Chan eil annsachd air post agad fhathast. Nuair a nì thu annsachd de dh’fhear, nochdaidh e an-seo.",
|
"empty_column.favourited_statuses": "Chan eil annsachd air post agad fhathast. Nuair a nì thu annsachd de dh’fhear, nochdaidh e an-seo.",
|
||||||
"empty_column.favourites": "Chan eil am post seo ’na annsachd aig duine sam bith fhathast. Nuair a nì daoine annsachd dheth, nochdaidh iad an-seo.",
|
"empty_column.favourites": "Chan eil am post seo ’na annsachd aig duine sam bith fhathast. Nuair a nì daoine annsachd dheth, nochdaidh iad an-seo.",
|
||||||
"empty_column.follow_recommendations": "Chan urrainn dhuinn dad a mholadh dhut. Cleachd gleus an luirg feuch an lorg thu daoine air a bheil thu eòlach no rùraich na tagaichean-hais a tha a’ treandadh.",
|
"empty_column.follow_recommendations": "Chan urrainn dhuinn dad a mholadh dhut. Cleachd gleus an luirg feuch an lorg thu daoine air a bheil thu eòlach no rùraich na tagaichean-hais a tha a’ treandadh.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Feuch an cuir thu à comas iad ’s gun ath-nuadhaich thu an duilleag seo. Mura cuidich sin, dh’fhaoidte gur urrainn dhut Mastodon a chleachdadh fhathast le brabhsair eile no le aplacaid thùsail.",
|
"error.unexpected_crash.next_steps_addons": "Feuch an cuir thu à comas iad ’s gun ath-nuadhaich thu an duilleag seo. Mura cuidich sin, dh’fhaoidte gur urrainn dhut Mastodon a chleachdadh fhathast le brabhsair eile no le aplacaid thùsail.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Cuir lethbhreac dhen stacktrace air an stòr-bhòrd",
|
"errors.unexpected_crash.copy_stacktrace": "Cuir lethbhreac dhen stacktrace air an stòr-bhòrd",
|
||||||
"errors.unexpected_crash.report_issue": "Dèan aithris air an duilgheadas",
|
"errors.unexpected_crash.report_issue": "Dèan aithris air an duilgheadas",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Toraidhean an luirg",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Dhut-sa",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Rùraich",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Naidheachdan",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Postaichean",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Tagaichean hais",
|
||||||
"follow_recommendations.done": "Deiseil",
|
"follow_recommendations.done": "Deiseil",
|
||||||
"follow_recommendations.heading": "Lean air daoine ma tha thu airson nam postaichean aca fhaicinn! Seo moladh no dà dhut.",
|
"follow_recommendations.heading": "Lean air daoine ma tha thu airson nam postaichean aca fhaicinn! Seo moladh no dà dhut.",
|
||||||
"follow_recommendations.lead": "Nochdaidh na postaichean aig na daoine air a leanas tu a-rèir an ama air inbhir na dachaighe agad. Bi dàna on as urrainn dhut sgur de leantainn air daoine cuideachd uair sam bith!",
|
"follow_recommendations.lead": "Nochdaidh na postaichean aig na daoine air a leanas tu a-rèir an ama air inbhir na dachaighe agad. Bi dàna on as urrainn dhut sgur de leantainn air daoine cuideachd uair sam bith!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Roghainnean",
|
"navigation_bar.preferences": "Roghainnean",
|
||||||
"navigation_bar.public_timeline": "Loidhne-ama cho-naisgte",
|
"navigation_bar.public_timeline": "Loidhne-ama cho-naisgte",
|
||||||
"navigation_bar.security": "Tèarainteachd",
|
"navigation_bar.security": "Tèarainteachd",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "Chlàraich {name}",
|
||||||
"notification.favourite": "Is annsa le {name} am post agad",
|
"notification.favourite": "Is annsa le {name} am post agad",
|
||||||
"notification.follow": "Tha {name} a’ leantainn ort a-nis",
|
"notification.follow": "Tha {name} a’ leantainn ort a-nis",
|
||||||
"notification.follow_request": "Dh’iarr {name} leantainn ort",
|
"notification.follow_request": "Dh’iarr {name} leantainn ort",
|
||||||
|
@ -316,10 +316,10 @@
|
||||||
"notification.poll": "Thàinig cunntas-bheachd sa bhòt thu gu crìoch",
|
"notification.poll": "Thàinig cunntas-bheachd sa bhòt thu gu crìoch",
|
||||||
"notification.reblog": "Bhrosnaich {name} am post agad",
|
"notification.reblog": "Bhrosnaich {name} am post agad",
|
||||||
"notification.status": "Tha {name} air rud a phostadh",
|
"notification.status": "Tha {name} air rud a phostadh",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "Dheasaich {name} post",
|
||||||
"notifications.clear": "Falamhaich na brathan",
|
"notifications.clear": "Falamhaich na brathan",
|
||||||
"notifications.clear_confirmation": "A bheil thu cinnteach gu bheil thu airson na brathan uile agad fhalamhachadh gu buan?",
|
"notifications.clear_confirmation": "A bheil thu cinnteach gu bheil thu airson na brathan uile agad fhalamhachadh gu buan?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Clàraidhean ùra:",
|
||||||
"notifications.column_settings.alert": "Brathan deasga",
|
"notifications.column_settings.alert": "Brathan deasga",
|
||||||
"notifications.column_settings.favourite": "Na h-annsachdan:",
|
"notifications.column_settings.favourite": "Na h-annsachdan:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Seall a h-uile roinn-seòrsa",
|
"notifications.column_settings.filter_bar.advanced": "Seall a h-uile roinn-seòrsa",
|
||||||
|
@ -336,7 +336,7 @@
|
||||||
"notifications.column_settings.status": "Postaichean ùra:",
|
"notifications.column_settings.status": "Postaichean ùra:",
|
||||||
"notifications.column_settings.unread_notifications.category": "Brathan nach deach a leughadh",
|
"notifications.column_settings.unread_notifications.category": "Brathan nach deach a leughadh",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "Soillsich na brathan nach deach a leughadh",
|
"notifications.column_settings.unread_notifications.highlight": "Soillsich na brathan nach deach a leughadh",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "Deasachaidhean:",
|
||||||
"notifications.filter.all": "Na h-uile",
|
"notifications.filter.all": "Na h-uile",
|
||||||
"notifications.filter.boosts": "Brosnachaidhean",
|
"notifications.filter.boosts": "Brosnachaidhean",
|
||||||
"notifications.filter.favourites": "Na h-annsachdan",
|
"notifications.filter.favourites": "Na h-annsachdan",
|
||||||
|
@ -376,54 +376,54 @@
|
||||||
"regeneration_indicator.label": "’Ga luchdadh…",
|
"regeneration_indicator.label": "’Ga luchdadh…",
|
||||||
"regeneration_indicator.sublabel": "Tha inbhir na dachaigh agad ’ga ullachadh!",
|
"regeneration_indicator.sublabel": "Tha inbhir na dachaigh agad ’ga ullachadh!",
|
||||||
"relative_time.days": "{number}l",
|
"relative_time.days": "{number}l",
|
||||||
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
|
"relative_time.full.days": "{count, plural, one {# latha} two {# latha} few {# làithean} other {# latha}} air ais",
|
||||||
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
|
"relative_time.full.hours": "{count, plural, one {# uair a thìde} two {# uair a thìde} few {# uairean a thìde} other {# uair a thìde}} air ais",
|
||||||
"relative_time.full.just_now": "just now",
|
"relative_time.full.just_now": "an-dràsta fhèin",
|
||||||
"relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
|
"relative_time.full.minutes": "{count, plural, one {# mhionaid} two {# mhionaid} few {# mionaidean} other {# mionaid}} air ais",
|
||||||
"relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
|
"relative_time.full.seconds": "{count, plural, one {# diog} two {# dhiog} few {# diogan} other {# diog}} air ais",
|
||||||
"relative_time.hours": "{number}u",
|
"relative_time.hours": "{number}u",
|
||||||
"relative_time.just_now": "an-dràsta",
|
"relative_time.just_now": "an-dràsta",
|
||||||
"relative_time.minutes": "{number}m",
|
"relative_time.minutes": "{number}m",
|
||||||
"relative_time.seconds": "{number}d",
|
"relative_time.seconds": "{number}d",
|
||||||
"relative_time.today": "an-diugh",
|
"relative_time.today": "an-diugh",
|
||||||
"reply_indicator.cancel": "Sguir dheth",
|
"reply_indicator.cancel": "Sguir dheth",
|
||||||
"report.block": "Block",
|
"report.block": "Bac",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Chan fhaic thu na postaichean aca. Chan fhaic iad na postaichean agad is chan urrainn dhaibh leantainn ort. Mothaichidh iad gun deach am bacadh.",
|
||||||
"report.categories.other": "Other",
|
"report.categories.other": "Eile",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spama",
|
||||||
"report.categories.violation": "Content violates one or more server rules",
|
"report.categories.violation": "Tha an t-susbaint a’ briseadh riaghailt no dhà an fhrithealaiche",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Tagh an roghainn as iomchaidhe",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Innis dhuinn dè tha a’ dol leis a’ {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "phròifil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "phost",
|
||||||
"report.close": "Done",
|
"report.close": "Deiseil",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "A bheil rud sam bith eile a bu toigh leat innse dhuinn?",
|
||||||
"report.forward": "Sìn air adhart gu {target}",
|
"report.forward": "Sìn air adhart gu {target}",
|
||||||
"report.forward_hint": "Chaidh an cunntas a chlàradh air frithealaiche eile. A bheil thu airson lethbhreac dhen ghearan a chur dha-san gun ainm cuideachd?",
|
"report.forward_hint": "Chaidh an cunntas a chlàradh air frithealaiche eile. A bheil thu airson lethbhreac dhen ghearan a chur dha-san gun ainm cuideachd?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mùch",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Chan fhaic thu na postaichean aca. Chì iad na postaichean agad agus ’s urrainn dhaibh leantainn ort fhathast. Cha bhi fios aca gun deach am mùchadh.",
|
||||||
"report.next": "Next",
|
"report.next": "Air adhart",
|
||||||
"report.placeholder": "Beachdan a bharrachd",
|
"report.placeholder": "Beachdan a bharrachd",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Cha toigh leam e",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Chan eil thu airson seo fhaicinn",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Adhbhar eile",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Chan eil na roinnean-seòrsa eile iomchaidh dhan chùis",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "’S e spama a th’ ann",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Ceanglaichean droch-rùnach, conaltradh fuadain no an dearbh fhreagairt a-rithist ’s a-rithist",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Tha e a’ briseadh riaghailtean an fhrithealaiche",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Mhothaich thu gu bheil e a’ briseadh riaghailtean sònraichte",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Tagh a h-uile gin a tha iomchaidh",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Dè na riaghailtean a tha ’gam briseadh?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Tagh a h-uile gin a tha iomchaidh",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "A bheil postaichean sam bith ann a tha ’nam fianais dhan ghearan seo?",
|
||||||
"report.submit": "Cuir a-null",
|
"report.submit": "Cuir a-null",
|
||||||
"report.target": "A’ gearan mu {target}",
|
"report.target": "A’ gearan mu {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Seo na roghainnean a th’ agad airson stiùireadh na chì thu air Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Fhad ’s a bhios sinn a’ toirt sùil air, seo nas urrainn dhut dèanamh an aghaidh @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Nach eil thu airson seo fhaicinn?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Mòran taing airson a’ ghearain, bheir sinn sùil air.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Na lean air @{name} tuilleadh",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Tha thu a’ leantainn air a’ chunntas seo. Sgur de leantainn orra ach nach fhaic thu na puist aca air inbhir na dachaigh agad.",
|
||||||
"search.placeholder": "Lorg",
|
"search.placeholder": "Lorg",
|
||||||
"search_popout.search_format": "Fòrmat adhartach an luirg",
|
"search_popout.search_format": "Fòrmat adhartach an luirg",
|
||||||
"search_popout.tips.full_text": "Bheir teacsa sìmplidh dhut na postaichean a sgrìobh thu, a tha nan annsachdan dhut, a bhrosnaich thu no san deach iomradh a thoirt ort cho math ri ainmean-cleachdaiche, ainmean taisbeanaidh agus tagaichean hais a mhaidsicheas.",
|
"search_popout.tips.full_text": "Bheir teacsa sìmplidh dhut na postaichean a sgrìobh thu, a tha nan annsachdan dhut, a bhrosnaich thu no san deach iomradh a thoirt ort cho math ri ainmean-cleachdaiche, ainmean taisbeanaidh agus tagaichean hais a mhaidsicheas.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Bheir teacsa sìmplidh dhut na h-ainmean-cleachdaiche, ainmean taisbeanaidh agus tagaichean hais a mhaidsicheas",
|
"search_popout.tips.text": "Bheir teacsa sìmplidh dhut na h-ainmean-cleachdaiche, ainmean taisbeanaidh agus tagaichean hais a mhaidsicheas",
|
||||||
"search_popout.tips.user": "cleachdaiche",
|
"search_popout.tips.user": "cleachdaiche",
|
||||||
"search_results.accounts": "Daoine",
|
"search_results.accounts": "Daoine",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Na h-uile",
|
||||||
"search_results.hashtags": "Tagaichean hais",
|
"search_results.hashtags": "Tagaichean hais",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Cha do lorg sinn dad dha na h-abairtean-luirg seo",
|
||||||
"search_results.statuses": "Postaichean",
|
"search_results.statuses": "Postaichean",
|
||||||
"search_results.statuses_fts_disabled": "Chan eil lorg phostaichean a-rèir an susbaint an comas air an fhrithealaiche Mastodon seo.",
|
"search_results.statuses_fts_disabled": "Chan eil lorg phostaichean a-rèir an susbaint an comas air an fhrithealaiche Mastodon seo.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {toradh} two {thoradh} few {toraidhean} other {toradh}}",
|
"search_results.total": "{count, number} {count, plural, one {toradh} two {thoradh} few {toraidhean} other {toradh}}",
|
||||||
|
@ -448,14 +448,14 @@
|
||||||
"status.delete": "Sguab às",
|
"status.delete": "Sguab às",
|
||||||
"status.detailed_status": "Mion-shealladh a’ chòmhraidh",
|
"status.detailed_status": "Mion-shealladh a’ chòmhraidh",
|
||||||
"status.direct": "Cuir teachdaireachd dhìreach gu @{name}",
|
"status.direct": "Cuir teachdaireachd dhìreach gu @{name}",
|
||||||
"status.edit": "Edit",
|
"status.edit": "Deasaich",
|
||||||
"status.edited": "Edited {date}",
|
"status.edited": "Air a dheasachadh {date}",
|
||||||
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
|
"status.edited_x_times": "Chaidh a dheasachadh {count, plural, one {{counter} turas} two {{counter} thuras} few {{counter} tursan} other {{counter} turas}}",
|
||||||
"status.embed": "Leabaich",
|
"status.embed": "Leabaich",
|
||||||
"status.favourite": "Cuir ris na h-annsachdan",
|
"status.favourite": "Cuir ris na h-annsachdan",
|
||||||
"status.filtered": "Criathraichte",
|
"status.filtered": "Criathraichte",
|
||||||
"status.history.created": "{name} created {date}",
|
"status.history.created": "Chruthaich {name} {date} e",
|
||||||
"status.history.edited": "{name} edited {date}",
|
"status.history.edited": "Dheasaich {name} {date} e",
|
||||||
"status.load_more": "Luchdaich barrachd dheth",
|
"status.load_more": "Luchdaich barrachd dheth",
|
||||||
"status.media_hidden": "Meadhanan falaichte",
|
"status.media_hidden": "Meadhanan falaichte",
|
||||||
"status.mention": "Thoir iomradh air @{name}",
|
"status.mention": "Thoir iomradh air @{name}",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "A helyi idővonal üres. Tégy közzé valamit nyilvánosan, hogy elindítsd az eseményeket!",
|
"empty_column.community": "A helyi idővonal üres. Tégy közzé valamit nyilvánosan, hogy elindítsd az eseményeket!",
|
||||||
"empty_column.direct": "Még nincs egy közvetlen üzeneted sem. Ha küldesz vagy kapsz egyet, itt fog megjelenni.",
|
"empty_column.direct": "Még nincs egy közvetlen üzeneted sem. Ha küldesz vagy kapsz egyet, itt fog megjelenni.",
|
||||||
"empty_column.domain_blocks": "Még nem rejtettél el egyetlen domaint sem.",
|
"empty_column.domain_blocks": "Még nem rejtettél el egyetlen domaint sem.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Jelenleg semmi sem felkapott. Nézz vissza később!",
|
||||||
"empty_column.favourited_statuses": "Még nincs egyetlen kedvenc bejegyzésed sem. Ha kedvencnek jelölsz egyet, itt fog megjelenni.",
|
"empty_column.favourited_statuses": "Még nincs egyetlen kedvenc bejegyzésed sem. Ha kedvencnek jelölsz egyet, itt fog megjelenni.",
|
||||||
"empty_column.favourites": "Még senki sem jelölte ezt a bejegyzést kedvencnek. Ha valaki mégis megteszi, itt fogjuk mutatni.",
|
"empty_column.favourites": "Még senki sem jelölte ezt a bejegyzést kedvencnek. Ha valaki mégis megteszi, itt fogjuk mutatni.",
|
||||||
"empty_column.follow_recommendations": "Úgy tűnik, neked nem tudunk javaslatokat adni. Próbáld a keresést használni olyanok megtalálására, akiket ismerhetsz, vagy fedezd fel a felkapott hastageket.",
|
"empty_column.follow_recommendations": "Úgy tűnik, neked nem tudunk javaslatokat adni. Próbáld a keresést használni olyanok megtalálására, akiket ismerhetsz, vagy fedezd fel a felkapott hastageket.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Próbáld letiltani őket és frissíteni az oldalt. Ha ez nem segít, egy másik böngészőn vagy appon keresztül még mindig használhatod a Mastodont.",
|
"error.unexpected_crash.next_steps_addons": "Próbáld letiltani őket és frissíteni az oldalt. Ha ez nem segít, egy másik böngészőn vagy appon keresztül még mindig használhatod a Mastodont.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Veremkiíratás vágólapra másolása",
|
"errors.unexpected_crash.copy_stacktrace": "Veremkiíratás vágólapra másolása",
|
||||||
"errors.unexpected_crash.report_issue": "Probléma jelentése",
|
"errors.unexpected_crash.report_issue": "Probléma jelentése",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Keresési találatok",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Neked",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Felfedezés",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Hírek",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Bejegyzések",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtagek",
|
||||||
"follow_recommendations.done": "Kész",
|
"follow_recommendations.done": "Kész",
|
||||||
"follow_recommendations.heading": "Kövesd azokat, akiknek a bejegyzéseit látni szeretnéd! Itt van néhány javaslat.",
|
"follow_recommendations.heading": "Kövesd azokat, akiknek a bejegyzéseit látni szeretnéd! Itt van néhány javaslat.",
|
||||||
"follow_recommendations.lead": "Az általad követettek bejegyzései a saját idővonaladon fognak megjelenni időrendi sorrendben. Ne félj attól, hogy hibázol! A követést bármikor, ugyanilyen könnyen visszavonhatod!",
|
"follow_recommendations.lead": "Az általad követettek bejegyzései a saját idővonaladon fognak megjelenni időrendi sorrendben. Ne félj attól, hogy hibázol! A követést bármikor, ugyanilyen könnyen visszavonhatod!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Beállítások",
|
"navigation_bar.preferences": "Beállítások",
|
||||||
"navigation_bar.public_timeline": "Föderációs idővonal",
|
"navigation_bar.public_timeline": "Föderációs idővonal",
|
||||||
"navigation_bar.security": "Biztonság",
|
"navigation_bar.security": "Biztonság",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} regisztrált",
|
||||||
"notification.favourite": "{name} kedvencnek jelölte a bejegyzésedet",
|
"notification.favourite": "{name} kedvencnek jelölte a bejegyzésedet",
|
||||||
"notification.follow": "{name} követ téged",
|
"notification.follow": "{name} követ téged",
|
||||||
"notification.follow_request": "{name} követni szeretne téged",
|
"notification.follow_request": "{name} követni szeretne téged",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} szerkesztett egy bejegyzést",
|
"notification.update": "{name} szerkesztett egy bejegyzést",
|
||||||
"notifications.clear": "Értesítések törlése",
|
"notifications.clear": "Értesítések törlése",
|
||||||
"notifications.clear_confirmation": "Biztos, hogy véglegesen törölni akarod az összes értesítésed?",
|
"notifications.clear_confirmation": "Biztos, hogy véglegesen törölni akarod az összes értesítésed?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Új regisztrálók:",
|
||||||
"notifications.column_settings.alert": "Asztali értesítések",
|
"notifications.column_settings.alert": "Asztali értesítések",
|
||||||
"notifications.column_settings.favourite": "Kedvencek:",
|
"notifications.column_settings.favourite": "Kedvencek:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Minden kategória mutatása",
|
"notifications.column_settings.filter_bar.advanced": "Minden kategória mutatása",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}mp",
|
"relative_time.seconds": "{number}mp",
|
||||||
"relative_time.today": "ma",
|
"relative_time.today": "ma",
|
||||||
"reply_indicator.cancel": "Mégsem",
|
"reply_indicator.cancel": "Mégsem",
|
||||||
"report.block": "Block",
|
"report.block": "Letiltás",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Nem fogod látni a bejegyzéseit. Nem fogja tudni megnézni a bejegyzéseidet és nem követni sem fog tudni. Azt is meg fogja tudni mondani, hogy letiltottad.",
|
||||||
"report.categories.other": "Egyéb",
|
"report.categories.other": "Egyéb",
|
||||||
"report.categories.spam": "Kéretlen üzenet",
|
"report.categories.spam": "Kéretlen üzenet",
|
||||||
"report.categories.violation": "A tartalom a kiszolgáló egy vagy több szabályát sérti",
|
"report.categories.violation": "A tartalom a kiszolgáló egy vagy több szabályát sérti",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Válaszd ki a legjobb találatot",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Mondd el, hogy mi van ezzel a {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profillal",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "bejegyzéssel",
|
||||||
"report.close": "Done",
|
"report.close": "Kész",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Van valami, amiről tudnunk kellene?",
|
||||||
"report.forward": "Továbbítás: {target}",
|
"report.forward": "Továbbítás: {target}",
|
||||||
"report.forward_hint": "Ez a fiók egy másik kiszolgálóról van. Oda is elküldöd a jelentés egy anonimizált másolatát?",
|
"report.forward_hint": "Ez a fiók egy másik kiszolgálóról van. Oda is elküldöd a jelentés egy anonimizált másolatát?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Némítás",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Nem fogod látni a bejegyzéseit. Továbbra is fog tudni követni, és látni fogja a bejegyzéseidet, és nem fogja tudni, hogy némítottad.",
|
||||||
"report.next": "Next",
|
"report.next": "Következő",
|
||||||
"report.placeholder": "További megjegyzések",
|
"report.placeholder": "További megjegyzések",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Nem tetszik",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Ezt nem szeretném látni",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Valami más",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Az eset nem illik egyik kategóriába sem",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Ez kéretlen tartalom",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Rosszindulatú hivatkozások, hamis interakció vagy ismétlődő válaszok",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Sérti a kiszolgáló szabályait",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Tudod, hogy mely konkrét szabályokat sért meg",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Válaszd ki az összes megfelelőt",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Mely szabályok lettek megsértve?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Válaszd ki az összes megfelelőt",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Vannak olyan bejegyzések, amelyek alátámasztják ezt a jelentést?",
|
||||||
"report.submit": "Küldés",
|
"report.submit": "Küldés",
|
||||||
"report.target": "{target} jelentése",
|
"report.target": "{target} jelentése",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Itt vannak a beállítások, melyek szabályozzák, hogy mit látsz a Mastodonon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Míg átnézzük, a következőket tehet @{name} ellen:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Nem akarod ezt látni?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Köszönjük, hogy jelentetted, megnézzük.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "@{name} követésének leállítása",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Követed ezt a fiókot. Hogy ne lásd a bejegyzéseit a saját idővonaladon, szüntesd meg a követését.",
|
||||||
"search.placeholder": "Keresés",
|
"search.placeholder": "Keresés",
|
||||||
"search_popout.search_format": "Speciális keresés",
|
"search_popout.search_format": "Speciális keresés",
|
||||||
"search_popout.tips.full_text": "Egyszerű szöveg, mely általad írt, kedvencnek jelölt vagy megtolt bejegyzéseket, rólad szóló megemlítéseket, felhasználói neveket, megjelenített neveket, hashtageket ad majd vissza.",
|
"search_popout.tips.full_text": "Egyszerű szöveg, mely általad írt, kedvencnek jelölt vagy megtolt bejegyzéseket, rólad szóló megemlítéseket, felhasználói neveket, megjelenített neveket, hashtageket ad majd vissza.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Egyszerű szöveg. Illeszkedő megjelenített nevet, felhasználói nevet, hashtageket ad majd vissza",
|
"search_popout.tips.text": "Egyszerű szöveg. Illeszkedő megjelenített nevet, felhasználói nevet, hashtageket ad majd vissza",
|
||||||
"search_popout.tips.user": "felhasználó",
|
"search_popout.tips.user": "felhasználó",
|
||||||
"search_results.accounts": "Emberek",
|
"search_results.accounts": "Emberek",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Összes",
|
||||||
"search_results.hashtags": "Hashtagek",
|
"search_results.hashtags": "Hashtagek",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Nincs találat erre a keresési kifejezésekre",
|
||||||
"search_results.statuses": "Bejegyzések",
|
"search_results.statuses": "Bejegyzések",
|
||||||
"search_results.statuses_fts_disabled": "Ezen a Mastodon szerveren nem engedélyezett a bejegyzések tartalom szerinti keresése.",
|
"search_results.statuses_fts_disabled": "Ezen a Mastodon szerveren nem engedélyezett a bejegyzések tartalom szerinti keresése.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {találat} other {találat}}",
|
"search_results.total": "{count, number} {count, plural, one {találat} other {találat}}",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Staðværa tímalínan er tóm. Skrifaðu eitthvað opinberlega til að láta boltann fara að rúlla!",
|
"empty_column.community": "Staðværa tímalínan er tóm. Skrifaðu eitthvað opinberlega til að láta boltann fara að rúlla!",
|
||||||
"empty_column.direct": "Þú átt ennþá engin bein skilaboð. Þegar þú sendir eða tekur á móti slíkum skilaboðum, munu þau birtast hér.",
|
"empty_column.direct": "Þú átt ennþá engin bein skilaboð. Þegar þú sendir eða tekur á móti slíkum skilaboðum, munu þau birtast hér.",
|
||||||
"empty_column.domain_blocks": "Það eru ennþá engin útilokuð lén.",
|
"empty_column.domain_blocks": "Það eru ennþá engin útilokuð lén.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Ekkert er á uppleið í augnablikinu. Athugaðu aftur síðar!",
|
||||||
"empty_column.favourited_statuses": "Þú ert ekki ennþá með neinar eftirlætisfærslur. Þegar þú setur færslu í eftirlæti, munu þau birtast hér.",
|
"empty_column.favourited_statuses": "Þú ert ekki ennþá með neinar eftirlætisfærslur. Þegar þú setur færslu í eftirlæti, munu þau birtast hér.",
|
||||||
"empty_column.favourites": "Enginn hefur ennþá sett þessa færslu í eftirlæti. Þegar einhver gerir það, mun það birtast hér.",
|
"empty_column.favourites": "Enginn hefur ennþá sett þessa færslu í eftirlæti. Þegar einhver gerir það, mun það birtast hér.",
|
||||||
"empty_column.follow_recommendations": "Það lítur út fyrir að ekki hafi verið hægt að útbúa neinar tillögur fyrir þig. Þú getur reynt að leita að fólki sem þú gætir þekkt eða skoðað myllumerki sem eru í umræðunni.",
|
"empty_column.follow_recommendations": "Það lítur út fyrir að ekki hafi verið hægt að útbúa neinar tillögur fyrir þig. Þú getur reynt að leita að fólki sem þú gætir þekkt eða skoðað myllumerki sem eru í umræðunni.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Prófaðu að gera þau óvirk og svo endurlesa síðuna. Ef það hjálpar ekki til, má samt vera að þú getir notað Mastodon í gegnum annan vafra eða forrit.",
|
"error.unexpected_crash.next_steps_addons": "Prófaðu að gera þau óvirk og svo endurlesa síðuna. Ef það hjálpar ekki til, má samt vera að þú getir notað Mastodon í gegnum annan vafra eða forrit.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Afrita rakningarupplýsingar (stacktrace) á klippispjald",
|
"errors.unexpected_crash.copy_stacktrace": "Afrita rakningarupplýsingar (stacktrace) á klippispjald",
|
||||||
"errors.unexpected_crash.report_issue": "Tilkynna vandamál",
|
"errors.unexpected_crash.report_issue": "Tilkynna vandamál",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Leitarniðurstöður",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Fyrir þig",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Kanna",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Fréttir",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Færslur",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Myllumerki",
|
||||||
"follow_recommendations.done": "Lokið",
|
"follow_recommendations.done": "Lokið",
|
||||||
"follow_recommendations.heading": "Fylgstu með fólki sem þú vilt sjá færslur frá! Hér eru nokkrar tillögur.",
|
"follow_recommendations.heading": "Fylgstu með fólki sem þú vilt sjá færslur frá! Hér eru nokkrar tillögur.",
|
||||||
"follow_recommendations.lead": "Færslur frá fólki sem þú fylgist með eru birtar í tímaröð á heimastreyminu þínu. Þú þarft ekki að hræðast mistök, það er jafn auðvelt að hætta að fylgjast með fólki hvenær sem er!",
|
"follow_recommendations.lead": "Færslur frá fólki sem þú fylgist með eru birtar í tímaröð á heimastreyminu þínu. Þú þarft ekki að hræðast mistök, það er jafn auðvelt að hætta að fylgjast með fólki hvenær sem er!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Kjörstillingar",
|
"navigation_bar.preferences": "Kjörstillingar",
|
||||||
"navigation_bar.public_timeline": "Sameiginleg tímalína",
|
"navigation_bar.public_timeline": "Sameiginleg tímalína",
|
||||||
"navigation_bar.security": "Öryggi",
|
"navigation_bar.security": "Öryggi",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} skráði sig",
|
||||||
"notification.favourite": "{name} setti færslu þína í eftirlæti",
|
"notification.favourite": "{name} setti færslu þína í eftirlæti",
|
||||||
"notification.follow": "{name} fylgist með þér",
|
"notification.follow": "{name} fylgist með þér",
|
||||||
"notification.follow_request": "{name} hefur beðið um að fylgjast með þér",
|
"notification.follow_request": "{name} hefur beðið um að fylgjast með þér",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} breytti færslu",
|
"notification.update": "{name} breytti færslu",
|
||||||
"notifications.clear": "Hreinsa tilkynningar",
|
"notifications.clear": "Hreinsa tilkynningar",
|
||||||
"notifications.clear_confirmation": "Ertu viss um að þú viljir endanlega eyða öllum tilkynningunum þínum?",
|
"notifications.clear_confirmation": "Ertu viss um að þú viljir endanlega eyða öllum tilkynningunum þínum?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nýjar skráningar:",
|
||||||
"notifications.column_settings.alert": "Tilkynningar á skjáborði",
|
"notifications.column_settings.alert": "Tilkynningar á skjáborði",
|
||||||
"notifications.column_settings.favourite": "Eftirlæti:",
|
"notifications.column_settings.favourite": "Eftirlæti:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Birta alla flokka",
|
"notifications.column_settings.filter_bar.advanced": "Birta alla flokka",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}sek",
|
"relative_time.seconds": "{number}sek",
|
||||||
"relative_time.today": "í dag",
|
"relative_time.today": "í dag",
|
||||||
"reply_indicator.cancel": "Hætta við",
|
"reply_indicator.cancel": "Hætta við",
|
||||||
"report.block": "Block",
|
"report.block": "Útiloka",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Þú munt ekki sjá færslurnar þeirra. Þeir munu ekki geta séð færslurnar þínar eða fylgst með þér. Þeir munu ekki geta séð að lokað sé á þá.",
|
||||||
"report.categories.other": "Annað",
|
"report.categories.other": "Annað",
|
||||||
"report.categories.spam": "Ruslpóstur",
|
"report.categories.spam": "Ruslpóstur",
|
||||||
"report.categories.violation": "Efnið brýtur gegn einni eða fleiri reglum netþjónsins",
|
"report.categories.violation": "Efnið brýtur gegn einni eða fleiri reglum netþjónsins",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Veldu hvað samsvarar best",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Segðu okkur hvað er í gangi með þetta {type}-atriði",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "notandasnið",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "færsla",
|
||||||
"report.close": "Done",
|
"report.close": "Lokið",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Er eitthvað annað sem þú heldur að við ættum að vita?",
|
||||||
"report.forward": "Áframsenda til {target}",
|
"report.forward": "Áframsenda til {target}",
|
||||||
"report.forward_hint": "Notandaaðgangurinn er af öðrum vefþjóni. Á einnig að senda nafnlaust afrit af kærunni þangað?",
|
"report.forward_hint": "Notandaaðgangurinn er af öðrum vefþjóni. Á einnig að senda nafnlaust afrit af kærunni þangað?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Þagga niður",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Þú munt ekki sjá færslurnar þeirra. Þeir munu samt geta séð færslurnar þínar eða fylgst með þér, en munu ekki geta séð að þaggað sé niður í þeim.",
|
||||||
"report.next": "Next",
|
"report.next": "Næsta",
|
||||||
"report.placeholder": "Viðbótarathugasemdir",
|
"report.placeholder": "Viðbótarathugasemdir",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Mér líkar það ekki",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Þetta er ekki eitthvað sem þið viljið sjá",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Það er eitthvað annað",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Vandamálið fellur ekki í aðra flokka",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Þetta er ruslpóstur",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Slæmir tenglar, fölsk samskipti eða endurtekin svör",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Það gengur þvert á reglur fyrir netþjóninn",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Þið eruð meðvituð um að þetta brýtur sértækar reglur",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Veldu allt sem á við",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Hvaða reglur eru brotnar?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Veldu allt sem á við",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Eru einhverjar færslur sem styðja þessa kæru?",
|
||||||
"report.submit": "Senda inn",
|
"report.submit": "Senda inn",
|
||||||
"report.target": "Kæri {target}",
|
"report.target": "Kæri {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Hér eru nokkrir valkostir til að stýra hvað þú sérð á Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Á meðan við yfirförum þetta, geturðu tekið til aðgerða gegn @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Viltu ekki sjá þetta?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Takk fyrir tilkynninguna, við munum skoða málið.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Hætta að fylgjast með @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Þú ert að fylgjast með þessum aðgangi. Til að hætta að sjá viðkomandi færslur á streyminu þínu, skaltu hætta að fylgjast með viðkomandi.",
|
||||||
"search.placeholder": "Leita",
|
"search.placeholder": "Leita",
|
||||||
"search_popout.search_format": "Snið ítarlegrar leitar",
|
"search_popout.search_format": "Snið ítarlegrar leitar",
|
||||||
"search_popout.tips.full_text": "Einfaldur texti skilar færslum sem þú hefur skrifað, sett í eftirlæti, endurbirt eða verið minnst á þig í, ásamt samsvarandi birtingarnöfnum, notendanöfnum og myllumerkjum.",
|
"search_popout.tips.full_text": "Einfaldur texti skilar færslum sem þú hefur skrifað, sett í eftirlæti, endurbirt eða verið minnst á þig í, ásamt samsvarandi birtingarnöfnum, notendanöfnum og myllumerkjum.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Einfaldur texti skilar samsvarandi birtingarnöfnum, notendanöfnum og myllumerkjum",
|
"search_popout.tips.text": "Einfaldur texti skilar samsvarandi birtingarnöfnum, notendanöfnum og myllumerkjum",
|
||||||
"search_popout.tips.user": "notandi",
|
"search_popout.tips.user": "notandi",
|
||||||
"search_results.accounts": "Fólk",
|
"search_results.accounts": "Fólk",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Allt",
|
||||||
"search_results.hashtags": "Myllumerki",
|
"search_results.hashtags": "Myllumerki",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Gat ekki fundið neitt sem samsvarar þessum leitarorðum",
|
||||||
"search_results.statuses": "Færslur",
|
"search_results.statuses": "Færslur",
|
||||||
"search_results.statuses_fts_disabled": "Að leita í efni færslna er ekki virkt á þessum Mastodon-þjóni.",
|
"search_results.statuses_fts_disabled": "Að leita í efni færslna er ekki virkt á þessum Mastodon-þjóni.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {niðurstaða} other {niðurstöður}}",
|
"search_results.total": "{count, number} {count, plural, one {niðurstaða} other {niðurstöður}}",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "La timeline locale è vuota. Condividi qualcosa pubblicamente per dare inizio alla festa!",
|
"empty_column.community": "La timeline locale è vuota. Condividi qualcosa pubblicamente per dare inizio alla festa!",
|
||||||
"empty_column.direct": "Non hai ancora nessun messaggio privato. Quando ne manderai o riceverai qualcuno, apparirà qui.",
|
"empty_column.direct": "Non hai ancora nessun messaggio privato. Quando ne manderai o riceverai qualcuno, apparirà qui.",
|
||||||
"empty_column.domain_blocks": "Non vi sono domini nascosti.",
|
"empty_column.domain_blocks": "Non vi sono domini nascosti.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Nulla è in tendenza in questo momento. Riprova più tardi!",
|
||||||
"empty_column.favourited_statuses": "Non hai ancora segnato nessun post come apprezzato. Quando lo farai, comparirà qui.",
|
"empty_column.favourited_statuses": "Non hai ancora segnato nessun post come apprezzato. Quando lo farai, comparirà qui.",
|
||||||
"empty_column.favourites": "Nessuno ha ancora segnato questo post come apprezzato. Quando qualcuno lo farà, apparirà qui.",
|
"empty_column.favourites": "Nessuno ha ancora segnato questo post come apprezzato. Quando qualcuno lo farà, apparirà qui.",
|
||||||
"empty_column.follow_recommendations": "Sembra che nessun suggerimento possa essere generato per te. Puoi provare a usare la ricerca per cercare persone che potresti conoscere o esplorare hashtag di tendenza.",
|
"empty_column.follow_recommendations": "Sembra che nessun suggerimento possa essere generato per te. Puoi provare a usare la ricerca per cercare persone che potresti conoscere o esplorare hashtag di tendenza.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Prova a disabilitarli e ad aggiornare la pagina. Se questo non funziona, potresti ancora essere in grado di utilizzare Mastodon attraverso un browser o un'app diversi.",
|
"error.unexpected_crash.next_steps_addons": "Prova a disabilitarli e ad aggiornare la pagina. Se questo non funziona, potresti ancora essere in grado di utilizzare Mastodon attraverso un browser o un'app diversi.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Copia stacktrace negli appunti",
|
"errors.unexpected_crash.copy_stacktrace": "Copia stacktrace negli appunti",
|
||||||
"errors.unexpected_crash.report_issue": "Segnala il problema",
|
"errors.unexpected_crash.report_issue": "Segnala il problema",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Risultati della ricerca",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Per te",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Esplora",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Novità",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Post",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtag",
|
||||||
"follow_recommendations.done": "Fatto",
|
"follow_recommendations.done": "Fatto",
|
||||||
"follow_recommendations.heading": "Segui le persone da cui vuoi vedere i messaggi! Ecco alcuni suggerimenti.",
|
"follow_recommendations.heading": "Segui le persone da cui vuoi vedere i messaggi! Ecco alcuni suggerimenti.",
|
||||||
"follow_recommendations.lead": "I messaggi da persone che segui verranno visualizzati in ordine cronologico nel tuo home feed. Non abbiate paura di commettere errori, potete smettere di seguire le persone altrettanto facilmente in qualsiasi momento!",
|
"follow_recommendations.lead": "I messaggi da persone che segui verranno visualizzati in ordine cronologico nel tuo home feed. Non abbiate paura di commettere errori, potete smettere di seguire le persone altrettanto facilmente in qualsiasi momento!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Impostazioni",
|
"navigation_bar.preferences": "Impostazioni",
|
||||||
"navigation_bar.public_timeline": "Timeline federata",
|
"navigation_bar.public_timeline": "Timeline federata",
|
||||||
"navigation_bar.security": "Sicurezza",
|
"navigation_bar.security": "Sicurezza",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} si è iscritto",
|
||||||
"notification.favourite": "{name} ha apprezzato il tuo post",
|
"notification.favourite": "{name} ha apprezzato il tuo post",
|
||||||
"notification.follow": "{name} ha iniziato a seguirti",
|
"notification.follow": "{name} ha iniziato a seguirti",
|
||||||
"notification.follow_request": "{name} ti ha mandato una richiesta di follow",
|
"notification.follow_request": "{name} ti ha mandato una richiesta di follow",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} ha modificato un post",
|
"notification.update": "{name} ha modificato un post",
|
||||||
"notifications.clear": "Cancella notifiche",
|
"notifications.clear": "Cancella notifiche",
|
||||||
"notifications.clear_confirmation": "Vuoi davvero cancellare tutte le notifiche?",
|
"notifications.clear_confirmation": "Vuoi davvero cancellare tutte le notifiche?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nuove iscrizioni:",
|
||||||
"notifications.column_settings.alert": "Notifiche desktop",
|
"notifications.column_settings.alert": "Notifiche desktop",
|
||||||
"notifications.column_settings.favourite": "Apprezzati:",
|
"notifications.column_settings.favourite": "Apprezzati:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Mostra tutte le categorie",
|
"notifications.column_settings.filter_bar.advanced": "Mostra tutte le categorie",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number} secondi",
|
"relative_time.seconds": "{number} secondi",
|
||||||
"relative_time.today": "oggi",
|
"relative_time.today": "oggi",
|
||||||
"reply_indicator.cancel": "Annulla",
|
"reply_indicator.cancel": "Annulla",
|
||||||
"report.block": "Block",
|
"report.block": "Blocca",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Non vedrai i loro post. Non saranno in grado di vedere i tuoi post o di seguirti. Potranno sapere che sono bloccati.",
|
||||||
"report.categories.other": "Altro",
|
"report.categories.other": "Altro",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spam",
|
||||||
"report.categories.violation": "Il contenuto viola una o più regole del server",
|
"report.categories.violation": "Il contenuto viola una o più regole del server",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Scegli la migliore corrispondenza",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Dicci cosa sta succedendo con questo {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profilo",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "post",
|
||||||
"report.close": "Done",
|
"report.close": "Fatto",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "C'è altro che pensi che dovremmo sapere?",
|
||||||
"report.forward": "Inoltra a {target}",
|
"report.forward": "Inoltra a {target}",
|
||||||
"report.forward_hint": "Questo account appartiene a un altro server. Mandare anche là una copia anonima del rapporto?",
|
"report.forward_hint": "Questo account appartiene a un altro server. Mandare anche là una copia anonima del rapporto?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Silenzia",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Non vedrai i loro post. Potranno ancora seguirti e vedere i tuoi post e non sapranno che sono stati silenziati.",
|
||||||
"report.next": "Next",
|
"report.next": "Successivo",
|
||||||
"report.placeholder": "Commenti aggiuntivi",
|
"report.placeholder": "Commenti aggiuntivi",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Non mi piace",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Non è qualcosa che vuoi vedere",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "È qualcos'altro",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Il problema non rientra in altre categorie",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "È spam",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Collegamenti malevoli, false interazioni, o risposte ripetitive",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Viola le regole del server",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Siete consapevoli che viola regole specifiche",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Seleziona tutte le risposte pertinenti",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Quali regole vengono violate?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Seleziona tutte le risposte pertinenti",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Ci sono post a sostegno di questa segnalazione?",
|
||||||
"report.submit": "Invia",
|
"report.submit": "Invia",
|
||||||
"report.target": "Invio la segnalazione {target}",
|
"report.target": "Invio la segnalazione {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Ecco le tue opzioni per controllare quello che vedi su Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Mentre controlliamo, puoi fare questo contro @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Non vuoi vedere questo?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Grazie per la segnalazione, controlleremo il problema.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Non seguire più @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Stai seguendo questo account. Per non vedere più i suoi post nel tuo feed home, smetti di seguirlo.",
|
||||||
"search.placeholder": "Cerca",
|
"search.placeholder": "Cerca",
|
||||||
"search_popout.search_format": "Formato di ricerca avanzato",
|
"search_popout.search_format": "Formato di ricerca avanzato",
|
||||||
"search_popout.tips.full_text": "Testo semplice per trovare gli status che hai scritto, segnato come apprezzati, condiviso o in cui sei stato citato, e inoltre i nomi utente, nomi visualizzati e hashtag che lo contengono.",
|
"search_popout.tips.full_text": "Testo semplice per trovare gli status che hai scritto, segnato come apprezzati, condiviso o in cui sei stato citato, e inoltre i nomi utente, nomi visualizzati e hashtag che lo contengono.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Testo semplice per trovare nomi visualizzati, nomi utente e hashtag che lo contengono",
|
"search_popout.tips.text": "Testo semplice per trovare nomi visualizzati, nomi utente e hashtag che lo contengono",
|
||||||
"search_popout.tips.user": "utente",
|
"search_popout.tips.user": "utente",
|
||||||
"search_results.accounts": "Gente",
|
"search_results.accounts": "Gente",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Tutto",
|
||||||
"search_results.hashtags": "Hashtag",
|
"search_results.hashtags": "Hashtag",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Impossibile trovare qualcosa per questi termini di ricerca",
|
||||||
"search_results.statuses": "Post",
|
"search_results.statuses": "Post",
|
||||||
"search_results.statuses_fts_disabled": "La ricerca di post per il loro contenuto non è abilitata su questo server Mastodon.",
|
"search_results.statuses_fts_disabled": "La ricerca di post per il loro contenuto non è abilitata su questo server Mastodon.",
|
||||||
"search_results.total": "{count} {count, plural, one {risultato} other {risultati}}",
|
"search_results.total": "{count} {count, plural, one {risultato} other {risultati}}",
|
||||||
|
|
|
@ -341,7 +341,7 @@
|
||||||
"notifications.column_settings.status": "新しい投稿:",
|
"notifications.column_settings.status": "新しい投稿:",
|
||||||
"notifications.column_settings.unread_notifications.category": "未読の通知:",
|
"notifications.column_settings.unread_notifications.category": "未読の通知:",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "未読の通知を強調表示",
|
"notifications.column_settings.unread_notifications.highlight": "未読の通知を強調表示",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "編集:",
|
||||||
"notifications.filter.all": "すべて",
|
"notifications.filter.all": "すべて",
|
||||||
"notifications.filter.boosts": "ブースト",
|
"notifications.filter.boosts": "ブースト",
|
||||||
"notifications.filter.favourites": "お気に入り",
|
"notifications.filter.favourites": "お気に入り",
|
||||||
|
|
|
@ -389,7 +389,7 @@
|
||||||
"reply_indicator.cancel": "Sefsex",
|
"reply_indicator.cancel": "Sefsex",
|
||||||
"report.block": "Block",
|
"report.block": "Block",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "Other",
|
"report.categories.other": "Tiyyaḍ",
|
||||||
"report.categories.spam": "Aspam",
|
"report.categories.spam": "Aspam",
|
||||||
"report.categories.violation": "Content violates one or more server rules",
|
"report.categories.violation": "Content violates one or more server rules",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Demnameya herêmî vala ye. Tiştek ji raya giştî re binivsînin da ku rûpel biherike!",
|
"empty_column.community": "Demnameya herêmî vala ye. Tiştek ji raya giştî re binivsînin da ku rûpel biherike!",
|
||||||
"empty_column.direct": "Hêj peyameke te yê rasterast tuneye. Gava ku tu yekî bişeynî an jî bigirî, ew ê li vir xûya bike.",
|
"empty_column.direct": "Hêj peyameke te yê rasterast tuneye. Gava ku tu yekî bişeynî an jî bigirî, ew ê li vir xûya bike.",
|
||||||
"empty_column.domain_blocks": "Hê jî navperên hatine asteng kirin tune ne.",
|
"empty_column.domain_blocks": "Hê jî navperên hatine asteng kirin tune ne.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Tiştek niha di rojevê de tune. Paşê vegere!",
|
||||||
"empty_column.favourited_statuses": "Hîn tu peyamên te yên bijare tunene. Gava ku te yekî bijart, ew ê li vir xûya bike.",
|
"empty_column.favourited_statuses": "Hîn tu peyamên te yên bijare tunene. Gava ku te yekî bijart, ew ê li vir xûya bike.",
|
||||||
"empty_column.favourites": "Hîn tu kes vê peyamê nebijartiye. Gava ku hin kes bijartin, ew ê li vir xûya bikin.",
|
"empty_column.favourites": "Hîn tu kes vê peyamê nebijartiye. Gava ku hin kes bijartin, ew ê li vir xûya bikin.",
|
||||||
"empty_column.follow_recommendations": "Wusa dixuye ku ji bo we tu pêşniyar nehatine çêkirin. Hûn dikarin lêgerînê bikarbînin da ku li kesên ku hûn nas dikin bigerin an hashtagên trendî bigerin.",
|
"empty_column.follow_recommendations": "Wusa dixuye ku ji bo we tu pêşniyar nehatine çêkirin. Hûn dikarin lêgerînê bikarbînin da ku li kesên ku hûn nas dikin bigerin an hashtagên trendî bigerin.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Ne çalak kirin û nûkirina rûpelê biceribîne. Heke ev bi kêr neyê, dibe ku te hîn jî bi rêya gerokeke cuda an jî sepana xwecîhê Mastodonê bi kar bîne.",
|
"error.unexpected_crash.next_steps_addons": "Ne çalak kirin û nûkirina rûpelê biceribîne. Heke ev bi kêr neyê, dibe ku te hîn jî bi rêya gerokeke cuda an jî sepana xwecîhê Mastodonê bi kar bîne.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Şopa gemara (stacktrace) tûrikê ra jê bigire",
|
"errors.unexpected_crash.copy_stacktrace": "Şopa gemara (stacktrace) tûrikê ra jê bigire",
|
||||||
"errors.unexpected_crash.report_issue": "Pirsgirêkekê ragihîne",
|
"errors.unexpected_crash.report_issue": "Pirsgirêkekê ragihîne",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Encamên lêgerînê",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Ji bo te",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Vekole",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Nûçe",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Şandî",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtag",
|
||||||
"follow_recommendations.done": "Qediya",
|
"follow_recommendations.done": "Qediya",
|
||||||
"follow_recommendations.heading": "Mirovên ku tu dixwazî ji wan peyaman bibînî bişopîne! Hin pêşnîyar li vir in.",
|
"follow_recommendations.heading": "Mirovên ku tu dixwazî ji wan peyaman bibînî bişopîne! Hin pêşnîyar li vir in.",
|
||||||
"follow_recommendations.lead": "Li gorî rêza kronolojîkî peyamên mirovên ku tu dişopînî dê demnameya te de xûya bike. Ji xeletiyan netirse, bi awayekî hêsan her wextî tu dikarî dev ji şopandinê berdî!",
|
"follow_recommendations.lead": "Li gorî rêza kronolojîkî peyamên mirovên ku tu dişopînî dê demnameya te de xûya bike. Ji xeletiyan netirse, bi awayekî hêsan her wextî tu dikarî dev ji şopandinê berdî!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Sazkarî",
|
"navigation_bar.preferences": "Sazkarî",
|
||||||
"navigation_bar.public_timeline": "Demnameyê federalîkirî",
|
"navigation_bar.public_timeline": "Demnameyê federalîkirî",
|
||||||
"navigation_bar.security": "Ewlehî",
|
"navigation_bar.security": "Ewlehî",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} tomar bû",
|
||||||
"notification.favourite": "{name} şandiya te hez kir",
|
"notification.favourite": "{name} şandiya te hez kir",
|
||||||
"notification.follow": "{name} te şopand",
|
"notification.follow": "{name} te şopand",
|
||||||
"notification.follow_request": "{name} dixwazê te bişopîne",
|
"notification.follow_request": "{name} dixwazê te bişopîne",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} şandiyek serrast kir",
|
"notification.update": "{name} şandiyek serrast kir",
|
||||||
"notifications.clear": "Agahdariyan pak bike",
|
"notifications.clear": "Agahdariyan pak bike",
|
||||||
"notifications.clear_confirmation": "Bi rastî tu dixwazî bi awayekî dawî hemû agahdariyên xwe pak bikî?",
|
"notifications.clear_confirmation": "Bi rastî tu dixwazî bi awayekî dawî hemû agahdariyên xwe pak bikî?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Tomarkirinên nû:",
|
||||||
"notifications.column_settings.alert": "Agahdariyên sermaseyê",
|
"notifications.column_settings.alert": "Agahdariyên sermaseyê",
|
||||||
"notifications.column_settings.favourite": "Bijarte:",
|
"notifications.column_settings.favourite": "Bijarte:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Hemû beşan nîşan bide",
|
"notifications.column_settings.filter_bar.advanced": "Hemû beşan nîşan bide",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}ç",
|
"relative_time.seconds": "{number}ç",
|
||||||
"relative_time.today": "îro",
|
"relative_time.today": "îro",
|
||||||
"reply_indicator.cancel": "Dev jê berde",
|
"reply_indicator.cancel": "Dev jê berde",
|
||||||
"report.block": "Block",
|
"report.block": "Asteng bike",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Tu yê şandiyên wan nebînî. Ew ê nikaribin şandiyên te bibînin an jî te bişopînin. Ew ê bizanibin ku ew hatine astengkirin.",
|
||||||
"report.categories.other": "Yên din",
|
"report.categories.other": "Yên din",
|
||||||
"report.categories.spam": "Nexwestî (Spam)",
|
"report.categories.spam": "Nexwestî (Spam)",
|
||||||
"report.categories.violation": "Naverok yek an çend rêbazên rajekar binpê dike",
|
"report.categories.violation": "Naverok yek an çend rêbazên rajekar binpê dike",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Baştirîn lihevhatin hilbijêre",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Ji me re bêje ka çi diqewime bi vê {type} re",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profîl",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "şandî",
|
||||||
"report.close": "Done",
|
"report.close": "Qediya",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Tiştek din heye ku tu difikirî ku divê em zanibin?",
|
||||||
"report.forward": "Biçe bo {target}",
|
"report.forward": "Biçe bo {target}",
|
||||||
"report.forward_hint": "Ajimêr ji rajekarek din da ne. Tu kopîyeka anonîm ya raporê bişînî li wur?",
|
"report.forward_hint": "Ajimêr ji rajekarek din da ne. Tu kopîyeka anonîm ya raporê bişînî li wur?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Bêdeng bike",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Tê yê şandiyên wan nebînî. Ew hin jî dikarin te bişopînin û şandiyên te bibînin û wê nizanibin ku ew hatine bêdengkirin.",
|
||||||
"report.next": "Next",
|
"report.next": "Pêş",
|
||||||
"report.placeholder": "Şiroveyên zêde",
|
"report.placeholder": "Şiroveyên zêde",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Ez jê hez nakim",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Ew ne tiştek e ku tu dixwazî bibînî",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Tiştekî din e",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Pirsgirêk di kategoriyên din de cih nagire",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Ew spam e",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Girêdanên xerab, tevlêbûna sexte, an jî bersivên dubarekirî",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Ew rêzikên rajekar binpê dike",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Tu dizanî ku ew rêzikên taybetiyê binpê dike",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Hemûyên ku têne sepandin hibijêre",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Kîjan rêzik têne binpêkirin?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Hemûyên ku têne sepandin hibijêre",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Tu şandiyên ku vê ragihandinê piştgirî dikin hene?",
|
||||||
"report.submit": "Bişîne",
|
"report.submit": "Bişîne",
|
||||||
"report.target": "Ragihandin {target}",
|
"report.target": "Ragihandin {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Li vir vebijêrkên te hene ji bo kontrolkirina tiştê ku tu li se Mastodon dibînî:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Dema ku em vê yekê dinirxînin, tu dikarî li dijî @{name} tedbîran bigirî:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Tu naxwazî vê bibînî?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Spas ji bo ragihandina te, em ê binirxînin.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "@{name} neşopîne",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Tê vê ajimêrê dişopînî. Ji bo ku êdî şandiyên wan di rojeva xwe de nebînî, wan neşopîne.",
|
||||||
"search.placeholder": "Bigere",
|
"search.placeholder": "Bigere",
|
||||||
"search_popout.search_format": "Dirûva lêgerîna pêşketî",
|
"search_popout.search_format": "Dirûva lêgerîna pêşketî",
|
||||||
"search_popout.tips.full_text": "Nivîsên hêsan, şandiyên ku te nivîsandiye, bijare kiriye, bilind kiriye an jî yên behsa te kirine û her wiha navê bikarhêneran, navên xûya dike û hashtagan vedigerîne.",
|
"search_popout.tips.full_text": "Nivîsên hêsan, şandiyên ku te nivîsandiye, bijare kiriye, bilind kiriye an jî yên behsa te kirine û her wiha navê bikarhêneran, navên xûya dike û hashtagan vedigerîne.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Nivîsên hêsan, navên xûya ên ku li hev hatî, bikarhêner û hashtagan vedigerîne",
|
"search_popout.tips.text": "Nivîsên hêsan, navên xûya ên ku li hev hatî, bikarhêner û hashtagan vedigerîne",
|
||||||
"search_popout.tips.user": "bikarhêner",
|
"search_popout.tips.user": "bikarhêner",
|
||||||
"search_results.accounts": "Mirov",
|
"search_results.accounts": "Mirov",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Hemû",
|
||||||
"search_results.hashtags": "Hashtag",
|
"search_results.hashtags": "Hashtag",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Ji bo van peyvên lêgerînê tiştek nehate dîtin",
|
||||||
"search_results.statuses": "Şandî",
|
"search_results.statuses": "Şandî",
|
||||||
"search_results.statuses_fts_disabled": "Di vê rajekara Mastodonê da lêgerîna şandîyên li gorî naveroka wan ne çalak e.",
|
"search_results.statuses_fts_disabled": "Di vê rajekara Mastodonê da lêgerîna şandîyên li gorî naveroka wan ne çalak e.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {encam} other {encam}}",
|
"search_results.total": "{count, number} {count, plural, one {encam} other {encam}}",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -417,7 +417,7 @@
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "신고하기",
|
"report.submit": "신고하기",
|
||||||
"report.target": "문제가 된 사용자",
|
"report.target": "{target} 신고하기",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Don't want to see this?",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Vietējā ziņu lenta ir tukša. Uzraksti kaut ko publiski, lai viss notiktu!",
|
"empty_column.community": "Vietējā ziņu lenta ir tukša. Uzraksti kaut ko publiski, lai viss notiktu!",
|
||||||
"empty_column.direct": "Patrez tev nav privātu ziņu. Tiklīdz tādu nosūtīsi vai saņemsi, tās parādīsies šeit.",
|
"empty_column.direct": "Patrez tev nav privātu ziņu. Tiklīdz tādu nosūtīsi vai saņemsi, tās parādīsies šeit.",
|
||||||
"empty_column.domain_blocks": "Vēl nav neviena bloķēta domēna.",
|
"empty_column.domain_blocks": "Vēl nav neviena bloķēta domēna.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Pašlaik nekas nav tendēts. Pārbaudiet vēlāk!",
|
||||||
"empty_column.favourited_statuses": "Patreiz tev nav neviena izceltā ieraksta. Kad kādu izcelsi, tas parādīsies šeit.",
|
"empty_column.favourited_statuses": "Patreiz tev nav neviena izceltā ieraksta. Kad kādu izcelsi, tas parādīsies šeit.",
|
||||||
"empty_column.favourites": "Neviens šo ziņojumu vel nav izcēlis. Kad būs, tie parādīsies šeit.",
|
"empty_column.favourites": "Neviens šo ziņojumu vel nav izcēlis. Kad būs, tie parādīsies šeit.",
|
||||||
"empty_column.follow_recommendations": "Šķiet, ka tev nevarēja ģenerēt ieteikumus. Vari mēģināt izmantot meklēšanu, lai meklētu cilvēkus, kurus tu varētu pazīt, vai izpētīt populārākās atsauces.",
|
"empty_column.follow_recommendations": "Šķiet, ka tev nevarēja ģenerēt ieteikumus. Vari mēģināt izmantot meklēšanu, lai meklētu cilvēkus, kurus tu varētu pazīt, vai izpētīt populārākās atsauces.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Mēģini tos atspējot un atsvaidzināt lapu. Ja tas nepalīdz, iespējams, varēsi lietot Mastodon, izmantojot citu pārlūkprogrammu vai vietējo lietotni.",
|
"error.unexpected_crash.next_steps_addons": "Mēģini tos atspējot un atsvaidzināt lapu. Ja tas nepalīdz, iespējams, varēsi lietot Mastodon, izmantojot citu pārlūkprogrammu vai vietējo lietotni.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Iekopēt starpliktuvē",
|
"errors.unexpected_crash.copy_stacktrace": "Iekopēt starpliktuvē",
|
||||||
"errors.unexpected_crash.report_issue": "Ziņot par problēmu",
|
"errors.unexpected_crash.report_issue": "Ziņot par problēmu",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Meklēšanas rezultāti",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Tev",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Pārlūkot",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Jaunumi",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Ziņas",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Tēmturi",
|
||||||
"follow_recommendations.done": "Izpildīts",
|
"follow_recommendations.done": "Izpildīts",
|
||||||
"follow_recommendations.heading": "Seko cilvēkiem, no kuriem vēlies redzēt ziņas! Šeit ir daži ieteikumi.",
|
"follow_recommendations.heading": "Seko cilvēkiem, no kuriem vēlies redzēt ziņas! Šeit ir daži ieteikumi.",
|
||||||
"follow_recommendations.lead": "Ziņas no cilvēkiem, kuriem seko, mājas plūsmā tiks parādītas hronoloģiskā secībā. Nebaidies kļūdīties, tu tikpat viegli vari pārtraukt sekot cilvēkiem jebkurā laikā!",
|
"follow_recommendations.lead": "Ziņas no cilvēkiem, kuriem seko, mājas plūsmā tiks parādītas hronoloģiskā secībā. Nebaidies kļūdīties, tu tikpat viegli vari pārtraukt sekot cilvēkiem jebkurā laikā!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Iestatījumi",
|
"navigation_bar.preferences": "Iestatījumi",
|
||||||
"navigation_bar.public_timeline": "Apvienotā ziņu lenta",
|
"navigation_bar.public_timeline": "Apvienotā ziņu lenta",
|
||||||
"navigation_bar.security": "Drošība",
|
"navigation_bar.security": "Drošība",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} ir pierakstījies",
|
||||||
"notification.favourite": "{name} izcēla tavu ziņu",
|
"notification.favourite": "{name} izcēla tavu ziņu",
|
||||||
"notification.follow": "{name} uzsāka tev sekot",
|
"notification.follow": "{name} uzsāka tev sekot",
|
||||||
"notification.follow_request": "{name} vēlas tev sekot",
|
"notification.follow_request": "{name} vēlas tev sekot",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} ir rediģējis rakstu",
|
"notification.update": "{name} ir rediģējis rakstu",
|
||||||
"notifications.clear": "Notīrīt paziņojumus",
|
"notifications.clear": "Notīrīt paziņojumus",
|
||||||
"notifications.clear_confirmation": "Vai tiešām vēlies neatgriezeniski notīrīt visus savus paziņojumus?",
|
"notifications.clear_confirmation": "Vai tiešām vēlies neatgriezeniski notīrīt visus savus paziņojumus?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Jaunas pierakstīšanās:",
|
||||||
"notifications.column_settings.alert": "Darbvirsmas paziņojumi",
|
"notifications.column_settings.alert": "Darbvirsmas paziņojumi",
|
||||||
"notifications.column_settings.favourite": "Izlases:",
|
"notifications.column_settings.favourite": "Izlases:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Rādīt visas kategorijas",
|
"notifications.column_settings.filter_bar.advanced": "Rādīt visas kategorijas",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}s",
|
"relative_time.seconds": "{number}s",
|
||||||
"relative_time.today": "šodien",
|
"relative_time.today": "šodien",
|
||||||
"reply_indicator.cancel": "Atcelt",
|
"reply_indicator.cancel": "Atcelt",
|
||||||
"report.block": "Block",
|
"report.block": "Bloķēt",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Tu neredzēsi viņu ziņas. Viņi nevarēs redzēt tavas ziņas vai sekot tev. Viņi varēs pateikt, ka ir bloķēti.",
|
||||||
"report.categories.other": "Citi",
|
"report.categories.other": "Citi",
|
||||||
"report.categories.spam": "Spams",
|
"report.categories.spam": "Spams",
|
||||||
"report.categories.violation": "Saturs pārkāpj vienu vai vairākus servera noteikumus",
|
"report.categories.violation": "Saturs pārkāpj vienu vai vairākus servera noteikumus",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Izvēlieties labāko atbilstību",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Pastāsti mums, kas notiek ar šo {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profils",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "ziņa",
|
||||||
"report.close": "Done",
|
"report.close": "Izpildīts",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Vai ir vēl kas, tavuprāt, mums būtu jāzina?",
|
||||||
"report.forward": "Pārsūtīt {target}",
|
"report.forward": "Pārsūtīt {target}",
|
||||||
"report.forward_hint": "Konts ir no cita servera. Vai nosūtīt anonimizētu ziņojuma kopiju arī tam?",
|
"report.forward_hint": "Konts ir no cita servera. Vai nosūtīt anonimizētu ziņojuma kopiju arī tam?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Apklusināt",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Tu neredzēsi viņu ziņas. Viņi joprojām var tev sekot un redzēt tavas ziņas un nezinās, ka viņiem ir izslēgta skaņa.",
|
||||||
"report.next": "Next",
|
"report.next": "Nākamais",
|
||||||
"report.placeholder": "Papildu komentāri",
|
"report.placeholder": "Papildu komentāri",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Man tas nepatīk",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Tas nav kaut kas, ko tu vēlies redzēt",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Tas ir kaut kas cits",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Šis jautājums neietilpst citās kategorijās",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Tas ir spams",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Ļaunprātīgas saites, viltus iesaistīšana vai atkārtotas atbildes",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Tas pārkāpj servera noteikumus",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Tu zini, ka tas pārkāpj īpašus noteikumus",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Atlasi visus atbilstošos",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Kuri noteikumi tiek pārkāpti?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Atlasi visus atbilstošos",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Vai ir kādas ziņas, kas atbalsta šo ziņojumu?",
|
||||||
"report.submit": "Iesniegt",
|
"report.submit": "Iesniegt",
|
||||||
"report.target": "Ziņošana par: {target}",
|
"report.target": "Ziņošana par: {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Tālāk ir norādītas iespējas, kā kontrolēt Mastodon redzamo saturu:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Kamēr mēs to izskatām, tu vari veikt darbības pret @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Vai nevēlies to redzēt?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Paldies, ka ziņoji, mēs to izskatīsim.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Pārtraukt sekošanu @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Tu seko šim kontam. Lai vairs neredzētu viņu ziņas savā ziņu plūsmā, pārtrauc viņiem sekot.",
|
||||||
"search.placeholder": "Meklēšana",
|
"search.placeholder": "Meklēšana",
|
||||||
"search_popout.search_format": "Paplašināts meklēšanas formāts",
|
"search_popout.search_format": "Paplašināts meklēšanas formāts",
|
||||||
"search_popout.tips.full_text": "Vienkāršs teksts atgriež ziņas, kuras esi rakstījis, iecienījis, paaugstinājis vai pieminējis, kā arī atbilstošie lietotājvārdi, parādāmie vārdi un tēmturi.",
|
"search_popout.tips.full_text": "Vienkāršs teksts atgriež ziņas, kuras esi rakstījis, iecienījis, paaugstinājis vai pieminējis, kā arī atbilstošie lietotājvārdi, parādāmie vārdi un tēmturi.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Vienkāršs teksts atgriež atbilstošus parādāmos vārdus, lietotājvārdus un mirkļbirkas",
|
"search_popout.tips.text": "Vienkāršs teksts atgriež atbilstošus parādāmos vārdus, lietotājvārdus un mirkļbirkas",
|
||||||
"search_popout.tips.user": "lietotājs",
|
"search_popout.tips.user": "lietotājs",
|
||||||
"search_results.accounts": "Cilvēki",
|
"search_results.accounts": "Cilvēki",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Visi",
|
||||||
"search_results.hashtags": "Tēmturi",
|
"search_results.hashtags": "Tēmturi",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Nevarēja atrast neko šiem meklēšanas vienumiem",
|
||||||
"search_results.statuses": "Ziņas",
|
"search_results.statuses": "Ziņas",
|
||||||
"search_results.statuses_fts_disabled": "Šajā Mastodon serverī nav iespējota ziņu meklēšana pēc to satura.",
|
"search_results.statuses_fts_disabled": "Šajā Mastodon serverī nav iespējota ziņu meklēšana pēc to satura.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {rezultāts} other {rezultāti}}",
|
"search_results.total": "{count, number} {count, plural, one {rezultāts} other {rezultāti}}",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -48,7 +48,7 @@
|
||||||
"account.unmute_notifications": "Mostrar notificações de @{name}",
|
"account.unmute_notifications": "Mostrar notificações de @{name}",
|
||||||
"account_note.placeholder": "Nota pessoal sobre este perfil aqui",
|
"account_note.placeholder": "Nota pessoal sobre este perfil aqui",
|
||||||
"admin.dashboard.daily_retention": "User retention rate by day after sign-up",
|
"admin.dashboard.daily_retention": "User retention rate by day after sign-up",
|
||||||
"admin.dashboard.monthly_retention": "User retention rate by month after sign-up",
|
"admin.dashboard.monthly_retention": "Taxa de retenção de usuários por mês, após a inscrição",
|
||||||
"admin.dashboard.retention.average": "Média",
|
"admin.dashboard.retention.average": "Média",
|
||||||
"admin.dashboard.retention.cohort": "Mês de inscrição",
|
"admin.dashboard.retention.cohort": "Mês de inscrição",
|
||||||
"admin.dashboard.retention.cohort_size": "Novos usuários",
|
"admin.dashboard.retention.cohort_size": "Novos usuários",
|
||||||
|
@ -105,7 +105,7 @@
|
||||||
"compose_form.poll.switch_to_single": "Opção única",
|
"compose_form.poll.switch_to_single": "Opção única",
|
||||||
"compose_form.publish": "TOOT",
|
"compose_form.publish": "TOOT",
|
||||||
"compose_form.publish_loud": "{publish}!",
|
"compose_form.publish_loud": "{publish}!",
|
||||||
"compose_form.save_changes": "Save changes",
|
"compose_form.save_changes": "Salvar alterações",
|
||||||
"compose_form.sensitive.hide": "{count, plural, one {Marcar mídia como sensível} other {Marcar mídias como sensível}}",
|
"compose_form.sensitive.hide": "{count, plural, one {Marcar mídia como sensível} other {Marcar mídias como sensível}}",
|
||||||
"compose_form.sensitive.marked": "{count, plural, one {Mídia marcada como sensível} other {Mídias marcadas como sensível}}",
|
"compose_form.sensitive.marked": "{count, plural, one {Mídia marcada como sensível} other {Mídias marcadas como sensível}}",
|
||||||
"compose_form.sensitive.unmarked": "{count, plural, one {Mídia não está marcada como sensível} other {Mídias não estão marcadas como sensível}}",
|
"compose_form.sensitive.unmarked": "{count, plural, one {Mídia não está marcada como sensível} other {Mídias não estão marcadas como sensível}}",
|
||||||
|
@ -316,7 +316,7 @@
|
||||||
"notification.poll": "Uma enquete que você votou terminou",
|
"notification.poll": "Uma enquete que você votou terminou",
|
||||||
"notification.reblog": "{name} deu boost no teu toot",
|
"notification.reblog": "{name} deu boost no teu toot",
|
||||||
"notification.status": "{name} acabou de tootar",
|
"notification.status": "{name} acabou de tootar",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "{name} editou uma publicação",
|
||||||
"notifications.clear": "Limpar notificações",
|
"notifications.clear": "Limpar notificações",
|
||||||
"notifications.clear_confirmation": "Você tem certeza de que deseja limpar todas as suas notificações?",
|
"notifications.clear_confirmation": "Você tem certeza de que deseja limpar todas as suas notificações?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
||||||
|
@ -378,7 +378,7 @@
|
||||||
"relative_time.days": "{number}d",
|
"relative_time.days": "{number}d",
|
||||||
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
|
"relative_time.full.days": "{number, plural, one {# day} other {# days}} ago",
|
||||||
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
|
"relative_time.full.hours": "{number, plural, one {# hour} other {# hours}} ago",
|
||||||
"relative_time.full.just_now": "just now",
|
"relative_time.full.just_now": "agora mesmo",
|
||||||
"relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
|
"relative_time.full.minutes": "{number, plural, one {# minute} other {# minutes}} ago",
|
||||||
"relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
|
"relative_time.full.seconds": "{number, plural, one {# second} other {# seconds}} ago",
|
||||||
"relative_time.hours": "{number}h",
|
"relative_time.hours": "{number}h",
|
||||||
|
@ -389,9 +389,9 @@
|
||||||
"reply_indicator.cancel": "Cancelar",
|
"reply_indicator.cancel": "Cancelar",
|
||||||
"report.block": "Block",
|
"report.block": "Block",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "Other",
|
"report.categories.other": "Outro",
|
||||||
"report.categories.spam": "Spam",
|
"report.categories.spam": "Spam",
|
||||||
"report.categories.violation": "Content violates one or more server rules",
|
"report.categories.violation": "O conteúdo viola uma ou mais regras do servidor",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tell us what's going on with this {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profile",
|
||||||
|
@ -448,14 +448,14 @@
|
||||||
"status.delete": "Excluir",
|
"status.delete": "Excluir",
|
||||||
"status.detailed_status": "Visão detalhada da conversa",
|
"status.detailed_status": "Visão detalhada da conversa",
|
||||||
"status.direct": "Enviar toot direto para @{name}",
|
"status.direct": "Enviar toot direto para @{name}",
|
||||||
"status.edit": "Edit",
|
"status.edit": "Editar",
|
||||||
"status.edited": "Edited {date}",
|
"status.edited": "Editado em {date}",
|
||||||
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
|
"status.edited_x_times": "Edited {count, plural, one {{count} time} other {{count} times}}",
|
||||||
"status.embed": "Incorporar",
|
"status.embed": "Incorporar",
|
||||||
"status.favourite": "Favoritar",
|
"status.favourite": "Favoritar",
|
||||||
"status.filtered": "Filtrado",
|
"status.filtered": "Filtrado",
|
||||||
"status.history.created": "{name} created {date}",
|
"status.history.created": "{name} criou {date}",
|
||||||
"status.history.edited": "{name} edited {date}",
|
"status.history.edited": "{name} editou {date}",
|
||||||
"status.load_more": "Ver mais",
|
"status.load_more": "Ver mais",
|
||||||
"status.media_hidden": "Mídia sensível",
|
"status.media_hidden": "Mídia sensível",
|
||||||
"status.mention": "Mencionar @{name}",
|
"status.mention": "Mencionar @{name}",
|
||||||
|
|
|
@ -94,7 +94,7 @@
|
||||||
"compose_form.direct_message_warning": "Адресованные посты отправляются и видны только упомянутым в них пользователям.",
|
"compose_form.direct_message_warning": "Адресованные посты отправляются и видны только упомянутым в них пользователям.",
|
||||||
"compose_form.direct_message_warning_learn_more": "Подробнее",
|
"compose_form.direct_message_warning_learn_more": "Подробнее",
|
||||||
"compose_form.hashtag_warning": "Так как этот пост не публичный, он не отобразится в поиске по хэштегам.",
|
"compose_form.hashtag_warning": "Так как этот пост не публичный, он не отобразится в поиске по хэштегам.",
|
||||||
"compose_form.lock_disclaimer": "Ваша учётная запись {locked}. Любой пользователь сможет подписаться на вас и просматривать посты для подписчиков.",
|
"compose_form.lock_disclaimer": "Ваша учётная запись не {locked}. Любой пользователь сможет подписаться на вас и просматривать посты для подписчиков.",
|
||||||
"compose_form.lock_disclaimer.lock": "не закрыта",
|
"compose_form.lock_disclaimer.lock": "не закрыта",
|
||||||
"compose_form.placeholder": "О чём думаете?",
|
"compose_form.placeholder": "О чём думаете?",
|
||||||
"compose_form.poll.add_option": "Добавить вариант",
|
"compose_form.poll.add_option": "Добавить вариант",
|
||||||
|
@ -187,11 +187,11 @@
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Скопировать диагностическую информацию",
|
"errors.unexpected_crash.copy_stacktrace": "Скопировать диагностическую информацию",
|
||||||
"errors.unexpected_crash.report_issue": "Сообщить о проблеме",
|
"errors.unexpected_crash.report_issue": "Сообщить о проблеме",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Search results",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Для вас",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Обзор",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Новости",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Посты",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Хэштеги",
|
||||||
"follow_recommendations.done": "Готово",
|
"follow_recommendations.done": "Готово",
|
||||||
"follow_recommendations.heading": "Подпишитесь на людей, чьи посты вы бы хотели видеть. Вот несколько предложений.",
|
"follow_recommendations.heading": "Подпишитесь на людей, чьи посты вы бы хотели видеть. Вот несколько предложений.",
|
||||||
"follow_recommendations.lead": "Посты от людей, на которых вы подписаны, будут отображаться в вашей домашней ленте в хронологическом порядке. Не бойтесь ошибиться — вы так же легко сможете отписаться от них в любое время!",
|
"follow_recommendations.lead": "Посты от людей, на которых вы подписаны, будут отображаться в вашей домашней ленте в хронологическом порядке. Не бойтесь ошибиться — вы так же легко сможете отписаться от них в любое время!",
|
||||||
|
@ -202,10 +202,10 @@
|
||||||
"getting_started.developers": "Разработчикам",
|
"getting_started.developers": "Разработчикам",
|
||||||
"getting_started.directory": "Каталог профилей",
|
"getting_started.directory": "Каталог профилей",
|
||||||
"getting_started.documentation": "Документация",
|
"getting_started.documentation": "Документация",
|
||||||
"getting_started.heading": "Добро пожаловать",
|
"getting_started.heading": "Начать",
|
||||||
"getting_started.invite": "Пригласить людей",
|
"getting_started.invite": "Пригласить людей",
|
||||||
"getting_started.open_source_notice": "Mastodon — сервис с открытым исходным кодом. Вы можете внести вклад или сообщить о проблемах на GitHub: {github}.",
|
"getting_started.open_source_notice": "Mastodon — сервис с открытым исходным кодом. Вы можете внести вклад или сообщить о проблемах на GitHub: {github}.",
|
||||||
"getting_started.security": "Безопасность",
|
"getting_started.security": "Настройки учётной записи",
|
||||||
"getting_started.terms": "Условия использования",
|
"getting_started.terms": "Условия использования",
|
||||||
"hashtag.column_header.tag_mode.all": "и {additional}",
|
"hashtag.column_header.tag_mode.all": "и {additional}",
|
||||||
"hashtag.column_header.tag_mode.any": "или {additional}",
|
"hashtag.column_header.tag_mode.any": "или {additional}",
|
||||||
|
@ -252,9 +252,9 @@
|
||||||
"keyboard_shortcuts.requests": "перейти к запросам на подписку",
|
"keyboard_shortcuts.requests": "перейти к запросам на подписку",
|
||||||
"keyboard_shortcuts.search": "перейти к поиску",
|
"keyboard_shortcuts.search": "перейти к поиску",
|
||||||
"keyboard_shortcuts.spoilers": "показать/скрыть поле предупреждения о содержании",
|
"keyboard_shortcuts.spoilers": "показать/скрыть поле предупреждения о содержании",
|
||||||
"keyboard_shortcuts.start": "перейти к разделу \"добро пожаловать\"",
|
"keyboard_shortcuts.start": "Перейти к разделу \"Начать\"",
|
||||||
"keyboard_shortcuts.toggle_hidden": "показать/скрыть текст за предупреждением",
|
"keyboard_shortcuts.toggle_hidden": "показать/скрыть текст за предупреждением",
|
||||||
"keyboard_shortcuts.toggle_sensitivity": "показать/скрыть медиафайлы",
|
"keyboard_shortcuts.toggle_sensitivity": "Показать/скрыть медиафайлы",
|
||||||
"keyboard_shortcuts.toot": "начать писать новый пост",
|
"keyboard_shortcuts.toot": "начать писать новый пост",
|
||||||
"keyboard_shortcuts.unfocus": "убрать фокус с поля ввода/поиска",
|
"keyboard_shortcuts.unfocus": "убрать фокус с поля ввода/поиска",
|
||||||
"keyboard_shortcuts.up": "вверх по списку",
|
"keyboard_shortcuts.up": "вверх по списку",
|
||||||
|
@ -316,7 +316,7 @@
|
||||||
"notification.poll": "Опрос, в котором вы приняли участие, завершился",
|
"notification.poll": "Опрос, в котором вы приняли участие, завершился",
|
||||||
"notification.reblog": "{name} продвинул(а) ваш пост",
|
"notification.reblog": "{name} продвинул(а) ваш пост",
|
||||||
"notification.status": "{name} только что запостил",
|
"notification.status": "{name} только что запостил",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "{name} изменил(а) пост",
|
||||||
"notifications.clear": "Очистить уведомления",
|
"notifications.clear": "Очистить уведомления",
|
||||||
"notifications.clear_confirmation": "Вы уверены, что хотите очистить все уведомления?",
|
"notifications.clear_confirmation": "Вы уверены, что хотите очистить все уведомления?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
||||||
|
@ -387,7 +387,7 @@
|
||||||
"relative_time.seconds": "{number} с",
|
"relative_time.seconds": "{number} с",
|
||||||
"relative_time.today": "сегодня",
|
"relative_time.today": "сегодня",
|
||||||
"reply_indicator.cancel": "Отмена",
|
"reply_indicator.cancel": "Отмена",
|
||||||
"report.block": "Block",
|
"report.block": "Заблокировать",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "Другое",
|
"report.categories.other": "Другое",
|
||||||
"report.categories.spam": "Спам",
|
"report.categories.spam": "Спам",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -316,7 +316,7 @@
|
||||||
"notification.poll": "Glasovanje, v katerem ste sodelovali, se je končalo",
|
"notification.poll": "Glasovanje, v katerem ste sodelovali, se je končalo",
|
||||||
"notification.reblog": "{name} je spodbudil/a vaš status",
|
"notification.reblog": "{name} je spodbudil/a vaš status",
|
||||||
"notification.status": "{name} je pravkar objavil/a",
|
"notification.status": "{name} je pravkar objavil/a",
|
||||||
"notification.update": "{name} edited a post",
|
"notification.update": "{name} je uredil(a) objavo",
|
||||||
"notifications.clear": "Počisti obvestila",
|
"notifications.clear": "Počisti obvestila",
|
||||||
"notifications.clear_confirmation": "Ali ste prepričani, da želite trajno izbrisati vsa vaša obvestila?",
|
"notifications.clear_confirmation": "Ali ste prepričani, da želite trajno izbrisati vsa vaša obvestila?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
||||||
|
@ -336,7 +336,7 @@
|
||||||
"notifications.column_settings.status": "New toots:",
|
"notifications.column_settings.status": "New toots:",
|
||||||
"notifications.column_settings.unread_notifications.category": "Neprebrana obvestila",
|
"notifications.column_settings.unread_notifications.category": "Neprebrana obvestila",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "Poudari neprebrana obvestila",
|
"notifications.column_settings.unread_notifications.highlight": "Poudari neprebrana obvestila",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "Urejanja:",
|
||||||
"notifications.filter.all": "Vse",
|
"notifications.filter.all": "Vse",
|
||||||
"notifications.filter.boosts": "Spodbude",
|
"notifications.filter.boosts": "Spodbude",
|
||||||
"notifications.filter.favourites": "Priljubljeni",
|
"notifications.filter.favourites": "Priljubljeni",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Rrjedha kohore vendore është e zbrazët. Shkruani diçka publikisht që t’i hyhet valles!",
|
"empty_column.community": "Rrjedha kohore vendore është e zbrazët. Shkruani diçka publikisht që t’i hyhet valles!",
|
||||||
"empty_column.direct": "S’keni ende ndonjë mesazh të drejtpërdrejt. Kur dërgoni ose merrni një të tillë, ai do të shfaqet këtu.",
|
"empty_column.direct": "S’keni ende ndonjë mesazh të drejtpërdrejt. Kur dërgoni ose merrni një të tillë, ai do të shfaqet këtu.",
|
||||||
"empty_column.domain_blocks": "Ende s’ka përkatësi të fshehura.",
|
"empty_column.domain_blocks": "Ende s’ka përkatësi të fshehura.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Asgjë në modë tani. Kontrolloni më vonë!",
|
||||||
"empty_column.favourited_statuses": "S’keni ende ndonjë mesazh të parapëlqyer. Kur parapëlqeni një të tillë, ai do të shfaqet këtu.",
|
"empty_column.favourited_statuses": "S’keni ende ndonjë mesazh të parapëlqyer. Kur parapëlqeni një të tillë, ai do të shfaqet këtu.",
|
||||||
"empty_column.favourites": "Askush s’e ka parapëlqyer ende këtë mesazh. Kur e bën dikush, ai do të shfaqet këtu.",
|
"empty_column.favourites": "Askush s’e ka parapëlqyer ende këtë mesazh. Kur e bën dikush, ai do të shfaqet këtu.",
|
||||||
"empty_column.follow_recommendations": "Duket se s’u prodhuan dot sugjerime për ju. Mund të provoni të kërkoni për persona që mund të njihni, ose të eksploroni hashtag-ë që janë në modë.",
|
"empty_column.follow_recommendations": "Duket se s’u prodhuan dot sugjerime për ju. Mund të provoni të kërkoni për persona që mund të njihni, ose të eksploroni hashtag-ë që janë në modë.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Provoni t’i çaktivizoni dhe të rifreskoni faqen. Nëse kjo s’bën punë, mundeni prapë të jeni në gjendje të përdorni Mastodon-in përmes një shfletuesi tjetër, apo një aplikacioni prej Mastodon-it.",
|
"error.unexpected_crash.next_steps_addons": "Provoni t’i çaktivizoni dhe të rifreskoni faqen. Nëse kjo s’bën punë, mundeni prapë të jeni në gjendje të përdorni Mastodon-in përmes një shfletuesi tjetër, apo një aplikacioni prej Mastodon-it.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Kopjo stacktrace-in në të papastër",
|
"errors.unexpected_crash.copy_stacktrace": "Kopjo stacktrace-in në të papastër",
|
||||||
"errors.unexpected_crash.report_issue": "Raportoni problemin",
|
"errors.unexpected_crash.report_issue": "Raportoni problemin",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Përfundime kërkimi",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Për ju",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Eksploroni",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Lajme",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Postime",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtagë",
|
||||||
"follow_recommendations.done": "U bë",
|
"follow_recommendations.done": "U bë",
|
||||||
"follow_recommendations.heading": "Ndiqni persona prej të cilëve doni të shihni postime! Ja ca sugjerime.",
|
"follow_recommendations.heading": "Ndiqni persona prej të cilëve doni të shihni postime! Ja ca sugjerime.",
|
||||||
"follow_recommendations.lead": "Postimet prej personash që ndiqni do të shfaqen në rend kohor te prurja juaj kryesore. Mos kini frikë të bëni gabime, mund të ndalni po aq kollaj ndjekjen e dikujt, në çfarëdo kohe!",
|
"follow_recommendations.lead": "Postimet prej personash që ndiqni do të shfaqen në rend kohor te prurja juaj kryesore. Mos kini frikë të bëni gabime, mund të ndalni po aq kollaj ndjekjen e dikujt, në çfarëdo kohe!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Parapëlqime",
|
"navigation_bar.preferences": "Parapëlqime",
|
||||||
"navigation_bar.public_timeline": "Rrjedhë kohore të federuarish",
|
"navigation_bar.public_timeline": "Rrjedhë kohore të federuarish",
|
||||||
"navigation_bar.security": "Siguri",
|
"navigation_bar.security": "Siguri",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} u regjistrua",
|
||||||
"notification.favourite": "{name} pëlqeu mesazhin tuaj",
|
"notification.favourite": "{name} pëlqeu mesazhin tuaj",
|
||||||
"notification.follow": "{name} zuri t’ju ndjekë",
|
"notification.follow": "{name} zuri t’ju ndjekë",
|
||||||
"notification.follow_request": "{name} ka kërkuar t’ju ndjekë",
|
"notification.follow_request": "{name} ka kërkuar t’ju ndjekë",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} përpunoi një postim",
|
"notification.update": "{name} përpunoi një postim",
|
||||||
"notifications.clear": "Spastroji njoftimet",
|
"notifications.clear": "Spastroji njoftimet",
|
||||||
"notifications.clear_confirmation": "Jeni i sigurt se doni të spastrohen përgjithmonë krejt njoftimet tuaja?",
|
"notifications.clear_confirmation": "Jeni i sigurt se doni të spastrohen përgjithmonë krejt njoftimet tuaja?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Regjistrime të reja:",
|
||||||
"notifications.column_settings.alert": "Njoftime desktopi",
|
"notifications.column_settings.alert": "Njoftime desktopi",
|
||||||
"notifications.column_settings.favourite": "Të parapëlqyer:",
|
"notifications.column_settings.favourite": "Të parapëlqyer:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Shfaq krejt kategoritë",
|
"notifications.column_settings.filter_bar.advanced": "Shfaq krejt kategoritë",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}s",
|
"relative_time.seconds": "{number}s",
|
||||||
"relative_time.today": "sot",
|
"relative_time.today": "sot",
|
||||||
"reply_indicator.cancel": "Anuloje",
|
"reply_indicator.cancel": "Anuloje",
|
||||||
"report.block": "Block",
|
"report.block": "Bllokoje",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "S’do të shihni postime prej tyre. S’do të jenë në gjendje të shohin postimet tuaja, apo t’ju ndjekin. Do të jenë në gjendje të shohin se janë bllokuar.",
|
||||||
"report.categories.other": "Tjetër",
|
"report.categories.other": "Tjetër",
|
||||||
"report.categories.spam": "I padëshiruar",
|
"report.categories.spam": "I padëshiruar",
|
||||||
"report.categories.violation": "Lënda shkel një ose disa rregulla shërbyesi",
|
"report.categories.violation": "Lënda shkel një ose disa rregulla shërbyesi",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Zgjidhni përputhjen më të mirë",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tregonani se ç’po ndodh me këtë {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "postim",
|
||||||
"report.close": "Done",
|
"report.close": "U bë",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Ka ndonjë gjë tjetër që do të duhej ta dinim?",
|
||||||
"report.forward": "Përcillja {target}",
|
"report.forward": "Përcillja {target}",
|
||||||
"report.forward_hint": "Llogaria është nga një shërbyes tjetër. Të dërgohet edhe një kopje e anonimizuar e raportimit?",
|
"report.forward_hint": "Llogaria është nga një shërbyes tjetër. Të dërgohet edhe një kopje e anonimizuar e raportimit?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Heshtoje",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "S’do të shihni postimet e tyre. Ende mund t’ju ndjekin dhe të shohin postimet tuaja dhe s’do ta dinë që janë heshtuar.",
|
||||||
"report.next": "Next",
|
"report.next": "Pasuesi",
|
||||||
"report.placeholder": "Komente shtesë",
|
"report.placeholder": "Komente shtesë",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "S’më pëlqen",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "S’është gjë që do të doja ta shihja",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Është tjetër gjë",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Problemi nuk hyn te kategoritë e tjera",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "Është mesazh i padëshiruar",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Lidhje dashakeqe, angazhim i rremë, ose përgjigje të përsëritura",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Cenon rregulla shërbyesi",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Jeni i ndërgjegjshëm që cenon rregulla specifike",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Përzgjidhni gjithçka që ka vend",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Cilat rregulla po cenohen?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Përzgjidhni gjithçka që ka vend",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "A ka postime që dëshmojnë problemet e këtij raporti?",
|
||||||
"report.submit": "Parashtroje",
|
"report.submit": "Parashtroje",
|
||||||
"report.target": "Raportim i {target}",
|
"report.target": "Raportim i {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Ja mundësitë tuaja për të kontrolluar ç’shihni në Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Teksa e shqyrtojmë, mund të ndërmerrni veprim kundër @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "S’doni të shihni këtë?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Faleminderit për raportimin, do ta shohim.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Mos e ndiq më @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Po e ndiqni këtë llogari. Për të mos parë më postimet e tyre te prurja juaj e kreut, ndalni ndjekjen e tyre.",
|
||||||
"search.placeholder": "Kërkoni",
|
"search.placeholder": "Kërkoni",
|
||||||
"search_popout.search_format": "Format kërkimi të mëtejshëm",
|
"search_popout.search_format": "Format kërkimi të mëtejshëm",
|
||||||
"search_popout.tips.full_text": "Kërkimi për tekst të thjeshtë përgjigjet me mesazhe që keni shkruar, parapëlqyer, përforcuar, ose ku jeni përmendur, si dhe emra përdoruesish, emra ekrani dhe hashtag-ë që kanë përputhje me termin e kërkimit.",
|
"search_popout.tips.full_text": "Kërkimi për tekst të thjeshtë përgjigjet me mesazhe që keni shkruar, parapëlqyer, përforcuar, ose ku jeni përmendur, si dhe emra përdoruesish, emra ekrani dhe hashtag-ë që kanë përputhje me termin e kërkimit.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Kërkim për tekst të thjeshtë përgjigjet me emra, emra përdoruesish dhe hashtag-ë që kanë përputhje me termin e kërkimit",
|
"search_popout.tips.text": "Kërkim për tekst të thjeshtë përgjigjet me emra, emra përdoruesish dhe hashtag-ë që kanë përputhje me termin e kërkimit",
|
||||||
"search_popout.tips.user": "përdorues",
|
"search_popout.tips.user": "përdorues",
|
||||||
"search_results.accounts": "Persona",
|
"search_results.accounts": "Persona",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Krejt",
|
||||||
"search_results.hashtags": "Hashtag-ë",
|
"search_results.hashtags": "Hashtag-ë",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "S’u gjet gjë për këto terma kërkimi",
|
||||||
"search_results.statuses": "Mesazhe",
|
"search_results.statuses": "Mesazhe",
|
||||||
"search_results.statuses_fts_disabled": "Kërkimi i mesazheve sipas lëndës së tyre s’është i aktivizuar në këtë shërbyes Mastodon.",
|
"search_results.statuses_fts_disabled": "Kërkimi i mesazheve sipas lëndës së tyre s’është i aktivizuar në këtë shërbyes Mastodon.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {përfundim} other {përfundime}}",
|
"search_results.total": "{count, number} {count, plural, one {përfundim} other {përfundime}}",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Den lokala tidslinjen är tom. Skriv något offentligt för att sätta bollen i rullning!",
|
"empty_column.community": "Den lokala tidslinjen är tom. Skriv något offentligt för att sätta bollen i rullning!",
|
||||||
"empty_column.direct": "Du har inga direktmeddelanden än. När du skickar eller tar emot ett kommer det att visas här.",
|
"empty_column.direct": "Du har inga direktmeddelanden än. När du skickar eller tar emot ett kommer det att visas här.",
|
||||||
"empty_column.domain_blocks": "Det finns ännu inga dolda domäner.",
|
"empty_column.domain_blocks": "Det finns ännu inga dolda domäner.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Ingenting är trendigt just nu. Kom tillbaka senare!",
|
||||||
"empty_column.favourited_statuses": "Du har inga favoritmarkerade toots än. När du favoritmarkerar en kommer den visas här.",
|
"empty_column.favourited_statuses": "Du har inga favoritmarkerade toots än. När du favoritmarkerar en kommer den visas här.",
|
||||||
"empty_column.favourites": "Ingen har favoritmarkerat den här tooten än. När någon gör det kommer den visas här.",
|
"empty_column.favourites": "Ingen har favoritmarkerat den här tooten än. När någon gör det kommer den visas här.",
|
||||||
"empty_column.follow_recommendations": "Det ser ut som om inga förslag kan genereras till dig. Du kan prova att använda sök för att leta efter personer som du kanske känner eller utforska trendande hash-taggar.",
|
"empty_column.follow_recommendations": "Det ser ut som om inga förslag kan genereras till dig. Du kan prova att använda sök för att leta efter personer som du kanske känner eller utforska trendande hash-taggar.",
|
||||||
|
@ -186,11 +186,11 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Prova att avaktivera dem och uppdatera sidan. Om detta inte hjälper kan du försöka använda Mastodon med en annan webbläsare eller en app.",
|
"error.unexpected_crash.next_steps_addons": "Prova att avaktivera dem och uppdatera sidan. Om detta inte hjälper kan du försöka använda Mastodon med en annan webbläsare eller en app.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Kopiera stacktrace till urklipp",
|
"errors.unexpected_crash.copy_stacktrace": "Kopiera stacktrace till urklipp",
|
||||||
"errors.unexpected_crash.report_issue": "Rapportera problem",
|
"errors.unexpected_crash.report_issue": "Rapportera problem",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Sökresultat",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "För dig",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Utforska",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Nyheter",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Inlägg",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Hashtags",
|
||||||
"follow_recommendations.done": "Klar",
|
"follow_recommendations.done": "Klar",
|
||||||
"follow_recommendations.heading": "Följ personer som du skulle vilja se inlägg från! Här finns det några förslag.",
|
"follow_recommendations.heading": "Följ personer som du skulle vilja se inlägg från! Här finns det några förslag.",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Inställningar",
|
"navigation_bar.preferences": "Inställningar",
|
||||||
"navigation_bar.public_timeline": "Förenad tidslinje",
|
"navigation_bar.public_timeline": "Förenad tidslinje",
|
||||||
"navigation_bar.security": "Säkerhet",
|
"navigation_bar.security": "Säkerhet",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} registrerade sig",
|
||||||
"notification.favourite": "{name} favoriserade din status",
|
"notification.favourite": "{name} favoriserade din status",
|
||||||
"notification.follow": "{name} följer dig",
|
"notification.follow": "{name} följer dig",
|
||||||
"notification.follow_request": "{name} har begärt att följa dig",
|
"notification.follow_request": "{name} har begärt att följa dig",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} redigerade ett inlägg",
|
"notification.update": "{name} redigerade ett inlägg",
|
||||||
"notifications.clear": "Rensa aviseringar",
|
"notifications.clear": "Rensa aviseringar",
|
||||||
"notifications.clear_confirmation": "Är du säker på att du vill rensa alla dina aviseringar permanent?",
|
"notifications.clear_confirmation": "Är du säker på att du vill rensa alla dina aviseringar permanent?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Nya registreringar:",
|
||||||
"notifications.column_settings.alert": "Skrivbordsaviseringar",
|
"notifications.column_settings.alert": "Skrivbordsaviseringar",
|
||||||
"notifications.column_settings.favourite": "Favoriter:",
|
"notifications.column_settings.favourite": "Favoriter:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Visa alla kategorier",
|
"notifications.column_settings.filter_bar.advanced": "Visa alla kategorier",
|
||||||
|
@ -378,7 +378,7 @@
|
||||||
"relative_time.days": "{number}d",
|
"relative_time.days": "{number}d",
|
||||||
"relative_time.full.days": "{number, plural, one {# dag} other {# dagar}} sedan",
|
"relative_time.full.days": "{number, plural, one {# dag} other {# dagar}} sedan",
|
||||||
"relative_time.full.hours": "{number, plural, one {# timme} other {# timmar}} sedan",
|
"relative_time.full.hours": "{number, plural, one {# timme} other {# timmar}} sedan",
|
||||||
"relative_time.full.just_now": "just now",
|
"relative_time.full.just_now": "just nu",
|
||||||
"relative_time.full.minutes": "{number, plural, one {# minut} other {# minuter}} sedan",
|
"relative_time.full.minutes": "{number, plural, one {# minut} other {# minuter}} sedan",
|
||||||
"relative_time.full.seconds": "{number, plural, one {# sekund} other {# sekunder}} sedan",
|
"relative_time.full.seconds": "{number, plural, one {# sekund} other {# sekunder}} sedan",
|
||||||
"relative_time.hours": "{number}tim",
|
"relative_time.hours": "{number}tim",
|
||||||
|
@ -387,22 +387,22 @@
|
||||||
"relative_time.seconds": "{number}sek",
|
"relative_time.seconds": "{number}sek",
|
||||||
"relative_time.today": "idag",
|
"relative_time.today": "idag",
|
||||||
"reply_indicator.cancel": "Ångra",
|
"reply_indicator.cancel": "Ångra",
|
||||||
"report.block": "Block",
|
"report.block": "Blockera",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "Övrigt",
|
"report.categories.other": "Övrigt",
|
||||||
"report.categories.spam": "Skräppost",
|
"report.categories.spam": "Skräppost",
|
||||||
"report.categories.violation": "Content violates one or more server rules",
|
"report.categories.violation": "Innehåll bryter mot en eller flera serverregler",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tell us what's going on with this {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "inlägg",
|
||||||
"report.close": "Done",
|
"report.close": "Done",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Is there anything else you think we should know?",
|
||||||
"report.forward": "Vidarebefordra till {target}",
|
"report.forward": "Vidarebefordra till {target}",
|
||||||
"report.forward_hint": "Kontot är från en annan server. Skicka även en anonymiserad kopia av anmälan dit?",
|
"report.forward_hint": "Kontot är från en annan server. Skicka även en anonymiserad kopia av anmälan dit?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Tysta",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Nästa",
|
||||||
"report.placeholder": "Ytterligare kommentarer",
|
"report.placeholder": "Ytterligare kommentarer",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
|
@ -422,7 +422,7 @@
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Don't want to see this?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "Sluta följ @{username}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
||||||
"search.placeholder": "Sök",
|
"search.placeholder": "Sök",
|
||||||
"search_popout.search_format": "Avancerat sökformat",
|
"search_popout.search_format": "Avancerat sökformat",
|
||||||
|
@ -432,7 +432,7 @@
|
||||||
"search_popout.tips.text": "Enkel text returnerar matchande visningsnamn, användarnamn och hashtags",
|
"search_popout.tips.text": "Enkel text returnerar matchande visningsnamn, användarnamn och hashtags",
|
||||||
"search_popout.tips.user": "användare",
|
"search_popout.tips.user": "användare",
|
||||||
"search_results.accounts": "Människor",
|
"search_results.accounts": "Människor",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Alla",
|
||||||
"search_results.hashtags": "Hashtaggar",
|
"search_results.hashtags": "Hashtaggar",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Could not find anything for these search terms",
|
||||||
"search_results.statuses": "Tutor",
|
"search_results.statuses": "Tutor",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "ลองปิดใช้งานส่วนเสริมหรือเครื่องมือแล้วรีเฟรชหน้า หากนั่นไม่ช่วย คุณอาจยังสามารถใช้ Mastodon ได้ผ่านเบราว์เซอร์อื่นหรือแอป",
|
"error.unexpected_crash.next_steps_addons": "ลองปิดใช้งานส่วนเสริมหรือเครื่องมือแล้วรีเฟรชหน้า หากนั่นไม่ช่วย คุณอาจยังสามารถใช้ Mastodon ได้ผ่านเบราว์เซอร์อื่นหรือแอป",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "คัดลอกการติดตามสแตกไปยังคลิปบอร์ด",
|
"errors.unexpected_crash.copy_stacktrace": "คัดลอกการติดตามสแตกไปยังคลิปบอร์ด",
|
||||||
"errors.unexpected_crash.report_issue": "รายงานปัญหา",
|
"errors.unexpected_crash.report_issue": "รายงานปัญหา",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "ผลลัพธ์การค้นหา",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "สำหรับคุณ",
|
||||||
"explore.title": "Explore",
|
"explore.title": "สำรวจ",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "ข่าว",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "โพสต์",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "แฮชแท็ก",
|
||||||
"follow_recommendations.done": "เสร็จสิ้น",
|
"follow_recommendations.done": "เสร็จสิ้น",
|
||||||
"follow_recommendations.heading": "ติดตามผู้คนที่คุณต้องการเห็นโพสต์! นี่คือข้อเสนอแนะบางส่วน",
|
"follow_recommendations.heading": "ติดตามผู้คนที่คุณต้องการเห็นโพสต์! นี่คือข้อเสนอแนะบางส่วน",
|
||||||
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
|
"follow_recommendations.lead": "Posts from people you follow will show up in chronological order on your home feed. Don't be afraid to make mistakes, you can unfollow people just as easily any time!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "การกำหนดลักษณะ",
|
"navigation_bar.preferences": "การกำหนดลักษณะ",
|
||||||
"navigation_bar.public_timeline": "เส้นเวลาที่ติดต่อกับภายนอก",
|
"navigation_bar.public_timeline": "เส้นเวลาที่ติดต่อกับภายนอก",
|
||||||
"navigation_bar.security": "ความปลอดภัย",
|
"navigation_bar.security": "ความปลอดภัย",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} ได้ลงทะเบียน",
|
||||||
"notification.favourite": "{name} ได้ชื่นชอบโพสต์ของคุณ",
|
"notification.favourite": "{name} ได้ชื่นชอบโพสต์ของคุณ",
|
||||||
"notification.follow": "{name} ได้ติดตามคุณ",
|
"notification.follow": "{name} ได้ติดตามคุณ",
|
||||||
"notification.follow_request": "{name} ได้ขอติดตามคุณ",
|
"notification.follow_request": "{name} ได้ขอติดตามคุณ",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} ได้แก้ไขโพสต์",
|
"notification.update": "{name} ได้แก้ไขโพสต์",
|
||||||
"notifications.clear": "ล้างการแจ้งเตือน",
|
"notifications.clear": "ล้างการแจ้งเตือน",
|
||||||
"notifications.clear_confirmation": "คุณแน่ใจหรือไม่ว่าต้องการล้างการแจ้งเตือนทั้งหมดของคุณอย่างถาวร?",
|
"notifications.clear_confirmation": "คุณแน่ใจหรือไม่ว่าต้องการล้างการแจ้งเตือนทั้งหมดของคุณอย่างถาวร?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "การลงทะเบียนใหม่:",
|
||||||
"notifications.column_settings.alert": "การแจ้งเตือนบนเดสก์ท็อป",
|
"notifications.column_settings.alert": "การแจ้งเตือนบนเดสก์ท็อป",
|
||||||
"notifications.column_settings.favourite": "รายการโปรด:",
|
"notifications.column_settings.favourite": "รายการโปรด:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "แสดงหมวดหมู่ทั้งหมด",
|
"notifications.column_settings.filter_bar.advanced": "แสดงหมวดหมู่ทั้งหมด",
|
||||||
|
@ -387,22 +387,22 @@
|
||||||
"relative_time.seconds": "{number} วินาที",
|
"relative_time.seconds": "{number} วินาที",
|
||||||
"relative_time.today": "วันนี้",
|
"relative_time.today": "วันนี้",
|
||||||
"reply_indicator.cancel": "ยกเลิก",
|
"reply_indicator.cancel": "ยกเลิก",
|
||||||
"report.block": "Block",
|
"report.block": "ปิดกั้น",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
||||||
"report.categories.other": "อื่น ๆ",
|
"report.categories.other": "อื่น ๆ",
|
||||||
"report.categories.spam": "สแปม",
|
"report.categories.spam": "สแปม",
|
||||||
"report.categories.violation": "เนื้อหาละเมิดหนึ่งกฎของเซิร์ฟเวอร์หรือมากกว่า",
|
"report.categories.violation": "เนื้อหาละเมิดหนึ่งกฎของเซิร์ฟเวอร์หรือมากกว่า",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tell us what's going on with this {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "โปรไฟล์",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "โพสต์",
|
||||||
"report.close": "Done",
|
"report.close": "เสร็จสิ้น",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Is there anything else you think we should know?",
|
||||||
"report.forward": "ส่งต่อไปยัง {target}",
|
"report.forward": "ส่งต่อไปยัง {target}",
|
||||||
"report.forward_hint": "บัญชีมาจากเซิร์ฟเวอร์อื่น ส่งสำเนาของรายงานที่ไม่ระบุตัวตนไปที่นั่นด้วย?",
|
"report.forward_hint": "บัญชีมาจากเซิร์ฟเวอร์อื่น ส่งสำเนาของรายงานที่ไม่ระบุตัวตนไปที่นั่นด้วย?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "ซ่อน",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "ถัดไป",
|
||||||
"report.placeholder": "ความคิดเห็นเพิ่มเติม",
|
"report.placeholder": "ความคิดเห็นเพิ่มเติม",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
|
@ -421,8 +421,8 @@
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Don't want to see this?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "ขอบคุณสำหรับการรายงาน เราจะตรวจสอบสิ่งนี้",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "เลิกติดตาม @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
||||||
"search.placeholder": "ค้นหา",
|
"search.placeholder": "ค้นหา",
|
||||||
"search_popout.search_format": "รูปแบบการค้นหาขั้นสูง",
|
"search_popout.search_format": "รูปแบบการค้นหาขั้นสูง",
|
||||||
|
@ -432,7 +432,7 @@
|
||||||
"search_popout.tips.text": "ข้อความแบบง่ายส่งคืนชื่อที่แสดง, ชื่อผู้ใช้ และแฮชแท็กที่ตรงกัน",
|
"search_popout.tips.text": "ข้อความแบบง่ายส่งคืนชื่อที่แสดง, ชื่อผู้ใช้ และแฮชแท็กที่ตรงกัน",
|
||||||
"search_popout.tips.user": "ผู้ใช้",
|
"search_popout.tips.user": "ผู้ใช้",
|
||||||
"search_results.accounts": "ผู้คน",
|
"search_results.accounts": "ผู้คน",
|
||||||
"search_results.all": "All",
|
"search_results.all": "ทั้งหมด",
|
||||||
"search_results.hashtags": "แฮชแท็ก",
|
"search_results.hashtags": "แฮชแท็ก",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Could not find anything for these search terms",
|
||||||
"search_results.statuses": "โพสต์",
|
"search_results.statuses": "โพสต์",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "Yerel zaman çizelgesi boş. Daha fazla eğlence için herkese açık bir gönderi paylaşın!",
|
"empty_column.community": "Yerel zaman çizelgesi boş. Daha fazla eğlence için herkese açık bir gönderi paylaşın!",
|
||||||
"empty_column.direct": "Henüz direkt mesajın yok. Bir tane gönderdiğinde veya aldığında burada görünür.",
|
"empty_column.direct": "Henüz direkt mesajın yok. Bir tane gönderdiğinde veya aldığında burada görünür.",
|
||||||
"empty_column.domain_blocks": "Henüz hiçbir gizli alan adı yok.",
|
"empty_column.domain_blocks": "Henüz hiçbir gizli alan adı yok.",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "Şu an öne çıkan birşey yok. Daha sonra tekrar bakın!",
|
||||||
"empty_column.favourited_statuses": "Favori tootun yok. Favori tootun olduğunda burada görünür.",
|
"empty_column.favourited_statuses": "Favori tootun yok. Favori tootun olduğunda burada görünür.",
|
||||||
"empty_column.favourites": "Kimse bu gönderiyi favorilerine eklememiş. Biri eklediğinde burada görünecek.",
|
"empty_column.favourites": "Kimse bu gönderiyi favorilerine eklememiş. Biri eklediğinde burada görünecek.",
|
||||||
"empty_column.follow_recommendations": "Öyle görünüyor ki sizin için hiçbir öneri oluşturulamıyor. Tanıdığınız kişileri aramak için aramayı kullanabilir veya öne çıkanlara bakabilirsiniz.",
|
"empty_column.follow_recommendations": "Öyle görünüyor ki sizin için hiçbir öneri oluşturulamıyor. Tanıdığınız kişileri aramak için aramayı kullanabilir veya öne çıkanlara bakabilirsiniz.",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "Bunları devre dışı bırakmayı ve sayfayı yenilemeyi deneyin. Bu yardımcı olmazsa, Mastodon'u başka bir tarayıcı veya yerel uygulama aracılığıyla kullanabilirsiniz.",
|
"error.unexpected_crash.next_steps_addons": "Bunları devre dışı bırakmayı ve sayfayı yenilemeyi deneyin. Bu yardımcı olmazsa, Mastodon'u başka bir tarayıcı veya yerel uygulama aracılığıyla kullanabilirsiniz.",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Yığın izlemeyi (stacktrace) panoya kopyala",
|
"errors.unexpected_crash.copy_stacktrace": "Yığın izlemeyi (stacktrace) panoya kopyala",
|
||||||
"errors.unexpected_crash.report_issue": "Sorun bildir",
|
"errors.unexpected_crash.report_issue": "Sorun bildir",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Arama sonuçları",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Sizin için",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Keşfet",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Haberler",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Gönderiler",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Etiketler",
|
||||||
"follow_recommendations.done": "Tamam",
|
"follow_recommendations.done": "Tamam",
|
||||||
"follow_recommendations.heading": "Gönderilerini görmek isteyeceğiniz kişileri takip edin! Burada bazı öneriler bulabilirsiniz.",
|
"follow_recommendations.heading": "Gönderilerini görmek isteyeceğiniz kişileri takip edin! Burada bazı öneriler bulabilirsiniz.",
|
||||||
"follow_recommendations.lead": "Takip ettiğiniz kişilerin gönderileri anasayfa akışınızda kronolojik sırada görünmeye devam edecek. Hata yapmaktan çekinmeyin, kişileri istediğiniz anda kolayca takipten çıkabilirsiniz!",
|
"follow_recommendations.lead": "Takip ettiğiniz kişilerin gönderileri anasayfa akışınızda kronolojik sırada görünmeye devam edecek. Hata yapmaktan çekinmeyin, kişileri istediğiniz anda kolayca takipten çıkabilirsiniz!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "Tercihler",
|
"navigation_bar.preferences": "Tercihler",
|
||||||
"navigation_bar.public_timeline": "Federe zaman tüneli",
|
"navigation_bar.public_timeline": "Federe zaman tüneli",
|
||||||
"navigation_bar.security": "Güvenlik",
|
"navigation_bar.security": "Güvenlik",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} kaydoldu",
|
||||||
"notification.favourite": "{name} gönderini beğendi",
|
"notification.favourite": "{name} gönderini beğendi",
|
||||||
"notification.follow": "{name} seni takip etti",
|
"notification.follow": "{name} seni takip etti",
|
||||||
"notification.follow_request": "{name} size takip isteği gönderdi",
|
"notification.follow_request": "{name} size takip isteği gönderdi",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} bir gönderiyi düzenledi",
|
"notification.update": "{name} bir gönderiyi düzenledi",
|
||||||
"notifications.clear": "Bildirimleri temizle",
|
"notifications.clear": "Bildirimleri temizle",
|
||||||
"notifications.clear_confirmation": "Tüm bildirimlerinizi kalıcı olarak temizlemek ister misiniz?",
|
"notifications.clear_confirmation": "Tüm bildirimlerinizi kalıcı olarak temizlemek ister misiniz?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "Yeni kayıtlar:",
|
||||||
"notifications.column_settings.alert": "Masaüstü bildirimleri",
|
"notifications.column_settings.alert": "Masaüstü bildirimleri",
|
||||||
"notifications.column_settings.favourite": "Beğeniler:",
|
"notifications.column_settings.favourite": "Beğeniler:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "Tüm kategorileri görüntüle",
|
"notifications.column_settings.filter_bar.advanced": "Tüm kategorileri görüntüle",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}sn",
|
"relative_time.seconds": "{number}sn",
|
||||||
"relative_time.today": "bugün",
|
"relative_time.today": "bugün",
|
||||||
"reply_indicator.cancel": "İptal",
|
"reply_indicator.cancel": "İptal",
|
||||||
"report.block": "Block",
|
"report.block": "Engelle",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "Gönderilerini göremeyeceksiniz. Gönderilerinizi göremezler veya sizi takip edemezler. Engelli olduklarını anlayabilecekler.",
|
||||||
"report.categories.other": "Diğer",
|
"report.categories.other": "Diğer",
|
||||||
"report.categories.spam": "İstenmeyen",
|
"report.categories.spam": "İstenmeyen",
|
||||||
"report.categories.violation": "İçerik bir veya daha fazla sunucu kuralını ihlal ediyor",
|
"report.categories.violation": "İçerik bir veya daha fazla sunucu kuralını ihlal ediyor",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "En uygun eşleşmeyi seçin",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Bu {type} ile ilgili neler oluyor bize söyleyin",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "profil",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "gönderi",
|
||||||
"report.close": "Done",
|
"report.close": "Tamam",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Bilmemizi istediğiniz başka bir şey var mı?",
|
||||||
"report.forward": "{target} ilet",
|
"report.forward": "{target} ilet",
|
||||||
"report.forward_hint": "Hesap başka bir sunucudan. Raporun anonim bir kopyası da oraya gönderilsin mi?",
|
"report.forward_hint": "Hesap başka bir sunucudan. Raporun anonim bir kopyası da oraya gönderilsin mi?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Sessiz",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "Gönderilerini göremeyeceksiniz. Sizi takip etmeyi sürdürebilir ve gönderilerinizi görebilirler ama sessize alındıklarını anlamayacaklar.",
|
||||||
"report.next": "Next",
|
"report.next": "Sonraki",
|
||||||
"report.placeholder": "Ek yorumlar",
|
"report.placeholder": "Ek yorumlar",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Beğenmedim",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "Görmek isteyeceğiniz bir şey değil",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "Başka bir şey",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "Sorun başka kategorilere uymuyor",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "İstenmeyen",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "Kötü niyetli bağlantılar, sahte etkileşim veya tekrarlayan yanıtlar",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "Sunucu kurallarını ihlal ediyor",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "Belirli kuralları ihlal ettiğinin farkındasınız",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "Geçerli olanların hepsini seçin",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Hangi kurallar ihlal ediliyor?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Geçerli olanların hepsini seçin",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Bu bildirimi destekleyecek herhangi bir gönderi var mı?",
|
||||||
"report.submit": "Gönder",
|
"report.submit": "Gönder",
|
||||||
"report.target": "{target} Bildiriliyor",
|
"report.target": "{target} Bildiriliyor",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Mastodon'da ne görebileceğinizi denetlemeye ilişkin seçenekler şunlardır:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "Biz değerlendirirken, @{name} hesabına yönelik bir şeyler yapabilirsiniz:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "Bunu görmek istemiyor musunuz?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "Bildirdiğiniz için teşekkürler, konuyu araştıracağız.",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "@{name} takip etmeyi bırak",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "Bu hesabı takip ediyorsunuz. Ana akışınızda gönderilerini görmek istemiyorsanız, onu takip etmeyi bırakın.",
|
||||||
"search.placeholder": "Ara",
|
"search.placeholder": "Ara",
|
||||||
"search_popout.search_format": "Gelişmiş arama biçimi",
|
"search_popout.search_format": "Gelişmiş arama biçimi",
|
||||||
"search_popout.tips.full_text": "Basit metin yazdığınız, beğendiğiniz, teşvik ettiğiniz veya söz edilen gönderilerin yanı sıra kullanıcı adlarını, görünen adları ve hashtag'leri eşleştiren gönderileri de döndürür.",
|
"search_popout.tips.full_text": "Basit metin yazdığınız, beğendiğiniz, teşvik ettiğiniz veya söz edilen gönderilerin yanı sıra kullanıcı adlarını, görünen adları ve hashtag'leri eşleştiren gönderileri de döndürür.",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "Basit metin, eşleşen görünen adları, kullanıcı adlarını ve hashtag'leri döndürür",
|
"search_popout.tips.text": "Basit metin, eşleşen görünen adları, kullanıcı adlarını ve hashtag'leri döndürür",
|
||||||
"search_popout.tips.user": "kullanıcı",
|
"search_popout.tips.user": "kullanıcı",
|
||||||
"search_results.accounts": "İnsanlar",
|
"search_results.accounts": "İnsanlar",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Tümü",
|
||||||
"search_results.hashtags": "Etiketler",
|
"search_results.hashtags": "Etiketler",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Bu arama seçenekleriyle bir sonuç bulunamadı",
|
||||||
"search_results.statuses": "Gönderiler",
|
"search_results.statuses": "Gönderiler",
|
||||||
"search_results.statuses_fts_disabled": "Bu Mastodon sunucusunda gönderi içeriğine göre arama etkin değil.",
|
"search_results.statuses_fts_disabled": "Bu Mastodon sunucusunda gönderi içeriğine göre arama etkin değil.",
|
||||||
"search_results.total": "{count, number} {count, plural, one {sonuç} other {sonuç}}",
|
"search_results.total": "{count, number} {count, plural, one {sonuç} other {sonuç}}",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -187,11 +187,11 @@
|
||||||
"errors.unexpected_crash.copy_stacktrace": "Скопіювати трасування стека у буфер обміну",
|
"errors.unexpected_crash.copy_stacktrace": "Скопіювати трасування стека у буфер обміну",
|
||||||
"errors.unexpected_crash.report_issue": "Повідомити про проблему",
|
"errors.unexpected_crash.report_issue": "Повідомити про проблему",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "Search results",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "Для вас",
|
||||||
"explore.title": "Explore",
|
"explore.title": "Огляд",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "Новини",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "Дописи",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "Хештеґи",
|
||||||
"follow_recommendations.done": "Готово",
|
"follow_recommendations.done": "Готово",
|
||||||
"follow_recommendations.heading": "Підпишіться на людей, чиї дописи ви хочете бачити! Ось деякі пропозиції.",
|
"follow_recommendations.heading": "Підпишіться на людей, чиї дописи ви хочете бачити! Ось деякі пропозиції.",
|
||||||
"follow_recommendations.lead": "Дописи від людей, за якими ви стежите, з'являться в хронологічному порядку у вашій домашній стрічці. Не бійся помилятися, ви можете відписатися від людей так само легко в будь-який час!",
|
"follow_recommendations.lead": "Дописи від людей, за якими ви стежите, з'являться в хронологічному порядку у вашій домашній стрічці. Не бійся помилятися, ви можете відписатися від людей так само легко в будь-який час!",
|
||||||
|
@ -394,17 +394,17 @@
|
||||||
"report.categories.violation": "Контент порушує одне або кілька правил сервера",
|
"report.categories.violation": "Контент порушує одне або кілька правил сервера",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "Choose the best match",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "Tell us what's going on with this {type}",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "профіль",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "допис",
|
||||||
"report.close": "Done",
|
"report.close": "Готово",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "Is there anything else you think we should know?",
|
||||||
"report.forward": "Надіслати до {target}",
|
"report.forward": "Надіслати до {target}",
|
||||||
"report.forward_hint": "Це акаунт з іншого серверу. Відправити анонімізовану копію скарги і туди?",
|
"report.forward_hint": "Це акаунт з іншого серверу. Відправити анонімізовану копію скарги і туди?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Далі",
|
||||||
"report.placeholder": "Додаткові коментарі",
|
"report.placeholder": "Додаткові коментарі",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "Мені це не подобається",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "The issue does not fit into other categories",
|
||||||
|
@ -432,7 +432,7 @@
|
||||||
"search_popout.tips.text": "Пошук за текстом знаходить імена користувачів, реальні імена та хештеґи",
|
"search_popout.tips.text": "Пошук за текстом знаходить імена користувачів, реальні імена та хештеґи",
|
||||||
"search_popout.tips.user": "користувач",
|
"search_popout.tips.user": "користувач",
|
||||||
"search_results.accounts": "Люди",
|
"search_results.accounts": "Люди",
|
||||||
"search_results.all": "All",
|
"search_results.all": "Усе",
|
||||||
"search_results.hashtags": "Хештеґи",
|
"search_results.hashtags": "Хештеґи",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "Could not find anything for these search terms",
|
||||||
"search_results.statuses": "Дмухів",
|
"search_results.statuses": "Дмухів",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
@ -416,7 +416,7 @@
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "Which rules are being violated?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "Select all that apply",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "Are there any posts that back up this report?",
|
||||||
"report.submit": "Submit",
|
"report.submit": "Submit report",
|
||||||
"report.target": "Report {target}",
|
"report.target": "Report {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
||||||
|
|
|
@ -403,7 +403,7 @@
|
||||||
"report.mute": "Mute",
|
"report.mute": "Mute",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "Additional comments",
|
"report.placeholder": "Type or paste additional comments",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "I don't like it",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "It is not something you want to see",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "It's something else",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "本站时间轴暂时没有内容,快写点什么让它动起来吧!",
|
"empty_column.community": "本站时间轴暂时没有内容,快写点什么让它动起来吧!",
|
||||||
"empty_column.direct": "你还没有使用过私信。当你发出或者收到私信时,它会在这里显示。",
|
"empty_column.direct": "你还没有使用过私信。当你发出或者收到私信时,它会在这里显示。",
|
||||||
"empty_column.domain_blocks": "目前没有被隐藏的站点。",
|
"empty_column.domain_blocks": "目前没有被隐藏的站点。",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "目前没有热门话题,稍后再来看看吧!",
|
||||||
"empty_column.favourited_statuses": "你还没有喜欢过任何嘟文。喜欢过的嘟文会显示在这里。",
|
"empty_column.favourited_statuses": "你还没有喜欢过任何嘟文。喜欢过的嘟文会显示在这里。",
|
||||||
"empty_column.favourites": "没有人喜欢过这条嘟文。如果有人喜欢了,就会显示在这里。",
|
"empty_column.favourites": "没有人喜欢过这条嘟文。如果有人喜欢了,就会显示在这里。",
|
||||||
"empty_column.follow_recommendations": "似乎无法为你生成任何建议。你可以尝试使用搜索寻找你可能知道的人或探索热门标签。",
|
"empty_column.follow_recommendations": "似乎无法为你生成任何建议。你可以尝试使用搜索寻找你可能知道的人或探索热门标签。",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "请尝试禁用它们并刷新页面。如果没有帮助,你仍可以尝试使用其他浏览器或原生应用来使用 Mastodon。",
|
"error.unexpected_crash.next_steps_addons": "请尝试禁用它们并刷新页面。如果没有帮助,你仍可以尝试使用其他浏览器或原生应用来使用 Mastodon。",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "把堆栈跟踪信息复制到剪贴板",
|
"errors.unexpected_crash.copy_stacktrace": "把堆栈跟踪信息复制到剪贴板",
|
||||||
"errors.unexpected_crash.report_issue": "报告问题",
|
"errors.unexpected_crash.report_issue": "报告问题",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "搜索结果",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "为您推荐",
|
||||||
"explore.title": "Explore",
|
"explore.title": "探索",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "最新消息",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "嘟文",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "话题标签",
|
||||||
"follow_recommendations.done": "完成",
|
"follow_recommendations.done": "完成",
|
||||||
"follow_recommendations.heading": "关注你感兴趣的用户!这里有一些推荐。",
|
"follow_recommendations.heading": "关注你感兴趣的用户!这里有一些推荐。",
|
||||||
"follow_recommendations.lead": "你关注的人的嘟文将按时间顺序在你的主页上显示。 别担心,你可以随时取消关注!",
|
"follow_recommendations.lead": "你关注的人的嘟文将按时间顺序在你的主页上显示。 别担心,你可以随时取消关注!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "首选项",
|
"navigation_bar.preferences": "首选项",
|
||||||
"navigation_bar.public_timeline": "跨站公共时间轴",
|
"navigation_bar.public_timeline": "跨站公共时间轴",
|
||||||
"navigation_bar.security": "安全",
|
"navigation_bar.security": "安全",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} 注册了",
|
||||||
"notification.favourite": "{name} 喜欢了你的嘟文",
|
"notification.favourite": "{name} 喜欢了你的嘟文",
|
||||||
"notification.follow": "{name} 开始关注你",
|
"notification.follow": "{name} 开始关注你",
|
||||||
"notification.follow_request": "{name} 向你发送了关注请求",
|
"notification.follow_request": "{name} 向你发送了关注请求",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} 编辑了嘟文",
|
"notification.update": "{name} 编辑了嘟文",
|
||||||
"notifications.clear": "清空通知列表",
|
"notifications.clear": "清空通知列表",
|
||||||
"notifications.clear_confirmation": "你确定要永久清空通知列表吗?",
|
"notifications.clear_confirmation": "你确定要永久清空通知列表吗?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "新注册:",
|
||||||
"notifications.column_settings.alert": "桌面通知",
|
"notifications.column_settings.alert": "桌面通知",
|
||||||
"notifications.column_settings.favourite": "当你的嘟文被喜欢时:",
|
"notifications.column_settings.favourite": "当你的嘟文被喜欢时:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "显示所有类别",
|
"notifications.column_settings.filter_bar.advanced": "显示所有类别",
|
||||||
|
@ -336,7 +336,7 @@
|
||||||
"notifications.column_settings.status": "新嘟文:",
|
"notifications.column_settings.status": "新嘟文:",
|
||||||
"notifications.column_settings.unread_notifications.category": "未读通知",
|
"notifications.column_settings.unread_notifications.category": "未读通知",
|
||||||
"notifications.column_settings.unread_notifications.highlight": "高亮显示未读通知",
|
"notifications.column_settings.unread_notifications.highlight": "高亮显示未读通知",
|
||||||
"notifications.column_settings.update": "Edits:",
|
"notifications.column_settings.update": "编辑:",
|
||||||
"notifications.filter.all": "全部",
|
"notifications.filter.all": "全部",
|
||||||
"notifications.filter.boosts": "转嘟",
|
"notifications.filter.boosts": "转嘟",
|
||||||
"notifications.filter.favourites": "喜欢",
|
"notifications.filter.favourites": "喜欢",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number}秒",
|
"relative_time.seconds": "{number}秒",
|
||||||
"relative_time.today": "今天",
|
"relative_time.today": "今天",
|
||||||
"reply_indicator.cancel": "取消",
|
"reply_indicator.cancel": "取消",
|
||||||
"report.block": "Block",
|
"report.block": "屏蔽",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "你不会看到他们的帖子。他们也将无法看到你的帖子或关注你。他们将能够判断他们被屏蔽了。",
|
||||||
"report.categories.other": "其他",
|
"report.categories.other": "其他",
|
||||||
"report.categories.spam": "垃圾信息",
|
"report.categories.spam": "垃圾信息",
|
||||||
"report.categories.violation": "内容违反一条或多条服务器规则",
|
"report.categories.violation": "内容违反一条或多条服务器规则",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "选择最佳匹配",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "告诉我们这个 {type} 的情况",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "个人资料",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "嘟文",
|
||||||
"report.close": "Done",
|
"report.close": "完成",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "还有什么你认为我们应该知道的吗?",
|
||||||
"report.forward": "转发举报至 {target}",
|
"report.forward": "转发举报至 {target}",
|
||||||
"report.forward_hint": "这名用户来自另一个服务器。是否要向那个服务器发送一条匿名的举报?",
|
"report.forward_hint": "这名用户来自另一个服务器。是否要向那个服务器发送一条匿名的举报?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "静音",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "你将不会看到他们的嘟文。他们仍然可以关注你并看到你的嘟文,但他们不会知道他们被静音了。",
|
||||||
"report.next": "Next",
|
"report.next": "Next",
|
||||||
"report.placeholder": "备注",
|
"report.placeholder": "备注",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "我不喜欢它",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "这不是你想看到的东西",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "其他原因",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "该问题不符合其他类别",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "它是垃圾信息",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "恶意链接、虚假参与或重复性回复",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "它违反了服务器规则",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "你清楚它违反了特定的规则",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "选择所有适用选项",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "哪些规则被违反了?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "选择所有适用选项",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "是否有任何嘟文可以支持这一报告?",
|
||||||
"report.submit": "提交",
|
"report.submit": "提交",
|
||||||
"report.target": "举报 {target}",
|
"report.target": "举报 {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "以下是您控制您在 Mastodon 上能看到哪些内容的选项:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "在我们审阅这个问题时,你可以对 @{name} 采取行动",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "不想看到这个内容?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "感谢提交举报,我们将会进行处理。",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "取消关注 @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "你正在关注这个账户。如果要想在你的主页上不再看到他们的嘟文,请取消对他们的关注。",
|
||||||
"search.placeholder": "搜索",
|
"search.placeholder": "搜索",
|
||||||
"search_popout.search_format": "高级搜索格式",
|
"search_popout.search_format": "高级搜索格式",
|
||||||
"search_popout.tips.full_text": "输入关键词检索所有你发送、喜欢、转嘟过或提及到你的嘟文,以及其他用户公开的用户名、昵称和话题标签。",
|
"search_popout.tips.full_text": "输入关键词检索所有你发送、喜欢、转嘟过或提及到你的嘟文,以及其他用户公开的用户名、昵称和话题标签。",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "输入关键词检索昵称、用户名和话题标签",
|
"search_popout.tips.text": "输入关键词检索昵称、用户名和话题标签",
|
||||||
"search_popout.tips.user": "用户",
|
"search_popout.tips.user": "用户",
|
||||||
"search_results.accounts": "用户",
|
"search_results.accounts": "用户",
|
||||||
"search_results.all": "All",
|
"search_results.all": "全部",
|
||||||
"search_results.hashtags": "话题标签",
|
"search_results.hashtags": "话题标签",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "无法找到符合这些搜索词的任何内容",
|
||||||
"search_results.statuses": "嘟文",
|
"search_results.statuses": "嘟文",
|
||||||
"search_results.statuses_fts_disabled": "此Mastodon服务器未启用嘟文内容搜索。",
|
"search_results.statuses_fts_disabled": "此Mastodon服务器未启用嘟文内容搜索。",
|
||||||
"search_results.total": "共 {count, number} 个结果",
|
"search_results.total": "共 {count, number} 个结果",
|
||||||
|
|
|
@ -167,7 +167,7 @@
|
||||||
"empty_column.community": "本機時間軸是空的。快公開嘟些文搶頭香啊!",
|
"empty_column.community": "本機時間軸是空的。快公開嘟些文搶頭香啊!",
|
||||||
"empty_column.direct": "您還沒有任何私訊。當您私訊別人或收到私訊時,它將於此顯示。",
|
"empty_column.direct": "您還沒有任何私訊。當您私訊別人或收到私訊時,它將於此顯示。",
|
||||||
"empty_column.domain_blocks": "尚未封鎖任何網域。",
|
"empty_column.domain_blocks": "尚未封鎖任何網域。",
|
||||||
"empty_column.explore_statuses": "Nothing is trending right now. Check back later!",
|
"empty_column.explore_statuses": "目前沒有熱門討論,請稍候再回來看看!",
|
||||||
"empty_column.favourited_statuses": "您還沒加過任何嘟文至最愛。當您收藏嘟文時,它將於此顯示。",
|
"empty_column.favourited_statuses": "您還沒加過任何嘟文至最愛。當您收藏嘟文時,它將於此顯示。",
|
||||||
"empty_column.favourites": "還沒有人加過這則嘟文至最愛。當有人收藏嘟文時,它將於此顯示。",
|
"empty_column.favourites": "還沒有人加過這則嘟文至最愛。當有人收藏嘟文時,它將於此顯示。",
|
||||||
"empty_column.follow_recommendations": "似乎未能為您產生任何建議。您可以嘗試使用搜尋來尋找您可能認識的人,或是探索熱門主題標籤。",
|
"empty_column.follow_recommendations": "似乎未能為您產生任何建議。您可以嘗試使用搜尋來尋找您可能認識的人,或是探索熱門主題標籤。",
|
||||||
|
@ -186,12 +186,12 @@
|
||||||
"error.unexpected_crash.next_steps_addons": "請嘗試關閉他們然後重新整理頁面。如果狀況沒有改善,您可以使用不同的瀏覽器或應用程式來檢視來使用 Mastodon。",
|
"error.unexpected_crash.next_steps_addons": "請嘗試關閉他們然後重新整理頁面。如果狀況沒有改善,您可以使用不同的瀏覽器或應用程式來檢視來使用 Mastodon。",
|
||||||
"errors.unexpected_crash.copy_stacktrace": "複製 stacktrace 到剪貼簿",
|
"errors.unexpected_crash.copy_stacktrace": "複製 stacktrace 到剪貼簿",
|
||||||
"errors.unexpected_crash.report_issue": "回報問題",
|
"errors.unexpected_crash.report_issue": "回報問題",
|
||||||
"explore.search_results": "Search results",
|
"explore.search_results": "搜尋結果",
|
||||||
"explore.suggested_follows": "For you",
|
"explore.suggested_follows": "為您推薦",
|
||||||
"explore.title": "Explore",
|
"explore.title": "探索",
|
||||||
"explore.trending_links": "News",
|
"explore.trending_links": "最新消息",
|
||||||
"explore.trending_statuses": "Posts",
|
"explore.trending_statuses": "嘟文",
|
||||||
"explore.trending_tags": "Hashtags",
|
"explore.trending_tags": "主題標籤",
|
||||||
"follow_recommendations.done": "完成",
|
"follow_recommendations.done": "完成",
|
||||||
"follow_recommendations.heading": "跟隨您想檢視其貼文的人!這裡有一些建議。",
|
"follow_recommendations.heading": "跟隨您想檢視其貼文的人!這裡有一些建議。",
|
||||||
"follow_recommendations.lead": "來自您跟隨的人的貼文將會按時間順序顯示在您的家 feed 上。不要害怕犯錯,您隨時都可以取消跟隨其他人!",
|
"follow_recommendations.lead": "來自您跟隨的人的貼文將會按時間順序顯示在您的家 feed 上。不要害怕犯錯,您隨時都可以取消跟隨其他人!",
|
||||||
|
@ -307,7 +307,7 @@
|
||||||
"navigation_bar.preferences": "偏好設定",
|
"navigation_bar.preferences": "偏好設定",
|
||||||
"navigation_bar.public_timeline": "聯邦時間軸",
|
"navigation_bar.public_timeline": "聯邦時間軸",
|
||||||
"navigation_bar.security": "安全性",
|
"navigation_bar.security": "安全性",
|
||||||
"notification.admin.sign_up": "{name} signed up",
|
"notification.admin.sign_up": "{name} 已經註冊",
|
||||||
"notification.favourite": "{name} 把您的嘟文加入了最愛",
|
"notification.favourite": "{name} 把您的嘟文加入了最愛",
|
||||||
"notification.follow": "{name} 跟隨了您",
|
"notification.follow": "{name} 跟隨了您",
|
||||||
"notification.follow_request": "{name} 要求跟隨您",
|
"notification.follow_request": "{name} 要求跟隨您",
|
||||||
|
@ -319,7 +319,7 @@
|
||||||
"notification.update": "{name} 編輯了嘟文",
|
"notification.update": "{name} 編輯了嘟文",
|
||||||
"notifications.clear": "清除通知",
|
"notifications.clear": "清除通知",
|
||||||
"notifications.clear_confirmation": "確定要永久清除您的通知嗎?",
|
"notifications.clear_confirmation": "確定要永久清除您的通知嗎?",
|
||||||
"notifications.column_settings.admin.sign_up": "New sign-ups:",
|
"notifications.column_settings.admin.sign_up": "新註冊帳號:",
|
||||||
"notifications.column_settings.alert": "桌面通知",
|
"notifications.column_settings.alert": "桌面通知",
|
||||||
"notifications.column_settings.favourite": "最愛:",
|
"notifications.column_settings.favourite": "最愛:",
|
||||||
"notifications.column_settings.filter_bar.advanced": "顯示所有分類",
|
"notifications.column_settings.filter_bar.advanced": "顯示所有分類",
|
||||||
|
@ -387,43 +387,43 @@
|
||||||
"relative_time.seconds": "{number} 秒",
|
"relative_time.seconds": "{number} 秒",
|
||||||
"relative_time.today": "今天",
|
"relative_time.today": "今天",
|
||||||
"reply_indicator.cancel": "取消",
|
"reply_indicator.cancel": "取消",
|
||||||
"report.block": "Block",
|
"report.block": "封鎖",
|
||||||
"report.block_explanation": "You will not see their posts. They will not be able to see your posts or follow you. They will be able to tell that they are blocked.",
|
"report.block_explanation": "您將不再看到他們的嘟文。他們將無法看到您的嘟文或是跟隨您。他們會被告知他們已被封鎖。",
|
||||||
"report.categories.other": "其他",
|
"report.categories.other": "其他",
|
||||||
"report.categories.spam": "垃圾訊息",
|
"report.categories.spam": "垃圾訊息",
|
||||||
"report.categories.violation": "內容違反一項或多項伺服器條款",
|
"report.categories.violation": "內容違反一項或多項伺服器條款",
|
||||||
"report.category.subtitle": "Choose the best match",
|
"report.category.subtitle": "選擇最佳條件符合",
|
||||||
"report.category.title": "Tell us what's going on with this {type}",
|
"report.category.title": "告訴我們這個 {type} 發生了什麼事",
|
||||||
"report.category.title_account": "profile",
|
"report.category.title_account": "個人檔案",
|
||||||
"report.category.title_status": "post",
|
"report.category.title_status": "嘟文",
|
||||||
"report.close": "Done",
|
"report.close": "已完成",
|
||||||
"report.comment.title": "Is there anything else you think we should know?",
|
"report.comment.title": "有什麼其他您想讓我們知道的嗎?",
|
||||||
"report.forward": "轉寄到 {target}",
|
"report.forward": "轉寄到 {target}",
|
||||||
"report.forward_hint": "這個帳戶屬於其他伺服器。要像該伺服器發送匿名的檢舉訊息嗎?",
|
"report.forward_hint": "這個帳戶屬於其他伺服器。要像該伺服器發送匿名的檢舉訊息嗎?",
|
||||||
"report.mute": "Mute",
|
"report.mute": "靜音",
|
||||||
"report.mute_explanation": "You will not see their posts. They can still follow you and see your posts and will not know that they are muted.",
|
"report.mute_explanation": "您將不再看到他們的嘟文。他們仍能可以跟隨您以及察看您的嘟文,並且不會知道他們已被靜音。",
|
||||||
"report.next": "Next",
|
"report.next": "繼續",
|
||||||
"report.placeholder": "其他備註",
|
"report.placeholder": "其他備註",
|
||||||
"report.reasons.dislike": "I don't like it",
|
"report.reasons.dislike": "我不喜歡",
|
||||||
"report.reasons.dislike_description": "It is not something you want to see",
|
"report.reasons.dislike_description": "這是您不想看到的",
|
||||||
"report.reasons.other": "It's something else",
|
"report.reasons.other": "其他原因",
|
||||||
"report.reasons.other_description": "The issue does not fit into other categories",
|
"report.reasons.other_description": "這個問題不屬於其他分類",
|
||||||
"report.reasons.spam": "It's spam",
|
"report.reasons.spam": "垃圾訊息",
|
||||||
"report.reasons.spam_description": "Malicious links, fake engagement, or repetetive replies",
|
"report.reasons.spam_description": "有害連結,假造的互動,或是重複性回覆",
|
||||||
"report.reasons.violation": "It violates server rules",
|
"report.reasons.violation": "違反伺服器規則",
|
||||||
"report.reasons.violation_description": "You are aware that it breaks specific rules",
|
"report.reasons.violation_description": "您知道它違反特定規則",
|
||||||
"report.rules.subtitle": "Select all that apply",
|
"report.rules.subtitle": "請選擇所有適用的選項",
|
||||||
"report.rules.title": "Which rules are being violated?",
|
"report.rules.title": "違反了哪些規則?",
|
||||||
"report.statuses.subtitle": "Select all that apply",
|
"report.statuses.subtitle": "請選擇所有適用的選項",
|
||||||
"report.statuses.title": "Are there any posts that back up this report?",
|
"report.statuses.title": "是否有能佐證這份檢舉之嘟文?",
|
||||||
"report.submit": "送出",
|
"report.submit": "送出",
|
||||||
"report.target": "檢舉 {target}",
|
"report.target": "檢舉 {target}",
|
||||||
"report.thanks.take_action": "Here are your options for controlling what you see on Mastodon:",
|
"report.thanks.take_action": "以下是控制您想於 Mastodon 看到什麼內容之選項:",
|
||||||
"report.thanks.take_action_actionable": "While we review this, you can take action against @{name}:",
|
"report.thanks.take_action_actionable": "當我們正在審核期間,您可以對 @{name} 採取以下措施:",
|
||||||
"report.thanks.title": "Don't want to see this?",
|
"report.thanks.title": "不想再看到這個?",
|
||||||
"report.thanks.title_actionable": "Thanks for reporting, we'll look into this.",
|
"report.thanks.title_actionable": "感謝您的檢舉,我們將會著手處理。",
|
||||||
"report.unfollow": "Unfollow @{name}",
|
"report.unfollow": "取消跟隨 @{name}",
|
||||||
"report.unfollow_explanation": "You are following this account. To not see their posts in your home feed anymore, unfollow them.",
|
"report.unfollow_explanation": "您正在跟隨此帳號。如不欲於首頁再見到他們的嘟文,請取消跟隨。",
|
||||||
"search.placeholder": "搜尋",
|
"search.placeholder": "搜尋",
|
||||||
"search_popout.search_format": "進階搜尋格式",
|
"search_popout.search_format": "進階搜尋格式",
|
||||||
"search_popout.tips.full_text": "輸入簡單的文字,搜尋由您撰寫、最愛、轉嘟或提您的嘟文,以及與關鍵詞匹配的使用者名稱、帳戶顯示名稱和主題標籤。",
|
"search_popout.tips.full_text": "輸入簡單的文字,搜尋由您撰寫、最愛、轉嘟或提您的嘟文,以及與關鍵詞匹配的使用者名稱、帳戶顯示名稱和主題標籤。",
|
||||||
|
@ -432,9 +432,9 @@
|
||||||
"search_popout.tips.text": "輸入簡單的文字,搜尋符合的使用者名稱,帳戶名稱與標籤",
|
"search_popout.tips.text": "輸入簡單的文字,搜尋符合的使用者名稱,帳戶名稱與標籤",
|
||||||
"search_popout.tips.user": "使用者",
|
"search_popout.tips.user": "使用者",
|
||||||
"search_results.accounts": "使用者",
|
"search_results.accounts": "使用者",
|
||||||
"search_results.all": "All",
|
"search_results.all": "全部",
|
||||||
"search_results.hashtags": "主題標籤",
|
"search_results.hashtags": "主題標籤",
|
||||||
"search_results.nothing_found": "Could not find anything for these search terms",
|
"search_results.nothing_found": "無法找到符合搜尋條件之結果",
|
||||||
"search_results.statuses": "嘟文",
|
"search_results.statuses": "嘟文",
|
||||||
"search_results.statuses_fts_disabled": "「依內容搜尋嘟文」未在此 Mastodon 伺服器啟用。",
|
"search_results.statuses_fts_disabled": "「依內容搜尋嘟文」未在此 Mastodon 伺服器啟用。",
|
||||||
"search_results.total": "{count, number} 項結果",
|
"search_results.total": "{count, number} 項結果",
|
||||||
|
|
|
@ -923,6 +923,12 @@ a.name-tag,
|
||||||
text-decoration: none;
|
text-decoration: none;
|
||||||
margin-bottom: 10px;
|
margin-bottom: 10px;
|
||||||
|
|
||||||
|
.account-role {
|
||||||
|
vertical-align: middle;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
a.announcements-list__item__title {
|
||||||
&:hover,
|
&:hover,
|
||||||
&:focus,
|
&:focus,
|
||||||
&:active {
|
&:active {
|
||||||
|
@ -941,6 +947,10 @@ a.name-tag,
|
||||||
align-items: center;
|
align-items: center;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
&__permissions {
|
||||||
|
margin-top: 10px;
|
||||||
|
}
|
||||||
|
|
||||||
&:last-child {
|
&:last-child {
|
||||||
border-bottom: 0;
|
border-bottom: 0;
|
||||||
}
|
}
|
||||||
|
@ -1510,6 +1520,8 @@ a.sparkline {
|
||||||
word-wrap: break-word;
|
word-wrap: break-word;
|
||||||
font-weight: 400;
|
font-weight: 400;
|
||||||
color: $primary-text-color;
|
color: $primary-text-color;
|
||||||
|
box-sizing: border-box;
|
||||||
|
min-height: 100%;
|
||||||
|
|
||||||
p {
|
p {
|
||||||
margin-bottom: 20px;
|
margin-bottom: 20px;
|
||||||
|
|
|
@ -1,7 +1,6 @@
|
||||||
.container-alt {
|
.container-alt {
|
||||||
width: 700px;
|
width: 700px;
|
||||||
margin: 0 auto;
|
margin: 0 auto;
|
||||||
margin-top: 40px;
|
|
||||||
|
|
||||||
@media screen and (max-width: 740px) {
|
@media screen and (max-width: 740px) {
|
||||||
width: 100%;
|
width: 100%;
|
||||||
|
@ -67,22 +66,20 @@
|
||||||
line-height: 18px;
|
line-height: 18px;
|
||||||
box-sizing: border-box;
|
box-sizing: border-box;
|
||||||
padding: 20px 0;
|
padding: 20px 0;
|
||||||
padding-bottom: 0;
|
|
||||||
margin-bottom: -30px;
|
|
||||||
margin-top: 40px;
|
margin-top: 40px;
|
||||||
|
margin-bottom: 10px;
|
||||||
|
border-bottom: 1px solid $ui-base-color;
|
||||||
|
|
||||||
@media screen and (max-width: 440px) {
|
@media screen and (max-width: 440px) {
|
||||||
width: 100%;
|
width: 100%;
|
||||||
margin: 0;
|
margin: 0;
|
||||||
margin-bottom: 10px;
|
|
||||||
padding: 20px;
|
padding: 20px;
|
||||||
padding-bottom: 0;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.avatar {
|
.avatar {
|
||||||
width: 40px;
|
width: 40px;
|
||||||
height: 40px;
|
height: 40px;
|
||||||
margin-right: 8px;
|
margin-right: 10px;
|
||||||
|
|
||||||
img {
|
img {
|
||||||
width: 100%;
|
width: 100%;
|
||||||
|
@ -96,7 +93,7 @@
|
||||||
.name {
|
.name {
|
||||||
flex: 1 1 auto;
|
flex: 1 1 auto;
|
||||||
color: $secondary-text-color;
|
color: $secondary-text-color;
|
||||||
width: calc(100% - 88px);
|
width: calc(100% - 90px);
|
||||||
|
|
||||||
.username {
|
.username {
|
||||||
display: block;
|
display: block;
|
||||||
|
@ -110,7 +107,7 @@
|
||||||
display: block;
|
display: block;
|
||||||
font-size: 32px;
|
font-size: 32px;
|
||||||
line-height: 40px;
|
line-height: 40px;
|
||||||
margin-left: 8px;
|
margin-left: 10px;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -800,9 +800,41 @@ code {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
}
|
||||||
|
|
||||||
@media screen and (max-width: 740px) and (min-width: 441px) {
|
.oauth-prompt {
|
||||||
margin-top: 40px;
|
h3 {
|
||||||
|
color: $ui-secondary-color;
|
||||||
|
font-size: 17px;
|
||||||
|
line-height: 22px;
|
||||||
|
font-weight: 500;
|
||||||
|
margin-bottom: 30px;
|
||||||
|
}
|
||||||
|
|
||||||
|
p {
|
||||||
|
font-size: 14px;
|
||||||
|
line-height: 18px;
|
||||||
|
margin-bottom: 30px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.permissions-list {
|
||||||
|
border: 1px solid $ui-base-color;
|
||||||
|
border-radius: 4px;
|
||||||
|
background: darken($ui-base-color, 4%);
|
||||||
|
margin-bottom: 30px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.actions {
|
||||||
|
margin: 0 -10px;
|
||||||
|
display: flex;
|
||||||
|
|
||||||
|
form {
|
||||||
|
box-sizing: border-box;
|
||||||
|
padding: 0 10px;
|
||||||
|
flex: 1 1 auto;
|
||||||
|
min-height: 1px;
|
||||||
|
width: 50%;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1005,3 +1037,38 @@ code {
|
||||||
display: none;
|
display: none;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.permissions-list {
|
||||||
|
&__item {
|
||||||
|
padding: 15px;
|
||||||
|
color: $ui-secondary-color;
|
||||||
|
border-bottom: 1px solid lighten($ui-base-color, 4%);
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
|
||||||
|
&__text {
|
||||||
|
flex: 1 1 auto;
|
||||||
|
|
||||||
|
&__title {
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
|
&__type {
|
||||||
|
color: $darker-text-color;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
&__icon {
|
||||||
|
flex: 0 0 auto;
|
||||||
|
font-size: 18px;
|
||||||
|
width: 30px;
|
||||||
|
color: $valid-value-color;
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
}
|
||||||
|
|
||||||
|
&:last-child {
|
||||||
|
border-bottom: 0;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
|
@ -11,6 +11,10 @@ module AccessTokenExtension
|
||||||
update(revoked_at: clock.now.utc)
|
update(revoked_at: clock.now.utc)
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def update_last_used(request, clock = Time)
|
||||||
|
update(last_used_at: clock.now.utc, last_used_ip: request.remote_ip)
|
||||||
|
end
|
||||||
|
|
||||||
def push_to_streaming_api
|
def push_to_streaming_api
|
||||||
Redis.current.publish("timeline:access_token:#{id}", Oj.dump(event: :kill)) if revoked? || destroyed?
|
Redis.current.publish("timeline:access_token:#{id}", Oj.dump(event: :kill)) if revoked? || destroyed?
|
||||||
end
|
end
|
||||||
|
|
|
@ -8,4 +8,8 @@ module ApplicationExtension
|
||||||
validates :website, url: true, length: { maximum: 2_000 }, if: :website?
|
validates :website, url: true, length: { maximum: 2_000 }, if: :website?
|
||||||
validates :redirect_uri, length: { maximum: 2_000 }
|
validates :redirect_uri, length: { maximum: 2_000 }
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def most_recently_used_access_token
|
||||||
|
@most_recently_used_access_token ||= access_tokens.where.not(last_used_at: nil).order(last_used_at: :desc).first
|
||||||
|
end
|
||||||
end
|
end
|
||||||
|
|
10
app/lib/scope_parser.rb
Normal file
10
app/lib/scope_parser.rb
Normal file
|
@ -0,0 +1,10 @@
|
||||||
|
# frozen_string_literal: true
|
||||||
|
|
||||||
|
class ScopeParser < Parslet::Parser
|
||||||
|
rule(:term) { match('[a-z]').repeat(1).as(:term) }
|
||||||
|
rule(:colon) { str(':') }
|
||||||
|
rule(:access) { (str('write') | str('read')).as(:access) }
|
||||||
|
rule(:namespace) { str('admin').as(:namespace) }
|
||||||
|
rule(:scope) { ((namespace >> colon).maybe >> ((access >> colon >> term) | access | term)).as(:scope) }
|
||||||
|
root(:scope)
|
||||||
|
end
|
40
app/lib/scope_transformer.rb
Normal file
40
app/lib/scope_transformer.rb
Normal file
|
@ -0,0 +1,40 @@
|
||||||
|
# frozen_string_literal: true
|
||||||
|
|
||||||
|
class ScopeTransformer < Parslet::Transform
|
||||||
|
class Scope
|
||||||
|
DEFAULT_TERM = 'all'
|
||||||
|
DEFAULT_ACCESS = %w(read write).freeze
|
||||||
|
|
||||||
|
attr_reader :namespace, :term
|
||||||
|
|
||||||
|
def initialize(scope)
|
||||||
|
@namespace = scope[:namespace]&.to_s
|
||||||
|
@access = scope[:access] ? [scope[:access].to_s] : DEFAULT_ACCESS.dup
|
||||||
|
@term = scope[:term]&.to_s || DEFAULT_TERM
|
||||||
|
end
|
||||||
|
|
||||||
|
def key
|
||||||
|
@key ||= [@namespace, @term].compact.join('/')
|
||||||
|
end
|
||||||
|
|
||||||
|
def access
|
||||||
|
@access.join('/')
|
||||||
|
end
|
||||||
|
|
||||||
|
def merge(other_scope)
|
||||||
|
clone.merge!(other_scope)
|
||||||
|
end
|
||||||
|
|
||||||
|
def merge!(other_scope)
|
||||||
|
raise ArgumentError unless other_scope.namespace == namespace && other_scope.term == term
|
||||||
|
|
||||||
|
@access.concat(other_scope.instance_variable_get('@access'))
|
||||||
|
@access.uniq!
|
||||||
|
@access.sort!
|
||||||
|
|
||||||
|
self
|
||||||
|
end
|
||||||
|
end
|
||||||
|
|
||||||
|
rule(scope: subtree(:scope)) { Scope.new(scope) }
|
||||||
|
end
|
|
@ -17,12 +17,13 @@
|
||||||
|
|
||||||
class AccountWarning < ApplicationRecord
|
class AccountWarning < ApplicationRecord
|
||||||
enum action: {
|
enum action: {
|
||||||
none: 0,
|
none: 0,
|
||||||
disable: 1_000,
|
disable: 1_000,
|
||||||
delete_statuses: 1_500,
|
mark_statuses_as_sensitive: 1_250,
|
||||||
sensitive: 2_000,
|
delete_statuses: 1_500,
|
||||||
silence: 3_000,
|
sensitive: 2_000,
|
||||||
suspend: 4_000,
|
silence: 3_000,
|
||||||
|
suspend: 4_000,
|
||||||
}, _suffix: :action
|
}, _suffix: :action
|
||||||
|
|
||||||
belongs_to :account, inverse_of: :account_warnings
|
belongs_to :account, inverse_of: :account_warnings
|
||||||
|
@ -33,7 +34,7 @@ class AccountWarning < ApplicationRecord
|
||||||
|
|
||||||
scope :latest, -> { order(id: :desc) }
|
scope :latest, -> { order(id: :desc) }
|
||||||
scope :custom, -> { where.not(text: '') }
|
scope :custom, -> { where.not(text: '') }
|
||||||
scope :active, -> { where(overruled_at: nil).or(where('account_warnings.overruled_at >= ?', 30.days.ago)) }
|
scope :recent, -> { where('account_warnings.created_at >= ?', 3.months.ago) }
|
||||||
|
|
||||||
def statuses
|
def statuses
|
||||||
Status.with_discarded.where(id: status_ids || [])
|
Status.with_discarded.where(id: status_ids || [])
|
||||||
|
|
|
@ -30,6 +30,8 @@ class Admin::StatusBatchAction
|
||||||
case type
|
case type
|
||||||
when 'delete'
|
when 'delete'
|
||||||
handle_delete!
|
handle_delete!
|
||||||
|
when 'mark_as_sensitive'
|
||||||
|
handle_mark_as_sensitive!
|
||||||
when 'report'
|
when 'report'
|
||||||
handle_report!
|
handle_report!
|
||||||
when 'remove_from_report'
|
when 'remove_from_report'
|
||||||
|
@ -65,6 +67,38 @@ class Admin::StatusBatchAction
|
||||||
RemovalWorker.push_bulk(status_ids) { |status_id| [status_id, { 'preserve' => target_account.local?, 'immediate' => !target_account.local? }] }
|
RemovalWorker.push_bulk(status_ids) { |status_id| [status_id, { 'preserve' => target_account.local?, 'immediate' => !target_account.local? }] }
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def handle_mark_as_sensitive!
|
||||||
|
# Can't use a transaction here because UpdateStatusService queues
|
||||||
|
# Sidekiq jobs
|
||||||
|
statuses.includes(:media_attachments, :preview_cards).find_each do |status|
|
||||||
|
next unless status.with_media? || status.with_preview_card?
|
||||||
|
|
||||||
|
authorize(status, :update?)
|
||||||
|
|
||||||
|
if target_account.local?
|
||||||
|
UpdateStatusService.new.call(status, current_account.id, sensitive: true)
|
||||||
|
else
|
||||||
|
status.update(sensitive: true)
|
||||||
|
end
|
||||||
|
|
||||||
|
log_action(:update, status)
|
||||||
|
|
||||||
|
if with_report?
|
||||||
|
report.resolve!(current_account)
|
||||||
|
log_action(:resolve, report)
|
||||||
|
end
|
||||||
|
|
||||||
|
@warning = target_account.strikes.create!(
|
||||||
|
action: :mark_statuses_as_sensitive,
|
||||||
|
account: current_account,
|
||||||
|
report: report,
|
||||||
|
status_ids: status_ids
|
||||||
|
)
|
||||||
|
end
|
||||||
|
|
||||||
|
UserMailer.warning(target_account.user, @warning).deliver_later! if warnable?
|
||||||
|
end
|
||||||
|
|
||||||
def handle_report!
|
def handle_report!
|
||||||
@report = Report.new(report_params) unless with_report?
|
@report = Report.new(report_params) unless with_report?
|
||||||
@report.status_ids = (@report.status_ids + status_ids.map(&:to_i)).uniq
|
@report.status_ids = (@report.status_ids + status_ids.map(&:to_i)).uniq
|
||||||
|
|
|
@ -238,6 +238,10 @@ class Status < ApplicationRecord
|
||||||
media_attachments.any?
|
media_attachments.any?
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def with_preview_card?
|
||||||
|
preview_cards.any?
|
||||||
|
end
|
||||||
|
|
||||||
def non_sensitive_with_media?
|
def non_sensitive_with_media?
|
||||||
!sensitive? && with_media?
|
!sensitive? && with_media?
|
||||||
end
|
end
|
||||||
|
|
|
@ -27,6 +27,8 @@ class ApproveAppealService < BaseService
|
||||||
undo_disable!
|
undo_disable!
|
||||||
when 'delete_statuses'
|
when 'delete_statuses'
|
||||||
undo_delete_statuses!
|
undo_delete_statuses!
|
||||||
|
when 'mark_statuses_as_sensitive'
|
||||||
|
undo_mark_statuses_as_sensitive!
|
||||||
when 'sensitive'
|
when 'sensitive'
|
||||||
undo_sensitive!
|
undo_sensitive!
|
||||||
when 'silence'
|
when 'silence'
|
||||||
|
@ -49,6 +51,12 @@ class ApproveAppealService < BaseService
|
||||||
# Cannot be undone
|
# Cannot be undone
|
||||||
end
|
end
|
||||||
|
|
||||||
|
def undo_mark_statuses_as_sensitive!
|
||||||
|
@strike.statuses.includes(:media_attachments).each do |status|
|
||||||
|
UpdateStatusService.new.call(status, @current_account.id, sensitive: false) if status.with_media?
|
||||||
|
end
|
||||||
|
end
|
||||||
|
|
||||||
def undo_sensitive!
|
def undo_sensitive!
|
||||||
target_account.unsensitize!
|
target_account.unsensitize!
|
||||||
end
|
end
|
||||||
|
|
|
@ -23,8 +23,8 @@ class UpdateStatusService < BaseService
|
||||||
|
|
||||||
Status.transaction do
|
Status.transaction do
|
||||||
create_previous_edit!
|
create_previous_edit!
|
||||||
update_media_attachments!
|
update_media_attachments! if @options.key?(:media_ids)
|
||||||
update_poll!
|
update_poll! if @options.key?(:poll)
|
||||||
update_immediate_attributes!
|
update_immediate_attributes!
|
||||||
create_edit!
|
create_edit!
|
||||||
end
|
end
|
||||||
|
@ -92,9 +92,9 @@ class UpdateStatusService < BaseService
|
||||||
end
|
end
|
||||||
|
|
||||||
def update_immediate_attributes!
|
def update_immediate_attributes!
|
||||||
@status.text = @options[:text].presence || @options.delete(:spoiler_text) || ''
|
@status.text = @options[:text].presence || @options.delete(:spoiler_text) || '' if @options.key?(:text)
|
||||||
@status.spoiler_text = @options[:spoiler_text] || ''
|
@status.spoiler_text = @options[:spoiler_text] || '' if @options.key?(:spoiler_text)
|
||||||
@status.sensitive = @options[:sensitive] || @options[:spoiler_text].present?
|
@status.sensitive = @options[:sensitive] || @options[:spoiler_text].present? if @options.key?(:sensitive) || @options.key?(:spoiler_text)
|
||||||
@status.language = valid_locale_or_nil(@options[:language] || @status.language || @status.account.user&.preferred_posting_language || I18n.default_locale)
|
@status.language = valid_locale_or_nil(@options[:language] || @status.language || @status.account.user&.preferred_posting_language || I18n.default_locale)
|
||||||
@status.content_type = @options[:content_type] || @status.content_type
|
@status.content_type = @options[:content_type] || @status.content_type
|
||||||
@status.edited_at = Time.now.utc
|
@status.edited_at = Time.now.utc
|
||||||
|
|
|
@ -5,6 +5,12 @@
|
||||||
= link_to t('admin.reports.mark_as_resolved'), resolve_admin_report_path(@report), method: :post, class: 'button'
|
= link_to t('admin.reports.mark_as_resolved'), resolve_admin_report_path(@report), method: :post, class: 'button'
|
||||||
.report-actions__item__description
|
.report-actions__item__description
|
||||||
= t('admin.reports.actions.resolve_description_html')
|
= t('admin.reports.actions.resolve_description_html')
|
||||||
|
- if @statuses.any? { |status| status.with_media? || status.with_preview_card? }
|
||||||
|
.report-actions__item
|
||||||
|
.report-actions__item__button
|
||||||
|
= button_tag t('admin.reports.mark_as_sensitive'), name: :mark_as_sensitive, class: 'button'
|
||||||
|
.report-actions__item__description
|
||||||
|
= t('admin.reports.actions.mark_as_sensitive_description_html')
|
||||||
.report-actions__item
|
.report-actions__item
|
||||||
.report-actions__item__button
|
.report-actions__item__button
|
||||||
= button_tag t('admin.reports.delete_and_resolve'), name: :delete, class: 'button button--destructive'
|
= button_tag t('admin.reports.delete_and_resolve'), name: :delete, class: 'button button--destructive'
|
||||||
|
|
|
@ -12,6 +12,22 @@
|
||||||
|
|
||||||
%h3= t('auth.status.account_status')
|
%h3= t('auth.status.account_status')
|
||||||
|
|
||||||
|
%p.hint
|
||||||
|
- if @user.account.suspended?
|
||||||
|
%span.negative-hint= t('user_mailer.warning.explanation.suspend')
|
||||||
|
- elsif @user.disabled?
|
||||||
|
%span.negative-hint= t('user_mailer.warning.explanation.disable')
|
||||||
|
- elsif @user.account.silenced?
|
||||||
|
%span.warning-hint= t('user_mailer.warning.explanation.silence')
|
||||||
|
- else
|
||||||
|
%span.positive-hint= t('auth.status.functional')
|
||||||
|
|
||||||
= render partial: 'account_warning', collection: @strikes
|
= render partial: 'account_warning', collection: @strikes
|
||||||
|
|
||||||
|
- if @user.account.strikes.exists?
|
||||||
|
%hr.spacer/
|
||||||
|
|
||||||
|
%p.muted-hint
|
||||||
|
= link_to t('auth.status.view_strikes'), disputes_strikes_path
|
||||||
|
|
||||||
%hr.spacer/
|
%hr.spacer/
|
||||||
|
|
6
app/views/disputes/strikes/index.html.haml
Normal file
6
app/views/disputes/strikes/index.html.haml
Normal file
|
@ -0,0 +1,6 @@
|
||||||
|
- content_for :page_title do
|
||||||
|
= t('settings.strikes')
|
||||||
|
|
||||||
|
%p= t('disputes.strikes.description_html', instance: Rails.configuration.x.local_domain)
|
||||||
|
|
||||||
|
= render partial: 'auth/registrations/account_warning', collection: @strikes
|
|
@ -9,8 +9,9 @@
|
||||||
= fa_icon 'sign-out'
|
= fa_icon 'sign-out'
|
||||||
|
|
||||||
.container-alt= yield
|
.container-alt= yield
|
||||||
|
|
||||||
.modal-layout__mastodon
|
.modal-layout__mastodon
|
||||||
%div
|
%div
|
||||||
%img{alt:'', draggable:'false', src:"#{mascot_url}"}
|
%img{alt: '', draggable: 'false', src: mascot_url }
|
||||||
|
|
||||||
= render template: 'layouts/application'
|
= render template: 'layouts/application'
|
||||||
|
|
|
@ -1,26 +1,38 @@
|
||||||
- content_for :page_title do
|
- content_for :page_title do
|
||||||
= t('doorkeeper.authorizations.new.title')
|
= t('doorkeeper.authorizations.new.title')
|
||||||
|
|
||||||
.form-container
|
.form-container.simple_form
|
||||||
.oauth-prompt
|
.oauth-prompt
|
||||||
%h2= t('doorkeeper.authorizations.new.prompt', client_name: @pre_auth.client.name)
|
%h3= t('doorkeeper.authorizations.new.title')
|
||||||
|
|
||||||
%p
|
%p= t('doorkeeper.authorizations.new.prompt_html', client_name: content_tag(:strong, @pre_auth.client.name))
|
||||||
= t('doorkeeper.authorizations.new.able_to')
|
|
||||||
!= @pre_auth.scopes.map { |scope| t(scope, scope: [:doorkeeper, :scopes]) }.map { |s| "<strong>#{s}</strong>" }.to_sentence
|
|
||||||
|
|
||||||
= form_tag oauth_authorization_path, method: :post, class: 'simple_form' do
|
%h3= t('doorkeeper.authorizations.new.review_permissions')
|
||||||
= hidden_field_tag :client_id, @pre_auth.client.uid
|
|
||||||
= hidden_field_tag :redirect_uri, @pre_auth.redirect_uri
|
|
||||||
= hidden_field_tag :state, @pre_auth.state
|
|
||||||
= hidden_field_tag :response_type, @pre_auth.response_type
|
|
||||||
= hidden_field_tag :scope, @pre_auth.scope
|
|
||||||
= button_tag t('doorkeeper.authorizations.buttons.authorize'), type: :submit
|
|
||||||
|
|
||||||
= form_tag oauth_authorization_path, method: :delete, class: 'simple_form' do
|
%ul.permissions-list
|
||||||
= hidden_field_tag :client_id, @pre_auth.client.uid
|
- grouped_scopes(@pre_auth.scopes).each do |scope|
|
||||||
= hidden_field_tag :redirect_uri, @pre_auth.redirect_uri
|
%li.permissions-list__item
|
||||||
= hidden_field_tag :state, @pre_auth.state
|
.permissions-list__item__icon
|
||||||
= hidden_field_tag :response_type, @pre_auth.response_type
|
= fa_icon('check')
|
||||||
= hidden_field_tag :scope, @pre_auth.scope
|
.permissions-list__item__text
|
||||||
= button_tag t('doorkeeper.authorizations.buttons.deny'), type: :submit, class: 'negative'
|
.permissions-list__item__text__title
|
||||||
|
= t(scope.key, scope: [:doorkeeper, :grouped_scopes, :title])
|
||||||
|
.permissions-list__item__text__type
|
||||||
|
= t(scope.access, scope: [:doorkeeper, :grouped_scopes, :access])
|
||||||
|
|
||||||
|
.actions
|
||||||
|
= form_tag oauth_authorization_path, method: :post do
|
||||||
|
= hidden_field_tag :client_id, @pre_auth.client.uid
|
||||||
|
= hidden_field_tag :redirect_uri, @pre_auth.redirect_uri
|
||||||
|
= hidden_field_tag :state, @pre_auth.state
|
||||||
|
= hidden_field_tag :response_type, @pre_auth.response_type
|
||||||
|
= hidden_field_tag :scope, @pre_auth.scope
|
||||||
|
= button_tag t('doorkeeper.authorizations.buttons.authorize'), type: :submit
|
||||||
|
|
||||||
|
= form_tag oauth_authorization_path, method: :delete do
|
||||||
|
= hidden_field_tag :client_id, @pre_auth.client.uid
|
||||||
|
= hidden_field_tag :redirect_uri, @pre_auth.redirect_uri
|
||||||
|
= hidden_field_tag :state, @pre_auth.state
|
||||||
|
= hidden_field_tag :response_type, @pre_auth.response_type
|
||||||
|
= hidden_field_tag :scope, @pre_auth.scope
|
||||||
|
= button_tag t('doorkeeper.authorizations.buttons.deny'), type: :submit, class: 'negative'
|
||||||
|
|
|
@ -1,24 +1,44 @@
|
||||||
- content_for :page_title do
|
- content_for :page_title do
|
||||||
= t('doorkeeper.authorized_applications.index.title')
|
= t('doorkeeper.authorized_applications.index.title')
|
||||||
|
|
||||||
.table-wrapper
|
%p= t('doorkeeper.authorized_applications.index.description_html')
|
||||||
%table.table
|
|
||||||
%thead
|
%hr.spacer/
|
||||||
%tr
|
|
||||||
%th= t('doorkeeper.authorized_applications.index.application')
|
.announcements-list
|
||||||
%th= t('doorkeeper.authorized_applications.index.scopes')
|
- @applications.each do |application|
|
||||||
%th= t('doorkeeper.authorized_applications.index.created_at')
|
.announcements-list__item
|
||||||
%th
|
- if application.website.present?
|
||||||
%tbody
|
= link_to application.name, application.website, target: '_blank', rel: 'noopener noreferrer', class: 'announcements-list__item__title'
|
||||||
- @applications.each do |application|
|
- else
|
||||||
%tr
|
%strong.announcements-list__item__title
|
||||||
%td
|
= application.name
|
||||||
- if application.website.blank?
|
- if application.superapp?
|
||||||
= application.name
|
%span.account-role.moderator= t('doorkeeper.authorized_applications.index.superapp')
|
||||||
- else
|
|
||||||
= link_to application.name, application.website, target: '_blank', rel: 'noopener noreferrer'
|
.announcements-list__item__action-bar
|
||||||
%th!= application.scopes.map { |scope| t(scope, scope: [:doorkeeper, :scopes]) }.join(', ')
|
.announcements-list__item__meta
|
||||||
%td= l application.created_at
|
- if application.most_recently_used_access_token
|
||||||
%td
|
= t('doorkeeper.authorized_applications.index.last_used_at', date: l(application.most_recently_used_access_token.last_used_at.to_date))
|
||||||
- unless application.superapp? || current_account.suspended?
|
- else
|
||||||
= table_link_to 'times', t('doorkeeper.authorized_applications.buttons.revoke'), oauth_authorized_application_path(application), method: :delete, data: { confirm: t('doorkeeper.authorized_applications.confirmations.revoke') }
|
= t('doorkeeper.authorized_applications.index.never_used')
|
||||||
|
|
||||||
|
•
|
||||||
|
|
||||||
|
= t('doorkeeper.authorized_applications.index.authorized_at', date: l(application.created_at.to_date))
|
||||||
|
|
||||||
|
- unless application.superapp? || current_account.suspended?
|
||||||
|
%div
|
||||||
|
= table_link_to 'times', t('doorkeeper.authorized_applications.buttons.revoke'), oauth_authorized_application_path(application), method: :delete, data: { confirm: t('doorkeeper.authorized_applications.confirmations.revoke') }
|
||||||
|
|
||||||
|
.announcements-list__item__permissions
|
||||||
|
%ul.permissions-list
|
||||||
|
- grouped_scopes(application.scopes).each do |scope|
|
||||||
|
%li.permissions-list__item
|
||||||
|
.permissions-list__item__icon
|
||||||
|
= fa_icon('check')
|
||||||
|
.permissions-list__item__text
|
||||||
|
.permissions-list__item__text__title
|
||||||
|
= t(scope.key, scope: [:doorkeeper, :grouped_scopes, :title])
|
||||||
|
.permissions-list__item__text__type
|
||||||
|
= t(scope.access, scope: [:doorkeeper, :grouped_scopes, :access])
|
||||||
|
|
|
@ -18,6 +18,7 @@ class Scheduler::IpCleanupScheduler
|
||||||
SessionActivation.where('updated_at < ?', IP_RETENTION_PERIOD.ago).in_batches.destroy_all
|
SessionActivation.where('updated_at < ?', IP_RETENTION_PERIOD.ago).in_batches.destroy_all
|
||||||
User.where('current_sign_in_at < ?', IP_RETENTION_PERIOD.ago).in_batches.update_all(sign_up_ip: nil)
|
User.where('current_sign_in_at < ?', IP_RETENTION_PERIOD.ago).in_batches.update_all(sign_up_ip: nil)
|
||||||
LoginActivity.where('created_at < ?', IP_RETENTION_PERIOD.ago).in_batches.destroy_all
|
LoginActivity.where('created_at < ?', IP_RETENTION_PERIOD.ago).in_batches.destroy_all
|
||||||
|
Doorkeeper::AccessToken.where('last_used_at < ?', IP_RETENTION_PERIOD.ago).in_batches.update_all(last_used_ip: nil)
|
||||||
end
|
end
|
||||||
|
|
||||||
def clean_expired_ip_blocks!
|
def clean_expired_ip_blocks!
|
||||||
|
|
|
@ -2,11 +2,10 @@
|
||||||
ast:
|
ast:
|
||||||
activerecord:
|
activerecord:
|
||||||
attributes:
|
attributes:
|
||||||
poll:
|
user:
|
||||||
options: Escoyetes
|
locale: Locale
|
||||||
errors:
|
password: Contraseña
|
||||||
models:
|
user/account:
|
||||||
account:
|
username: Nome d'usuariu
|
||||||
attributes:
|
user/invite_request:
|
||||||
username:
|
text: Motivu
|
||||||
invalid: namái lletres, númberos y guiones baxos
|
|
||||||
|
|
|
@ -5,13 +5,28 @@ cy:
|
||||||
poll:
|
poll:
|
||||||
expires_at: Terfyn amser
|
expires_at: Terfyn amser
|
||||||
options: Dewisiadau
|
options: Dewisiadau
|
||||||
|
user:
|
||||||
|
agreement: Cytundeb gwasanaeth
|
||||||
|
email: Cyfeiriad e-bost
|
||||||
|
locale: Locale
|
||||||
|
password: Cyfrinair
|
||||||
|
user/account:
|
||||||
|
username: Enw defnyddiwr
|
||||||
|
user/invite_request:
|
||||||
|
text: Rheswm
|
||||||
errors:
|
errors:
|
||||||
models:
|
models:
|
||||||
account:
|
account:
|
||||||
attributes:
|
attributes:
|
||||||
username:
|
username:
|
||||||
invalid: dim ond llythrennau, rhifau a tanlinellau
|
invalid: dim ond llythrennau, rhifau a tanlinellau
|
||||||
|
reserved: yn neilltuedig
|
||||||
status:
|
status:
|
||||||
attributes:
|
attributes:
|
||||||
reblog:
|
reblog:
|
||||||
taken: o'r statws yn bodoli'n barod
|
taken: o'r statws yn bodoli'n barod
|
||||||
|
user:
|
||||||
|
attributes:
|
||||||
|
email:
|
||||||
|
blocked: yn defnyddio darparwr e-bost nas caniateir
|
||||||
|
unreachable: nid yw'n bodoli
|
||||||
|
|
|
@ -452,10 +452,7 @@ ar:
|
||||||
add_new: إضافة
|
add_new: إضافة
|
||||||
created_msg: لقد دخل حظر نطاق البريد الإلكتروني حيّز الخدمة
|
created_msg: لقد دخل حظر نطاق البريد الإلكتروني حيّز الخدمة
|
||||||
delete: حذف
|
delete: حذف
|
||||||
destroyed_msg: تم حذف نطاق البريد الإلكتروني من اللائحة السوداء بنجاح
|
|
||||||
domain: النطاق
|
domain: النطاق
|
||||||
empty: ليس هناك أية نطاقات للبريد الإلكتروني مُدرَجة في القائمة السوداء.
|
|
||||||
from_html: مِن %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: إضافة نطاق
|
create: إضافة نطاق
|
||||||
title: إضافة نطاق بريد جديد إلى اللائحة السوداء
|
title: إضافة نطاق بريد جديد إلى اللائحة السوداء
|
||||||
|
|
|
@ -5,6 +5,7 @@ ast:
|
||||||
about_mastodon_html: 'La rede social del futuru: ¡ensin anuncios nin vixilancia, con un diseñu éticu y descentralizáu! Controla los tos datos con Mastodon.'
|
about_mastodon_html: 'La rede social del futuru: ¡ensin anuncios nin vixilancia, con un diseñu éticu y descentralizáu! Controla los tos datos con Mastodon.'
|
||||||
about_this: Tocante a
|
about_this: Tocante a
|
||||||
administered_by: 'Alministráu por:'
|
administered_by: 'Alministráu por:'
|
||||||
|
api: API
|
||||||
apps: Aplicaciones pa móviles
|
apps: Aplicaciones pa móviles
|
||||||
apps_platforms: Usa Mastodon dende Android, iOS y otres plataformes
|
apps_platforms: Usa Mastodon dende Android, iOS y otres plataformes
|
||||||
contact: Contautu
|
contact: Contautu
|
||||||
|
@ -27,7 +28,7 @@ ast:
|
||||||
terms: Términos del serviciu
|
terms: Términos del serviciu
|
||||||
unavailable_content_description:
|
unavailable_content_description:
|
||||||
domain: Sirvidor
|
domain: Sirvidor
|
||||||
reason: Razón
|
reason: Motivu
|
||||||
user_count_after:
|
user_count_after:
|
||||||
one: usuariu
|
one: usuariu
|
||||||
other: usuarios
|
other: usuarios
|
||||||
|
@ -92,12 +93,22 @@ ast:
|
||||||
domain: Dominiu
|
domain: Dominiu
|
||||||
instances:
|
instances:
|
||||||
by_domain: Dominiu
|
by_domain: Dominiu
|
||||||
|
private_comment: Comentariu priváu
|
||||||
|
public_comment: Comentariu públicu
|
||||||
title: Federación
|
title: Federación
|
||||||
invites:
|
invites:
|
||||||
filter:
|
filter:
|
||||||
available: Disponible
|
available: Disponible
|
||||||
expired: Caducó
|
expired: Caducó
|
||||||
title: Invitaciones
|
title: Invitaciones
|
||||||
|
ip_blocks:
|
||||||
|
expires_in:
|
||||||
|
'1209600': 2 selmanes
|
||||||
|
'15778476': 6 meses
|
||||||
|
'2629746': 1 mes
|
||||||
|
'31556952': 1 añu
|
||||||
|
'86400': 1 día
|
||||||
|
'94670856': 3 años
|
||||||
relays:
|
relays:
|
||||||
save_and_enable: Guardar y activar
|
save_and_enable: Guardar y activar
|
||||||
status: Estáu
|
status: Estáu
|
||||||
|
@ -164,8 +175,8 @@ ast:
|
||||||
web: Dir a la web
|
web: Dir a la web
|
||||||
datetime:
|
datetime:
|
||||||
distance_in_words:
|
distance_in_words:
|
||||||
half_a_minute: Púramente agora
|
half_a_minute: Puramente agora
|
||||||
less_than_x_seconds: Púramente agora
|
less_than_x_seconds: Puramente agora
|
||||||
deletes:
|
deletes:
|
||||||
challenge_not_passed: La información qu'introduxesti nun yera correuta
|
challenge_not_passed: La información qu'introduxesti nun yera correuta
|
||||||
confirm_password: Introduz la contraseña pa verificar la to identidá
|
confirm_password: Introduz la contraseña pa verificar la to identidá
|
||||||
|
@ -176,6 +187,9 @@ ast:
|
||||||
directory: Direutoriu de perfiles
|
directory: Direutoriu de perfiles
|
||||||
explanation: y descubri a usuarios según los sos intereses
|
explanation: y descubri a usuarios según los sos intereses
|
||||||
explore_mastodon: Esplora %{title}
|
explore_mastodon: Esplora %{title}
|
||||||
|
disputes:
|
||||||
|
strikes:
|
||||||
|
appeal_rejected: Refugóse l'apellación
|
||||||
errors:
|
errors:
|
||||||
'400': The request you submitted was invalid or malformed.
|
'400': The request you submitted was invalid or malformed.
|
||||||
'403': Nun tienes permisu pa ver esta páxina.
|
'403': Nun tienes permisu pa ver esta páxina.
|
||||||
|
@ -326,12 +340,31 @@ ast:
|
||||||
sessions:
|
sessions:
|
||||||
browser: Restolador
|
browser: Restolador
|
||||||
browsers:
|
browsers:
|
||||||
|
alipay: Alipay
|
||||||
|
blackberry: Blackberry
|
||||||
|
chrome: Chrome
|
||||||
|
edge: Microsoft Edge
|
||||||
|
electron: Electron
|
||||||
|
firefox: Firefox
|
||||||
generic: Restolador desconocíu
|
generic: Restolador desconocíu
|
||||||
|
ie: Internet Explorer
|
||||||
|
micro_messenger: MicroMessenger
|
||||||
current_session: Sesión actual
|
current_session: Sesión actual
|
||||||
description: "%{browser} en %{platform}"
|
description: "%{browser} en %{platform}"
|
||||||
|
ip: IP
|
||||||
platforms:
|
platforms:
|
||||||
mac: Mac
|
adobe_air: Adobe Air
|
||||||
|
android: Android
|
||||||
|
blackberry: Blackberry
|
||||||
|
chrome_os: Chrome OS
|
||||||
|
firefox_os: Firefox OS
|
||||||
|
ios: iOS
|
||||||
|
linux: GNU/Linux
|
||||||
|
mac: macOS
|
||||||
other: plataforma desconocida
|
other: plataforma desconocida
|
||||||
|
windows: Windows
|
||||||
|
windows_mobile: Windows Mobile
|
||||||
|
windows_phone: Windows Phone
|
||||||
revoke: Revocar
|
revoke: Revocar
|
||||||
revoke_success: La sesión revocóse correutamente
|
revoke_success: La sesión revocóse correutamente
|
||||||
title: Sesiones
|
title: Sesiones
|
||||||
|
@ -383,6 +416,15 @@ ast:
|
||||||
public_long: Tol mundu puen velos
|
public_long: Tol mundu puen velos
|
||||||
unlisted: Nun llistar
|
unlisted: Nun llistar
|
||||||
unlisted_long: Tol mundu puen velos pero nun se llisten nes llinies temporales públiques
|
unlisted_long: Tol mundu puen velos pero nun se llisten nes llinies temporales públiques
|
||||||
|
statuses_cleanup:
|
||||||
|
min_age:
|
||||||
|
'1209600': 2 selmanes
|
||||||
|
'15778476': 6 meses
|
||||||
|
'2629746': 1 mes
|
||||||
|
'31556952': 1 añu
|
||||||
|
'5259492': 2 meses
|
||||||
|
'63113904': 2 años
|
||||||
|
'7889238': 3 meses
|
||||||
stream_entries:
|
stream_entries:
|
||||||
pinned: Barritu fixáu
|
pinned: Barritu fixáu
|
||||||
reblogged: compartió
|
reblogged: compartió
|
||||||
|
|
|
@ -126,7 +126,6 @@ br:
|
||||||
add_new: Ouzhpenniñ unan nevez
|
add_new: Ouzhpenniñ unan nevez
|
||||||
delete: Dilemel
|
delete: Dilemel
|
||||||
domain: Domani
|
domain: Domani
|
||||||
from_html: eus %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Ouzhpenniñ un domani
|
create: Ouzhpenniñ un domani
|
||||||
instances:
|
instances:
|
||||||
|
|
|
@ -467,15 +467,22 @@ ca:
|
||||||
view: Veure el bloqueig del domini
|
view: Veure el bloqueig del domini
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Afegir nou
|
add_new: Afegir nou
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} intent en la darrera setmana"
|
||||||
|
other: "%{count} intents de registre en la darrera setmana"
|
||||||
created_msg: S'ha creat el bloc de domini de correu electrònic
|
created_msg: S'ha creat el bloc de domini de correu electrònic
|
||||||
delete: Suprimeix
|
delete: Suprimeix
|
||||||
destroyed_msg: S'ha eliminat correctament el bloc del domini de correu
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Registre MX
|
||||||
domain: Domini
|
domain: Domini
|
||||||
empty: Cap domini de correu a la llista negre.
|
|
||||||
from_html: des de %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Afegir un domini
|
create: Afegir un domini
|
||||||
|
resolve: Resol domini
|
||||||
title: Nova adreça de correu en la llista negra
|
title: Nova adreça de correu en la llista negra
|
||||||
|
no_email_domain_block_selected: No s'han canviat els bloquejos de domini perquè cap s'ha seleccionat
|
||||||
|
resolved_dns_records_hint_html: El nom del domini resol als següents dominis MX, els quals son els responsables finals per a acceptar els correus. Bloquejar un domini MX bloquejarà els registres des de qualsevol adreça de correu que utilitzi el mateix domini MX, encara que el nom visible del domini sigui diferent. <strong>Ves amb compte no bloquegis els grans proveïdors de correu electrònic.</strong>
|
||||||
|
resolved_through_html: Resolt mitjançant %{domain}
|
||||||
title: Llista negra de correus electrònics
|
title: Llista negra de correus electrònics
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Seguir les recomanacions ajuda als nous usuaris a trobar ràpidament contingut interessant</strong>. Quan un usuari no ha interactuat prou amb d'altres com per a formar a qui seguir personalment, aquests comptes li seran recomanats. Es recalculen a diari a partir d'una barreja de comptes amb els compromisos recents més alts i el nombre més alt de seguidors locals per a un idioma determinat."
|
description_html: "<strong>Seguir les recomanacions ajuda als nous usuaris a trobar ràpidament contingut interessant</strong>. Quan un usuari no ha interactuat prou amb d'altres com per a formar a qui seguir personalment, aquests comptes li seran recomanats. Es recalculen a diari a partir d'una barreja de comptes amb els compromisos recents més alts i el nombre més alt de seguidors locals per a un idioma determinat."
|
||||||
|
@ -610,6 +617,7 @@ ca:
|
||||||
title: Notes
|
title: Notes
|
||||||
notes_description_html: Veu i deixa notes als altres moderadors i a tu mateix
|
notes_description_html: Veu i deixa notes als altres moderadors i a tu mateix
|
||||||
quick_actions_description_html: 'Pren una acció ràpida o desplaça''t avall per a veure el contingut reportat:'
|
quick_actions_description_html: 'Pren una acció ràpida o desplaça''t avall per a veure el contingut reportat:'
|
||||||
|
remote_user_placeholder: l'usuari remot des de %{instance}
|
||||||
reopen: Reobre l'informe
|
reopen: Reobre l'informe
|
||||||
report: 'Informe #%{id}'
|
report: 'Informe #%{id}'
|
||||||
reported_account: Compte reportat
|
reported_account: Compte reportat
|
||||||
|
@ -780,6 +788,15 @@ ca:
|
||||||
rejected: Els enllaços d'aquest mitjà no poden estar en tendència
|
rejected: Els enllaços d'aquest mitjà no poden estar en tendència
|
||||||
title: Mitjans
|
title: Mitjans
|
||||||
rejected: Rebutjat
|
rejected: Rebutjat
|
||||||
|
statuses:
|
||||||
|
allow: Permet publicació
|
||||||
|
allow_account: Permet autor
|
||||||
|
disallow: Rebutja publicació
|
||||||
|
disallow_account: Rebutja autor
|
||||||
|
shared_by:
|
||||||
|
one: Compartit o afavorit una vegada
|
||||||
|
other: Compartit i afavorit %{friendly_count} vegades
|
||||||
|
title: Publicacions en tendència
|
||||||
tags:
|
tags:
|
||||||
current_score: Puntuació actual %{score}
|
current_score: Puntuació actual %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -828,16 +845,21 @@ ca:
|
||||||
body: "%{reporter} ha informat de %{target}"
|
body: "%{reporter} ha informat de %{target}"
|
||||||
body_remote: Algú des de el domini %{domain} ha informat sobre %{target}
|
body_remote: Algú des de el domini %{domain} ha informat sobre %{target}
|
||||||
subject: Informe nou per a %{instance} (#%{id})
|
subject: Informe nou per a %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Els enllaços següents son tendència avui però els seus mitjans no han estat verificats. No seran mostrats públicament fins que els aprovis. No es generaran noves notificacions dels mateixos mitjans.
|
body: 'Els següents elements necessiten una revisió abans de que puguin ser mostrats públicament:'
|
||||||
no_approved_links: Actualment no hi ha enllaços en tendència aprovats.
|
new_trending_links:
|
||||||
requirements: L'enllaç en tendència més baixa aprovat és actualment "%{lowest_link_title}" amb una puntuació de %{lowest_link_score}.
|
no_approved_links: Actualment no hi ha enllaços en tendència aprovats.
|
||||||
subject: Nou enllaços en tendència pendents de revisar a %{instance}
|
requirements: 'Qualsevol d''aquests candidats podria superar el #%{rank} del enllaç en tendència aprovat, que actualment és "%{lowest_link_title}" amb una puntuació de %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Enllaços en tendència
|
||||||
body: 'Les següents etiquetes son tendència avui però no han estat prèviament revisades. No seran mostrades públicament fins que les aprovis:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Actualment no hi ha etiquetes en tendència aprovades.
|
no_approved_statuses: Actualment no hi ha etiquetes en tendència aprovades.
|
||||||
requirements: L'etiqueta en tendència més baixa aprovada és actualment "%{lowest_tag_name}" amb una puntuació de %{lowest_tag_score}.
|
requirements: 'Qualsevol d''aquests candidats podria superar el #%{rank} de la publicació en tendència aprovada, que actualment és "%{lowest_status_url}" amb una puntuació de %{lowest_status_score}.'
|
||||||
subject: Noves etiquetes en tendència pendents de ser revisades a %{instance}
|
title: Publicacions en tendència
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Actualment no hi ha etiquetes en tendència aprovades.
|
||||||
|
requirements: 'Qualsevol d''aquests candidats podria superar el #%{rank} de la etiqueta en tendència aprovada, que actualment és "%{lowest_tag_name}" amb una puntuació de %{lowest_tag_score}.'
|
||||||
|
title: Etiquetes en tendència
|
||||||
|
subject: Noves tendències pendents de revisar a %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Crea un àlies
|
add_new: Crea un àlies
|
||||||
created_msg: Nou àlies creat amb èxit. Ara pots iniciar el moviment des de'l compte vell.
|
created_msg: Nou àlies creat amb èxit. Ara pots iniciar el moviment des de'l compte vell.
|
||||||
|
@ -1176,6 +1198,9 @@ ca:
|
||||||
carry_mutes_over_text: Aquest usuari s’ha mogut des de %{acct}, que havies silenciat.
|
carry_mutes_over_text: Aquest usuari s’ha mogut des de %{acct}, que havies silenciat.
|
||||||
copy_account_note_text: 'Aquest usuari s’ha mogut des de %{acct}, aquí estaven les teves notes prèvies sobre ell:'
|
copy_account_note_text: 'Aquest usuari s’ha mogut des de %{acct}, aquí estaven les teves notes prèvies sobre ell:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} s'ha registrat"
|
||||||
digest:
|
digest:
|
||||||
action: Mostra totes les notificacions
|
action: Mostra totes les notificacions
|
||||||
body: Un resum del que et vas perdre des de la darrera visita el %{since}
|
body: Un resum del que et vas perdre des de la darrera visita el %{since}
|
||||||
|
|
|
@ -426,10 +426,7 @@ co:
|
||||||
add_new: Aghjunghje
|
add_new: Aghjunghje
|
||||||
created_msg: U blucchime di u duminiu d’e-mail hè attivu
|
created_msg: U blucchime di u duminiu d’e-mail hè attivu
|
||||||
delete: Toglie
|
delete: Toglie
|
||||||
destroyed_msg: U blucchime di u duminiu d’e-mail ùn hè più attivu
|
|
||||||
domain: Duminiu
|
domain: Duminiu
|
||||||
empty: Ùn c'hè manc'un duminiu d'email in lista nera.
|
|
||||||
from_html: da %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Creà un blucchime
|
create: Creà un blucchime
|
||||||
title: Nova iscrizzione nant’a lista nera e-mail
|
title: Nova iscrizzione nant’a lista nera e-mail
|
||||||
|
|
|
@ -445,10 +445,7 @@ cs:
|
||||||
add_new: Přidat
|
add_new: Přidat
|
||||||
created_msg: E-mailová doména úspěšně zablokována
|
created_msg: E-mailová doména úspěšně zablokována
|
||||||
delete: Smazat
|
delete: Smazat
|
||||||
destroyed_msg: E-mailová doména úspěšně odblokována
|
|
||||||
domain: Doména
|
domain: Doména
|
||||||
empty: Žádné e-mailové domény nejsou aktuálně blokovány.
|
|
||||||
from_html: z domény %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Přidat doménu
|
create: Přidat doménu
|
||||||
title: Blokovat novou e-mailovou doménu
|
title: Blokovat novou e-mailovou doménu
|
||||||
|
@ -749,16 +746,6 @@ cs:
|
||||||
body: Uživatel %{reporter} nahlásil uživatele %{target}
|
body: Uživatel %{reporter} nahlásil uživatele %{target}
|
||||||
body_remote: Někdo z domény %{domain} nahlásil uživatele %{target}
|
body_remote: Někdo z domény %{domain} nahlásil uživatele %{target}
|
||||||
subject: Nové hlášení pro %{instance} (#%{id})
|
subject: Nové hlášení pro %{instance} (#%{id})
|
||||||
new_trending_links:
|
|
||||||
body: Následující odkazy jsou dnes populární, ale jejich vydavatelé zatím nebyli posouzeni. Nebudou veřejně zobrazeny, pokud je neschválíte. Pro stejné vydavatele už další upozornění nedostanete.
|
|
||||||
no_approved_links: Momentálně nejsou žádné schválené populární odkazy.
|
|
||||||
requirements: Nejnižší schválený populární odkaz je momentálně "%{lowest_link_title}" se skóre %{lowest_link_score}.
|
|
||||||
subject: Nové populární odkazy k posouzení na %{instance}
|
|
||||||
new_trending_tags:
|
|
||||||
body: 'Následující hashtagy jsou dnes populární, ale nebyly dříve přezkoumány. Nebudou zobrazeny veřejně, pokud je neschválíte:'
|
|
||||||
no_approved_tags: Momentálně nejsou žádné schválené populární hashtagy.
|
|
||||||
requirements: Nejnižší schválený populární hashtag je momentálně "%{lowest_tag_name}" se skóre %{lowest_tag_score}.
|
|
||||||
subject: Nové populární hashtagy k posouzení na %{instance}
|
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Vytvořit alias
|
add_new: Vytvořit alias
|
||||||
created_msg: Nový alias byl úspěšně vytvořen. Nyní můžete zahájit přesun ze starého účtu.
|
created_msg: Nový alias byl úspěšně vytvořen. Nyní můžete zahájit přesun ze starého účtu.
|
||||||
|
|
|
@ -140,6 +140,7 @@ cy:
|
||||||
header: Pennawd
|
header: Pennawd
|
||||||
inbox_url: URL Mewnflwch
|
inbox_url: URL Mewnflwch
|
||||||
invited_by: Gwahoddwyd gan
|
invited_by: Gwahoddwyd gan
|
||||||
|
ip: IP
|
||||||
joined: Ymunodd
|
joined: Ymunodd
|
||||||
location:
|
location:
|
||||||
all: Popeth
|
all: Popeth
|
||||||
|
@ -194,6 +195,7 @@ cy:
|
||||||
silenced: Tawelwyd
|
silenced: Tawelwyd
|
||||||
statuses: Statysau
|
statuses: Statysau
|
||||||
subscribe: Tanysgrifio
|
subscribe: Tanysgrifio
|
||||||
|
suspend: Atal
|
||||||
suspended: Ataliwyd
|
suspended: Ataliwyd
|
||||||
title: Cyfrifon
|
title: Cyfrifon
|
||||||
unconfirmed_email: E-bost heb ei gadarnhau
|
unconfirmed_email: E-bost heb ei gadarnhau
|
||||||
|
@ -221,6 +223,7 @@ cy:
|
||||||
destroy_domain_allow: Dileu Alluogiad Parth
|
destroy_domain_allow: Dileu Alluogiad Parth
|
||||||
destroy_domain_block: Dileu Gwaharddiad Parth
|
destroy_domain_block: Dileu Gwaharddiad Parth
|
||||||
destroy_email_domain_block: Dileu gwaharddiad parth ebost
|
destroy_email_domain_block: Dileu gwaharddiad parth ebost
|
||||||
|
destroy_ip_block: Dileu rheol IP
|
||||||
destroy_status: Dileu Statws
|
destroy_status: Dileu Statws
|
||||||
disable_2fa_user: Diffodd 2FA
|
disable_2fa_user: Diffodd 2FA
|
||||||
disable_custom_emoji: Analluogi Emoji Addasiedig
|
disable_custom_emoji: Analluogi Emoji Addasiedig
|
||||||
|
@ -342,10 +345,10 @@ cy:
|
||||||
add_new: Ychwanegu
|
add_new: Ychwanegu
|
||||||
created_msg: Llwyddwyd i ychwanegu parth e-bost i'r gosbrestr
|
created_msg: Llwyddwyd i ychwanegu parth e-bost i'r gosbrestr
|
||||||
delete: Dileu
|
delete: Dileu
|
||||||
destroyed_msg: Llwyddwyd i ddileu parth e-bost o'r gosbrestr
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Cofnod MX
|
||||||
domain: Parth
|
domain: Parth
|
||||||
empty: Dim parthiau ebost ar y rhestr rhwystro.
|
|
||||||
from_html: o %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Ychwanegu parth
|
create: Ychwanegu parth
|
||||||
title: Cofnod newydd yng nghosbrestr e-byst
|
title: Cofnod newydd yng nghosbrestr e-byst
|
||||||
|
|
|
@ -464,15 +464,22 @@ da:
|
||||||
view: Vis domæneblokering
|
view: Vis domæneblokering
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Tilføj ny
|
add_new: Tilføj ny
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} tilmeldingsforsøg over den seneste uge"
|
||||||
|
other: "%{count} tilmeldingsforsøg over den seneste uge"
|
||||||
created_msg: E-maildomæne blokeret
|
created_msg: E-maildomæne blokeret
|
||||||
delete: Slet
|
delete: Slet
|
||||||
destroyed_msg: E-maildomæne afblokeret
|
dns:
|
||||||
|
types:
|
||||||
|
mx: MX-post
|
||||||
domain: Domæne
|
domain: Domæne
|
||||||
empty: Ingen e-maildomæner er pt. blokeret.
|
|
||||||
from_html: fra %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Tilføj domæne
|
create: Tilføj domæne
|
||||||
|
resolve: Opløs domæne
|
||||||
title: Blokere nyt e-maildomæne
|
title: Blokere nyt e-maildomæne
|
||||||
|
no_email_domain_block_selected: Ingen e-mailblokeringer ændret, da ingen var valgt
|
||||||
|
resolved_dns_records_hint_html: Domænenavnet opløses til flg. MX-domæner, som i sidste ende er ansvarlige for e-mailmodtagelse. Blokering af et MX-domæne blokerer også tilmeldinger fra enhver e-mailadresse på det pågældende MX-domæne, selv hvis det synlige domænenavn er et andet. <strong>Pas på ikke ikke at blokere store e-mailudbydere.</strong>
|
||||||
|
resolved_through_html: Opløst via %{domain}
|
||||||
title: Blokerede e-maildomæner
|
title: Blokerede e-maildomæner
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Følg-anbefalinger hjælpe nye brugere til hurtigt at finde interessant indhold</strong>. Når en bruger ikke har interageret nok med andre til at danne personlige følg-anbefalinger, anbefales disse konti i stedet. De genberegnes dagligt baseret på en blanding af konti med de fleste nylige engagementer og fleste lokale følger-antal for et givet sprog."
|
description_html: "<strong>Følg-anbefalinger hjælpe nye brugere til hurtigt at finde interessant indhold</strong>. Når en bruger ikke har interageret nok med andre til at danne personlige følg-anbefalinger, anbefales disse konti i stedet. De genberegnes dagligt baseret på en blanding af konti med de fleste nylige engagementer og fleste lokale følger-antal for et givet sprog."
|
||||||
|
@ -605,6 +612,7 @@ da:
|
||||||
title: Notater
|
title: Notater
|
||||||
notes_description_html: Se og skriv notater til andre moderatorer og dit fremtid selv
|
notes_description_html: Se og skriv notater til andre moderatorer og dit fremtid selv
|
||||||
quick_actions_description_html: 'Træf en hurtig foranstaltning eller rul ned for at se anmeldt indhold:'
|
quick_actions_description_html: 'Træf en hurtig foranstaltning eller rul ned for at se anmeldt indhold:'
|
||||||
|
remote_user_placeholder: fjernbrugeren fra %{instance}
|
||||||
reopen: Genåbn anmeldelse
|
reopen: Genåbn anmeldelse
|
||||||
report: 'Anmeldelse #%{id}'
|
report: 'Anmeldelse #%{id}'
|
||||||
reported_account: Anmeldt konto
|
reported_account: Anmeldt konto
|
||||||
|
@ -775,6 +783,15 @@ da:
|
||||||
rejected: Links fra denne udgiver vil ikke trende
|
rejected: Links fra denne udgiver vil ikke trende
|
||||||
title: Udgivere
|
title: Udgivere
|
||||||
rejected: Afvist
|
rejected: Afvist
|
||||||
|
statuses:
|
||||||
|
allow: Tillad indlæg
|
||||||
|
allow_account: Tillad forfatter
|
||||||
|
disallow: Forbyd indlæg
|
||||||
|
disallow_account: Forbyd forfatter
|
||||||
|
shared_by:
|
||||||
|
one: Delt eller favoriseret én gang
|
||||||
|
other: Delt eller favoriseret %{friendly_count} gange
|
||||||
|
title: Populære opslag
|
||||||
tags:
|
tags:
|
||||||
current_score: Aktuel score %{score}
|
current_score: Aktuel score %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -813,7 +830,7 @@ da:
|
||||||
sensitive: for markering af vedkommendes konto som sensitiv
|
sensitive: for markering af vedkommendes konto som sensitiv
|
||||||
silence: for begrænsning af vedkommendes konto
|
silence: for begrænsning af vedkommendes konto
|
||||||
suspend: for suspendering af vedkommendes konto
|
suspend: for suspendering af vedkommendes konto
|
||||||
body: "%{target} appellerer en moderationsbeslutning fra %{action_taken_by} pr. %{date}, der var %{type}. Vedkommende skrev:"
|
body: "%{target} appellerer en moderationsbeslutning fra %{action_taken_by} pr. %{date} om at %{type}. Vedkommende skrev:"
|
||||||
next_steps: Appellen kan godkendes for at fortryde moderationsbeslutningen eller den ignoreres.
|
next_steps: Appellen kan godkendes for at fortryde moderationsbeslutningen eller den ignoreres.
|
||||||
subject: "%{username} appellerer en moderationsbeslutning for %{instance}"
|
subject: "%{username} appellerer en moderationsbeslutning for %{instance}"
|
||||||
new_pending_account:
|
new_pending_account:
|
||||||
|
@ -823,16 +840,21 @@ da:
|
||||||
body: "%{reporter} har anmeldt %{target}"
|
body: "%{reporter} har anmeldt %{target}"
|
||||||
body_remote: Nogen fra %{domain} har anmeldt %{target}
|
body_remote: Nogen fra %{domain} har anmeldt %{target}
|
||||||
subject: Ny anmeldelse for %{instance} (#%{id})
|
subject: Ny anmeldelse for %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: De flg. links er populære i dag, men deres udgivere er ikke tidligere blevet revideret. De vil ikke blive vist offentligt, medmindre du godkender dem. Yderligere notifikationer fra de samme udgivere genereres ikke.
|
body: 'Flg. emner kræver revision, inden de kan vises offentligt:'
|
||||||
no_approved_links: Der er i pt. ingen godkendte populære links.
|
new_trending_links:
|
||||||
requirements: Det laveste godkendte populære link er pt. "%{lowest_link_title}" med en score på %{lowest_link_score}.
|
no_approved_links: Der er i pt. ingen godkendte populære links.
|
||||||
subject: Nye populære links er klar til revidering på %{instance}
|
requirements: 'Enhver af disse kandidater vil kunne overgå #%{rank} godkendte populære link, der med en score på %{lowest_link_score} pt. er "%{lowest_link_title}".'
|
||||||
new_trending_tags:
|
title: Populære links
|
||||||
body: 'Flg. hashtags er populære i dag, men de er ikke tidligere revideret. De vises ikke offentligt, medmindre du godkender dem:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Der er pt. ingen godkendte populære hashtags.
|
no_approved_statuses: Der er i pt. ingen godkendte populære opslag.
|
||||||
requirements: 'Det laveste godkendte populære hashtags er pt. #%{lowest_tag_name} med en score på %{lowest_tag_score}.'
|
requirements: 'Enhver af disse kandidater vil kunne overgå #%{rank} godkendte populære opslag, der med en score på %{lowest_status_score} pt. er %{lowest_status_url}.'
|
||||||
subject: Nye populære hashtags er klar til revidering på %{instance}
|
title: Populære opslag
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Der er pt. ingen godkendte populære hashtags.
|
||||||
|
requirements: 'Enhver af disse kandidater vil kunne overgå #%{rank} godkendte populære hastag, der med en score på #%{lowest_tag_score} pt. er %{lowest_tag_name}.'
|
||||||
|
title: Populære hashtags
|
||||||
|
subject: Nye tendenser klar til revision på %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Opret alias
|
add_new: Opret alias
|
||||||
created_msg: Nyt alias oprettet. Du kan nu påbegynde flytningen fra den gamle konto.
|
created_msg: Nyt alias oprettet. Du kan nu påbegynde flytningen fra den gamle konto.
|
||||||
|
@ -1170,6 +1192,9 @@ da:
|
||||||
carry_mutes_over_text: Denne bruger er flyttet fra %{acct}, som du har haft tavsgjort.
|
carry_mutes_over_text: Denne bruger er flyttet fra %{acct}, som du har haft tavsgjort.
|
||||||
copy_account_note_text: 'Denne bruger er flyttet fra %{acct}, her er dine tidligere noter om dem:'
|
copy_account_note_text: 'Denne bruger er flyttet fra %{acct}, her er dine tidligere noter om dem:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} tilmeldte sig"
|
||||||
digest:
|
digest:
|
||||||
action: Se alle notifikationer
|
action: Se alle notifikationer
|
||||||
body: Her er et kort resumé af de beskeder, du er gået glip af siden dit seneste besøg d. %{since}
|
body: Her er et kort resumé af de beskeder, du er gået glip af siden dit seneste besøg d. %{since}
|
||||||
|
|
|
@ -393,6 +393,18 @@ de:
|
||||||
media_storage: Medienspeicher
|
media_storage: Medienspeicher
|
||||||
new_users: Neue Benutzer
|
new_users: Neue Benutzer
|
||||||
opened_reports: Erstellte Meldungen
|
opened_reports: Erstellte Meldungen
|
||||||
|
pending_appeals_html:
|
||||||
|
one: "<strong>%{count}</strong> ausstehender Einspruch"
|
||||||
|
other: "<strong>%{count}</strong> ausstehende Einsprüche"
|
||||||
|
pending_reports_html:
|
||||||
|
one: "<strong>%{count}</strong> ausstehende Meldung"
|
||||||
|
other: "<strong>%{count}</strong> ausstehende Meldungen"
|
||||||
|
pending_tags_html:
|
||||||
|
one: "<strong>%{count}</strong> ausstehender Hashtag"
|
||||||
|
other: "<strong>%{count}</strong> ausstehende Hashtags"
|
||||||
|
pending_users_html:
|
||||||
|
one: "<strong>%{count}</strong> ausstehender Benutzer"
|
||||||
|
other: "<strong>%{count}</strong> ausstehende Benutzer"
|
||||||
resolved_reports: Gelöste Meldungen
|
resolved_reports: Gelöste Meldungen
|
||||||
software: Software
|
software: Software
|
||||||
sources: Registrierungsquellen
|
sources: Registrierungsquellen
|
||||||
|
@ -442,6 +454,10 @@ de:
|
||||||
silence: stummgeschaltet
|
silence: stummgeschaltet
|
||||||
suspend: gesperrt
|
suspend: gesperrt
|
||||||
show:
|
show:
|
||||||
|
affected_accounts:
|
||||||
|
one: Ein Konto in der Datenbank betroffen
|
||||||
|
other: "%{count} Konten in der Datenbank betroffen"
|
||||||
|
zero: Kein Konto in der Datenbank ist betroffen
|
||||||
retroactive:
|
retroactive:
|
||||||
silence: Alle existierenden Konten dieser Domain nicht mehr stummschalten
|
silence: Alle existierenden Konten dieser Domain nicht mehr stummschalten
|
||||||
suspend: Alle existierenden Konten dieser Domain entsperren
|
suspend: Alle existierenden Konten dieser Domain entsperren
|
||||||
|
@ -451,15 +467,22 @@ de:
|
||||||
view: Zeige Domain-Blockade
|
view: Zeige Domain-Blockade
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Neue hinzufügen
|
add_new: Neue hinzufügen
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} Registrierungsversuch in der letzten Woche"
|
||||||
|
other: "%{count} Registrierungsversuche in der letzten Woche"
|
||||||
created_msg: E-Mail-Domain-Blockade erfolgreich erstellt
|
created_msg: E-Mail-Domain-Blockade erfolgreich erstellt
|
||||||
delete: Löschen
|
delete: Löschen
|
||||||
destroyed_msg: E-Mail-Domain-Blockade erfolgreich gelöscht
|
dns:
|
||||||
|
types:
|
||||||
|
mx: MX-Record
|
||||||
domain: Domain
|
domain: Domain
|
||||||
empty: Keine E-Mail-Domains sind momentan auf der Blacklist.
|
|
||||||
from_html: von %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Blockade erstellen
|
create: Blockade erstellen
|
||||||
|
resolve: Domain auflösen
|
||||||
title: Neue E-Mail-Domain-Blockade
|
title: Neue E-Mail-Domain-Blockade
|
||||||
|
no_email_domain_block_selected: Es wurden keine E-Mail-Domain-Blockierungen geändert, da keine ausgewählt wurden
|
||||||
|
resolved_dns_records_hint_html: Der Domain-Name wird an die folgenden MX-Domains aufgelöst, die letztendlich für die Annahme von E-Mails verantwortlich sind. Das Blockieren einer MX-Domain blockiert Anmeldungen von jeder E-Mail-Adresse, die dieselbe MX-Domain verwendet, auch wenn der sichtbare Domainname anders ist. <strong>Achte darauf große E-Mail-Anbieter nicht zu blockieren.</strong>
|
||||||
|
resolved_through_html: Durch %{domain} aufgelöst
|
||||||
title: E-Mail-Domain-Blockade
|
title: E-Mail-Domain-Blockade
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Folgeempfehlungen helfen neuen Nutzern dabei, schnell interessante Inhalte zu finden</strong>. Wenn ein Nutzer noch nicht genug mit anderen interagiert hat, um personalisierte Folgeempfehlungen zu erstellen, werden stattdessen diese Benutzerkonten verwendet. Sie werden täglich basiert auf einer Mischung aus am meisten interagierenden Benutzerkonten und solchen mit den meisten Folgenden für eine bestimmte Sprache neuberechnet."
|
description_html: "<strong>Folgeempfehlungen helfen neuen Nutzern dabei, schnell interessante Inhalte zu finden</strong>. Wenn ein Nutzer noch nicht genug mit anderen interagiert hat, um personalisierte Folgeempfehlungen zu erstellen, werden stattdessen diese Benutzerkonten verwendet. Sie werden täglich basiert auf einer Mischung aus am meisten interagierenden Benutzerkonten und solchen mit den meisten Folgenden für eine bestimmte Sprache neuberechnet."
|
||||||
|
@ -492,6 +515,10 @@ de:
|
||||||
delivery_error_hint: Wenn eine Lieferung für %{count} Tage nicht möglich ist, wird sie automatisch als nicht lieferbar markiert.
|
delivery_error_hint: Wenn eine Lieferung für %{count} Tage nicht möglich ist, wird sie automatisch als nicht lieferbar markiert.
|
||||||
destroyed_msg: Daten von %{domain} sind nun in der Warteschlange für die bevorstehende Löschung.
|
destroyed_msg: Daten von %{domain} sind nun in der Warteschlange für die bevorstehende Löschung.
|
||||||
empty: Keine Domains gefunden.
|
empty: Keine Domains gefunden.
|
||||||
|
known_accounts:
|
||||||
|
one: "%{count} bekanntes Konto"
|
||||||
|
other: "%{count} bekannte Konten"
|
||||||
|
zero: Kein bekanntes Konto
|
||||||
moderation:
|
moderation:
|
||||||
all: Alle
|
all: Alle
|
||||||
limited: Beschränkt
|
limited: Beschränkt
|
||||||
|
@ -590,6 +617,7 @@ de:
|
||||||
title: Notizen
|
title: Notizen
|
||||||
notes_description_html: Zeige und hinterlasse Notizen an andere Moderatoren und dein zukünftiges Selbst
|
notes_description_html: Zeige und hinterlasse Notizen an andere Moderatoren und dein zukünftiges Selbst
|
||||||
quick_actions_description_html: 'Führe eine schnelle Aktion aus oder scrolle nach unten, um gemeldete Inhalte zu sehen:'
|
quick_actions_description_html: 'Führe eine schnelle Aktion aus oder scrolle nach unten, um gemeldete Inhalte zu sehen:'
|
||||||
|
remote_user_placeholder: der entfernte Benutzer von %{instance}
|
||||||
reopen: Meldung wieder eröffnen
|
reopen: Meldung wieder eröffnen
|
||||||
report: 'Meldung #%{id}'
|
report: 'Meldung #%{id}'
|
||||||
reported_account: Gemeldetes Konto
|
reported_account: Gemeldetes Konto
|
||||||
|
@ -748,6 +776,10 @@ de:
|
||||||
allow_provider: Erlaube Herausgeber
|
allow_provider: Erlaube Herausgeber
|
||||||
disallow: Verbiete Link
|
disallow: Verbiete Link
|
||||||
disallow_provider: Verbiete Herausgeber
|
disallow_provider: Verbiete Herausgeber
|
||||||
|
shared_by_over_week:
|
||||||
|
one: In der letzten Woche geteilt von einer Person
|
||||||
|
other: In der letzten Woche geteilt von %{count} Personen
|
||||||
|
zero: Geteilt von niemandem in der letzten Woche
|
||||||
title: Angesagte Links
|
title: Angesagte Links
|
||||||
usage_comparison: Heute %{today} mal geteilt, gestern %{yesterday} mal
|
usage_comparison: Heute %{today} mal geteilt, gestern %{yesterday} mal
|
||||||
pending_review: Überprüfung ausstehend
|
pending_review: Überprüfung ausstehend
|
||||||
|
@ -756,6 +788,15 @@ de:
|
||||||
rejected: Links von diesem Herausgeber können nicht angesagt sein
|
rejected: Links von diesem Herausgeber können nicht angesagt sein
|
||||||
title: Herausgeber
|
title: Herausgeber
|
||||||
rejected: Abgelehnt
|
rejected: Abgelehnt
|
||||||
|
statuses:
|
||||||
|
allow: Beitrag erlauben
|
||||||
|
allow_account: Autor erlauben
|
||||||
|
disallow: Beitrag verbieten
|
||||||
|
disallow_account: Autor verbieten
|
||||||
|
shared_by:
|
||||||
|
one: Einmal geteilt oder favorisiert
|
||||||
|
other: "%{friendly_count} mal geteilt oder favorisiert"
|
||||||
|
title: Angesagte Beiträge
|
||||||
tags:
|
tags:
|
||||||
current_score: Aktuelle Punktzahl %{score}
|
current_score: Aktuelle Punktzahl %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -774,6 +815,10 @@ de:
|
||||||
trending_rank: 'Trend #%{rank}'
|
trending_rank: 'Trend #%{rank}'
|
||||||
usable: Kann verwendet werden
|
usable: Kann verwendet werden
|
||||||
usage_comparison: Heute %{today} mal genutzt, gestern %{yesterday} mal
|
usage_comparison: Heute %{today} mal genutzt, gestern %{yesterday} mal
|
||||||
|
used_by_over_week:
|
||||||
|
one: In der letzten Woche genutzt von einer Person
|
||||||
|
other: In der letzten Woche genutzt von %{count} Personen
|
||||||
|
zero: Genutzt von niemandem in der letzten Woche
|
||||||
title: Trends
|
title: Trends
|
||||||
warning_presets:
|
warning_presets:
|
||||||
add_new: Neu hinzufügen
|
add_new: Neu hinzufügen
|
||||||
|
@ -800,16 +845,21 @@ de:
|
||||||
body: "%{reporter} hat %{target} gemeldet"
|
body: "%{reporter} hat %{target} gemeldet"
|
||||||
body_remote: Jemand von %{domain} hat %{target} gemeldet
|
body_remote: Jemand von %{domain} hat %{target} gemeldet
|
||||||
subject: Neue Meldung auf %{instance} (#%{id})
|
subject: Neue Meldung auf %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Die folgenden Links sind heute in den Trends, aber der Ursprung wurde bisher nicht überprüft. Sie werden nicht öffentlich angezeigt, es sei denn, du genehmigst sie. Sollten weitere Links vom selben Ursprung trenden, müssen sie nicht vorher überprüft werden.
|
body: 'Die folgenden Einträge müssen überprüft werden, bevor sie öffentlich angezeigt werden können:'
|
||||||
no_approved_links: Derzeit sind keine Links hinterlegt, die genehmigt wurden.
|
new_trending_links:
|
||||||
requirements: Der am wenigsten genehmigte Trend-Link ist derzeit "%{lowest_link_title}" mit einer Punktzahl von %{lowest_link_score}.
|
no_approved_links: Derzeit sind keine trendenen Links hinterlegt, die genehmigt wurden.
|
||||||
subject: Neue Trend-Links zur Überprüfung auf %{instance}
|
requirements: 'Jeder dieser Kandidaten könnte den #%{rank} genehmigten trendenen Link übertreffen, der derzeit "%{lowest_link_title}" mit einer Punktzahl von %{lowest_link_score} ist.'
|
||||||
new_trending_tags:
|
title: Angesagte Links
|
||||||
body: 'Die folgenden Hashtags trenden heute, aber sie wurden bisher nicht überprüft. Sie werden nicht öffentlich angezeigt, es sei denn, du genehmigst sie:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Derzeit gibt es keine genehmigten trendene Hashtags.
|
no_approved_statuses: Derzeit sind keine trendenen Beiträge hinterlegt, die genehmigt wurden.
|
||||||
requirements: 'Der am wenigsten genehmigte trendene Hashtag ist derzeit #%{lowest_tag_name} mit einer Punktzahl von %{lowest_tag_score}.'
|
requirements: 'Jeder dieser Kandidaten könnte den #%{rank} genehmigten trendenen Beitrag übertreffen, der derzeit "%{lowest_status_url}" mit einer Punktzahl von %{lowest_status_score} ist.'
|
||||||
subject: Neuer Hashtag zur Überprüfung auf %{instance} verfügbar
|
title: Angesagte Beiträge
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Derzeit gibt es keine genehmigten trendenen Hashtags.
|
||||||
|
requirements: 'Jeder dieser Kandidaten könnte den #%{rank} genehmigten trendenen Hashtag übertreffen, der derzeit "%{lowest_tag_name}" mit einer Punktzahl von %{lowest_tag_score} ist.'
|
||||||
|
title: Angesagte Hashtags
|
||||||
|
subject: Neue Trends zur Überprüfung auf %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Alias erstellen
|
add_new: Alias erstellen
|
||||||
created_msg: Ein neuer Alias wurde erfolgreich erstellt. Du kannst nun den Wechsel vom alten Konto starten.
|
created_msg: Ein neuer Alias wurde erfolgreich erstellt. Du kannst nun den Wechsel vom alten Konto starten.
|
||||||
|
@ -1148,6 +1198,9 @@ de:
|
||||||
carry_mutes_over_text: Dieses Benutzerkonto ist von %{acct} umgezogen, welches du stummgeschaltet hast.
|
carry_mutes_over_text: Dieses Benutzerkonto ist von %{acct} umgezogen, welches du stummgeschaltet hast.
|
||||||
copy_account_note_text: 'Dieser Benutzer ist von %{acct} umgezogen, hier waren deine letzten Notizen zu diesem Benutzer:'
|
copy_account_note_text: 'Dieser Benutzer ist von %{acct} umgezogen, hier waren deine letzten Notizen zu diesem Benutzer:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} registrierte sich"
|
||||||
digest:
|
digest:
|
||||||
action: Zeige alle Benachrichtigungen
|
action: Zeige alle Benachrichtigungen
|
||||||
body: Hier ist eine kurze Zusammenfassung der Nachrichten, die du seit deinem letzten Besuch am %{since} verpasst hast
|
body: Hier ist eine kurze Zusammenfassung der Nachrichten, die du seit deinem letzten Besuch am %{since} verpasst hast
|
||||||
|
|
|
@ -17,6 +17,7 @@ ast:
|
||||||
doorkeeper:
|
doorkeeper:
|
||||||
applications:
|
applications:
|
||||||
buttons:
|
buttons:
|
||||||
|
authorize: Autorizar
|
||||||
cancel: Encaboxar
|
cancel: Encaboxar
|
||||||
destroy: Destruyir
|
destroy: Destruyir
|
||||||
edit: Editar
|
edit: Editar
|
||||||
|
@ -40,6 +41,9 @@ ast:
|
||||||
scopes: Ámbitos
|
scopes: Ámbitos
|
||||||
title: 'Aplicación: %{name}'
|
title: 'Aplicación: %{name}'
|
||||||
authorizations:
|
authorizations:
|
||||||
|
buttons:
|
||||||
|
authorize: Autorizar
|
||||||
|
deny: Negar
|
||||||
error:
|
error:
|
||||||
title: Asocedió un fallu
|
title: Asocedió un fallu
|
||||||
new:
|
new:
|
||||||
|
|
|
@ -60,8 +60,8 @@ en:
|
||||||
error:
|
error:
|
||||||
title: An error has occurred
|
title: An error has occurred
|
||||||
new:
|
new:
|
||||||
able_to: It will be able to
|
prompt_html: "%{client_name} would like permission to access your account. It is a third-party application. <strong>If you do not trust it, then you should not authorize it.</strong>"
|
||||||
prompt: Application %{client_name} requests access to your account
|
review_permissions: Review permissions
|
||||||
title: Authorization required
|
title: Authorization required
|
||||||
show:
|
show:
|
||||||
title: Copy this authorization code and paste it to the application.
|
title: Copy this authorization code and paste it to the application.
|
||||||
|
@ -71,10 +71,12 @@ en:
|
||||||
confirmations:
|
confirmations:
|
||||||
revoke: Are you sure?
|
revoke: Are you sure?
|
||||||
index:
|
index:
|
||||||
application: Application
|
authorized_at: Authorized on %{date}
|
||||||
created_at: Authorized
|
description_html: These are applications that can access your account using the API. If there are applications you do not recognize here, or an application is misbehaving, you can revoke its access.
|
||||||
date_format: "%Y-%m-%d %H:%M:%S"
|
last_used_at: Last used on %{date}
|
||||||
scopes: Scopes
|
never_used: Never used
|
||||||
|
scopes: Permissions
|
||||||
|
superapp: Internal
|
||||||
title: Your authorized applications
|
title: Your authorized applications
|
||||||
errors:
|
errors:
|
||||||
messages:
|
messages:
|
||||||
|
@ -110,6 +112,33 @@ en:
|
||||||
authorized_applications:
|
authorized_applications:
|
||||||
destroy:
|
destroy:
|
||||||
notice: Application revoked.
|
notice: Application revoked.
|
||||||
|
grouped_scopes:
|
||||||
|
access:
|
||||||
|
read: Read-only access
|
||||||
|
read/write: Read and write access
|
||||||
|
write: Write-only access
|
||||||
|
title:
|
||||||
|
accounts: Accounts
|
||||||
|
admin/accounts: Administration of accounts
|
||||||
|
admin/all: All administrative functions
|
||||||
|
admin/reports: Administration of reports
|
||||||
|
all: Everything
|
||||||
|
blocks: Blocks
|
||||||
|
bookmarks: Bookmarks
|
||||||
|
conversations: Conversations
|
||||||
|
crypto: End-to-end encryption
|
||||||
|
favourites: Favourites
|
||||||
|
filters: Filters
|
||||||
|
follow: Relationships
|
||||||
|
follows: Follows
|
||||||
|
lists: Lists
|
||||||
|
media: Media attachments
|
||||||
|
mutes: Mutes
|
||||||
|
notifications: Notifications
|
||||||
|
push: Push notifications
|
||||||
|
reports: Reports
|
||||||
|
search: Search
|
||||||
|
statuses: Posts
|
||||||
layouts:
|
layouts:
|
||||||
admin:
|
admin:
|
||||||
nav:
|
nav:
|
||||||
|
@ -124,6 +153,7 @@ en:
|
||||||
admin:write: modify all data on the server
|
admin:write: modify all data on the server
|
||||||
admin:write:accounts: perform moderation actions on accounts
|
admin:write:accounts: perform moderation actions on accounts
|
||||||
admin:write:reports: perform moderation actions on reports
|
admin:write:reports: perform moderation actions on reports
|
||||||
|
crypto: use end-to-end encryption
|
||||||
follow: modify account relationships
|
follow: modify account relationships
|
||||||
push: receive your push notifications
|
push: receive your push notifications
|
||||||
read: read all your account's data
|
read: read all your account's data
|
||||||
|
@ -143,6 +173,7 @@ en:
|
||||||
write:accounts: modify your profile
|
write:accounts: modify your profile
|
||||||
write:blocks: block accounts and domains
|
write:blocks: block accounts and domains
|
||||||
write:bookmarks: bookmark posts
|
write:bookmarks: bookmark posts
|
||||||
|
write:conversations: mute and delete conversations
|
||||||
write:favourites: favourite posts
|
write:favourites: favourite posts
|
||||||
write:filters: create filters
|
write:filters: create filters
|
||||||
write:follows: follow people
|
write:follows: follow people
|
||||||
|
|
|
@ -373,12 +373,15 @@ el:
|
||||||
view: Εμφάνιση αποκλεισμού τομέα
|
view: Εμφάνιση αποκλεισμού τομέα
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Πρόσθεση νέου
|
add_new: Πρόσθεση νέου
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} προσπάθεια την τελευταία εβδομάδα"
|
||||||
|
other: "%{count} προσπάθειες εγγραφής την τελευταία εβδομάδα"
|
||||||
created_msg: Επιτυχής πρόσθεση email τομέα σε μαύρη λίστα
|
created_msg: Επιτυχής πρόσθεση email τομέα σε μαύρη λίστα
|
||||||
delete: Διαγραφή
|
delete: Διαγραφή
|
||||||
destroyed_msg: Επιτυχής διαγραφή email τομέα από τη μαύρη λίστα
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Εγγραφή MX
|
||||||
domain: Τομέας
|
domain: Τομέας
|
||||||
empty: Δεν έχουν οριστεί αποκλεισμένοι τομείς email.
|
|
||||||
from_html: από %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Πρόσθεση τομέα
|
create: Πρόσθεση τομέα
|
||||||
title: Νέα εγγραφή email στη μαύρη λίστα
|
title: Νέα εγγραφή email στη μαύρη λίστα
|
||||||
|
@ -481,6 +484,7 @@ el:
|
||||||
placeholder: Περιέγραψε τις ενέργειες που έγιναν, ή οποιαδήποτε άλλη ενημέρωση...
|
placeholder: Περιέγραψε τις ενέργειες που έγιναν, ή οποιαδήποτε άλλη ενημέρωση...
|
||||||
title: Σημειώσεις
|
title: Σημειώσεις
|
||||||
quick_actions_description_html: 'Κάντε μια γρήγορη ενέργεια ή μετακινηθείτε προς τα κάτω για να δείτε το αναφερόμενο περιεχόμενο:'
|
quick_actions_description_html: 'Κάντε μια γρήγορη ενέργεια ή μετακινηθείτε προς τα κάτω για να δείτε το αναφερόμενο περιεχόμενο:'
|
||||||
|
remote_user_placeholder: ο απομακρυσμένος χρήστης από %{instance}
|
||||||
reopen: Ξανάνοιξε την καταγγελία
|
reopen: Ξανάνοιξε την καταγγελία
|
||||||
report: 'Καταγγελία #%{id}'
|
report: 'Καταγγελία #%{id}'
|
||||||
reported_account: Αναφερόμενος λογαριασμός
|
reported_account: Αναφερόμενος λογαριασμός
|
||||||
|
@ -925,6 +929,9 @@ el:
|
||||||
carry_mutes_over_text: Ο/Η χρήστης μετακόμισε από το %{acct}, που είχες αποσιωπήσει.
|
carry_mutes_over_text: Ο/Η χρήστης μετακόμισε από το %{acct}, που είχες αποσιωπήσει.
|
||||||
copy_account_note_text: 'Ο/Η χρήστης μετακόμισε από το %{acct}, ορίστε οι προηγούμενες σημειώσεις σου:'
|
copy_account_note_text: 'Ο/Η χρήστης μετακόμισε από το %{acct}, ορίστε οι προηγούμενες σημειώσεις σου:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} έχει εγγραφεί"
|
||||||
digest:
|
digest:
|
||||||
action: Δες όλες τις ειδοποιήσεις
|
action: Δες όλες τις ειδοποιήσεις
|
||||||
body: Μια σύνοψη των μηνυμάτων που έχασες από την τελευταία επίσκεψή σου στις %{since}
|
body: Μια σύνοψη των μηνυμάτων που έχασες από την τελευταία επίσκεψή σου στις %{since}
|
||||||
|
|
|
@ -586,6 +586,7 @@ en:
|
||||||
action_taken_by: Action taken by
|
action_taken_by: Action taken by
|
||||||
actions:
|
actions:
|
||||||
delete_description_html: The reported posts will be deleted and a strike will be recorded to help you escalate on future infractions by the same account.
|
delete_description_html: The reported posts will be deleted and a strike will be recorded to help you escalate on future infractions by the same account.
|
||||||
|
mark_as_sensitive_description_html: The media in the reported posts will be marked as sensitive and a strike will be recorded to help you escalate on future refractions by the same account.
|
||||||
other_description_html: See more options for controlling the account's behaviour and customize communication to the reported account.
|
other_description_html: See more options for controlling the account's behaviour and customize communication to the reported account.
|
||||||
resolve_description_html: No action will be taken against the reported account, no strike recorded, and the report will be closed.
|
resolve_description_html: No action will be taken against the reported account, no strike recorded, and the report will be closed.
|
||||||
silence_description_html: The profile will be visible only to those who already follow it or manually look it up, severely limiting its reach. Can always be reverted.
|
silence_description_html: The profile will be visible only to those who already follow it or manually look it up, severely limiting its reach. Can always be reverted.
|
||||||
|
@ -606,6 +607,7 @@ en:
|
||||||
forwarded: Forwarded
|
forwarded: Forwarded
|
||||||
forwarded_to: Forwarded to %{domain}
|
forwarded_to: Forwarded to %{domain}
|
||||||
mark_as_resolved: Mark as resolved
|
mark_as_resolved: Mark as resolved
|
||||||
|
mark_as_sensitive: Mark as sensitive
|
||||||
mark_as_unresolved: Mark as unresolved
|
mark_as_unresolved: Mark as unresolved
|
||||||
no_one_assigned: No one
|
no_one_assigned: No one
|
||||||
notes:
|
notes:
|
||||||
|
@ -749,6 +751,7 @@ en:
|
||||||
actions:
|
actions:
|
||||||
delete_statuses: "%{name} deleted %{target}'s posts"
|
delete_statuses: "%{name} deleted %{target}'s posts"
|
||||||
disable: "%{name} froze %{target}'s account"
|
disable: "%{name} froze %{target}'s account"
|
||||||
|
mark_statuses_as_sensitive: "%{name} marked %{target}'s posts as sensitive"
|
||||||
none: "%{name} sent a warning to %{target}"
|
none: "%{name} sent a warning to %{target}"
|
||||||
sensitive: "%{name} marked %{target}'s account as sensitive"
|
sensitive: "%{name} marked %{target}'s account as sensitive"
|
||||||
silence: "%{name} limited %{target}'s account"
|
silence: "%{name} limited %{target}'s account"
|
||||||
|
@ -831,6 +834,7 @@ en:
|
||||||
actions:
|
actions:
|
||||||
delete_statuses: to delete their posts
|
delete_statuses: to delete their posts
|
||||||
disable: to freeze their account
|
disable: to freeze their account
|
||||||
|
mark_statuses_as_sensitive: to mark their posts as sensitive
|
||||||
none: a warning
|
none: a warning
|
||||||
sensitive: to mark their account as sensitive
|
sensitive: to mark their account as sensitive
|
||||||
silence: to limit their account
|
silence: to limit their account
|
||||||
|
@ -933,8 +937,10 @@ en:
|
||||||
status:
|
status:
|
||||||
account_status: Account status
|
account_status: Account status
|
||||||
confirming: Waiting for e-mail confirmation to be completed.
|
confirming: Waiting for e-mail confirmation to be completed.
|
||||||
|
functional: Your account is fully operational.
|
||||||
pending: Your application is pending review by our staff. This may take some time. You will receive an e-mail if your application is approved.
|
pending: Your application is pending review by our staff. This may take some time. You will receive an e-mail if your application is approved.
|
||||||
redirecting_to: Your account is inactive because it is currently redirecting to %{acct}.
|
redirecting_to: Your account is inactive because it is currently redirecting to %{acct}.
|
||||||
|
view_strikes: View past strikes against your account
|
||||||
too_fast: Form submitted too fast, try again.
|
too_fast: Form submitted too fast, try again.
|
||||||
trouble_logging_in: Trouble logging in?
|
trouble_logging_in: Trouble logging in?
|
||||||
use_security_key: Use security key
|
use_security_key: Use security key
|
||||||
|
@ -1010,6 +1016,7 @@ en:
|
||||||
submit: Submit appeal
|
submit: Submit appeal
|
||||||
associated_report: Associated report
|
associated_report: Associated report
|
||||||
created_at: Dated
|
created_at: Dated
|
||||||
|
description_html: These are actions taken against your account and warnings that have been sent to you by the staff of %{instance}.
|
||||||
recipient: Addressed to
|
recipient: Addressed to
|
||||||
status: 'Post #%{id}'
|
status: 'Post #%{id}'
|
||||||
status_removed: Post already removed from system
|
status_removed: Post already removed from system
|
||||||
|
@ -1017,8 +1024,9 @@ en:
|
||||||
title_actions:
|
title_actions:
|
||||||
delete_statuses: Post removal
|
delete_statuses: Post removal
|
||||||
disable: Freezing of account
|
disable: Freezing of account
|
||||||
|
mark_statuses_as_sensitive: Marking of posts as sensitive
|
||||||
none: Warning
|
none: Warning
|
||||||
sensitive: Marking as sensitive of account
|
sensitive: Marking of account as sensitive
|
||||||
silence: Limitation of account
|
silence: Limitation of account
|
||||||
suspend: Suspension of account
|
suspend: Suspension of account
|
||||||
your_appeal_approved: Your appeal has been approved
|
your_appeal_approved: Your appeal has been approved
|
||||||
|
@ -1391,6 +1399,7 @@ en:
|
||||||
profile: Profile
|
profile: Profile
|
||||||
relationships: Follows and followers
|
relationships: Follows and followers
|
||||||
statuses_cleanup: Automated post deletion
|
statuses_cleanup: Automated post deletion
|
||||||
|
strikes: Moderation strikes
|
||||||
two_factor_authentication: Two-factor Auth
|
two_factor_authentication: Two-factor Auth
|
||||||
webauthn_authentication: Security keys
|
webauthn_authentication: Security keys
|
||||||
statuses:
|
statuses:
|
||||||
|
@ -1617,26 +1626,29 @@ en:
|
||||||
spam: Spam
|
spam: Spam
|
||||||
violation: Content violates the following community guidelines
|
violation: Content violates the following community guidelines
|
||||||
explanation:
|
explanation:
|
||||||
delete_statuses: Some of your posts have been found to violate one or more community guidelines and have been subsequently removed by the moderators of %{instance}. Future violations may result in harsher punitive actions against your account.
|
delete_statuses: Some of your posts have been found to violate one or more community guidelines and have been subsequently removed by the moderators of %{instance}.
|
||||||
disable: You can no longer use your account, but your profile and other data remains intact. You can request a backup of your data, change account settings or delete your account.
|
disable: You can no longer use your account, but your profile and other data remains intact. You can request a backup of your data, change account settings or delete your account.
|
||||||
|
mark_statuses_as_sensitive: Some of your posts have been marked as sensitive by the moderators of %{instance}. This means that people will need to tap the media in the posts before a preview is displayed. You can mark media as sensitive yourself when posting in the future.
|
||||||
sensitive: From now on, all your uploaded media files will be marked as sensitive and hidden behind a click-through warning.
|
sensitive: From now on, all your uploaded media files will be marked as sensitive and hidden behind a click-through warning.
|
||||||
silence: You can still use your account but only people who are already following you will see your posts on this server, and you may be excluded from various discovery features. However, others may still manually follow you.
|
silence: You can still use your account but only people who are already following you will see your posts on this server, and you may be excluded from various discovery features. However, others may still manually follow you.
|
||||||
suspend: You can no longer use your account, and your profile and other data are no longer accessible. You can still login to request a backup of your data until the data is fully removed in about 30 days, but we will retain some basic data to prevent you from evading the suspension.
|
suspend: You can no longer use your account, and your profile and other data are no longer accessible. You can still login to request a backup of your data until the data is fully removed in about 30 days, but we will retain some basic data to prevent you from evading the suspension.
|
||||||
get_in_touch: If you believe this is an error, you can reply to this e-mail to get in touch with the staff of %{instance}.
|
get_in_touch: If you believe this is an error, you can reply to this e-mail to get in touch with the staff of %{instance}.
|
||||||
reason: 'Reason:'
|
reason: 'Reason:'
|
||||||
statuses: 'Posts that have been found in violation:'
|
statuses: 'Posts cited:'
|
||||||
subject:
|
subject:
|
||||||
delete_statuses: Your posts on %{acct} have been removed
|
delete_statuses: Your posts on %{acct} have been removed
|
||||||
disable: Your account %{acct} has been frozen
|
disable: Your account %{acct} has been frozen
|
||||||
|
mark_statuses_as_sensitive: Your posts on %{acct} have been marked as sensitive
|
||||||
none: Warning for %{acct}
|
none: Warning for %{acct}
|
||||||
sensitive: Your media files on %{acct} will be marked as sensitive from now on
|
sensitive: Your posts on %{acct} will be marked as sensitive from now on
|
||||||
silence: Your account %{acct} has been limited
|
silence: Your account %{acct} has been limited
|
||||||
suspend: Your account %{acct} has been suspended
|
suspend: Your account %{acct} has been suspended
|
||||||
title:
|
title:
|
||||||
delete_statuses: Posts removed
|
delete_statuses: Posts removed
|
||||||
disable: Account frozen
|
disable: Account frozen
|
||||||
|
mark_statuses_as_sensitive: Posts marked as sensitive
|
||||||
none: Warning
|
none: Warning
|
||||||
sensitive: Media hidden
|
sensitive: Account marked as sensitive
|
||||||
silence: Account limited
|
silence: Account limited
|
||||||
suspend: Account suspended
|
suspend: Account suspended
|
||||||
welcome:
|
welcome:
|
||||||
|
|
|
@ -379,10 +379,7 @@ eo:
|
||||||
add_new: Aldoni novan
|
add_new: Aldoni novan
|
||||||
created_msg: Retadreso sukcese aldonita al la nigra listo
|
created_msg: Retadreso sukcese aldonita al la nigra listo
|
||||||
delete: Forigi
|
delete: Forigi
|
||||||
destroyed_msg: Retadreso sukcese forigita de la nigra listo
|
|
||||||
domain: Domajno
|
domain: Domajno
|
||||||
empty: Neniu retadresa domajno nune estas en la nigra listo.
|
|
||||||
from_html: de %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Aldoni domajnon
|
create: Aldoni domajnon
|
||||||
title: Nova blokado de retadresa domajno
|
title: Nova blokado de retadresa domajno
|
||||||
|
|
|
@ -467,15 +467,22 @@ es-AR:
|
||||||
view: Ver bloqueo de dominio
|
view: Ver bloqueo de dominio
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Agregar nuevo
|
add_new: Agregar nuevo
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} intento durante la última semana"
|
||||||
|
other: "%{count} intentos durante la última semana"
|
||||||
created_msg: Se bloqueó el dominio de correo electrónico exitosamente
|
created_msg: Se bloqueó el dominio de correo electrónico exitosamente
|
||||||
delete: Eliminar
|
delete: Eliminar
|
||||||
destroyed_msg: Se desbloqueó el dominio de correo electrónico exitosamente
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Registro MX
|
||||||
domain: Dominio
|
domain: Dominio
|
||||||
empty: Actualmente no hay dominios de correo electrónico bloqueados.
|
|
||||||
from_html: de %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Agregar dominio
|
create: Agregar dominio
|
||||||
|
resolve: Resolver dominio
|
||||||
title: Bloquear nuevo dominio de correo electrónico
|
title: Bloquear nuevo dominio de correo electrónico
|
||||||
|
no_email_domain_block_selected: No se cambiaron bloques de dominio ya que no se seleccionó ninguno
|
||||||
|
resolved_dns_records_hint_html: El nombre de dominio resuelve los siguientes dominios MX, los cuales son responsables en última instancia de aceptar el correo electrónico. Bloquear un dominio MX bloqueará los registros de cualquier dirección de correo electrónico que utilice el mismo dominio MX, incluso si el nombre de dominio visible es diferente. <strong>Tené cuidado de no bloquear los principales proveedores de correo electrónico.</strong>
|
||||||
|
resolved_through_html: Resuelto a través de %{domain}
|
||||||
title: Dominios bloqueados de correo electrónico
|
title: Dominios bloqueados de correo electrónico
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Las recomendaciones de cuentas para seguir ayudan a los nuevos usuarios a encontrar rápidamente contenido interesante</strong>. Cuando un usuario no ha interactuado con otros lo suficiente como para formar recomendaciones personalizadas de seguimiento, se recomiendan estas cuentas, en su lugar. Se recalculan diariamente a partir de una mezcla de cuentas con las interacciones más recientes y el mayor número de seguidores para un idioma determinado."
|
description_html: "<strong>Las recomendaciones de cuentas para seguir ayudan a los nuevos usuarios a encontrar rápidamente contenido interesante</strong>. Cuando un usuario no ha interactuado con otros lo suficiente como para formar recomendaciones personalizadas de seguimiento, se recomiendan estas cuentas, en su lugar. Se recalculan diariamente a partir de una mezcla de cuentas con las interacciones más recientes y el mayor número de seguidores para un idioma determinado."
|
||||||
|
@ -610,6 +617,7 @@ es-AR:
|
||||||
title: Notas
|
title: Notas
|
||||||
notes_description_html: Ver y dejar notas para otros moderadores y como referencia futura
|
notes_description_html: Ver y dejar notas para otros moderadores y como referencia futura
|
||||||
quick_actions_description_html: 'Tomá una acción rápida o desplazate hacia abajo para ver el contenido denunciado:'
|
quick_actions_description_html: 'Tomá una acción rápida o desplazate hacia abajo para ver el contenido denunciado:'
|
||||||
|
remote_user_placeholder: el usuario remoto de %{instance}
|
||||||
reopen: Reabrir denuncia
|
reopen: Reabrir denuncia
|
||||||
report: 'Denuncia #%{id}'
|
report: 'Denuncia #%{id}'
|
||||||
reported_account: Cuenta denunciada
|
reported_account: Cuenta denunciada
|
||||||
|
@ -780,6 +788,15 @@ es-AR:
|
||||||
rejected: Los enlaces de este medio no serán tendencia
|
rejected: Los enlaces de este medio no serán tendencia
|
||||||
title: Medios
|
title: Medios
|
||||||
rejected: Rechazadas
|
rejected: Rechazadas
|
||||||
|
statuses:
|
||||||
|
allow: Permitir mensaje
|
||||||
|
allow_account: Permitir autor
|
||||||
|
disallow: Rechazar mensaje
|
||||||
|
disallow_account: Rechazar autor
|
||||||
|
shared_by:
|
||||||
|
one: Compartido o marcado como favorito una vez
|
||||||
|
other: Compartido y marcado como favorito %{friendly_count} veces
|
||||||
|
title: Mensajes en tendencia
|
||||||
tags:
|
tags:
|
||||||
current_score: Puntuación actual %{score}
|
current_score: Puntuación actual %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -828,16 +845,21 @@ es-AR:
|
||||||
body: "%{reporter} denunció a %{target}"
|
body: "%{reporter} denunció a %{target}"
|
||||||
body_remote: Alguien de %{domain} denunció a %{target}
|
body_remote: Alguien de %{domain} denunció a %{target}
|
||||||
subject: Nueva denuncia para %{instance} (#%{id})
|
subject: Nueva denuncia para %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Los siguientes enlaces están en tendencia hoy, pero sus medios de origen no han sido revisados previamente. No se mostrarán públicamente a menos que los aprobés. No se generarán más notificaciones de estos medios.
|
body: 'Los siguientes elementos necesitan una revisión antes de que se puedan mostrar públicamente:'
|
||||||
no_approved_links: Actualmente no hay enlaces en tendencia aprobados.
|
new_trending_links:
|
||||||
requirements: El enlace en tendencia aprobado más bajo actualmente es "%{lowest_link_title}" con una puntuación de %{lowest_link_score}.
|
no_approved_links: Actualmente no hay enlaces en tendencia aprobados.
|
||||||
subject: Nuevos enlaces en tendencia esperando ser revisados en %{instance}
|
requirements: 'Cualquiera de estos candidatos podría superar el enlace de tendencia aprobado de #%{rank}, que actualmente es "%{lowest_link_title}" con una puntuación de %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Enlaces en tendencia
|
||||||
body: 'Las siguientes etiquetas están en tendencia hoy, pero no han sido revisadas previamente. No se mostrarán públicamente a menos que las aprobés:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Actualmente no hay ninguna etiqueta en tendencia aprobada.
|
no_approved_statuses: Actualmente no hay mensajes en tendencia aprobados.
|
||||||
requirements: La etiqueta en tendencia aprobada más baja actualmente es "%{lowest_tag_name}" con una puntuación de %{lowest_tag_score}.
|
requirements: 'Cualquiera de estos candidatos podría superar el mensaje de tendencia aprobado de #%{rank}, que actualmente es %{lowest_status_url} con una puntuación de %{lowest_status_score}.'
|
||||||
subject: Nuevas etiquetas en tendencia esperando ser revisadas en %{instance}
|
title: Mensajes en tendencia
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Actualmente no hay etiquetas en tendencia aprobadas.
|
||||||
|
requirements: 'Cualquiera de estos candidatos podría superar la etiqueta en tendencia aprobada de #%{rank}, que actualmente es #%{lowest_tag_name} con una puntuación de %{lowest_tag_score}.'
|
||||||
|
title: Etiquetas en tendencia
|
||||||
|
subject: Nuevas tendencias para revisar en %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Crear alias
|
add_new: Crear alias
|
||||||
created_msg: El nuevo alias se creó exitosamente. Ahora podés empezar la mudanza desde la cuenta vieja.
|
created_msg: El nuevo alias se creó exitosamente. Ahora podés empezar la mudanza desde la cuenta vieja.
|
||||||
|
@ -1176,6 +1198,9 @@ es-AR:
|
||||||
carry_mutes_over_text: Este usuario se mudó desde %{acct}, que habías silenciado.
|
carry_mutes_over_text: Este usuario se mudó desde %{acct}, que habías silenciado.
|
||||||
copy_account_note_text: 'Este usuario se mudó desde %{acct}, acá están tus notas previas sobre él/ella:'
|
copy_account_note_text: 'Este usuario se mudó desde %{acct}, acá están tus notas previas sobre él/ella:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: Se registró %{name}
|
||||||
digest:
|
digest:
|
||||||
action: Ver todas las notificaciones
|
action: Ver todas las notificaciones
|
||||||
body: Acá tenés un resumen de los mensajes que te perdiste desde tu última visita, el %{since}
|
body: Acá tenés un resumen de los mensajes que te perdiste desde tu última visita, el %{since}
|
||||||
|
|
|
@ -393,6 +393,18 @@ es-MX:
|
||||||
media_storage: Almacenamiento multimedia
|
media_storage: Almacenamiento multimedia
|
||||||
new_users: nuevos usuarios
|
new_users: nuevos usuarios
|
||||||
opened_reports: informes abiertos
|
opened_reports: informes abiertos
|
||||||
|
pending_appeals_html:
|
||||||
|
one: "<strong>%{count}</strong> apelación pendiente"
|
||||||
|
other: "<strong>%{count}</strong> apelaciones pendientes"
|
||||||
|
pending_reports_html:
|
||||||
|
one: "<strong>%{count}</strong> informe pendiente"
|
||||||
|
other: "<strong>%{count}</strong> informes pendientes"
|
||||||
|
pending_tags_html:
|
||||||
|
one: "<strong>%{count}</strong> etiqueta pendiente"
|
||||||
|
other: "<strong>%{count}</strong> etiquetas pendientes"
|
||||||
|
pending_users_html:
|
||||||
|
one: "<strong>%{count}</strong> usuario pendiente"
|
||||||
|
other: "<strong>%{count}</strong> usuarios pendientes"
|
||||||
resolved_reports: informes resueltos
|
resolved_reports: informes resueltos
|
||||||
software: Software
|
software: Software
|
||||||
sources: Fuentes de registro
|
sources: Fuentes de registro
|
||||||
|
@ -442,6 +454,10 @@ es-MX:
|
||||||
silence: silenciado
|
silence: silenciado
|
||||||
suspend: suspendido
|
suspend: suspendido
|
||||||
show:
|
show:
|
||||||
|
affected_accounts:
|
||||||
|
one: Una cuenta en la base de datos afectada
|
||||||
|
other: "%{count} cuentas en la base de datos afectada"
|
||||||
|
zero: Ninguna cuenta en la base de datos está afectada
|
||||||
retroactive:
|
retroactive:
|
||||||
silence: Des-silenciar todas las cuentas existentes de este dominio
|
silence: Des-silenciar todas las cuentas existentes de este dominio
|
||||||
suspend: Des-suspender todas las cuentas existentes de este dominio
|
suspend: Des-suspender todas las cuentas existentes de este dominio
|
||||||
|
@ -451,15 +467,22 @@ es-MX:
|
||||||
view: Ver dominio bloqueado
|
view: Ver dominio bloqueado
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Añadir nuevo
|
add_new: Añadir nuevo
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} intento durante la última semana"
|
||||||
|
other: "%{count} intentos de registro durante la última semana"
|
||||||
created_msg: Dominio de correo añadido a la lista negra con éxito
|
created_msg: Dominio de correo añadido a la lista negra con éxito
|
||||||
delete: Borrar
|
delete: Borrar
|
||||||
destroyed_msg: Dominio de correo borrado de la lista negra con éxito
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Registro MX
|
||||||
domain: Dominio
|
domain: Dominio
|
||||||
empty: Actualmente no hay dominios de correo electrónico en la lista negra.
|
|
||||||
from_html: de %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Añadir dominio
|
create: Añadir dominio
|
||||||
|
resolve: Resolver dominio
|
||||||
title: Nueva entrada en la lista negra de correo
|
title: Nueva entrada en la lista negra de correo
|
||||||
|
no_email_domain_block_selected: No se han cambiado bloqueos de dominio ya que ninguno ha sido seleccionado
|
||||||
|
resolved_dns_records_hint_html: El nombre de dominio resuelve los siguientes dominios MX, los cuales son responsables en última instancia de aceptar el correo electrónico. Bloquear un dominio MX bloqueará los registros de cualquier dirección de correo electrónico que utilice el mismo dominio MX, incluso si el nombre de dominio visible es diferente. <strong>Tenga cuidado de no bloquear los principales proveedores de correo electrónico.</strong>
|
||||||
|
resolved_through_html: Resuelto a través de %{domain}
|
||||||
title: Lista negra de correo
|
title: Lista negra de correo
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Las recomendaciones de cuentas ayudan a los nuevos usuarios a encontrar rápidamente contenido interesante</strong>. Cuando un usuario no ha interactuado con otros lo suficiente como para suscitar recomendaciones personalizadas de cuentas a las que seguir, en su lugar se le recomiendan estas cuentas. Se recalculan diariamente a partir de una mezcla de cuentas con el mayor número de interacciones recientes y con el mayor número de seguidores locales con un idioma determinado."
|
description_html: "<strong>Las recomendaciones de cuentas ayudan a los nuevos usuarios a encontrar rápidamente contenido interesante</strong>. Cuando un usuario no ha interactuado con otros lo suficiente como para suscitar recomendaciones personalizadas de cuentas a las que seguir, en su lugar se le recomiendan estas cuentas. Se recalculan diariamente a partir de una mezcla de cuentas con el mayor número de interacciones recientes y con el mayor número de seguidores locales con un idioma determinado."
|
||||||
|
@ -492,6 +515,10 @@ es-MX:
|
||||||
delivery_error_hint: Si la entrega no es posible a lo largo de %{count} días, se marcará automáticamente como no entregable.
|
delivery_error_hint: Si la entrega no es posible a lo largo de %{count} días, se marcará automáticamente como no entregable.
|
||||||
destroyed_msg: Los datos de %{domain} están ahora en cola para su inminente eliminación.
|
destroyed_msg: Los datos de %{domain} están ahora en cola para su inminente eliminación.
|
||||||
empty: No se encontraron dominios.
|
empty: No se encontraron dominios.
|
||||||
|
known_accounts:
|
||||||
|
one: "%{count} cuenta conocida"
|
||||||
|
other: "%{count} cuentas conocidas"
|
||||||
|
zero: Ninguna cuenta conocida
|
||||||
moderation:
|
moderation:
|
||||||
all: Todos
|
all: Todos
|
||||||
limited: Limitado
|
limited: Limitado
|
||||||
|
@ -590,6 +617,7 @@ es-MX:
|
||||||
title: Notas
|
title: Notas
|
||||||
notes_description_html: Ver y dejar notas a otros moderadores y a tu yo futuro
|
notes_description_html: Ver y dejar notas a otros moderadores y a tu yo futuro
|
||||||
quick_actions_description_html: 'Toma una acción rápida o desplázate hacia abajo para ver el contenido denunciado:'
|
quick_actions_description_html: 'Toma una acción rápida o desplázate hacia abajo para ver el contenido denunciado:'
|
||||||
|
remote_user_placeholder: el usuario remoto de %{instance}
|
||||||
reopen: Reabrir denuncia
|
reopen: Reabrir denuncia
|
||||||
report: 'Reportar #%{id}'
|
report: 'Reportar #%{id}'
|
||||||
reported_account: Cuenta reportada
|
reported_account: Cuenta reportada
|
||||||
|
@ -748,6 +776,10 @@ es-MX:
|
||||||
allow_provider: Permitir medio
|
allow_provider: Permitir medio
|
||||||
disallow: Rechazar enlace
|
disallow: Rechazar enlace
|
||||||
disallow_provider: Rechazar medio
|
disallow_provider: Rechazar medio
|
||||||
|
shared_by_over_week:
|
||||||
|
one: Compartido por una persona en la última semana
|
||||||
|
other: Compartido por %{count} personas durante la última semana
|
||||||
|
zero: Compartido por nadie en la última semana
|
||||||
title: Enlaces en tendencia
|
title: Enlaces en tendencia
|
||||||
usage_comparison: Compartido %{today} veces hoy, comparado con %{yesterday} ayer
|
usage_comparison: Compartido %{today} veces hoy, comparado con %{yesterday} ayer
|
||||||
pending_review: Revisión pendiente
|
pending_review: Revisión pendiente
|
||||||
|
@ -756,6 +788,15 @@ es-MX:
|
||||||
rejected: Los enlaces de este medio no pueden ser tendencia
|
rejected: Los enlaces de este medio no pueden ser tendencia
|
||||||
title: Medios
|
title: Medios
|
||||||
rejected: Rechazadas
|
rejected: Rechazadas
|
||||||
|
statuses:
|
||||||
|
allow: Permitir publicación
|
||||||
|
allow_account: Permitir autor
|
||||||
|
disallow: No permitir publicación
|
||||||
|
disallow_account: No permitir autor
|
||||||
|
shared_by:
|
||||||
|
one: Compartido o marcado como favorito una vez
|
||||||
|
other: Compatido o marcado como favorito %{friendly_count} veces
|
||||||
|
title: Publicaciones destacadas
|
||||||
tags:
|
tags:
|
||||||
current_score: Puntuación actual %{score}
|
current_score: Puntuación actual %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -774,6 +815,10 @@ es-MX:
|
||||||
trending_rank: Tendencia n.º %{rank}
|
trending_rank: Tendencia n.º %{rank}
|
||||||
usable: Pueden usarse
|
usable: Pueden usarse
|
||||||
usage_comparison: Usada %{today} veces hoy, comparado con %{yesterday} ayer
|
usage_comparison: Usada %{today} veces hoy, comparado con %{yesterday} ayer
|
||||||
|
used_by_over_week:
|
||||||
|
one: Usada por una persona durante la última semana
|
||||||
|
other: Usada por %{count} personas durante la última semana
|
||||||
|
zero: Usada por nadie en la última semana
|
||||||
title: Tendencias
|
title: Tendencias
|
||||||
warning_presets:
|
warning_presets:
|
||||||
add_new: Añadir nuevo
|
add_new: Añadir nuevo
|
||||||
|
@ -800,16 +845,21 @@ es-MX:
|
||||||
body: "%{reporter} ha reportado a %{target}"
|
body: "%{reporter} ha reportado a %{target}"
|
||||||
body_remote: Alguien de %{domain} a reportado a %{target}
|
body_remote: Alguien de %{domain} a reportado a %{target}
|
||||||
subject: Nuevo reporte para la %{instance} (#%{id})
|
subject: Nuevo reporte para la %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Los siguientes enlaces están en tendencia hoy, pero sus medios de origen no han sido revisados previamente. No se mostrarán públicamente a menos que los apruebes. No se generarán más notificaciones de estos medios.
|
body: 'Los siguientes elementos necesitan una revisión antes de que se puedan mostrar públicamente:'
|
||||||
no_approved_links: Actualmente no hay enlaces en tendencia aprobados.
|
new_trending_links:
|
||||||
requirements: El enlace en tendencia aprobado más bajo actualmente es "%{lowest_link_title}" con una puntuación de %{lowest_link_score}.
|
no_approved_links: Actualmente no hay enlaces en tendencia aprobados.
|
||||||
subject: Nuevos enlaces en tendencia esperando ser revisados en %{instance}
|
requirements: 'Cualquiera de estos candidatos podría superar el enlace de tendencia aprobado por #%{rank}, que actualmente es "%{lowest_link_title}" con una puntuación de %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Enlaces en tendencia
|
||||||
body: 'Las siguientes etiquetas están en tendencia hoy, pero no han sido revisadas previamente. No se mostrarán públicamente a menos que las apruebes:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Actualmente no hay ninguna etiqueta en tendencia aprobada.
|
no_approved_statuses: Actualmente no hay enlaces en tendencia aprobados.
|
||||||
requirements: La etiqueta en tendencia aprobada más baja actualmente es "%{lowest_tag_name}" con una puntuación de %{lowest_tag_score}.
|
requirements: 'Cualquiera de estos candidatos podría superar la publicación en tendencia aprobado por #%{rank}, que actualmente es %{lowest_status_url} con una puntuación de %{lowest_status_score}.'
|
||||||
subject: Nuevas etiquetas en tendencia esperando ser revisadas en %{instance}
|
title: Publicaciones en tendencia
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Actualmente no hay ninguna etiqueta en tendencia aprobada.
|
||||||
|
requirements: 'Cualquiera de estos candidatos podría superar el hashtag en tendencia aprobado por #%{rank}, que actualmente es #%{lowest_tag_name} con una puntuación de %{lowest_tag_score}.'
|
||||||
|
title: Etiquetas en tendencia
|
||||||
|
subject: Nuevas tendencias esperando ser revisadas en %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Crear alias
|
add_new: Crear alias
|
||||||
created_msg: El nuevo alias se ha creado correctamente. Ahora puedes empezar el traslado desde la cuenta antigua.
|
created_msg: El nuevo alias se ha creado correctamente. Ahora puedes empezar el traslado desde la cuenta antigua.
|
||||||
|
@ -1148,6 +1198,9 @@ es-MX:
|
||||||
carry_mutes_over_text: Este usuario se mudó desde %{acct}, que habías silenciado.
|
carry_mutes_over_text: Este usuario se mudó desde %{acct}, que habías silenciado.
|
||||||
copy_account_note_text: 'Este usuario se mudó desde %{acct}, aquí estaban tus notas anteriores sobre él:'
|
copy_account_note_text: 'Este usuario se mudó desde %{acct}, aquí estaban tus notas anteriores sobre él:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} se registró"
|
||||||
digest:
|
digest:
|
||||||
action: Ver todas las notificaciones
|
action: Ver todas las notificaciones
|
||||||
body: Un resumen de los mensajes que perdiste en desde tu última visita, el %{since}
|
body: Un resumen de los mensajes que perdiste en desde tu última visita, el %{since}
|
||||||
|
|
|
@ -20,7 +20,7 @@ es:
|
||||||
documentation: Documentación
|
documentation: Documentación
|
||||||
federation_hint_html: Con una cuenta en %{instance} usted podrá seguir a las personas en cualquier servidor de Mastodon y más allá.
|
federation_hint_html: Con una cuenta en %{instance} usted podrá seguir a las personas en cualquier servidor de Mastodon y más allá.
|
||||||
get_apps: Probar una aplicación móvil
|
get_apps: Probar una aplicación móvil
|
||||||
hosted_on: Mastodon hosteado en %{domain}
|
hosted_on: Mastodon alojado en %{domain}
|
||||||
instance_actor_flash: |
|
instance_actor_flash: |
|
||||||
Esta cuenta es un actor virtual usado para representar al servidor y no a ningún usuario individual.
|
Esta cuenta es un actor virtual usado para representar al servidor y no a ningún usuario individual.
|
||||||
Se usa para fines federativos y no debe ser bloqueado a menos que usted quiera bloquear toda la instancia, en cuyo caso se debe utilizar un bloque de dominio.
|
Se usa para fines federativos y no debe ser bloqueado a menos que usted quiera bloquear toda la instancia, en cuyo caso se debe utilizar un bloque de dominio.
|
||||||
|
@ -467,15 +467,22 @@ es:
|
||||||
view: Ver dominio bloqueado
|
view: Ver dominio bloqueado
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Añadir nuevo
|
add_new: Añadir nuevo
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} intento durante la última semana"
|
||||||
|
other: "%{count} intentos de registro durante la última semana"
|
||||||
created_msg: Dominio de correo añadido a la lista negra con éxito
|
created_msg: Dominio de correo añadido a la lista negra con éxito
|
||||||
delete: Borrar
|
delete: Borrar
|
||||||
destroyed_msg: Dominio de correo borrado de la lista negra con éxito
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Registro MX
|
||||||
domain: Dominio
|
domain: Dominio
|
||||||
empty: Actualmente no hay dominios de correo electrónico en la lista negra.
|
|
||||||
from_html: de %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Añadir dominio
|
create: Añadir dominio
|
||||||
|
resolve: Resolver dominio
|
||||||
title: Nueva entrada en la lista negra de correo
|
title: Nueva entrada en la lista negra de correo
|
||||||
|
no_email_domain_block_selected: No se han cambiado bloqueos de dominio ya que ninguno ha sido seleccionado
|
||||||
|
resolved_dns_records_hint_html: El nombre de dominio resuelve los siguientes dominios MX, los cuales son responsables en última instancia de aceptar el correo electrónico. Bloquear un dominio MX bloqueará los registros de cualquier dirección de correo electrónico que utilice el mismo dominio MX, incluso si el nombre de dominio visible es diferente. <strong>Tenga cuidado de no bloquear los principales proveedores de correo electrónico.</strong>
|
||||||
|
resolved_through_html: Resuelto a través de %{domain}
|
||||||
title: Lista negra de correo
|
title: Lista negra de correo
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Las recomendaciones de cuentas ayudan a los nuevos usuarios a encontrar rápidamente contenido interesante</strong>. Cuando un usuario no ha interactuado con otros lo suficiente como para suscitar recomendaciones personalizadas de cuentas a las que seguir, en su lugar se le recomiendan estas cuentas. Se recalculan diariamente a partir de una mezcla de cuentas con el mayor número de interacciones recientes y con el mayor número de seguidores locales con un idioma determinado."
|
description_html: "<strong>Las recomendaciones de cuentas ayudan a los nuevos usuarios a encontrar rápidamente contenido interesante</strong>. Cuando un usuario no ha interactuado con otros lo suficiente como para suscitar recomendaciones personalizadas de cuentas a las que seguir, en su lugar se le recomiendan estas cuentas. Se recalculan diariamente a partir de una mezcla de cuentas con el mayor número de interacciones recientes y con el mayor número de seguidores locales con un idioma determinado."
|
||||||
|
@ -610,6 +617,7 @@ es:
|
||||||
title: Notas
|
title: Notas
|
||||||
notes_description_html: Ver y dejar notas a otros moderadores y a tu yo futuro
|
notes_description_html: Ver y dejar notas a otros moderadores y a tu yo futuro
|
||||||
quick_actions_description_html: 'Toma una acción rápida o desplázate hacia abajo para ver el contenido denunciado:'
|
quick_actions_description_html: 'Toma una acción rápida o desplázate hacia abajo para ver el contenido denunciado:'
|
||||||
|
remote_user_placeholder: el usuario remoto de %{instance}
|
||||||
reopen: Reabrir denuncia
|
reopen: Reabrir denuncia
|
||||||
report: 'Reportar #%{id}'
|
report: 'Reportar #%{id}'
|
||||||
reported_account: Cuenta reportada
|
reported_account: Cuenta reportada
|
||||||
|
@ -692,7 +700,7 @@ es:
|
||||||
title: Modo de registros
|
title: Modo de registros
|
||||||
show_known_fediverse_at_about_page:
|
show_known_fediverse_at_about_page:
|
||||||
desc_html: Cuando esté desactivado, se mostrarán solamente publicaciones locales en la línea temporal pública
|
desc_html: Cuando esté desactivado, se mostrarán solamente publicaciones locales en la línea temporal pública
|
||||||
title: Mostrar fediverso conocido en la vista previa de la historia
|
title: Incluye contenido federado en la página de línea de tiempo pública no autenticada
|
||||||
show_staff_badge:
|
show_staff_badge:
|
||||||
desc_html: Mostrar un parche de staff en la página de un usuario
|
desc_html: Mostrar un parche de staff en la página de un usuario
|
||||||
title: Mostrar parche de staff
|
title: Mostrar parche de staff
|
||||||
|
@ -780,6 +788,15 @@ es:
|
||||||
rejected: Los enlaces de este medio no pueden ser tendencia
|
rejected: Los enlaces de este medio no pueden ser tendencia
|
||||||
title: Medios
|
title: Medios
|
||||||
rejected: Rechazadas
|
rejected: Rechazadas
|
||||||
|
statuses:
|
||||||
|
allow: Permitir publicación
|
||||||
|
allow_account: Permitir autor
|
||||||
|
disallow: No permitir publicación
|
||||||
|
disallow_account: No permitir autor
|
||||||
|
shared_by:
|
||||||
|
one: Compartido o marcado como favorito una vez
|
||||||
|
other: Compatido o marcado como favorito %{friendly_count} veces
|
||||||
|
title: Publicaciones destacadas
|
||||||
tags:
|
tags:
|
||||||
current_score: Puntuación actual %{score}
|
current_score: Puntuación actual %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -828,16 +845,21 @@ es:
|
||||||
body: "%{reporter} ha reportado a %{target}"
|
body: "%{reporter} ha reportado a %{target}"
|
||||||
body_remote: Alguien de %{domain} a reportado a %{target}
|
body_remote: Alguien de %{domain} a reportado a %{target}
|
||||||
subject: Nuevo reporte para la %{instance} (#%{id})
|
subject: Nuevo reporte para la %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Los siguientes enlaces están en tendencia hoy, pero sus medios de origen no han sido revisados previamente. No se mostrarán públicamente a menos que los apruebes. No se generarán más notificaciones de estos medios.
|
body: 'Los siguientes elementos necesitan una revisión antes de que se puedan mostrar públicamente:'
|
||||||
no_approved_links: Actualmente no hay enlaces en tendencia aprobados.
|
new_trending_links:
|
||||||
requirements: El enlace en tendencia aprobado más bajo actualmente es "%{lowest_link_title}" con una puntuación de %{lowest_link_score}.
|
no_approved_links: Actualmente no hay enlaces en tendencia aprobados.
|
||||||
subject: Nuevos enlaces en tendencia esperando ser revisados en %{instance}
|
requirements: 'Cualquiera de estos candidatos podría superar el enlace de tendencia aprobado por #%{rank}, que actualmente es "%{lowest_link_title}" con una puntuación de %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Enlaces en tendencia
|
||||||
body: 'Las siguientes etiquetas están en tendencia hoy, pero no han sido revisadas previamente. No se mostrarán públicamente a menos que las apruebes:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Actualmente no hay ninguna etiqueta en tendencia aprobada.
|
no_approved_statuses: Actualmente no hay enlaces en tendencia aprobados.
|
||||||
requirements: La etiqueta en tendencia aprobada más baja actualmente es "%{lowest_tag_name}" con una puntuación de %{lowest_tag_score}.
|
requirements: 'Cualquiera de estos candidatos podría superar la publicación en tendencia aprobado por #%{rank}, que actualmente es %{lowest_status_url} con una puntuación de %{lowest_status_score}.'
|
||||||
subject: Nuevas etiquetas en tendencia esperando ser revisadas en %{instance}
|
title: Publicaciones en tendencia
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Actualmente no hay ninguna etiqueta en tendencia aprobada.
|
||||||
|
requirements: 'Cualquiera de estos candidatos podría superar el hashtag en tendencia aprobado por #%{rank}, que actualmente es #%{lowest_tag_name} con una puntuación de %{lowest_tag_score}.'
|
||||||
|
title: Etiquetas en tendencia
|
||||||
|
subject: Nuevas tendencias esperando ser revisadas en %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Crear alias
|
add_new: Crear alias
|
||||||
created_msg: El nuevo alias se ha creado correctamente. Ahora puedes empezar el traslado desde la cuenta antigua.
|
created_msg: El nuevo alias se ha creado correctamente. Ahora puedes empezar el traslado desde la cuenta antigua.
|
||||||
|
@ -1045,9 +1067,9 @@ es:
|
||||||
filters:
|
filters:
|
||||||
contexts:
|
contexts:
|
||||||
account: Perfiles
|
account: Perfiles
|
||||||
home: Timeline propio
|
home: Inicio y listas
|
||||||
notifications: Notificaciones
|
notifications: Notificaciones
|
||||||
public: Timeline público
|
public: Líneas de tiempo públicas
|
||||||
thread: Conversaciones
|
thread: Conversaciones
|
||||||
edit:
|
edit:
|
||||||
title: Editar filtro
|
title: Editar filtro
|
||||||
|
@ -1176,6 +1198,9 @@ es:
|
||||||
carry_mutes_over_text: Este usuario se mudó desde %{acct}, que habías silenciado.
|
carry_mutes_over_text: Este usuario se mudó desde %{acct}, que habías silenciado.
|
||||||
copy_account_note_text: 'Este usuario se mudó desde %{acct}, aquí estaban tus notas anteriores sobre él:'
|
copy_account_note_text: 'Este usuario se mudó desde %{acct}, aquí estaban tus notas anteriores sobre él:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} se registró"
|
||||||
digest:
|
digest:
|
||||||
action: Ver todas las notificaciones
|
action: Ver todas las notificaciones
|
||||||
body: Un resumen de los mensajes que perdiste en desde tu última visita, el %{since}
|
body: Un resumen de los mensajes que perdiste en desde tu última visita, el %{since}
|
||||||
|
@ -1626,7 +1651,7 @@ es:
|
||||||
subject: Bienvenido a Mastodon
|
subject: Bienvenido a Mastodon
|
||||||
tip_federated_timeline: La línea de tiempo federada es una vista de la red de Mastodon. Pero solo incluye gente que tus vecinos están siguiendo, así que no está completa.
|
tip_federated_timeline: La línea de tiempo federada es una vista de la red de Mastodon. Pero solo incluye gente que tus vecinos están siguiendo, así que no está completa.
|
||||||
tip_following: Sigues a tus administradores de servidor por defecto. Para encontrar más gente interesante, revisa las lineas de tiempo local y federada.
|
tip_following: Sigues a tus administradores de servidor por defecto. Para encontrar más gente interesante, revisa las lineas de tiempo local y federada.
|
||||||
tip_local_timeline: La linea de tiempo local is una vista de la gente en %{instance}. Estos son tus vecinos inmediatos!
|
tip_local_timeline: La línea de tiempo local es una vista de la gente en %{instance}. ¡Estos son tus vecinos inmediatos!
|
||||||
tip_mobile_webapp: Si el navegador de tu dispositivo móvil ofrece agregar Mastodon a tu página de inicio, puedes recibir notificaciones. Actúa como una aplicación nativa en muchas formas!
|
tip_mobile_webapp: Si el navegador de tu dispositivo móvil ofrece agregar Mastodon a tu página de inicio, puedes recibir notificaciones. Actúa como una aplicación nativa en muchas formas!
|
||||||
tips: Consejos
|
tips: Consejos
|
||||||
title: Te damos la bienvenida a bordo, %{name}!
|
title: Te damos la bienvenida a bordo, %{name}!
|
||||||
|
|
|
@ -328,10 +328,7 @@ et:
|
||||||
add_new: Lisa uus
|
add_new: Lisa uus
|
||||||
created_msg: E-posti aadressi keelunimekirja lisamine õnnestus
|
created_msg: E-posti aadressi keelunimekirja lisamine õnnestus
|
||||||
delete: Kustuta
|
delete: Kustuta
|
||||||
destroyed_msg: E-posti aadressi keelunimekirjast kustutamine õnnestus
|
|
||||||
domain: Domeen
|
domain: Domeen
|
||||||
empty: Ühtegi e-postidomeeni pole blokeeritud.
|
|
||||||
from_html: "%{domain}-ist"
|
|
||||||
new:
|
new:
|
||||||
create: Lisa domeen
|
create: Lisa domeen
|
||||||
title: Uus e-posti keelunimekirja sisend
|
title: Uus e-posti keelunimekirja sisend
|
||||||
|
|
|
@ -449,10 +449,7 @@ eu:
|
||||||
add_new: Gehitu berria
|
add_new: Gehitu berria
|
||||||
created_msg: Ongi gehitu da e-mail helbidea domeinuen zerrenda beltzera
|
created_msg: Ongi gehitu da e-mail helbidea domeinuen zerrenda beltzera
|
||||||
delete: Ezabatu
|
delete: Ezabatu
|
||||||
destroyed_msg: Ongi ezabatu da e-mail domeinua zerrenda beltzetik
|
|
||||||
domain: Domeinua
|
domain: Domeinua
|
||||||
empty: Ez dago e-mail domeinurik zerrenda beltzean.
|
|
||||||
from_html: "%{domain} domeinutik"
|
|
||||||
new:
|
new:
|
||||||
create: Gehitu domeinua
|
create: Gehitu domeinua
|
||||||
title: Sarrera berria e-mail zerrenda beltzean
|
title: Sarrera berria e-mail zerrenda beltzean
|
||||||
|
@ -782,16 +779,6 @@ eu:
|
||||||
body: "%{reporter}(e)k %{target} salatu du"
|
body: "%{reporter}(e)k %{target} salatu du"
|
||||||
body_remote: "%{domain} domeinuko norbaitek %{target} salatu du"
|
body_remote: "%{domain} domeinuko norbaitek %{target} salatu du"
|
||||||
subject: Salaketa berria %{instance} instantzian (#%{id})
|
subject: Salaketa berria %{instance} instantzian (#%{id})
|
||||||
new_trending_links:
|
|
||||||
body: Ondorengo estekak dira joera gaur, baina beren argitaratzaileak ez dira berrikusi aurretik. Ez dira bistaratuko publikoki onartu ezean. Ez da sortuko argitaratzaile hauen jakinarazpen gehiago.
|
|
||||||
no_approved_links: Ez dago onartutako esteken joerarik une honetan.
|
|
||||||
requirements: Onartutako esteken joera baxuena %{lowest_link_title} da une honetan %{lowest_link_score} emaitzarekin.
|
|
||||||
subject: Esteken joera gehiago daude berrikusteko %{instance} instantzian
|
|
||||||
new_trending_tags:
|
|
||||||
body: 'Ondorengo traolak dira joera gaur, baina ez dira berrikusi aurretik. Ez dira bistaratuko publikoki onartzen ez badituzu:'
|
|
||||||
no_approved_tags: Ez dago onartutako traolen joerarik une honetan.
|
|
||||||
requirements: Onartutako traolen joera baxuena %{lowest_tag_name} da une honetan %{lowest_tag_score} emaitzarekin.
|
|
||||||
subject: Traolen joera gehiago daude berrikusteko %{instance} instantzian
|
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Sortu ezizena
|
add_new: Sortu ezizena
|
||||||
created_msg: Ongi sortu da ezizena. Orain kontu zaharretik migratzen hasi zaitezke.
|
created_msg: Ongi sortu da ezizena. Orain kontu zaharretik migratzen hasi zaitezke.
|
||||||
|
|
|
@ -439,10 +439,7 @@ fa:
|
||||||
add_new: افزودن تازه
|
add_new: افزودن تازه
|
||||||
created_msg: مسدودسازی دامین ایمیل با موفقیت ساخته شد
|
created_msg: مسدودسازی دامین ایمیل با موفقیت ساخته شد
|
||||||
delete: پاککردن
|
delete: پاککردن
|
||||||
destroyed_msg: مسدودسازی دامین ایمیل با موفقیت پاک شد
|
|
||||||
domain: دامین
|
domain: دامین
|
||||||
empty: هیچ دامنه ایمیلی در حال حاضر در لیستسیاه قرار نگرفته است.
|
|
||||||
from_html: از %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: ساختن مسدودسازی
|
create: ساختن مسدودسازی
|
||||||
title: مسدودسازی دامین ایمیل تازه
|
title: مسدودسازی دامین ایمیل تازه
|
||||||
|
|
|
@ -407,7 +407,7 @@ fi:
|
||||||
other: "<strong>%{count}</strong> odottavat käyttäjät"
|
other: "<strong>%{count}</strong> odottavat käyttäjät"
|
||||||
resolved_reports: raportit ratkaistu
|
resolved_reports: raportit ratkaistu
|
||||||
software: Ohjelmisto
|
software: Ohjelmisto
|
||||||
sources: Kirjautumisen lähteet
|
sources: Rekisteröitymisen lähteet
|
||||||
space: Tilankäyttö
|
space: Tilankäyttö
|
||||||
title: Hallintapaneeli
|
title: Hallintapaneeli
|
||||||
top_languages: Aktiiviset kielet
|
top_languages: Aktiiviset kielet
|
||||||
|
@ -467,15 +467,22 @@ fi:
|
||||||
view: Näytä verkkotunnuksen esto
|
view: Näytä verkkotunnuksen esto
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Lisää uusi
|
add_new: Lisää uusi
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} yritystä viimeisen viikon aikana"
|
||||||
|
other: "%{count} rekisteröitymisyritystä viimeisen viikon aikana"
|
||||||
created_msg: Sähköpostiverkkotunnuksen lisäys estolistalle onnistui
|
created_msg: Sähköpostiverkkotunnuksen lisäys estolistalle onnistui
|
||||||
delete: Poista
|
delete: Poista
|
||||||
destroyed_msg: Sähköpostiverkkotunnuksen poisto estolistalta onnistui
|
dns:
|
||||||
|
types:
|
||||||
|
mx: MX tietue
|
||||||
domain: Verkkotunnus
|
domain: Verkkotunnus
|
||||||
empty: Sähköpostiosoitteita ei ole tällä hetkellä estetty.
|
|
||||||
from_html: käyttäjältä %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Lisää verkkotunnus
|
create: Lisää verkkotunnus
|
||||||
|
resolve: Ratkaise verkkotunnus
|
||||||
title: Uusi sähköpostiestolistan merkintä
|
title: Uusi sähköpostiestolistan merkintä
|
||||||
|
no_email_domain_block_selected: Sähköpostin verkkotunnuksia ei muutettu, koska yhtään ei valittu
|
||||||
|
resolved_dns_records_hint_html: Verkkotunnuksen nimi määräytyy seuraaviin MX-verkkotunnuksiin, jotka ovat viime kädessä vastuussa sähköpostin vastaanottamisesta. MX-verkkotunnuksen estäminen estää kirjautumisen mistä tahansa sähköpostiosoitteesta, joka käyttää samaa MX-verkkotunnusta, vaikka näkyvä verkkotunnuksen nimi olisikin erilainen. <strong>Varo estämästä suuria sähköpostin palveluntarjoajia.</strong>
|
||||||
|
resolved_through_html: Ratkaistu %{domain} kautta
|
||||||
title: Sähköpostiestolista
|
title: Sähköpostiestolista
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Suositusten noudattaminen auttaa uusia käyttäjiä löytämään nopeasti mielenkiintoista sisältöä.</strong>. Jos käyttäjä ei ole ollut vuorovaikutuksessa tarpeeksi muiden kanssa luodakseen henkilökohtaisia seuraajia, näitä muita tilejä suositellaan sen sijaan. Ne lasketaan uudelleen päivittäin yhdistelmästä tilejä, joilla on korkein viimeaikainen käyttö ja korkein paikallinen seuraajien määrä tietyllä kielellä."
|
description_html: "<strong>Suositusten noudattaminen auttaa uusia käyttäjiä löytämään nopeasti mielenkiintoista sisältöä.</strong>. Jos käyttäjä ei ole ollut vuorovaikutuksessa tarpeeksi muiden kanssa luodakseen henkilökohtaisia seuraajia, näitä muita tilejä suositellaan sen sijaan. Ne lasketaan uudelleen päivittäin yhdistelmästä tilejä, joilla on korkein viimeaikainen käyttö ja korkein paikallinen seuraajien määrä tietyllä kielellä."
|
||||||
|
@ -580,14 +587,20 @@ fi:
|
||||||
actions:
|
actions:
|
||||||
delete_description_html: Ilmoitetut viestit poistetaan ja kirjataan varoitus, joka auttaa sinua saman tilin tulevista rikkomuksista.
|
delete_description_html: Ilmoitetut viestit poistetaan ja kirjataan varoitus, joka auttaa sinua saman tilin tulevista rikkomuksista.
|
||||||
other_description_html: Katso lisää vaihtoehtoja tilin käytöksen hallitsemiseksi ja ilmoitetun tilin viestinnän mukauttamiseksi.
|
other_description_html: Katso lisää vaihtoehtoja tilin käytöksen hallitsemiseksi ja ilmoitetun tilin viestinnän mukauttamiseksi.
|
||||||
|
resolve_description_html: Ilmoitettua tiliä vastaan ei ryhdytä toimenpiteisiin, varoitusta ei kirjata ja raportti suljetaan.
|
||||||
|
silence_description_html: Profiili näkyy vain niille, jotka jo seuraavat sitä tai etsivät sen manuaalisesti, mikä rajoittaa merkittävästi kattavuutta. Se voidaan aina palauttaa.
|
||||||
|
suspend_description_html: Profiili ja sen koko sisältö eivät ole käytettävissä, kunnes se lopulta poistetaan. Vuorovaikutus tilin kanssa on mahdotonta. Palautettavissa 30 päivän kuluessa.
|
||||||
|
actions_description_html: Päätä, mihin toimiin ryhdyt tämän ilmoituksen ratkaisemiseksi. Jos ryhdyt rangaistustoimeen ilmoitettua tiliä vastaan, heille lähetetään sähköposti-ilmoitus, paitsi jos <strong>Roskaposti</strong> luokka on valittuna.
|
||||||
add_to_report: Lisää raporttiin
|
add_to_report: Lisää raporttiin
|
||||||
are_you_sure: Oletko varma?
|
are_you_sure: Oletko varma?
|
||||||
assign_to_self: Ota tehtäväksi
|
assign_to_self: Ota tehtäväksi
|
||||||
assigned: Määritetty valvoja
|
assigned: Määritetty valvoja
|
||||||
by_target_domain: Ilmoitetun tilin verkkotunnus
|
by_target_domain: Ilmoitetun tilin verkkotunnus
|
||||||
category: Kategoria
|
category: Kategoria
|
||||||
|
category_description_html: Syy, miksi tämä tili ja/tai sisältö ilmoitettiin, mainitaan yhteydenotossa ilmoitettuun tiliin
|
||||||
comment:
|
comment:
|
||||||
none: Ei mitään
|
none: Ei mitään
|
||||||
|
comment_description_html: 'Antaakseen lisätietoja %{name} kirjoitti:'
|
||||||
created_at: Raportoitu
|
created_at: Raportoitu
|
||||||
delete_and_resolve: Poista viestejä
|
delete_and_resolve: Poista viestejä
|
||||||
forwarded: Välitetty
|
forwarded: Välitetty
|
||||||
|
@ -604,6 +617,7 @@ fi:
|
||||||
title: Merkinnät
|
title: Merkinnät
|
||||||
notes_description_html: Tarkastele ja jätä merkintöjä muille valvojille ja itsellesi tulevaisuuteen
|
notes_description_html: Tarkastele ja jätä merkintöjä muille valvojille ja itsellesi tulevaisuuteen
|
||||||
quick_actions_description_html: 'Suorita nopea toiminto tai vieritä alas nähdäksesi raportoitu sisältö:'
|
quick_actions_description_html: 'Suorita nopea toiminto tai vieritä alas nähdäksesi raportoitu sisältö:'
|
||||||
|
remote_user_placeholder: etäkäyttäjä paikasta %{instance}
|
||||||
reopen: Avaa raportti uudestaan
|
reopen: Avaa raportti uudestaan
|
||||||
report: Raportti nro %{id}
|
report: Raportti nro %{id}
|
||||||
reported_account: Raportoitu tili
|
reported_account: Raportoitu tili
|
||||||
|
@ -731,6 +745,16 @@ fi:
|
||||||
no_status_selected: Viestejä ei muutettu, koska yhtään ei ole valittuna
|
no_status_selected: Viestejä ei muutettu, koska yhtään ei ole valittuna
|
||||||
title: Tilin tilat
|
title: Tilin tilat
|
||||||
with_media: Sisältää mediaa
|
with_media: Sisältää mediaa
|
||||||
|
strikes:
|
||||||
|
actions:
|
||||||
|
delete_statuses: "%{name} poisti käyttäjän %{target} viestit"
|
||||||
|
disable: "%{name} jäädytti %{target} tilin"
|
||||||
|
none: "%{name} lähetti varoituksen henkilölle %{target}"
|
||||||
|
sensitive: "%{name} merkitsi käyttäjän %{target} tilin arkaluonteiseksi"
|
||||||
|
silence: "%{name} rajoitti käyttäjän %{target} tilin"
|
||||||
|
suspend: "%{name} keskeytti käyttäjän %{target} tilin"
|
||||||
|
appeal_approved: Valitti
|
||||||
|
appeal_pending: Valitus vireillä
|
||||||
system_checks:
|
system_checks:
|
||||||
database_schema_check:
|
database_schema_check:
|
||||||
message_html: Tietokannan siirto on vireillä. Suorita ne varmistaaksesi, että sovellus toimii odotetulla tavalla
|
message_html: Tietokannan siirto on vireillä. Suorita ne varmistaaksesi, että sovellus toimii odotetulla tavalla
|
||||||
|
@ -752,6 +776,10 @@ fi:
|
||||||
allow_provider: Salli julkaisija
|
allow_provider: Salli julkaisija
|
||||||
disallow: Hylkää linkki
|
disallow: Hylkää linkki
|
||||||
disallow_provider: Estä julkaisija
|
disallow_provider: Estä julkaisija
|
||||||
|
shared_by_over_week:
|
||||||
|
one: Jakanut yksi henkilö viimeisen viikon aikana
|
||||||
|
other: Jakanut %{count} henkilöä viimeisen viikon aikana
|
||||||
|
zero: Kukaan ei ole jakanut viimeisen viikon aikana
|
||||||
title: Suositut linkit
|
title: Suositut linkit
|
||||||
usage_comparison: Jaettu %{today} kertaa tänään verrattuna eilen %{yesterday}
|
usage_comparison: Jaettu %{today} kertaa tänään verrattuna eilen %{yesterday}
|
||||||
pending_review: Odottaa tarkistusta
|
pending_review: Odottaa tarkistusta
|
||||||
|
@ -760,6 +788,15 @@ fi:
|
||||||
rejected: Tämän julkaisijan linkit eivät voi trendata
|
rejected: Tämän julkaisijan linkit eivät voi trendata
|
||||||
title: Julkaisijat
|
title: Julkaisijat
|
||||||
rejected: Hylätty
|
rejected: Hylätty
|
||||||
|
statuses:
|
||||||
|
allow: Salli viesti
|
||||||
|
allow_account: Salli tekijä
|
||||||
|
disallow: Estä viesti
|
||||||
|
disallow_account: Estä tekijä
|
||||||
|
shared_by:
|
||||||
|
one: Jaettu tai suosikki kerran
|
||||||
|
other: Jaettu ja lisätty suosikkeihin %{friendly_count} kertaa
|
||||||
|
title: Suositut viestit
|
||||||
tags:
|
tags:
|
||||||
current_score: Nykyinen tulos %{score}
|
current_score: Nykyinen tulos %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -778,6 +815,10 @@ fi:
|
||||||
trending_rank: 'Nousussa #%{rank}'
|
trending_rank: 'Nousussa #%{rank}'
|
||||||
usable: Voidaan käyttää
|
usable: Voidaan käyttää
|
||||||
usage_comparison: Käytetty %{today} kertaa tänään, verrattuna %{yesterday} eiliseen
|
usage_comparison: Käytetty %{today} kertaa tänään, verrattuna %{yesterday} eiliseen
|
||||||
|
used_by_over_week:
|
||||||
|
one: Yhden henkilön käyttämä viimeisen viikon aikana
|
||||||
|
other: Käyttänyt %{count} henkilöä viimeisen viikon aikana
|
||||||
|
zero: Ei kenenkään käytössä viimeisen viikon aikana
|
||||||
title: Trendit
|
title: Trendit
|
||||||
warning_presets:
|
warning_presets:
|
||||||
add_new: Lisää uusi
|
add_new: Lisää uusi
|
||||||
|
@ -786,6 +827,17 @@ fi:
|
||||||
empty: Et ole vielä määrittänyt yhtään varoitusesiasetusta.
|
empty: Et ole vielä määrittänyt yhtään varoitusesiasetusta.
|
||||||
title: Hallinnoi varoitusesiasetuksia
|
title: Hallinnoi varoitusesiasetuksia
|
||||||
admin_mailer:
|
admin_mailer:
|
||||||
|
new_appeal:
|
||||||
|
actions:
|
||||||
|
delete_statuses: poistaa heidän viestit
|
||||||
|
disable: jäädyttää heidän tilinsä
|
||||||
|
none: varoitus
|
||||||
|
sensitive: merkitä heidän tilinsä arkaluonteiseksi
|
||||||
|
silence: rajoittaa heidän tilinsä
|
||||||
|
suspend: keskeyttää heidän tilinsä
|
||||||
|
body: "%{target} on valittanut valvojan päätöksestä %{action_taken_by} aika %{date}, joka oli %{type}. He kirjoittivat:"
|
||||||
|
next_steps: Voit hyväksyä vetoomuksen ja kumota päätöksen tai jättää sen huomiotta.
|
||||||
|
subject: "%{username} valittaa valvojan päätöksestä, joka koskee %{instance}"
|
||||||
new_pending_account:
|
new_pending_account:
|
||||||
body: Uuden tilin tiedot ovat alla. Voit hyväksyä tai hylätä tämän hakemuksen.
|
body: Uuden tilin tiedot ovat alla. Voit hyväksyä tai hylätä tämän hakemuksen.
|
||||||
subject: Uusi tili tarkastettavana %{instance} (%{username})
|
subject: Uusi tili tarkastettavana %{instance} (%{username})
|
||||||
|
@ -793,16 +845,21 @@ fi:
|
||||||
body: "%{reporter} on raportoinut kohteen %{target}"
|
body: "%{reporter} on raportoinut kohteen %{target}"
|
||||||
body_remote: Joku osoitteesta %{domain} on raportoinut kohteen %{target}
|
body_remote: Joku osoitteesta %{domain} on raportoinut kohteen %{target}
|
||||||
subject: Uusi raportti instanssista %{instance} (nro %{id})
|
subject: Uusi raportti instanssista %{instance} (nro %{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Seuraavat linkit trendaavat tänään, mutta niiden julkaisijoita ei ole aiemmin tarkistettu. Niitä ei näytetä julkisesti, ellet hyväksy niitä. Uusia ilmoituksia samoilta julkaisijoilta ei luoda.
|
body: 'Seuraavat kohteet on tarkistettava ennen kuin ne voidaan näyttää julkisesti:'
|
||||||
no_approved_links: Tällä hetkellä ei ole hyväksyttyjä trendaavia linkkejä.
|
new_trending_links:
|
||||||
requirements: Alin hyväksytty trendilinkki on tällä hetkellä "%{lowest_link_title}" pisteillä %{lowest_link_score}.
|
no_approved_links: Tällä hetkellä ei ole hyväksyttyjä trendikkäitä linkkejä.
|
||||||
subject: Uudet trendikkäät linkit tarkistettavaksi %{instance}
|
requirements: 'Mikä tahansa näistä ehdokkaista voisi ylittää #%{rank} hyväksytyn trendikkään linkin, joka on tällä hetkellä "%{lowest_link_title}" arvosanalla %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Suositut linkit
|
||||||
body: 'Seuraavat hashtagit ovat trendejä tänään, mutta niitä ei ole aiemmin tarkistettu. Niitä ei näytetä julkisesti, ellet hyväksy niitä:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Tällä hetkellä ei ole hyväksyttyjä trendikkäitä hashtageja.
|
no_approved_statuses: Tällä hetkellä ei ole hyväksyttyjä trendikkäitä viestejä.
|
||||||
requirements: Alin hyväksytty trendikäs hashtag on tällä hetkellä "%{lowest_tag_name}" pisteillä %{lowest_tag_score}.
|
requirements: 'Mikä tahansa näistä ehdokkaista voisi ylittää #%{rank} hyväksytyn trendikkään julkaisun, joka on tällä hetkellä %{lowest_status_url} arvosanalla %{lowest_status_score}.'
|
||||||
subject: Uusia trendikkäitä hashtageja tarkistettavaksi %{instance}
|
title: Suositut viestit
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Tällä hetkellä ei ole hyväksyttyjä trendikkäitä hashtageja.
|
||||||
|
requirements: 'Mikä tahansa näistä ehdokkaista voisi ylittää #%{rank} hyväksytyn trendikkään hashtagin, joka on tällä hetkellä #%{lowest_tag_name} arvosanalla %{lowest_tag_score}.'
|
||||||
|
title: Suositut hashtagit
|
||||||
|
subject: Uusia trendejä tarkistettavaksi %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Luo alias
|
add_new: Luo alias
|
||||||
created_msg: Uusi alias luotiin onnistuneesti. Voit nyt aloittaa siirron vanhasta tilistä.
|
created_msg: Uusi alias luotiin onnistuneesti. Voit nyt aloittaa siirron vanhasta tilistä.
|
||||||
|
@ -943,10 +1000,30 @@ fi:
|
||||||
explore_mastodon: Tutki %{title}ia
|
explore_mastodon: Tutki %{title}ia
|
||||||
disputes:
|
disputes:
|
||||||
strikes:
|
strikes:
|
||||||
|
action_taken: Toteutetut toimet
|
||||||
|
appeal: Vetoomus
|
||||||
|
appeal_approved: Tähän valitukseen on haettu muutosta, eikä se ole enää voimassa
|
||||||
|
appeal_rejected: Valitus on hylätty
|
||||||
|
appeal_submitted_at: Valitus lähetetty
|
||||||
|
appealed_msg: Valituksesi on lähetetty. Jos se hyväksytään, sinulle ilmoitetaan.
|
||||||
|
appeals:
|
||||||
|
submit: Lähetä valitus
|
||||||
|
associated_report: Liittyvä raportti
|
||||||
created_at: Päivätty
|
created_at: Päivätty
|
||||||
recipient: Osoitettu
|
recipient: Osoitettu
|
||||||
status: 'Viesti #%{id}'
|
status: 'Viesti #%{id}'
|
||||||
status_removed: Viesti on jo poistettu järjestelmästä
|
status_removed: Viesti on jo poistettu järjestelmästä
|
||||||
|
title: "%{action} alkaen %{date}"
|
||||||
|
title_actions:
|
||||||
|
delete_statuses: Viestin poisto
|
||||||
|
disable: Tilin jäädyttäminen
|
||||||
|
none: Varoitus
|
||||||
|
sensitive: Merkintä tilille arkaluonteisena
|
||||||
|
silence: Tilin rajoittaminen
|
||||||
|
suspend: Tilin keskeyttäminen
|
||||||
|
your_appeal_approved: Valituksesi on hyväksytty
|
||||||
|
your_appeal_pending: Olet lähettänyt valituksen
|
||||||
|
your_appeal_rejected: Valituksesi on hylätty
|
||||||
domain_validator:
|
domain_validator:
|
||||||
invalid_domain: ei ole kelvollinen toimialueen nimi
|
invalid_domain: ei ole kelvollinen toimialueen nimi
|
||||||
errors:
|
errors:
|
||||||
|
@ -1121,6 +1198,9 @@ fi:
|
||||||
carry_mutes_over_text: Tämä käyttäjä siirtyi paikasta %{acct}, jonka mykistit.
|
carry_mutes_over_text: Tämä käyttäjä siirtyi paikasta %{acct}, jonka mykistit.
|
||||||
copy_account_note_text: 'Tämä käyttäjä siirtyi paikasta %{acct}, tässä olivat aiemmat muistiinpanosi niistä:'
|
copy_account_note_text: 'Tämä käyttäjä siirtyi paikasta %{acct}, tässä olivat aiemmat muistiinpanosi niistä:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} kirjautunut"
|
||||||
digest:
|
digest:
|
||||||
action: Näytä kaikki ilmoitukset
|
action: Näytä kaikki ilmoitukset
|
||||||
body: Tässä lyhyt yhteenveto viime käyntisi (%{since}) jälkeen tulleista viesteistä
|
body: Tässä lyhyt yhteenveto viime käyntisi (%{since}) jälkeen tulleista viesteistä
|
||||||
|
@ -1158,6 +1238,8 @@ fi:
|
||||||
title: Uusi buustaus
|
title: Uusi buustaus
|
||||||
status:
|
status:
|
||||||
subject: "%{name} julkaisi juuri"
|
subject: "%{name} julkaisi juuri"
|
||||||
|
update:
|
||||||
|
subject: "%{name} muokkasi viestiä"
|
||||||
notifications:
|
notifications:
|
||||||
email_events: Sähköposti-ilmoitusten tapahtumat
|
email_events: Sähköposti-ilmoitusten tapahtumat
|
||||||
email_events_hint: 'Valitse tapahtumat, joista haluat saada ilmoituksia:'
|
email_events_hint: 'Valitse tapahtumat, joista haluat saada ilmoituksia:'
|
||||||
|
@ -1391,10 +1473,15 @@ fi:
|
||||||
'7889238': 3 kuukautta
|
'7889238': 3 kuukautta
|
||||||
min_age_label: Ikäraja
|
min_age_label: Ikäraja
|
||||||
min_favs: Pidä viestit suosikeissa vähintään
|
min_favs: Pidä viestit suosikeissa vähintään
|
||||||
|
min_favs_hint: Ei poista yhtään julkaisuasi, jotka ovat saaneet vähintään tämän määrän tykkäyksiä. Jätä tyhjäksi, jos haluat poistaa julkaisuja tykkäyksien määrästä riippumatta
|
||||||
|
min_reblogs: Pidä viestit tehostettuna vähintään
|
||||||
|
min_reblogs_hint: Ei poista yhtään viestiäsi, jota on tehostettu vähintään näin monta kertaa. Jätä tyhjäksi poistaaksesi viestejä riippumatta niiden tehosteiden määrästä
|
||||||
stream_entries:
|
stream_entries:
|
||||||
pinned: Kiinnitetty tuuttaus
|
pinned: Kiinnitetty tuuttaus
|
||||||
reblogged: buustasi
|
reblogged: buustasi
|
||||||
sensitive_content: Arkaluontoista sisältöä
|
sensitive_content: Arkaluontoista sisältöä
|
||||||
|
tags:
|
||||||
|
does_not_match_previous_name: ei vastaa edellistä nimeä
|
||||||
terms:
|
terms:
|
||||||
title: "%{instance}, käyttöehdot ja tietosuojakäytäntö"
|
title: "%{instance}, käyttöehdot ja tietosuojakäytäntö"
|
||||||
themes:
|
themes:
|
||||||
|
@ -1409,6 +1496,7 @@ fi:
|
||||||
two_factor_authentication:
|
two_factor_authentication:
|
||||||
add: Lisää
|
add: Lisää
|
||||||
disable: Poista käytöstä
|
disable: Poista käytöstä
|
||||||
|
disabled_success: Kaksivaiheinen todennus on poistettu käytöstä
|
||||||
edit: Muokkaa
|
edit: Muokkaa
|
||||||
enabled: Kaksivaiheinen todentaminen käytössä
|
enabled: Kaksivaiheinen todentaminen käytössä
|
||||||
enabled_success: Kaksivaiheisen todentamisen käyttöönotto onnistui
|
enabled_success: Kaksivaiheisen todentamisen käyttöönotto onnistui
|
||||||
|
@ -1421,6 +1509,15 @@ fi:
|
||||||
recovery_instructions_html: Jos menetät puhelimesi, voit kirjautua tilillesi jollakin alla olevista palautuskoodeista. <strong>Pidä palautuskoodit hyvässä tallessa</strong>. Voit esimerkiksi tulostaa ne ja säilyttää muiden tärkeiden papereiden joukossa.
|
recovery_instructions_html: Jos menetät puhelimesi, voit kirjautua tilillesi jollakin alla olevista palautuskoodeista. <strong>Pidä palautuskoodit hyvässä tallessa</strong>. Voit esimerkiksi tulostaa ne ja säilyttää muiden tärkeiden papereiden joukossa.
|
||||||
webauthn: Suojausavaimet
|
webauthn: Suojausavaimet
|
||||||
user_mailer:
|
user_mailer:
|
||||||
|
appeal_approved:
|
||||||
|
action: Siirry tilillesi
|
||||||
|
explanation: Valitus tiliäsi koskevasta varoituksesta %{strike_date} jonka lähetit %{appeal_date} on hyväksytty. Tilisi on jälleen hyvässä kunnossa.
|
||||||
|
subject: Valituksesi %{date} on hyväksytty
|
||||||
|
title: Valitus hyväksytty
|
||||||
|
appeal_rejected:
|
||||||
|
explanation: Valitus tiliäsi koskevasta varoituksesta %{strike_date} jonka lähetit %{appeal_date} on hylätty.
|
||||||
|
subject: Valituksesi %{date} on hylätty
|
||||||
|
title: Valitus hylätty
|
||||||
backup_ready:
|
backup_ready:
|
||||||
explanation: Pyysit täydellistä varmuuskopiota Mastodon-tilistäsi. Voit nyt ladata sen!
|
explanation: Pyysit täydellistä varmuuskopiota Mastodon-tilistäsi. Voit nyt ladata sen!
|
||||||
subject: Arkisto on valmiina ladattavaksi
|
subject: Arkisto on valmiina ladattavaksi
|
||||||
|
@ -1432,12 +1529,27 @@ fi:
|
||||||
subject: Ole hyvä ja vahvista sisäänkirjautumisyritys
|
subject: Ole hyvä ja vahvista sisäänkirjautumisyritys
|
||||||
title: Sisäänkirjautumisyritys
|
title: Sisäänkirjautumisyritys
|
||||||
warning:
|
warning:
|
||||||
|
appeal: Lähetä valitus
|
||||||
|
appeal_description: Jos uskot, että tämä on virhe, voit hakea muutosta henkilökunnalta %{instance}.
|
||||||
categories:
|
categories:
|
||||||
spam: Roskaposti
|
spam: Roskaposti
|
||||||
|
violation: Sisältö rikkoo seuraavia yhteisön sääntöjä
|
||||||
|
explanation:
|
||||||
|
delete_statuses: Joitakin viestejäsi on havaittu rikkovan yhtä tai useampaa yhteisön sääntöä ja %{instance} valvojat ovat poistaneet ne. Tulevat rikkomukset voivat johtaa ankarampiin rangaistuksiin tiliäsi vastaan.
|
||||||
|
disable: Et voi enää käyttää tiliäsi, mutta profiilisi ja muut tiedot pysyvät muuttumattomina. Voit pyytää varmuuskopiota tiedoistasi, vaihtaa tilin asetuksia tai poistaa tilisi.
|
||||||
|
sensitive: Tästä lähtien kaikki ladatut mediatiedostot merkitään arkaluonteisiksi ja piilotetaan napsautusvaroituksen taakse.
|
||||||
|
silence: Voit edelleen käyttää tiliäsi, mutta vain sinua jo seuraavat ihmiset näkevät viestisi tällä palvelimella ja sinut voidaan sulkea pois erilaisista hakuominaisuuksista. Toiset voivat kuitenkin edelleen seurata sinua manuaalisesti.
|
||||||
|
suspend: Et voi enää käyttää tiliäsi ja profiilisi ja muut tiedot eivät ole enää käytettävissä. Voit silti kirjautua sisään pyytääksesi varmuuskopiota tiedoistasi, kunnes tiedot on poistettu kokonaan noin 30 päivän kuluttua. Säilytämme joitakin perustietoja, jotka estävät sinua kiertämästä keskeyttämistä.
|
||||||
|
get_in_touch: Jos uskot, että tämä on virhe, voit vastata tähän sähköpostiin ottaaksesi yhteyttä %{instance} henkilökuntaan.
|
||||||
reason: 'Syy:'
|
reason: 'Syy:'
|
||||||
|
statuses: 'Viestit, joiden on havaittu rikkovan sääntöjä:'
|
||||||
subject:
|
subject:
|
||||||
|
delete_statuses: Viestisi %{acct} on poistettu
|
||||||
disable: Tilisi %{acct} on jäädytetty
|
disable: Tilisi %{acct} on jäädytetty
|
||||||
none: Varoitus %{acct}
|
none: Varoitus %{acct}
|
||||||
|
sensitive: Sinun mediatiedostosi %{acct} merkitään tästä lähtien arkaluonteisiksi
|
||||||
|
silence: Tilisi %{acct} on rajoitettu
|
||||||
|
suspend: Tilisi %{acct} on keskeytetty
|
||||||
title:
|
title:
|
||||||
delete_statuses: Viestit poistettu
|
delete_statuses: Viestit poistettu
|
||||||
disable: Tili jäädytetty
|
disable: Tili jäädytetty
|
||||||
|
|
|
@ -44,7 +44,7 @@ fr:
|
||||||
rejecting_media: 'Les fichiers média de ces serveurs ne seront ni traités ni stockés, et aucune miniature ne sera affichée, rendant nécessaire de cliquer vers le fichier d’origine :'
|
rejecting_media: 'Les fichiers média de ces serveurs ne seront ni traités ni stockés, et aucune miniature ne sera affichée, rendant nécessaire de cliquer vers le fichier d’origine :'
|
||||||
rejecting_media_title: Médias filtrés
|
rejecting_media_title: Médias filtrés
|
||||||
silenced: 'Les messages de ces serveurs seront cachés des flux publics et conversations, et les interactions de leurs utilisateur·rice·s ne donneront lieu à aucune notification, à moins que vous ne les suiviez :'
|
silenced: 'Les messages de ces serveurs seront cachés des flux publics et conversations, et les interactions de leurs utilisateur·rice·s ne donneront lieu à aucune notification, à moins que vous ne les suiviez :'
|
||||||
silenced_title: Serveurs masqués
|
silenced_title: Serveurs limités
|
||||||
suspended: 'Aucune donnée venant de ces serveurs ne sera traitée, stockée ou échangée, rendant impossible toute interaction ou communication avec les utilisateur·rice·s de ces serveurs :'
|
suspended: 'Aucune donnée venant de ces serveurs ne sera traitée, stockée ou échangée, rendant impossible toute interaction ou communication avec les utilisateur·rice·s de ces serveurs :'
|
||||||
suspended_title: Serveurs suspendus
|
suspended_title: Serveurs suspendus
|
||||||
unavailable_content_html: Mastodon vous permet généralement de visualiser le contenu et d'interagir avec les utilisateur·rice·s de n'importe quel autre serveur dans le fédiverse. Voici les exceptions qui ont été faites sur ce serveur en particulier.
|
unavailable_content_html: Mastodon vous permet généralement de visualiser le contenu et d'interagir avec les utilisateur·rice·s de n'importe quel autre serveur dans le fédiverse. Voici les exceptions qui ont été faites sur ce serveur en particulier.
|
||||||
|
@ -117,19 +117,19 @@ fr:
|
||||||
deleted: Supprimé
|
deleted: Supprimé
|
||||||
demote: Rétrograder
|
demote: Rétrograder
|
||||||
destroyed_msg: Les données de %{username} sont maintenant en file d’attente pour être supprimées imminemment
|
destroyed_msg: Les données de %{username} sont maintenant en file d’attente pour être supprimées imminemment
|
||||||
disable: Désactiver
|
disable: Geler
|
||||||
disable_sign_in_token_auth: Désactiver l'authentification basée sur les jetons envoyés par courriel
|
disable_sign_in_token_auth: Désactiver l'authentification basée sur les jetons envoyés par courriel
|
||||||
disable_two_factor_authentication: Désactiver l’authentification à deux facteurs
|
disable_two_factor_authentication: Désactiver l’authentification à deux facteurs
|
||||||
disabled: Désactivé
|
disabled: Gelé
|
||||||
display_name: Nom affiché
|
display_name: Nom affiché
|
||||||
domain: Domaine
|
domain: Domaine
|
||||||
edit: Éditer
|
edit: Éditer
|
||||||
email: Courriel
|
email: Courriel
|
||||||
email_status: État du courriel
|
email_status: État du courriel
|
||||||
enable: Activer
|
enable: Dégeler
|
||||||
enable_sign_in_token_auth: Activer l'authentification basée sur les jetons envoyés par courriel
|
enable_sign_in_token_auth: Activer l'authentification basée sur les jetons envoyés par courriel
|
||||||
enabled: Activé
|
enabled: Activé
|
||||||
enabled_msg: Le compte de %{username} a été débloqué avec succès
|
enabled_msg: Le compte de %{username} a été dégelé avec succès
|
||||||
followers: Abonné·e·s
|
followers: Abonné·e·s
|
||||||
follows: Abonnements
|
follows: Abonnements
|
||||||
header: Entête
|
header: Entête
|
||||||
|
@ -205,8 +205,8 @@ fr:
|
||||||
show:
|
show:
|
||||||
created_reports: Signalements faits
|
created_reports: Signalements faits
|
||||||
targeted_reports: Signalés par d’autres
|
targeted_reports: Signalés par d’autres
|
||||||
silence: Masquer
|
silence: Limiter
|
||||||
silenced: Masqué
|
silenced: Limité
|
||||||
statuses: Messages
|
statuses: Messages
|
||||||
strikes: Punitions précédentes
|
strikes: Punitions précédentes
|
||||||
subscribe: S’abonner
|
subscribe: S’abonner
|
||||||
|
@ -219,9 +219,9 @@ fr:
|
||||||
unblocked_email_msg: L'adresse courriel de %{username} a été débloquée avec succès
|
unblocked_email_msg: L'adresse courriel de %{username} a été débloquée avec succès
|
||||||
unconfirmed_email: Courriel non confirmé
|
unconfirmed_email: Courriel non confirmé
|
||||||
undo_sensitized: Annuler sensible
|
undo_sensitized: Annuler sensible
|
||||||
undo_silenced: Ne plus masquer
|
undo_silenced: Annuler la limitation
|
||||||
undo_suspension: Annuler la suspension
|
undo_suspension: Annuler la suspension
|
||||||
unsilenced_msg: Le compte de %{username} a été illimité avec succès
|
unsilenced_msg: La limitation du compte de %{username} a été annulée avec succès
|
||||||
unsubscribe: Se désabonner
|
unsubscribe: Se désabonner
|
||||||
unsuspended_msg: Le compte de %{username} a été réactivé avec succès
|
unsuspended_msg: Le compte de %{username} a été réactivé avec succès
|
||||||
username: Nom d’utilisateur·ice
|
username: Nom d’utilisateur·ice
|
||||||
|
@ -270,12 +270,12 @@ fr:
|
||||||
reset_password_user: Réinitialiser le mot de passe
|
reset_password_user: Réinitialiser le mot de passe
|
||||||
resolve_report: Résoudre le signalement
|
resolve_report: Résoudre le signalement
|
||||||
sensitive_account: Marquer les médias de votre compte comme sensibles
|
sensitive_account: Marquer les médias de votre compte comme sensibles
|
||||||
silence_account: Masque le compte
|
silence_account: Limiter le compte
|
||||||
suspend_account: Suspendre le compte
|
suspend_account: Suspendre le compte
|
||||||
unassigned_report: Ne plus assigner le signalement
|
unassigned_report: Ne plus assigner le signalement
|
||||||
unblock_email_account: Débloquer l'adresse courriel
|
unblock_email_account: Débloquer l'adresse courriel
|
||||||
unsensitive_account: Ne pas marquer les médias de votre compte comme sensibles
|
unsensitive_account: Ne pas marquer les médias de votre compte comme sensibles
|
||||||
unsilence_account: Ne plus masquer le compte
|
unsilence_account: Annuler la limitation du compte
|
||||||
unsuspend_account: Annuler la suspension du compte
|
unsuspend_account: Annuler la suspension du compte
|
||||||
update_announcement: Modifier l’annonce
|
update_announcement: Modifier l’annonce
|
||||||
update_custom_emoji: Mettre à jour les émojis personnalisés
|
update_custom_emoji: Mettre à jour les émojis personnalisés
|
||||||
|
@ -321,12 +321,12 @@ fr:
|
||||||
reset_password_user_html: "%{name} a réinitialisé le mot de passe de l'utilisateur·rice %{target}"
|
reset_password_user_html: "%{name} a réinitialisé le mot de passe de l'utilisateur·rice %{target}"
|
||||||
resolve_report_html: "%{name} a résolu le signalement %{target}"
|
resolve_report_html: "%{name} a résolu le signalement %{target}"
|
||||||
sensitive_account_html: "%{name} a marqué le média de %{target} comme sensible"
|
sensitive_account_html: "%{name} a marqué le média de %{target} comme sensible"
|
||||||
silence_account_html: "%{name} a masqué le compte de %{target}"
|
silence_account_html: "%{name} a limité le compte de %{target}"
|
||||||
suspend_account_html: "%{name} a suspendu le compte de %{target}"
|
suspend_account_html: "%{name} a suspendu le compte de %{target}"
|
||||||
unassigned_report_html: "%{name} a désassigné le signalement %{target}"
|
unassigned_report_html: "%{name} a désassigné le signalement %{target}"
|
||||||
unblock_email_account_html: "%{name} a débloqué l'adresse courriel de %{target}"
|
unblock_email_account_html: "%{name} a débloqué l'adresse courriel de %{target}"
|
||||||
unsensitive_account_html: "%{name} a enlevé le marquage comme sensible du média de %{target}"
|
unsensitive_account_html: "%{name} a enlevé le marquage comme sensible du média de %{target}"
|
||||||
unsilence_account_html: "%{name} a enlevé le masquage du compte de %{target}"
|
unsilence_account_html: "%{name} a annulé la limitation du compte de %{target}"
|
||||||
unsuspend_account_html: "%{name} a réactivé le compte de %{target}"
|
unsuspend_account_html: "%{name} a réactivé le compte de %{target}"
|
||||||
update_announcement_html: "%{name} a mis à jour l'annonce %{target}"
|
update_announcement_html: "%{name} a mis à jour l'annonce %{target}"
|
||||||
update_custom_emoji_html: "%{name} a mis à jour l'émoji %{target}"
|
update_custom_emoji_html: "%{name} a mis à jour l'émoji %{target}"
|
||||||
|
@ -428,7 +428,7 @@ fr:
|
||||||
destroyed_msg: Le blocage de domaine a été désactivé
|
destroyed_msg: Le blocage de domaine a été désactivé
|
||||||
domain: Domaine
|
domain: Domaine
|
||||||
edit: Modifier le blocage de domaine
|
edit: Modifier le blocage de domaine
|
||||||
existing_domain_block_html: Vous avez déjà imposé des limites plus strictes à %{name}, vous devez d’abord le <a href="%{unblock_url}">débloquer</a>.
|
existing_domain_block_html: Vous avez déjà imposé des limites plus strictes à %{name}, vous devez d’abord le/la <a href="%{unblock_url}">débloquer</a>.
|
||||||
new:
|
new:
|
||||||
create: Créer le blocage
|
create: Créer le blocage
|
||||||
hint: Le blocage de domaine n’empêchera pas la création de comptes dans la base de données, mais il appliquera automatiquement et rétrospectivement des méthodes de modération spécifiques sur ces comptes.
|
hint: Le blocage de domaine n’empêchera pas la création de comptes dans la base de données, mais il appliquera automatiquement et rétrospectivement des méthodes de modération spécifiques sur ces comptes.
|
||||||
|
@ -439,7 +439,7 @@ fr:
|
||||||
suspend: Suspendre
|
suspend: Suspendre
|
||||||
title: Nouveau blocage de domaine
|
title: Nouveau blocage de domaine
|
||||||
obfuscate: Obfusquer le nom de domaine
|
obfuscate: Obfusquer le nom de domaine
|
||||||
obfuscate_hint: Obfusquer partiellement le nom de domaine dans la liste si la liste des limitations de domaine est activée
|
obfuscate_hint: Obfusquer partiellement le nom de domaine dans la liste si la publication de la liste des limitations de domaine est activée
|
||||||
private_comment: Commentaire privé
|
private_comment: Commentaire privé
|
||||||
private_comment_hint: Commentaire sur cette limitation de domaine pour informer en interne les modérateurs.
|
private_comment_hint: Commentaire sur cette limitation de domaine pour informer en interne les modérateurs.
|
||||||
public_comment: Commentaire public
|
public_comment: Commentaire public
|
||||||
|
@ -451,7 +451,7 @@ fr:
|
||||||
rejecting_media: rejet des fichiers multimédia
|
rejecting_media: rejet des fichiers multimédia
|
||||||
rejecting_reports: rejet des signalements
|
rejecting_reports: rejet des signalements
|
||||||
severity:
|
severity:
|
||||||
silence: masqué
|
silence: limité
|
||||||
suspend: suspendu
|
suspend: suspendu
|
||||||
show:
|
show:
|
||||||
affected_accounts:
|
affected_accounts:
|
||||||
|
@ -459,7 +459,7 @@ fr:
|
||||||
other: "%{count} comptes affectés dans la base de données"
|
other: "%{count} comptes affectés dans la base de données"
|
||||||
zero: Pas de compte affecté dans la base de données
|
zero: Pas de compte affecté dans la base de données
|
||||||
retroactive:
|
retroactive:
|
||||||
silence: Ne plus masquer les comptes existants affectés de ce domaine
|
silence: Ne plus limiter les comptes existants affectés de ce domaine
|
||||||
suspend: Annuler la suspension des comptes existants affectés pour ce domaine
|
suspend: Annuler la suspension des comptes existants affectés pour ce domaine
|
||||||
title: Annuler le blocage du domaine %{domain}
|
title: Annuler le blocage du domaine %{domain}
|
||||||
undo: Annuler
|
undo: Annuler
|
||||||
|
@ -467,15 +467,22 @@ fr:
|
||||||
view: Afficher les blocages de domaines
|
view: Afficher les blocages de domaines
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Ajouter
|
add_new: Ajouter
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} tentative au cours de la dernière semaine"
|
||||||
|
other: "%{count} tentatives au cours de la dernière semaine"
|
||||||
created_msg: Le blocage de domaine de courriel est désormais activé
|
created_msg: Le blocage de domaine de courriel est désormais activé
|
||||||
delete: Supprimer
|
delete: Supprimer
|
||||||
destroyed_msg: Le blocage de domaine de courriel a été désactivé
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Enregistrement MX
|
||||||
domain: Domaine
|
domain: Domaine
|
||||||
empty: Aucun domaine de courriel n’est actuellement sur liste noire.
|
|
||||||
from_html: de %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Créer le blocage
|
create: Créer le blocage
|
||||||
|
resolve: Résoudre le domaine
|
||||||
title: Nouveau blocage de domaine de courriel
|
title: Nouveau blocage de domaine de courriel
|
||||||
|
no_email_domain_block_selected: Aucun blocage de domaine de courriel n'a été modifié car aucun n'a été sélectionné
|
||||||
|
resolved_dns_records_hint_html: Le nom de domaine est relié aux domaines MX suivants, qui ont la responsabilité ultime d'accepter les courriels. Bloquer un domaine MX empêchera les inscriptions à partir de toute adresse courriel utilisant le même domaine MX, même si le nom de domaine affiché est différent. <strong> Veillez à ne pas bloquer les fournisseurs de messagerie d'envergure.</strong>
|
||||||
|
resolved_through_html: Résolu par %{domain}
|
||||||
title: Blocage de domaines de courriel
|
title: Blocage de domaines de courriel
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>Les recommandations d'abonnement aident les nouvelles personnes à trouver rapidement du contenu intéressant</strong>. Si un·e utilisateur·rice n'a pas assez interagi avec les autres pour avoir des recommandations personnalisées, ces comptes sont alors recommandés. La sélection est mise à jour quotidiennement depuis un mélange de comptes ayant le plus d'interactions récentes et le plus grand nombre d'abonné·e·s locaux pour une langue donnée."
|
description_html: "<strong>Les recommandations d'abonnement aident les nouvelles personnes à trouver rapidement du contenu intéressant</strong>. Si un·e utilisateur·rice n'a pas assez interagi avec les autres pour avoir des recommandations personnalisées, ces comptes sont alors recommandés. La sélection est mise à jour quotidiennement depuis un mélange de comptes ayant le plus d'interactions récentes et le plus grand nombre d'abonné·e·s locaux pour une langue donnée."
|
||||||
|
@ -610,6 +617,7 @@ fr:
|
||||||
title: Remarques
|
title: Remarques
|
||||||
notes_description_html: Voir et laisser des notes aux autres modérateurs et à votre futur moi-même
|
notes_description_html: Voir et laisser des notes aux autres modérateurs et à votre futur moi-même
|
||||||
quick_actions_description_html: 'Faites une action rapide ou faites défiler vers le bas pour voir le contenu signalé :'
|
quick_actions_description_html: 'Faites une action rapide ou faites défiler vers le bas pour voir le contenu signalé :'
|
||||||
|
remote_user_placeholder: l'utilisateur·rice distant·e de %{instance}
|
||||||
reopen: Ré-ouvrir le signalement
|
reopen: Ré-ouvrir le signalement
|
||||||
report: 'Signalement #%{id}'
|
report: 'Signalement #%{id}'
|
||||||
reported_account: Compte signalé
|
reported_account: Compte signalé
|
||||||
|
@ -697,7 +705,7 @@ fr:
|
||||||
desc_html: Montrer un badge de responsable sur une page utilisateur·rice
|
desc_html: Montrer un badge de responsable sur une page utilisateur·rice
|
||||||
title: Montrer un badge de responsable
|
title: Montrer un badge de responsable
|
||||||
site_description:
|
site_description:
|
||||||
desc_html: Paragraphe introductif sur la page d’accueil. Décrivez ce qui rend spécifique ce serveur Mastodon et toute autre chose importante. Vous pouvez utiliser des balises HTML, en particulier <code><a></code> et <code><em></code>.
|
desc_html: Paragraphe introductif sur l'API. Décrivez les particularités de ce serveur Mastodon et précisez toute autre chose qui vous semble importante. Vous pouvez utiliser des balises HTML, en particulier <code><a></code> et <code><em></code>.
|
||||||
title: Description du serveur
|
title: Description du serveur
|
||||||
site_description_extended:
|
site_description_extended:
|
||||||
desc_html: L’endroit idéal pour afficher votre code de conduite, les règles, les guides et autres choses qui rendent votre serveur différent. Vous pouvez utiliser des balises HTML
|
desc_html: L’endroit idéal pour afficher votre code de conduite, les règles, les guides et autres choses qui rendent votre serveur différent. Vous pouvez utiliser des balises HTML
|
||||||
|
@ -740,7 +748,7 @@ fr:
|
||||||
strikes:
|
strikes:
|
||||||
actions:
|
actions:
|
||||||
delete_statuses: "%{name} a supprimé les messages de %{target}"
|
delete_statuses: "%{name} a supprimé les messages de %{target}"
|
||||||
disable: "%{name} a bloqué le compte de %{target}"
|
disable: "%{name} a gelé le compte de %{target}"
|
||||||
none: "%{name} a envoyé un avertissement à %{target}"
|
none: "%{name} a envoyé un avertissement à %{target}"
|
||||||
sensitive: "%{name} a marqué le compte de %{target} comme sensible"
|
sensitive: "%{name} a marqué le compte de %{target} comme sensible"
|
||||||
silence: "%{name} a limité le compte de %{target}"
|
silence: "%{name} a limité le compte de %{target}"
|
||||||
|
@ -780,6 +788,15 @@ fr:
|
||||||
rejected: Les liens de cet éditeur ne seront pas considérés tendance
|
rejected: Les liens de cet éditeur ne seront pas considérés tendance
|
||||||
title: Éditeurs
|
title: Éditeurs
|
||||||
rejected: Rejeté
|
rejected: Rejeté
|
||||||
|
statuses:
|
||||||
|
allow: Autoriser le message
|
||||||
|
allow_account: Autoriser l'auteur·rice
|
||||||
|
disallow: Proscrire le message
|
||||||
|
disallow_account: Proscrire l'auteur·rice
|
||||||
|
shared_by:
|
||||||
|
one: Partagé ou ajouté aux favoris une fois
|
||||||
|
other: Partagé et ajouté aux favoris %{friendly_count} fois
|
||||||
|
title: Messages tendance
|
||||||
tags:
|
tags:
|
||||||
current_score: Score actuel %{score}
|
current_score: Score actuel %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -813,7 +830,7 @@ fr:
|
||||||
new_appeal:
|
new_appeal:
|
||||||
actions:
|
actions:
|
||||||
delete_statuses: effacer les messages
|
delete_statuses: effacer les messages
|
||||||
disable: bloquer le compte
|
disable: geler le compte
|
||||||
none: un avertissement
|
none: un avertissement
|
||||||
sensitive: marquer le compte comme sensible
|
sensitive: marquer le compte comme sensible
|
||||||
silence: limiter le compte
|
silence: limiter le compte
|
||||||
|
@ -828,16 +845,21 @@ fr:
|
||||||
body: "%{reporter} a signalé %{target}"
|
body: "%{reporter} a signalé %{target}"
|
||||||
body_remote: Quelqu’un de %{domain} a signalé %{target}
|
body_remote: Quelqu’un de %{domain} a signalé %{target}
|
||||||
subject: Nouveau signalement sur %{instance} (#%{id})
|
subject: Nouveau signalement sur %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Les liens suivants sont tendance aujourd'hui, mais leurs éditeurs n'ont pas été révisés auparavant. Ils ne seront pas affichés publiquement à moins que vous ne les approuviez. De nouvelles notifications provenant des mêmes éditeurs ne seront pas générées.
|
body: 'Les éléments suivants doivent être approuvés avant de pouvoir être affichés publiquement :'
|
||||||
no_approved_links: Il n'y a actuellement aucun lien tendance approuvé.
|
new_trending_links:
|
||||||
requirements: Le lien tendance le plus bas est actuellement "%{lowest_link_title}" avec un score de %{lowest_link_score}.
|
no_approved_links: Il n'y a pas de lien tendance approuvé actuellement.
|
||||||
subject: Nouveaux liens tendance à examiner sur %{instance}
|
requirements: N'importe quel élément de la sélection pourrait surpasser le lien tendance approuvé n°%{rank}, qui est actuellement « %{lowest_link_title} » avec un résultat de %{lowest_link_score}.
|
||||||
new_trending_tags:
|
title: Liens tendance
|
||||||
body: 'Les hashtags suivants sont tendances aujourd''hui, mais ils n''ont pas été examinés précédemment. Ils ne seront pas affichés publiquement à moins que vous ne les approuviez :'
|
new_trending_statuses:
|
||||||
no_approved_tags: Il n'y a actuellement aucun hashtag tendance approuvé.
|
no_approved_statuses: Il n'y a pas de message tendance approuvé actuellement.
|
||||||
requirements: 'Le hashtag tendance le plus bas est actuellement #%{lowest_tag_name} avec un score de %{lowest_tag_score}.'
|
requirements: N'importe quel élément de la sélection pourrait surpasser le message tendance approuvé n°%{rank}, qui est actuellement « %{lowest_status_url} » avec un résultat de %{lowest_status_score}.
|
||||||
subject: Nouveaux hashtags tendance à réviser sur %{instance}
|
title: Messages tendance
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Il n'y a pas de hashtag tendance approuvé actuellement.
|
||||||
|
requirements: 'N''importe quel élément de la sélection pourrait surpasser le hashtag tendance approuvé n°%{rank}, qui est actuellement #%{lowest_tag_name} avec un résultat de %{lowest_tag_score}.'
|
||||||
|
title: Hashtags tendance
|
||||||
|
subject: Nouvelles tendances à examiner sur %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Créer un alias
|
add_new: Créer un alias
|
||||||
created_msg: Un nouvel alias a été créé avec succès. Vous pouvez maintenant déménager depuis l'ancien compte.
|
created_msg: Un nouvel alias a été créé avec succès. Vous pouvez maintenant déménager depuis l'ancien compte.
|
||||||
|
@ -993,7 +1015,7 @@ fr:
|
||||||
title: "%{action} du %{date}"
|
title: "%{action} du %{date}"
|
||||||
title_actions:
|
title_actions:
|
||||||
delete_statuses: Suppression de message
|
delete_statuses: Suppression de message
|
||||||
disable: Suspension de compte
|
disable: Gel du compte
|
||||||
none: Avertissement
|
none: Avertissement
|
||||||
sensitive: Marquage d'un compte comme sensible
|
sensitive: Marquage d'un compte comme sensible
|
||||||
silence: Limitation du compte
|
silence: Limitation du compte
|
||||||
|
@ -1030,7 +1052,7 @@ fr:
|
||||||
request: Demandez vos archives
|
request: Demandez vos archives
|
||||||
size: Taille
|
size: Taille
|
||||||
blocks: Vous bloquez
|
blocks: Vous bloquez
|
||||||
bookmarks: Signets
|
bookmarks: Marque-pages
|
||||||
csv: CSV
|
csv: CSV
|
||||||
domain_blocks: Blocages de domaine
|
domain_blocks: Blocages de domaine
|
||||||
lists: Listes
|
lists: Listes
|
||||||
|
@ -1090,7 +1112,7 @@ fr:
|
||||||
success: Vos données ont été importées avec succès et seront traitées en temps et en heure
|
success: Vos données ont été importées avec succès et seront traitées en temps et en heure
|
||||||
types:
|
types:
|
||||||
blocking: Liste de comptes bloqués
|
blocking: Liste de comptes bloqués
|
||||||
bookmarks: Signets
|
bookmarks: Marque-pages
|
||||||
domain_blocking: Liste des serveurs bloqués
|
domain_blocking: Liste des serveurs bloqués
|
||||||
following: Liste d’utilisateur·rice·s suivi·e·s
|
following: Liste d’utilisateur·rice·s suivi·e·s
|
||||||
muting: Liste d’utilisateur·rice·s que vous masquez
|
muting: Liste d’utilisateur·rice·s que vous masquez
|
||||||
|
@ -1175,6 +1197,9 @@ fr:
|
||||||
carry_mutes_over_text: Cet utilisateur que vous aviez masqué est parti de %{acct}.
|
carry_mutes_over_text: Cet utilisateur que vous aviez masqué est parti de %{acct}.
|
||||||
copy_account_note_text: 'Cet·te utilisateur·rice est parti·e de %{acct}, voici vos notes précédentes à son sujet :'
|
copy_account_note_text: 'Cet·te utilisateur·rice est parti·e de %{acct}, voici vos notes précédentes à son sujet :'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} s'est inscrit·e"
|
||||||
digest:
|
digest:
|
||||||
action: Voir toutes les notifications
|
action: Voir toutes les notifications
|
||||||
body: Voici un bref résumé des messages que vous avez raté depuis votre dernière visite le %{since}
|
body: Voici un bref résumé des messages que vous avez raté depuis votre dernière visite le %{since}
|
||||||
|
@ -1391,7 +1416,7 @@ fr:
|
||||||
over_character_limit: limite de %{max} caractères dépassée
|
over_character_limit: limite de %{max} caractères dépassée
|
||||||
pin_errors:
|
pin_errors:
|
||||||
direct: Les messages qui ne sont visibles que pour les utilisateurs mentionnés ne peuvent pas être épinglés
|
direct: Les messages qui ne sont visibles que pour les utilisateurs mentionnés ne peuvent pas être épinglés
|
||||||
limit: Vous avez déjà épinglé le nombre maximum de pouets
|
limit: Vous avez déjà épinglé le nombre maximum de messages
|
||||||
ownership: Vous ne pouvez pas épingler un statut ne vous appartenant pas
|
ownership: Vous ne pouvez pas épingler un statut ne vous appartenant pas
|
||||||
reblog: Un partage ne peut pas être épinglé
|
reblog: Un partage ne peut pas être épinglé
|
||||||
poll:
|
poll:
|
||||||
|
|
|
@ -170,6 +170,11 @@ gd:
|
||||||
not_subscribed: Gun fho-sgrìobhadh
|
not_subscribed: Gun fho-sgrìobhadh
|
||||||
pending: A’ feitheamh air lèirmheas
|
pending: A’ feitheamh air lèirmheas
|
||||||
perform_full_suspension: Cuir à rèim
|
perform_full_suspension: Cuir à rèim
|
||||||
|
previous_strikes: Rabhaidhean roimhe
|
||||||
|
previous_strikes_description_html:
|
||||||
|
one: Fhuair an cunntas seo <strong>aon</strong> rabhadh.
|
||||||
|
other: Fhuair an cunntas seo <strong>%{count}</strong> rabhaidhean.
|
||||||
|
zero: Tha <strong>deagh chliù</strong> aig a’ chunntas seo.
|
||||||
promote: Àrdaich
|
promote: Àrdaich
|
||||||
protocol: Pròtacal
|
protocol: Pròtacal
|
||||||
public: Poblach
|
public: Poblach
|
||||||
|
@ -213,6 +218,7 @@ gd:
|
||||||
statuses: Postaichean
|
statuses: Postaichean
|
||||||
strikes: Rabhaidhean roimhe
|
strikes: Rabhaidhean roimhe
|
||||||
subscribe: Fo-sgrìobh
|
subscribe: Fo-sgrìobh
|
||||||
|
suspend: Cuir à rèim
|
||||||
suspended: À rèim
|
suspended: À rèim
|
||||||
suspension_irreversible: Chaidh dàta a’ chunntais seo a sguabadh às gu buan. ’S urrainn an cunntas a chur ann an rèim a-rithist ach an gabh a chleachdadh ach chan fhaigh thu gin dhen dàta air ais a b’ àbhaist a bhith aige.
|
suspension_irreversible: Chaidh dàta a’ chunntais seo a sguabadh às gu buan. ’S urrainn an cunntas a chur ann an rèim a-rithist ach an gabh a chleachdadh ach chan fhaigh thu gin dhen dàta air ais a b’ àbhaist a bhith aige.
|
||||||
suspension_reversible_hint_html: Chaidh an cunntas a chur à rèim agus thèid an dàta aige a sguabadh às gu buan %{date}. Gus an dig an t-àm ud, gabhaidh an cunntas aiseag fhathast gun droch bhuaidh sam bith air. Nam bu toigh leat gach dàta a’ chunntais a thoirt air falbh sa bhad, ’s urrainn dhut sin a dhèanamh gu h-ìosal.
|
suspension_reversible_hint_html: Chaidh an cunntas a chur à rèim agus thèid an dàta aige a sguabadh às gu buan %{date}. Gus an dig an t-àm ud, gabhaidh an cunntas aiseag fhathast gun droch bhuaidh sam bith air. Nam bu toigh leat gach dàta a’ chunntais a thoirt air falbh sa bhad, ’s urrainn dhut sin a dhèanamh gu h-ìosal.
|
||||||
|
@ -233,6 +239,7 @@ gd:
|
||||||
whitelisted: Ceadaichte a chùm co-nasgaidh
|
whitelisted: Ceadaichte a chùm co-nasgaidh
|
||||||
action_logs:
|
action_logs:
|
||||||
action_types:
|
action_types:
|
||||||
|
approve_appeal: Thoir aonta ris an ath-thagradh
|
||||||
approve_user: Aontaich ris a’ chleachdaiche
|
approve_user: Aontaich ris a’ chleachdaiche
|
||||||
assigned_to_self_report: Iomruin an gearan
|
assigned_to_self_report: Iomruin an gearan
|
||||||
change_email_user: Atharraich post-d a’ chleachdaiche
|
change_email_user: Atharraich post-d a’ chleachdaiche
|
||||||
|
@ -264,6 +271,7 @@ gd:
|
||||||
enable_user: Cuir an cleachdaiche an comas
|
enable_user: Cuir an cleachdaiche an comas
|
||||||
memorialize_account: Dèan cuimhneachan dhen chunntas
|
memorialize_account: Dèan cuimhneachan dhen chunntas
|
||||||
promote_user: Àrdaich an cleachdaiche
|
promote_user: Àrdaich an cleachdaiche
|
||||||
|
reject_appeal: Diùlt an t-ath-thagradh
|
||||||
reject_user: Diùlt an cleachdaiche
|
reject_user: Diùlt an cleachdaiche
|
||||||
remove_avatar_user: Thoir air falbh an t-avatar
|
remove_avatar_user: Thoir air falbh an t-avatar
|
||||||
reopen_report: Fosgail an gearan a-rithist
|
reopen_report: Fosgail an gearan a-rithist
|
||||||
|
@ -282,6 +290,7 @@ gd:
|
||||||
update_domain_block: Ùraich bacadh na h-àrainne
|
update_domain_block: Ùraich bacadh na h-àrainne
|
||||||
update_status: Ùraich am post
|
update_status: Ùraich am post
|
||||||
actions:
|
actions:
|
||||||
|
approve_appeal_html: Dh’aontaich %{name} ri ath-thagradh air co-dhùnadh na maorsainneachd o %{target}
|
||||||
approve_user_html: Dh’aontaich %{name} ri clàradh o %{target}
|
approve_user_html: Dh’aontaich %{name} ri clàradh o %{target}
|
||||||
assigned_to_self_report_html: Dh’iomruin %{name} an gearan %{target} dhaibh fhèin
|
assigned_to_self_report_html: Dh’iomruin %{name} an gearan %{target} dhaibh fhèin
|
||||||
change_email_user_html: Dh’atharraich %{name} seòladh puist-d a’ chleachdaiche %{target}
|
change_email_user_html: Dh’atharraich %{name} seòladh puist-d a’ chleachdaiche %{target}
|
||||||
|
@ -313,6 +322,7 @@ gd:
|
||||||
enable_user_html: Chuir %{name} an clàradh a-steach an comas dhan chleachdaiche %{target}
|
enable_user_html: Chuir %{name} an clàradh a-steach an comas dhan chleachdaiche %{target}
|
||||||
memorialize_account_html: Rinn %{name} duilleag cuimhneachain dhen chunntas aig %{target}
|
memorialize_account_html: Rinn %{name} duilleag cuimhneachain dhen chunntas aig %{target}
|
||||||
promote_user_html: Dh’àrdaich %{name} an cleachdaiche %{target}
|
promote_user_html: Dh’àrdaich %{name} an cleachdaiche %{target}
|
||||||
|
reject_appeal_html: Dhiùlt %{name} an t-ath-thagradh air co-dhùnadh na maorsainneachd o %{target}
|
||||||
reject_user_html: Dhiùlt %{name} an clàradh o %{target}
|
reject_user_html: Dhiùlt %{name} an clàradh o %{target}
|
||||||
remove_avatar_user_html: Thug %{name} avatar aig %{target} air falbh
|
remove_avatar_user_html: Thug %{name} avatar aig %{target} air falbh
|
||||||
reopen_report_html: Dh’fhosgail %{name} an gearan %{target} a-rithist
|
reopen_report_html: Dh’fhosgail %{name} an gearan %{target} a-rithist
|
||||||
|
@ -391,6 +401,11 @@ gd:
|
||||||
media_storage: Stòras mheadhanan
|
media_storage: Stòras mheadhanan
|
||||||
new_users: cleachdaichean ùra
|
new_users: cleachdaichean ùra
|
||||||
opened_reports: gearanan air am fosgladh
|
opened_reports: gearanan air am fosgladh
|
||||||
|
pending_appeals_html:
|
||||||
|
few: "<strong>%{count}</strong> ath-thagraidhean ri dhèiligeadh"
|
||||||
|
one: "<strong>%{count}</strong> ath-thagradh ri dhèiligeadh"
|
||||||
|
other: "<strong>%{count}</strong> ath-thagradh ri dhèiligeadh"
|
||||||
|
two: "<strong>%{count}</strong> ath-thagradh ri dhèiligeadh"
|
||||||
resolved_reports: gearanan air am fuasgladh
|
resolved_reports: gearanan air am fuasgladh
|
||||||
software: Bathar-bog
|
software: Bathar-bog
|
||||||
sources: Tùsan clàraidh
|
sources: Tùsan clàraidh
|
||||||
|
@ -399,6 +414,10 @@ gd:
|
||||||
top_languages: Brod nan cànan gnìomhach
|
top_languages: Brod nan cànan gnìomhach
|
||||||
top_servers: Brod nam frithealaichean gnìomhach
|
top_servers: Brod nam frithealaichean gnìomhach
|
||||||
website: Làrach-lìn
|
website: Làrach-lìn
|
||||||
|
disputes:
|
||||||
|
appeals:
|
||||||
|
empty: Cha deach ath-thagradh a lorg.
|
||||||
|
title: Ath-thagraidhean
|
||||||
domain_allows:
|
domain_allows:
|
||||||
add_new: Ceadaich co-nasgadh le àrainn
|
add_new: Ceadaich co-nasgadh le àrainn
|
||||||
created_msg: Chaidh an àrainn a cheadachadh a chùm co-nasgaidh
|
created_msg: Chaidh an àrainn a cheadachadh a chùm co-nasgaidh
|
||||||
|
@ -447,10 +466,7 @@ gd:
|
||||||
add_new: Cuir tè ùr ris
|
add_new: Cuir tè ùr ris
|
||||||
created_msg: Chaidh àrainn a’ phuist-d a bhacadh
|
created_msg: Chaidh àrainn a’ phuist-d a bhacadh
|
||||||
delete: Sguab às
|
delete: Sguab às
|
||||||
destroyed_msg: Chaidh àrainn a’ phuist-d a dhì-bhacadh
|
|
||||||
domain: Àrainn
|
domain: Àrainn
|
||||||
empty: Chan eil àrainn puist-d sam bith ’ga bhacadh aig an àm seo.
|
|
||||||
from_html: o %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Cuir àrainn ris
|
create: Cuir àrainn ris
|
||||||
title: Bac àrainn puist-d ùr
|
title: Bac àrainn puist-d ùr
|
||||||
|
@ -709,6 +725,9 @@ gd:
|
||||||
no_status_selected: Cha deach post sam bith atharrachadh o nach deach gin dhiubh a thaghadh
|
no_status_selected: Cha deach post sam bith atharrachadh o nach deach gin dhiubh a thaghadh
|
||||||
title: Postaichean a’ chunntais
|
title: Postaichean a’ chunntais
|
||||||
with_media: Le meadhanan riutha
|
with_media: Le meadhanan riutha
|
||||||
|
strikes:
|
||||||
|
appeal_approved: Air ath-thagradh
|
||||||
|
appeal_pending: "’Ga ath-thagradh"
|
||||||
system_checks:
|
system_checks:
|
||||||
database_schema_check:
|
database_schema_check:
|
||||||
message_html: Tha imrichean stòir-dhàta ri dhèiligeadh ann. Ruith iad a dhèanamh cinnteach gum bi giùlan na h-aplacaid mar a bhiodhte ’n dùil
|
message_html: Tha imrichean stòir-dhàta ri dhèiligeadh ann. Ruith iad a dhèanamh cinnteach gum bi giùlan na h-aplacaid mar a bhiodhte ’n dùil
|
||||||
|
@ -764,6 +783,10 @@ gd:
|
||||||
empty: Cha do mhìnich thu ro-sheataichean rabhaidhean fhathast.
|
empty: Cha do mhìnich thu ro-sheataichean rabhaidhean fhathast.
|
||||||
title: Stiùirich na rabhaidhean ro-shuidhichte
|
title: Stiùirich na rabhaidhean ro-shuidhichte
|
||||||
admin_mailer:
|
admin_mailer:
|
||||||
|
new_appeal:
|
||||||
|
body: 'Tha %{target} ag ath-thagradh co-dhùnadh na maorsainneachd a thug %{action_taken_by} %{date} agus ’s e %{type} a bh’ ann. Sgrìobh iad:'
|
||||||
|
next_steps: "’S urrainn dhut aontachadh ris an ath-thagradh air co-dhùnadh na maorsainneachd no a leigeil seachad."
|
||||||
|
subject: Tha %{username} ag ath-thagradh co-dhùnadh na maorsainneachd air %{instance}
|
||||||
new_pending_account:
|
new_pending_account:
|
||||||
body: Chì thu mion-fhiosrachadh a’ chunntais ùir gu h-ìosal. ’S urrainn dhut gabhail ris an iarrtas seo no a dhiùltadh.
|
body: Chì thu mion-fhiosrachadh a’ chunntais ùir gu h-ìosal. ’S urrainn dhut gabhail ris an iarrtas seo no a dhiùltadh.
|
||||||
subject: Tha cunntas ùr air %{instance} a’ feitheamh air lèirmheas (%{username})
|
subject: Tha cunntas ùr air %{instance} a’ feitheamh air lèirmheas (%{username})
|
||||||
|
@ -771,16 +794,6 @@ gd:
|
||||||
body: Rinn %{reporter} gearan air %{target}
|
body: Rinn %{reporter} gearan air %{target}
|
||||||
body_remote: Rinn cuideigin o %{domain} gearan air %{target}
|
body_remote: Rinn cuideigin o %{domain} gearan air %{target}
|
||||||
subject: Tha gearan ùr aig %{instance} (#%{id})
|
subject: Tha gearan ùr aig %{instance} (#%{id})
|
||||||
new_trending_links:
|
|
||||||
body: Tha na ceanglaichean a leanas a’ treandadh an-diugh ach cha deach lèirmheas a dhèanamh air na foillsichearan aca fhathast. Cha nochd iad gu poblach mur aontaich thu riutha. Chan fhaic thu brathan eile mu na h-aon fhoillsichearan.
|
|
||||||
no_approved_links: Chan eil ceangal a’ treandadh le aontachadh ann.
|
|
||||||
requirements: "’S e “%{lowest_link_title}” a tha sa cheangal a’ treandadh as ìsle le aontachadh agus sgòr de %{lowest_link_score} air."
|
|
||||||
subject: Tha ceanglaichean ùra a’ trèanadh feumach air lèirmheas air %{instance}
|
|
||||||
new_trending_tags:
|
|
||||||
body: 'Tha na tagaichean hais a leanas a’ treandadh an-diugh ach cha deach lèirmheas a dhèanamh orra fhathast. Cha nochd iad gu poblach mur aontaich thu riutha:'
|
|
||||||
no_approved_tags: Chan eil tagaichean hais a’ treandadh le aontachadh ann.
|
|
||||||
requirements: "’S e #%{lowest_tag_name} a tha san taga hais a’ treandadh as ìsle le aontachadh agus sgòr de %{lowest_tag_score} air."
|
|
||||||
subject: Tha tagaichean hais ùra a’ trèanadh feumach air lèirmheas air %{instance}
|
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Cruthaich alias
|
add_new: Cruthaich alias
|
||||||
created_msg: Chaidh an t-alias ùr a chruthachadh. ’S urrainn dhut tòiseachadh air imrich on seann-chunntas a-nis.
|
created_msg: Chaidh an t-alias ùr a chruthachadh. ’S urrainn dhut tòiseachadh air imrich on seann-chunntas a-nis.
|
||||||
|
@ -919,6 +932,18 @@ gd:
|
||||||
directory: Eòlaire nam pròifil
|
directory: Eòlaire nam pròifil
|
||||||
explanation: Lorg cleachdaichean stèidhichte air an ùidhean
|
explanation: Lorg cleachdaichean stèidhichte air an ùidhean
|
||||||
explore_mastodon: Rùraich %{title}
|
explore_mastodon: Rùraich %{title}
|
||||||
|
disputes:
|
||||||
|
strikes:
|
||||||
|
appeal: Ath-thagair
|
||||||
|
appeal_approved: Chaidh le ath-thagradh an rabhaidh is chan eil e dligheach tuilleadh
|
||||||
|
appeal_rejected: Chaidh an t-ath-thagradh a dhiùltadh
|
||||||
|
appeal_submitted_at: Chaidh an t-ath-thagradh a chur a-null
|
||||||
|
appealed_msg: Chaidh an t-ath-thagradh agad a chur a-null. Ma thèid aontachadh ris, gheibh thu brath mu dhèidhinn.
|
||||||
|
appeals:
|
||||||
|
submit: Cuir a-null an t-ath-thagradh
|
||||||
|
your_appeal_approved: Chaidh aontachadh ris an ath-thagradh agad
|
||||||
|
your_appeal_pending: Chuir thu ath-thagradh a-null
|
||||||
|
your_appeal_rejected: Chaidh an t-ath-thagradh agad a dhiùltadh
|
||||||
domain_validator:
|
domain_validator:
|
||||||
invalid_domain: "– chan eil seo ’na ainm àrainne dligheach"
|
invalid_domain: "– chan eil seo ’na ainm àrainne dligheach"
|
||||||
errors:
|
errors:
|
||||||
|
|
|
@ -467,15 +467,22 @@ gl:
|
||||||
view: Ollar dominios bloqueados
|
view: Ollar dominios bloqueados
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Engadir novo
|
add_new: Engadir novo
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} intento na última semana"
|
||||||
|
other: "%{count} intentos de conexión na última semana"
|
||||||
created_msg: Engadiuse de xeito correcto o dominio de email á listaxe negra
|
created_msg: Engadiuse de xeito correcto o dominio de email á listaxe negra
|
||||||
delete: Eliminar
|
delete: Eliminar
|
||||||
destroyed_msg: Eliminouse de xeito correcto o dominio de email da listaxe negra
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Rexistro MX
|
||||||
domain: Dominio
|
domain: Dominio
|
||||||
empty: Actualmente non hai dominios de email na listaxe negra.
|
|
||||||
from_html: desde %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Engadir dominio
|
create: Engadir dominio
|
||||||
|
resolve: Resolver dominio
|
||||||
title: Nova entrada na listaxe negra de email
|
title: Nova entrada na listaxe negra de email
|
||||||
|
no_email_domain_block_selected: Non se cambiou ningún bloqueo de dominio de email porque non se seleccionou ningún
|
||||||
|
resolved_dns_records_hint_html: O nome de dominio resolve os seguintes rexistros MX, que son os últimos responsables da aceptación de emails. Bloqueando un dominio MX rexeitarás calquera enderezo de email que use este dominio MX, incluso se o nome de dominio visible é outro. <strong>Ten coidado de non bloquear os principais provedores.</strong>
|
||||||
|
resolved_through_html: Resolto a través de %{domain}
|
||||||
title: Listaxe negra de email
|
title: Listaxe negra de email
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>As recomendacións de seguimento son útiles para que as novas usuarias atopen contidos interesantes</strong>. Cando unha usuaria aínda non interactuou con outras para obter recomendacións de seguimento, estas contas serán recomendadas. Variarán a diario xa que se escollen en base ao maior número de interaccións e ao contador local de seguimentos para un idioma dado."
|
description_html: "<strong>As recomendacións de seguimento son útiles para que as novas usuarias atopen contidos interesantes</strong>. Cando unha usuaria aínda non interactuou con outras para obter recomendacións de seguimento, estas contas serán recomendadas. Variarán a diario xa que se escollen en base ao maior número de interaccións e ao contador local de seguimentos para un idioma dado."
|
||||||
|
@ -610,6 +617,7 @@ gl:
|
||||||
title: Notas
|
title: Notas
|
||||||
notes_description_html: Ver e deixar unha nota para ti no futuro e outras moderadoras
|
notes_description_html: Ver e deixar unha nota para ti no futuro e outras moderadoras
|
||||||
quick_actions_description_html: 'Tomar unha acción rápida ou desprázate abaixo para ver o contido denunciado:'
|
quick_actions_description_html: 'Tomar unha acción rápida ou desprázate abaixo para ver o contido denunciado:'
|
||||||
|
remote_user_placeholder: a usuaria remota desde %{instance}
|
||||||
reopen: Reabrir denuncia
|
reopen: Reabrir denuncia
|
||||||
report: 'Denuncia #%{id}'
|
report: 'Denuncia #%{id}'
|
||||||
reported_account: Conta denunciada
|
reported_account: Conta denunciada
|
||||||
|
@ -780,6 +788,15 @@ gl:
|
||||||
rejected: As ligazóns desta orixe non poden estar en voga
|
rejected: As ligazóns desta orixe non poden estar en voga
|
||||||
title: Orixes
|
title: Orixes
|
||||||
rejected: Rexeitado
|
rejected: Rexeitado
|
||||||
|
statuses:
|
||||||
|
allow: Permitir publicación
|
||||||
|
allow_account: Permitir autora
|
||||||
|
disallow: Rexeitar publicación
|
||||||
|
disallow_account: Rexeitar autora
|
||||||
|
shared_by:
|
||||||
|
one: Compartida ou favorecida unha vez
|
||||||
|
other: Compartida ou favorecida %{friendly_count} veces
|
||||||
|
title: Publicacións en voga
|
||||||
tags:
|
tags:
|
||||||
current_score: Puntuación actual %{score}
|
current_score: Puntuación actual %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -828,16 +845,21 @@ gl:
|
||||||
body: "%{reporter} informou sobre %{target}"
|
body: "%{reporter} informou sobre %{target}"
|
||||||
body_remote: Alguén desde %{domain} informou sobre %{target}
|
body_remote: Alguén desde %{domain} informou sobre %{target}
|
||||||
subject: Novo informe sobre %{instance} (#%{id})
|
subject: Novo informe sobre %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: As seguintes ligazóns están hoxe en voga, pero as súas orixes non foron anteriormente revisadas. Non se van amosar públicamente ata que as aprobes. Non se crearán novas notificacións acerca destas orixes.
|
body: 'Os seguintes elementos precisan revisión antes de ser mostrados públicamente:'
|
||||||
no_approved_links: Actualmente non hai ligazóns en voga aprobadas.
|
new_trending_links:
|
||||||
requirements: A ligazón en voga aprobada con menor rango é "%{lowest_link_title}" cunha puntuación de %{lowest_link_score}.
|
no_approved_links: Actualmente non hai ligazóns en voga aprobadas.
|
||||||
subject: Novas ligazóns en voga para revisión en %{instance}
|
requirements: 'Calquera destos candidatos podería superar o #%{rank} das ligazóns en voga aprobadas, que actualmente é "%{lowest_link_title}" cunha puntuación de %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Ligazóns en voga
|
||||||
body: 'Os seguintes cancelos son tendencia hoxe, pero non foron previamente revisados. Non aparecerán públicamente a menos que os aprobes:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Non hai cancelos en voga aprobados.
|
no_approved_statuses: Actualmente non hai publicacións en voga aprobadas.
|
||||||
requirements: 'O cancelo aprobado con menor rango é #%{lowest_tag_name} cunha puntuación de %{lowest_tag_score}.'
|
requirements: 'Calquera destos candidatos podería superar o #%{rank} nas publicacións en boga aprobadas, que actualmente é %{lowest_status_url} cunha puntuación de %{lowest_status_score}.'
|
||||||
subject: Hai novos cancelos pendentes de revisión en %{instance}
|
title: Publicacións en voga
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Non hai etiquetas en voga aprobadas.
|
||||||
|
requirements: 'Calquera destos candidatos podería superar o #%{rank} dos cancelos en voga aprobados, que actualmente é #%{lowest_tag_name} cunha puntuación de %{lowest_tag_score}.'
|
||||||
|
title: Cancelos en voga
|
||||||
|
subject: Novas tendencias para revisar en %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Crear alcume
|
add_new: Crear alcume
|
||||||
created_msg: Creou un novo alcume correctamente. Pode iniciar o movemento desde a conta antiga.
|
created_msg: Creou un novo alcume correctamente. Pode iniciar o movemento desde a conta antiga.
|
||||||
|
@ -1176,6 +1198,9 @@ gl:
|
||||||
carry_mutes_over_text: Esta usuaria chegou desde %{acct}, que ti tes acalada.
|
carry_mutes_over_text: Esta usuaria chegou desde %{acct}, que ti tes acalada.
|
||||||
copy_account_note_text: 'Esta usuaria chegou desde %{acct}, aquí están as túas notas previas acerca dela:'
|
copy_account_note_text: 'Esta usuaria chegou desde %{acct}, aquí están as túas notas previas acerca dela:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} rexistrouse"
|
||||||
digest:
|
digest:
|
||||||
action: Ver todas as notificacións
|
action: Ver todas as notificacións
|
||||||
body: Aquí ten un breve resumo das mensaxes publicadas desde a súa última visita en %{since}
|
body: Aquí ten un breve resumo das mensaxes publicadas desde a súa última visita en %{since}
|
||||||
|
|
|
@ -263,6 +263,9 @@ he:
|
||||||
redirecting_to: חשבונכם מפנה ל%{acct}.
|
redirecting_to: חשבונכם מפנה ל%{acct}.
|
||||||
set_redirect: הגדר הפניה
|
set_redirect: הגדר הפניה
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} נרשמו"
|
||||||
digest:
|
digest:
|
||||||
body: להלן סיכום זריז של הדברים שקרו על מאז ביקורך האחרון ב-%{since}
|
body: להלן סיכום זריז של הדברים שקרו על מאז ביקורך האחרון ב-%{since}
|
||||||
mention: "%{name} פנה אליך ב:"
|
mention: "%{name} פנה אליך ב:"
|
||||||
|
|
|
@ -469,15 +469,22 @@ hu:
|
||||||
view: Domain tiltásának megtekintése
|
view: Domain tiltásának megtekintése
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Új hozzáadása
|
add_new: Új hozzáadása
|
||||||
|
attempts_over_week:
|
||||||
|
one: "%{count} próbálkozás a múlt héten"
|
||||||
|
other: "%{count} próbálkozás feliratkozásra a múlt héten"
|
||||||
created_msg: E-mail domain sikeresen letiltva
|
created_msg: E-mail domain sikeresen letiltva
|
||||||
delete: Törlés
|
delete: Törlés
|
||||||
destroyed_msg: E-mail domain sikeresen engedélyezve
|
dns:
|
||||||
|
types:
|
||||||
|
mx: MX rekord
|
||||||
domain: Domain
|
domain: Domain
|
||||||
empty: Nincs letiltott email domain.
|
|
||||||
from_html: "%{domain}-ról"
|
|
||||||
new:
|
new:
|
||||||
create: Domain hozzáadása
|
create: Domain hozzáadása
|
||||||
|
resolve: Domain feloldása
|
||||||
title: Új e-mail domain tiltása
|
title: Új e-mail domain tiltása
|
||||||
|
no_email_domain_block_selected: Nem változott meg egyetlen e-mail domain tiltás sem, mert nem volt egy sem kiválasztva
|
||||||
|
resolved_dns_records_hint_html: A domain név a következő MX domain-ekre oldódik fel, melyek valójában fogadják az e-mailt. Az MX domain letiltása minden olyan feliratkozást tiltani fog, melyben az e-mailcím ugyanazt az MX domaint használja, még akkor is, ha a látható domain név más. <strong>Légy óvatos, hogy ne tilts le nagy e-mail szolgáltatókat.</strong>
|
||||||
|
resolved_through_html: Feloldva %{domain}-n keresztül
|
||||||
title: Tiltott e-mail domainek
|
title: Tiltott e-mail domainek
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: "<strong>A követési ajánlatok segítik az új felhasználókat az érdekes tartalmak gyors megtalálásában</strong>. Ha egy felhasználó még nem érintkezett eleget másokkal ahhoz, hogy személyre szabott ajánlatokat kapjon, ezeket a fiókokat ajánljuk helyette. Ezeket naponta újraszámítjuk a nemrég legtöbb embert foglalkoztató, illetve legtöbb helyi követővel rendelkező fiókok alapján."
|
description_html: "<strong>A követési ajánlatok segítik az új felhasználókat az érdekes tartalmak gyors megtalálásában</strong>. Ha egy felhasználó még nem érintkezett eleget másokkal ahhoz, hogy személyre szabott ajánlatokat kapjon, ezeket a fiókokat ajánljuk helyette. Ezeket naponta újraszámítjuk a nemrég legtöbb embert foglalkoztató, illetve legtöbb helyi követővel rendelkező fiókok alapján."
|
||||||
|
@ -612,6 +619,7 @@ hu:
|
||||||
title: Megjegyzések
|
title: Megjegyzések
|
||||||
notes_description_html: Megtekintés, és megjegyzések hagyása más moderátoroknak
|
notes_description_html: Megtekintés, és megjegyzések hagyása más moderátoroknak
|
||||||
quick_actions_description_html: 'Hozz egy gyors intézkedést, vagy görgess le a bejelentett tartalomhoz:'
|
quick_actions_description_html: 'Hozz egy gyors intézkedést, vagy görgess le a bejelentett tartalomhoz:'
|
||||||
|
remote_user_placeholder: 'a távoli felhasználó innen: %{instance}'
|
||||||
reopen: Bejelentés újranyitása
|
reopen: Bejelentés újranyitása
|
||||||
report: "#%{id} számú jelentés"
|
report: "#%{id} számú jelentés"
|
||||||
reported_account: Bejelentett fiók
|
reported_account: Bejelentett fiók
|
||||||
|
@ -782,6 +790,15 @@ hu:
|
||||||
rejected: A közzétevő hivatkozásai nem lesznek felkapottak
|
rejected: A közzétevő hivatkozásai nem lesznek felkapottak
|
||||||
title: Közzétévők
|
title: Közzétévők
|
||||||
rejected: Elutasított
|
rejected: Elutasított
|
||||||
|
statuses:
|
||||||
|
allow: Bejegyzés engedélyezése
|
||||||
|
allow_account: Szerző engedélyezése
|
||||||
|
disallow: Bejegyzés tiltása
|
||||||
|
disallow_account: Szerző tiltása
|
||||||
|
shared_by:
|
||||||
|
one: Megosztva vagy kedvencnek jelölve egy alkalommal
|
||||||
|
other: Megosztva és kedvencnek jelölve %{friendly_count} alkalommal
|
||||||
|
title: Felkapott bejegyzések
|
||||||
tags:
|
tags:
|
||||||
current_score: 'Jelenlegi pontszám: %{score}'
|
current_score: 'Jelenlegi pontszám: %{score}'
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -830,16 +847,21 @@ hu:
|
||||||
body: "%{reporter} jelentette: %{target}"
|
body: "%{reporter} jelentette: %{target}"
|
||||||
body_remote: Valaki a %{domain} domainről jelentette %{target}
|
body_remote: Valaki a %{domain} domainről jelentette %{target}
|
||||||
subject: 'Új jelentés az alábbi szerveren: %{instance} (#%{id})'
|
subject: 'Új jelentés az alábbi szerveren: %{instance} (#%{id})'
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: A következő hivatkozások ma felkapottak, de a közzétevőjük eddig még nem lett ellenőrizve. Nem fognak nyilvánosan megjelenni, hacsak nem hagyod jóvá őket. További értesítések nem lesznek előállítva ugyanahhoz a közzétevőhöz.
|
body: 'A következő elemeket ellenőrizni kell, mielőtt nyilvánosan megjelennének:'
|
||||||
no_approved_links: Jelenleg nincsenek jóváhagyott felkapott hivatkozások.
|
new_trending_links:
|
||||||
requirements: 'A legkisebb pontszámú jóváhagyott felkapott hivatkozás jelenleg ez: „%{lowest_link_title}”, pontszáma %{lowest_link_score}.'
|
no_approved_links: Jelenleg nincsenek jóváhagyott felkapott hivatkozások.
|
||||||
subject: 'Új jóváhagyandó felkapott hivatkozások ezen: %{instance}'
|
requirements: 'Ezek közül bármelyik jelölt lehagyná a %{rank}. jóváhagyott felkapott hivatkozást, amely jelenleg a(z) „%{lowest_link_title}” ezzel a pontszámmal: %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Felkapott hivatkozások
|
||||||
body: 'A következő hashtagek ma felkapottak, de a eddig még nem lettek ellenőrizve. Nem fognak nyilvánosan megjelenni, hacsak nem hagyod jóvá őket:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Jelenleg nincsenek jóváhagyott felkapott hashtagek.
|
no_approved_statuses: Jelenleg nincsenek jóváhagyott felkapott bejegyzések.
|
||||||
requirements: 'A legkisebb pontszámú jóváhagyott felkapott hashtag jelenleg ez: #%{lowest_tag_name}, pontszáma %{lowest_tag_score}.'
|
requirements: 'Ezek közül bármelyik jelölt lehagyná a %{rank}. jóváhagyott felkapott bejegyzést, amely jelenleg a(z) „%{lowest_status_url}” ezzel a pontszámmal: %{lowest_status_score}.'
|
||||||
subject: 'Új jóváhagyandó felkapott hashtagek ezen: %{instance}'
|
title: Felkapott bejegyzések
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Jelenleg nincsenek jóváhagyott felkapott hashtagek.
|
||||||
|
requirements: 'Ezek közül bármelyik jelölt lehagyná a %{rank}. jóváhagyott felkapott hashtaget, amely jelenleg a(z) #%{lowest_tag_name} ezzel a pontszámmal: %{lowest_tag_score}.'
|
||||||
|
title: Felkapott hashtagek
|
||||||
|
subject: 'Új jóváhagyandó trendek ezen: %{instance}'
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Alias készítése
|
add_new: Alias készítése
|
||||||
created_msg: Elkészült az új aliasod. Most már elkezdheted a költöztetést a régi fiókból.
|
created_msg: Elkészült az új aliasod. Most már elkezdheted a költöztetést a régi fiókból.
|
||||||
|
@ -1178,6 +1200,9 @@ hu:
|
||||||
carry_mutes_over_text: Ez a fiók elköltözött innen %{acct}, melyet lenémítottatok.
|
carry_mutes_over_text: Ez a fiók elköltözött innen %{acct}, melyet lenémítottatok.
|
||||||
copy_account_note_text: 'Ez a fiók elköltözött innen %{acct}, itt vannak a bejegyzéseitek róla:'
|
copy_account_note_text: 'Ez a fiók elköltözött innen %{acct}, itt vannak a bejegyzéseitek róla:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} feliratkozott"
|
||||||
digest:
|
digest:
|
||||||
action: Összes értesítés megtekintése
|
action: Összes értesítés megtekintése
|
||||||
body: Itt a legutóbbi látogatásod (%{since}) óta írott üzenetek rövid összefoglalása
|
body: Itt a legutóbbi látogatásod (%{since}) óta írott üzenetek rövid összefoglalása
|
||||||
|
|
|
@ -351,10 +351,7 @@ hy:
|
||||||
add_new: Ավելացնել նորը
|
add_new: Ավելացնել նորը
|
||||||
created_msg: Բարեյաջող արգելափակուեց էլ․ փոստի տիրոյթ
|
created_msg: Բարեյաջող արգելափակուեց էլ․ փոստի տիրոյթ
|
||||||
delete: Ջնջել
|
delete: Ջնջել
|
||||||
destroyed_msg: Բարեյաջող ապաարգելափակուեց էլ․ փոստի տիրոյթ
|
|
||||||
domain: Դոմեն
|
domain: Դոմեն
|
||||||
empty: Ոչ մի էլ․ փոստի տիրոյթ այժմ արգելափակուած չէ։
|
|
||||||
from_html: "%{domain}ից"
|
|
||||||
new:
|
new:
|
||||||
create: Ավելացնել դոմեն
|
create: Ավելացնել դոմեն
|
||||||
title: Արգելափակել էլ․ փոստի նոր տիրոյթ
|
title: Արգելափակել էլ․ փոստի նոր տիրոյթ
|
||||||
|
|
|
@ -457,15 +457,21 @@ id:
|
||||||
view: Lihat blokir domain
|
view: Lihat blokir domain
|
||||||
email_domain_blocks:
|
email_domain_blocks:
|
||||||
add_new: Tambah baru
|
add_new: Tambah baru
|
||||||
|
attempts_over_week:
|
||||||
|
other: "%{count} upaya mendaftar selama seminggu terakhir"
|
||||||
created_msg: Berhasil memblokir domain email
|
created_msg: Berhasil memblokir domain email
|
||||||
delete: Hapus
|
delete: Hapus
|
||||||
destroyed_msg: Berhasil membuka blokiran domain email
|
dns:
|
||||||
|
types:
|
||||||
|
mx: Data MX
|
||||||
domain: Domain
|
domain: Domain
|
||||||
empty: Tidak ada domain email yang diblokir.
|
|
||||||
from_html: dari %{domain}
|
|
||||||
new:
|
new:
|
||||||
create: Tambah domain
|
create: Tambah domain
|
||||||
|
resolve: Pembaruan domain
|
||||||
title: Blokir domain email baru
|
title: Blokir domain email baru
|
||||||
|
no_email_domain_block_selected: Tidak ada blokir domain email yang diubah sebab tidak ada yang dipilih
|
||||||
|
resolved_dns_records_hint_html: Pembaruan nama domain mengikuti domain MX, yang bertanggung jawab menerima email. Memblokir domain MX akan memblokir pendaftaran dari alamat email apapun yang menggunakan domain MX sama, meskipun nama domainnya beda. <strong>Hati-hati untuk tidak memblokir layanan email besar.</strong>
|
||||||
|
resolved_through_html: Diperbarui melalui %{domain}
|
||||||
title: Domain email terblokir
|
title: Domain email terblokir
|
||||||
follow_recommendations:
|
follow_recommendations:
|
||||||
description_html: <strong>"Rekomendasi untuk diikuti" membantu pengguna baru untuk secara cepat menemukan konten yang menarik</strong>. Ketika pengguna belum cukup berinteraksi dengan lainnya sehingga belum memunculkan rekomendasi, akun-akun ini akan direkomendasikan. Mereka dihitung ulang secara harian dari campuran akun-akun dengan keterlibatan tertinggi baru-baru ini dan jumlah pengikut lokal tertinggi untuk bahasa tertentu.
|
description_html: <strong>"Rekomendasi untuk diikuti" membantu pengguna baru untuk secara cepat menemukan konten yang menarik</strong>. Ketika pengguna belum cukup berinteraksi dengan lainnya sehingga belum memunculkan rekomendasi, akun-akun ini akan direkomendasikan. Mereka dihitung ulang secara harian dari campuran akun-akun dengan keterlibatan tertinggi baru-baru ini dan jumlah pengikut lokal tertinggi untuk bahasa tertentu.
|
||||||
|
@ -598,6 +604,7 @@ id:
|
||||||
title: Catatan
|
title: Catatan
|
||||||
notes_description_html: Lihat dan tinggalkan catatan kepada moderator lain dan Anda di masa depan
|
notes_description_html: Lihat dan tinggalkan catatan kepada moderator lain dan Anda di masa depan
|
||||||
quick_actions_description_html: 'Lakukan tindakan cepat atau gulir ke bawah untuk melihat konten yang dilaporkan:'
|
quick_actions_description_html: 'Lakukan tindakan cepat atau gulir ke bawah untuk melihat konten yang dilaporkan:'
|
||||||
|
remote_user_placeholder: pengguna jarak jauh dari %{instance}
|
||||||
reopen: Buka lagi laporan
|
reopen: Buka lagi laporan
|
||||||
report: 'Laporkan #%{id}'
|
report: 'Laporkan #%{id}'
|
||||||
reported_account: Akun yang dilaporkan
|
reported_account: Akun yang dilaporkan
|
||||||
|
@ -768,6 +775,14 @@ id:
|
||||||
rejected: Tautan dari penerbit ini tidak dapat menjadi tren
|
rejected: Tautan dari penerbit ini tidak dapat menjadi tren
|
||||||
title: Penerbit
|
title: Penerbit
|
||||||
rejected: Ditolak
|
rejected: Ditolak
|
||||||
|
statuses:
|
||||||
|
allow: Izinkan kiriman
|
||||||
|
allow_account: Izinkan penulis
|
||||||
|
disallow: Jangan beri izin kiriman
|
||||||
|
disallow_account: Jangan beri izin penulis
|
||||||
|
shared_by:
|
||||||
|
other: Dibagikan dan difavoritkan %{friendly_count} kali
|
||||||
|
title: Kiriman yang sedang tren
|
||||||
tags:
|
tags:
|
||||||
current_score: Skor saat ini %{score}
|
current_score: Skor saat ini %{score}
|
||||||
dashboard:
|
dashboard:
|
||||||
|
@ -816,16 +831,21 @@ id:
|
||||||
body: "%{reporter} telah melaporkan %{target}"
|
body: "%{reporter} telah melaporkan %{target}"
|
||||||
body_remote: Seseorang dari %{domain} telah melaporkan %{target}
|
body_remote: Seseorang dari %{domain} telah melaporkan %{target}
|
||||||
subject: Laporan baru untuk %{instance} (#%{id})
|
subject: Laporan baru untuk %{instance} (#%{id})
|
||||||
new_trending_links:
|
new_trends:
|
||||||
body: Tautan berikut sedang tren hari ini, tetapi penerbit sebelumnya belum ditinjau. Mereka tidak akan ditampilkan secara publik kecuali Anda menyetujuinya. Notifikasi berikutnya dari penerbit yang sama tidak akan dibuat.
|
body: 'Item berikut harus ditinjau sebelum ditampilkan secara publik:'
|
||||||
no_approved_links: Saat ini tidak akan tautan tren yang disetujui.
|
new_trending_links:
|
||||||
requirements: Tautan tren yang disetujui peringkat terendah saat ini "%{lowest_link_title}" dengan skor %{lowest_link_score}.
|
no_approved_links: Saat ini tidak ada tautan tren yang disetujui.
|
||||||
subject: Tautan tren baru mulai ditinjau di %{instance}
|
requirements: 'Kandidat yang ada di sini bisa saja melewati peringkat #%{rank} tautan tren yang disetujui, yang kini "%{lowest_link_title}" memiliki nilai %{lowest_link_score}.'
|
||||||
new_trending_tags:
|
title: Tautan sedang tren
|
||||||
body: 'Tagar berikut sedang tren hari ini, tetapi mereka sebelumnya belum ditinjau. Mereka tidak akan muncul secara publik kecuali Anda menyetujuinya:'
|
new_trending_statuses:
|
||||||
no_approved_tags: Saat ini tidak ada tagar tren yang disetujui.
|
no_approved_statuses: Tidak ada kiriman sedang tren yang disetujui.
|
||||||
requirements: 'Tagar tren yang disetujui peringkat terendah saat ini #%{lowest_tag_name} dengan skor %{lowest_tag_score}.'
|
requirements: 'Kandidat yang ada di sini bisa saja melewati peringkat #%{rank} kiriman tren yang disetujui, yang kini %{lowest_status_url} memiliki nilai %{lowest_status_score}.'
|
||||||
subject: Tagar tren baru mulai ditinjau di %{instance}
|
title: Kiriman yang sedang tren
|
||||||
|
new_trending_tags:
|
||||||
|
no_approved_tags: Saat ini tidak ada tagar tren yang disetujui.
|
||||||
|
requirements: 'Kandidat yang ada di sini bisa saja melewati peringkat #%{rank} tagar sedang tren yang disetujui, yang kini #%{lowest_tag_name} memiliki nilai %{lowest_tag_score}.'
|
||||||
|
title: Tagar sedang tren
|
||||||
|
subject: Tren baru yang perlu ditinjau di %{instance}
|
||||||
aliases:
|
aliases:
|
||||||
add_new: Buat alias
|
add_new: Buat alias
|
||||||
created_msg: Berhasil membuat alias baru. Sekarang Anda dapat memulai pindah dari akun lama.
|
created_msg: Berhasil membuat alias baru. Sekarang Anda dapat memulai pindah dari akun lama.
|
||||||
|
@ -1162,6 +1182,9 @@ id:
|
||||||
carry_mutes_over_text: Pengguna ini pindah dari %{acct}, yang telah Anda bisukan sebelumnya.
|
carry_mutes_over_text: Pengguna ini pindah dari %{acct}, yang telah Anda bisukan sebelumnya.
|
||||||
copy_account_note_text: 'Pengguna ini pindah dari %{acct}, ini dia pesan Anda sebelumnya tentang mereka:'
|
copy_account_note_text: 'Pengguna ini pindah dari %{acct}, ini dia pesan Anda sebelumnya tentang mereka:'
|
||||||
notification_mailer:
|
notification_mailer:
|
||||||
|
admin:
|
||||||
|
sign_up:
|
||||||
|
subject: "%{name} mendaftar"
|
||||||
digest:
|
digest:
|
||||||
action: Lihat semua notifikasi
|
action: Lihat semua notifikasi
|
||||||
body: Ini adalah ringkasan singkat yang anda lewatkan pada sejak kunjungan terakhir anda pada %{since}
|
body: Ini adalah ringkasan singkat yang anda lewatkan pada sejak kunjungan terakhir anda pada %{since}
|
||||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Reference in a new issue