Merge remote-tracking branch 'parent/main' into upstream-20240112

This commit is contained in:
KMY 2024-01-12 14:48:17 +09:00
commit e65fb9fb51
333 changed files with 2661 additions and 1461 deletions

View file

@ -63,6 +63,8 @@ module Mastodon
# Initialize configuration defaults for originally generated Rails version.
config.load_defaults 7.0
config.active_record.marshalling_format_version = 7.1
# Please, add to the `ignore` list any other `lib` subdirectories that do
# not contain `.rb` files, or that should not be reloaded or eager loaded.
# Common ones are `templates`, `generators`, or `middleware`, for example.

View file

@ -31,7 +31,7 @@ Rails.application.configure do
:fi,
:fo,
:fr,
:'fr-QC',
:'fr-CA',
:fy,
:ga,
:gd,

View file

@ -1,10 +0,0 @@
# frozen_string_literal: true
# TODO
# The Rails 7.0 framework default here is to set this true. However, we have a
# location in devise that redirects where we don't have an easy ability to
# override a method or set a config option, but where the redirect does not
# provide this option.
# https://github.com/heartcombo/devise/blob/v4.9.2/app/controllers/devise/confirmations_controller.rb#L28
# Once a solution is found, this line can be removed.
Rails.application.config.action_controller.raise_on_open_redirects = false

View file

@ -29,7 +29,7 @@ Rails.application.config.add_autoload_paths_to_load_path = false
# Do not treat an `ActionController::Parameters` instance
# as equal to an equivalent `Hash` by default.
# Rails.application.config.action_controller.allow_deprecated_parameters_hash_equality = false
Rails.application.config.action_controller.allow_deprecated_parameters_hash_equality = false
# Active Record Encryption now uses SHA-256 as its hash digest algorithm. Important: If you have
# data encrypted with previous Rails versions, there are two scenarios to consider:
@ -50,7 +50,7 @@ Rails.application.config.add_autoload_paths_to_load_path = false
# Instead, run these callbacks on the instance most likely to have internal
# state which matches what was committed to the database, typically the last
# instance to save.
# Rails.application.config.active_record.run_commit_callbacks_on_first_saved_instances_in_transaction = false
Rails.application.config.active_record.run_commit_callbacks_on_first_saved_instances_in_transaction = false
# Configures SQLite with a strict strings mode, which disables double-quoted string literals.
#
@ -59,10 +59,10 @@ Rails.application.config.add_autoload_paths_to_load_path = false
# it then considers them as string literals. Because of this, typos can silently go unnoticed.
# For example, it is possible to create an index for a non existing column.
# See https://www.sqlite.org/quirks.html#double_quoted_string_literals_are_accepted for more details.
# Rails.application.config.active_record.sqlite3_adapter_strict_strings_by_default = true
Rails.application.config.active_record.sqlite3_adapter_strict_strings_by_default = true
# Disable deprecated singular associations names
# Rails.application.config.active_record.allow_deprecated_singular_associations_name = false
Rails.application.config.active_record.allow_deprecated_singular_associations_name = false
# Enable the Active Job `BigDecimal` argument serializer, which guarantees
# roundtripping. Without this serializer, some queue adapters may serialize
@ -78,12 +78,12 @@ Rails.application.config.add_autoload_paths_to_load_path = false
# `write` are given an invalid `expires_at` or `expires_in` time.
# Options are `true`, and `false`. If `false`, the exception will be reported
# as `handled` and logged instead.
# Rails.application.config.active_support.raise_on_invalid_cache_expiration_time = true
Rails.application.config.active_support.raise_on_invalid_cache_expiration_time = true
# Specify whether Query Logs will format tags using the SQLCommenter format
# (https://open-telemetry.github.io/opentelemetry-sqlcommenter/), or using the legacy format.
# Options are `:legacy` and `:sqlcommenter`.
# Rails.application.config.active_record.query_log_tags_format = :sqlcommenter
Rails.application.config.active_record.query_log_tags_format = :sqlcommenter
# Specify the default serializer used by `MessageEncryptor` and `MessageVerifier`
# instances.
@ -129,48 +129,37 @@ Rails.application.config.add_autoload_paths_to_load_path = false
# `config.load_defaults 7.1` does not set this value for environments other than
# development and test.
#
# if Rails.env.local?
# Rails.application.config.log_file_size = 100 * 1024 * 1024
# end
Rails.application.config.log_file_size = 100 * 1024 * 1024 if Rails.env.local?
# Enable raising on assignment to attr_readonly attributes. The previous
# behavior would allow assignment but silently not persist changes to the
# database.
# Rails.application.config.active_record.raise_on_assign_to_attr_readonly = true
Rails.application.config.active_record.raise_on_assign_to_attr_readonly = true
# Enable validating only parent-related columns for presence when the parent is mandatory.
# The previous behavior was to validate the presence of the parent record, which performed an extra query
# to get the parent every time the child record was updated, even when parent has not changed.
# Rails.application.config.active_record.belongs_to_required_validates_foreign_key = false
Rails.application.config.active_record.belongs_to_required_validates_foreign_key = false
# Enable precompilation of `config.filter_parameters`. Precompilation can
# improve filtering performance, depending on the quantity and types of filters.
# Rails.application.config.precompile_filter_parameters = true
Rails.application.config.precompile_filter_parameters = true
# Enable before_committed! callbacks on all enrolled records in a transaction.
# The previous behavior was to only run the callbacks on the first copy of a record
# if there were multiple copies of the same record enrolled in the transaction.
# Rails.application.config.active_record.before_committed_on_all_records = true
Rails.application.config.active_record.before_committed_on_all_records = true
# Disable automatic column serialization into YAML.
# To keep the historic behavior, you can set it to `YAML`, however it is
# recommended to explicitly define the serialization method for each column
# rather than to rely on a global default.
# Rails.application.config.active_record.default_column_serializer = nil
# Enable a performance optimization that serializes Active Record models
# in a faster and more compact way.
#
# To perform a rolling deploy of a Rails 7.1 upgrade, wherein servers that have
# not yet been upgraded must be able to read caches from upgraded servers,
# leave this optimization off on the first deploy, then enable it on a
# subsequent deploy.
# Rails.application.config.active_record.marshalling_format_version = 7.1
Rails.application.config.active_record.default_column_serializer = nil
# Run `after_commit` and `after_*_commit` callbacks in the order they are defined in a model.
# This matches the behaviour of all other callbacks.
# In previous versions of Rails, they ran in the inverse order.
# Rails.application.config.active_record.run_after_transaction_callbacks_in_order_defined = true
Rails.application.config.active_record.run_after_transaction_callbacks_in_order_defined = true
# Whether a `transaction` block is committed or rolled back when exited via `return`, `break` or `throw`.
#
@ -178,7 +167,7 @@ Rails.application.config.add_autoload_paths_to_load_path = false
# Controls when to generate a value for <tt>has_secure_token</tt> declarations.
#
# Rails.application.config.active_record.generate_secure_token_on = :initialize
Rails.application.config.active_record.generate_secure_token_on = :initialize
# ** Please read carefully, this must be configured in config/application.rb **
# Change the format of the cache entry.
@ -199,7 +188,7 @@ Rails.application.config.add_autoload_paths_to_load_path = false
#
# In previous versions of Rails, Action View always used `Rails::HTML4::Sanitizer` as its vendor.
#
# Rails.application.config.action_view.sanitizer_vendor = Rails::HTML::Sanitizer.best_supported_vendor
Rails.application.config.action_view.sanitizer_vendor = Rails::HTML::Sanitizer.best_supported_vendor
# Configure Action Text to use an HTML5 standards-compliant sanitizer when it is supported on your
# platform.
@ -222,4 +211,4 @@ Rails.application.config.add_autoload_paths_to_load_path = false
#
# In previous versions of Rails, these test helpers always used an HTML4 parser.
#
# Rails.application.config.dom_testing_default_html_version = :html5
Rails.application.config.dom_testing_default_html_version = :html5

View file

@ -0,0 +1,10 @@
# frozen_string_literal: true
# TODO
# Starting with Rails 7.0, the framework default here is to set this true.
# However, we have a location in devise that redirects where we don't have an
# easy ability to override the method or set a config option, and where the
# redirect does not supply this option itself.
# https://github.com/heartcombo/devise/blob/v4.9.2/app/controllers/devise/confirmations_controller.rb#L28
# Once a solution is found, this line can be removed.
Rails.application.config.action_controller.raise_on_open_redirects = false

View file

@ -1,5 +1,5 @@
---
fr-QC:
fr-CA:
activerecord:
attributes:
poll:

View file

@ -3,6 +3,7 @@ ia:
activerecord:
attributes:
user:
email: Adresse de e-mail
password: Contrasigno
user/account:
username: Nomine de usator

View file

@ -19,6 +19,7 @@ ie:
account:
attributes:
username:
invalid: deve contener solmen lítteres, númeres e sublineas
reserved: es reservat
admin/webhook:
attributes:
@ -39,6 +40,7 @@ ie:
user:
attributes:
email:
blocked: usa un ne-permisset provisor de e-posta
unreachable: sembla ne exister
role_id:
elevated: ne posse esser plu alt quam tui actual rol

View file

@ -439,6 +439,7 @@ be:
view: Праглядзець новы блок дамену
email_domain_blocks:
add_new: Дадаць
allow_registrations_with_approval: Дазволіць рэгістрацыю з дазволам
attempts_over_week:
few: "%{count} спробы рэгіістрацыі за апошні тыдзень"
many: "%{count} спроб рэгіістрацыі за апошні тыдзень"

View file

@ -425,6 +425,7 @@ bg:
view: Преглед на блокиране на домейн
email_domain_blocks:
add_new: Добавяне на ново
allow_registrations_with_approval: Позволяване на регистрации с одобрение
attempts_over_week:
one: "%{count} опит за изминалата седмица"
other: "%{count} опита за регистрация през изминалата седмица"

View file

@ -40,8 +40,10 @@ br:
change_role:
no_role: Roll ebet
confirm: Kadarnaat
confirmed: Kadarnaet
confirming: O kadarnaat
custom: Personelaet
delete: Dilemel ar roadennoù
deleted: Dilamet
demote: Argilañ
disable: Skornañ
@ -61,6 +63,7 @@ br:
all: Pep tra
local: Lec'hel
remote: A-bell
media_attachments: Restroù media stag
moderation:
active: Oberiant
all: Pep tra
@ -68,6 +71,7 @@ br:
silenced: Bevennet
suspended: Astalet
title: Habaskadur
most_recent_activity: Obererezh nevesañ
perform_full_suspension: Astalañ
promote: Brudañ
protocol: Komenad
@ -76,15 +80,19 @@ br:
remove_header: Dilemel an talbenn
reset: Adderaouekaat
reset_password: Adderaouekaat ar ger-tremen
resubscribe: Adkoumanantiñ
role: Roll
search: Klask
security: Surentez
silence: Bevenniñ
silenced: Bevennet
statuses: Toudoù
subscribe: Koumanantiñ
suspend: Astalañ
suspended: Astalet
title: Kontoù
undo_silenced: Dizober ar bevennañ
unsubscribe: Digoumanantiñ
username: Anv
warn: Diwall
web: Web
@ -167,6 +175,7 @@ br:
title: Habaskadur
purge: Spurjañ
title: Kevread
total_storage: Restroù media stag
invites:
filter:
all: Pep tra
@ -265,6 +274,8 @@ br:
tags:
dashboard:
tag_uses_measure: implijoù hollek
not_usable: N'haller ket en implijout
title: Hashtagoù diouzh ar c'hiz
title: Luskadoù
warning_presets:
add_new: Ouzhpenniñ unan nevez
@ -281,6 +292,9 @@ br:
new_appeal:
actions:
none: ur c'hemenn diwall
new_trends:
new_trending_tags:
title: Hashtagoù diouzh ar c'hiz
appearance:
discovery: Dizoloadur
application_mailer:
@ -289,6 +303,8 @@ br:
auth:
delete_account: Dilemel ar gont
delete_account_html: Ma fell deoc'h dilemel ho kont e c'hellit <a href="%{path}">klikañ amañ</a>. Goulennet e vo ganeoc'h kadarnaat an obererezh.
description:
prefix_invited_by_user: Pedet oc'h gant @%{name} da zont e-barzh ar servijer Mastodon-mañ!
login: Mont tre
logout: Digennaskañ
migrate_account_html: Ma fell deoc'h adkas ar gont-mañ war-zu unan all e c'hellit <a href="%{path}">arventenniñ an dra-se amañ</a>.
@ -383,6 +399,10 @@ br:
table:
uses: Implijoù
title: Pediñ tud
media_attachments:
validations:
images_and_video: N'haller stagañ ur video ouzh un embannadur a zo fotoioù gantañ dija
too_many: N'haller ket stagañ muioc'h eget 4 restr
migrations:
incoming_migrations_html: Evit dilojañ ur gont all da homañ e rankit <a href="%{path}">sevel un alias</a> da gentañ.
moderation:
@ -417,13 +437,16 @@ br:
next: Da-heul
older: Koshoc'h
prev: A-raok
polls:
errors:
self_vote: N'hallit ket votiñ en ho sontadegoù deoc'h-c'hwi
preferences:
other: All
posting_defaults: Arventennoù embann dre ziouer
relationships:
dormant: O kousket
followers: Heulier·ezed·ien
following: O heuliañ
following: Koumanantoù
invited: Pedet
moved: Dilojet
mutual: Kenetre
@ -463,6 +486,7 @@ br:
account_settings: Arventennoù ar gont
development: Diorren
edit_profile: Kemmañ ar profil
featured_tags: Hashtagoù pennañ
import: Enporzhiañ
import_and_export: Enporzhiañ hag ezporzhiañ
preferences: Gwellvezioù
@ -475,6 +499,8 @@ br:
one: "%{count} skeudenn"
other: "%{count} skeudenn"
two: "%{count} skeudenn"
pin_errors:
ownership: N'hallit ket spilhennañ embannadurioù ar re all
poll:
vote: Mouezhiañ
show_more: Diskouez muioc'h
@ -483,6 +509,7 @@ br:
public: Publik
statuses_cleanup:
keep_direct: Mirout ar c'hannadoù eeun
keep_media: Derc'hel an embannadurioù gant restroù stag
min_age:
'1209600': 2 sizhunvezh
'2629746': 1 mizvezh
@ -514,6 +541,7 @@ br:
subject: Donemat e Mastodoñ
title: Degemer mat e bourzh, %{name}!
users:
follow_limit_reached: N'hallit ket heulian muioc'h eget %{limit} a zen
signed_in_as: 'Aet-tre evel:'
verification:
verification: Amprouadur

View file

@ -425,6 +425,7 @@ ca:
view: Veure el bloqueig del domini
email_domain_blocks:
add_new: Afegir nou
allow_registrations_with_approval: Registre permès amb validació
attempts_over_week:
one: "%{count} intent en la darrera setmana"
other: "%{count} intents de registre en la darrera setmana"

View file

@ -453,6 +453,7 @@ cy:
view: Gweld bloc parth
email_domain_blocks:
add_new: Ychwanegu
allow_registrations_with_approval: Caniatáu cofrestriadau wedi'u cymeradwyo
attempts_over_week:
few: "%{count} ymgais i gofrestru dros yr wythnos ddiwethaf"
many: "%{count} ymgais i gofrestru dros yr wythnos ddiwethaf"

View file

@ -425,6 +425,7 @@ da:
view: Vis domæneblokering
email_domain_blocks:
add_new: Tilføj ny
allow_registrations_with_approval: Tillad registreringer med godkendelse
attempts_over_week:
one: "%{count} tilmeldingsforsøg over den seneste uge"
other: "%{count} tilmeldingsforsøg over den seneste uge"

View file

@ -425,6 +425,7 @@ de:
view: Domain-Sperre ansehen
email_domain_blocks:
add_new: Neue hinzufügen
allow_registrations_with_approval: Registrierungen mit Genehmigung erlauben
attempts_over_week:
one: "%{count} Registrierungsversuch in der vergangenen Woche"
other: "%{count} Registrierungsversuche in der vergangenen Woche"

View file

@ -34,7 +34,7 @@ el:
explanation: Το συνθηματικό του λογαριασμού σου άλλαξε.
extra: Αν δεν άλλαξες εσύ το συνθηματικό σου, ίσως κάποιος να έχει αποκτήσει πρόσβαση στο λογαριασμό σου. Παρακαλούμε άλλαξε το συνθηματικό σου άμεσα ή επικοινώνησε με τον διαχειριστή του κόμβου σου αν έχεις κλειδωθεί απ' έξω.
subject: 'Mastodon: Αλλαγή συνθηματικού'
title: Αλλαγή συνθηματικού
title: Ο κωδικός άλλαξε
reconfirmation_instructions:
explanation: Επιβεβαίωσε τη νέα διεύθυνση για να αλλάξεις το email σου.
extra: Αν δεν ζήτησες εσύ αυτή την αλλαγή, παρακαλούμε αγνόησε αυτό το email. Η διεύθυνση email για τον λογαριασμό σου στο Mastodon δεν θα αλλάξει μέχρι να επισκεφτείς τον παραπάνω σύνδεσμο.

View file

@ -1,5 +1,5 @@
---
fr-QC:
fr-CA:
devise:
confirmations:
confirmed: Votre adresse de courriel a été validée avec succès.
@ -20,8 +20,8 @@ fr-QC:
confirmation_instructions:
action: Vérifier ladresse courriel
action_with_app: Confirmer et retourner à %{app}
explanation: Vous avez créé un compte sur %{host} avec cette adresse courriel. Vous êtes à un clic de lactiver. Si ce n'était pas vous, veuiller ignorer ce courriel.
explanation_when_pending: Vous avez demandé à vous inscrire à %{host} avec cette adresse courriel. Une fois que vous aurez confirmé cette adresse, nous étudierons votre demande. Vous pouvez vous connecter pour changer vos détails ou supprimer votre compte, mais vous ne pouvez pas accéder à la plupart des fonctionalités du compte avant que votre compte ne soit approuvé. Si votre demande est rejetée, vos données seront supprimées, donc aucune action supplémentaire ne sera requise de votre part. Si ce n'était pas vous, veuiller ignorer ce courriel.
explanation: Vous avez créé un compte sur %{host} avec cette adresse courriel. Vous êtes à un clic de lactiver. Si ce n'était pas vous, veuillez ignorer ce courriel.
explanation_when_pending: Vous avez demandé à vous inscrire à %{host} avec cette adresse courriel. Une fois que vous aurez confirmé cette adresse, nous étudierons votre demande. Vous pouvez vous connecter pour changer vos détails ou supprimer votre compte, mais vous ne pouvez pas accéder à la plupart des fonctionnalités du compte avant que votre compte ne soit approuvé. Si votre demande est rejetée, vos données seront supprimées, donc aucune action supplémentaire ne sera requise de votre part. Si ce n'était pas vous, veuillez ignorer ce courriel.
extra_html: Veuillez également consulter <a href="%{terms_path}">les règles du serveur</a> et <a href="%{policy_path}">nos conditions dutilisation</a>.
subject: 'Mastodon: Instructions de confirmation pour %{instance}'
title: Vérifier ladresse courriel

View file

@ -1 +1,31 @@
---
ia:
devise:
failure:
locked: Tu conto es blocate.
mailer:
confirmation_instructions:
action: Verificar adresse de e-mail
action_with_app: Confirmar e retornar a %{app}
title: Verificar adresse de e-mail
email_changed:
title: Nove adresse de e-mail
password_change:
title: Contrasigno cambiate
reconfirmation_instructions:
title: Verificar adresse de e-mail
reset_password_instructions:
action: Cambiar contrasigno
title: Reinitialisar contrasigno
two_factor_disabled:
title: 2FA disactivate
two_factor_enabled:
title: 2FA activate
registrations:
updated: Tu conto ha essite actualisate con successo.
unlocks:
unlocked: Tu conto ha essite disblocate con successo. Initia session a continuar.
errors:
messages:
already_confirmed: jam esseva confirmate, tenta initiar session
not_found: non trovate

View file

@ -3,6 +3,8 @@ ie:
devise:
confirmations:
confirmed: Tui e-mail adresse ha esset confirmat successosimen.
send_instructions: Pos quelc minutes tu va reciver un e-posta con instructiones pri qualmen confirmar tui adresse electronic. Ples confirmar tui spamiere si tu ne vide li e-posta.
send_paranoid_instructions: Si tui email-adresse existe in nor database, pos quelc minutes tu va reciver un e-posta con instructiones pri qualmen confirmar tui adresse electronic. Ples confirmar tui spamiere si tu ne recivet ti-ci email.
failure:
already_authenticated: Tu ha ja intrat.
inactive: Tui conto ancor ne ha esset activat.
@ -20,6 +22,8 @@ ie:
action_with_app: Confirma e retorna a%{app}
explanation: Tu ha creat un conto sur %{host} con ti-ci e-posta, quel tu posse activar per un sol clicc. Si it ne esset tu qui creat li conto, ples ignorar ti-ci missage.
explanation_when_pending: Tu ha demandat un invitation a %{host} con ti-ci e-posta. Pos confirmation de tui adresse, noi va inspecter tui aplication. Tu posse inloggar por changear detallies o deleter li conto, ma li pluparte del functiones va restar ínusabil til quande tui conto es aprobat. Tui data va esser deletet si tui conto es rejectet, e in ti casu tu ne besona far quelcunc cose. Si it ne esset tu qui creat li conto, ples ignorar ti-ci missage.
extra_html: Ples vider anc <a href="%{terms_path}">li regules del servitor</a> e <a href="%{policy_path}">nor termines de servicie</a>.
subject: 'Mastodon: Instructiones de confirmation por %{instance}'
title: Verificar e-posta
email_changed:
explanation: 'Li e-mail adresse de tui es changeat a:'
@ -33,6 +37,7 @@ ie:
title: Passa-parol changeat
reconfirmation_instructions:
explanation: Confirmar li nov adresse por changeat tui e-posta.
extra: Ples ignorar ti-ci e-posta si li change ne esset efectuat per te. Li adresse electronic por li conto Mastodon ne va changear se si tu ne accesse li ligament in supra.
subject: 'Mastodon: E-posta de confirmation por %{instance}'
title: Verificar e-posta
reset_password_instructions:
@ -43,8 +48,11 @@ ie:
title: Reiniciar passa-parol
two_factor_disabled:
explanation: 2-factor autentication por tui conto ha esset desactivisat. Aperter session nu es possibil solmen per email-adresse e passa-parol.
subject: 'Mastodon: 2-factor autentication desactivat'
title: 2FA desvalidat
two_factor_enabled:
explanation: 2-factor autentication ha esset activat por tui conto. Un gage generat per li acuplat apli TOTP va esser besonat por intrar.
subject: 'Mastodon: 2-factor autentication activat'
title: 2FA permisset
two_factor_recovery_codes_changed:
explanation: Li anteyan codes de recuperation ha esset ínvalidat, e novis generat.
@ -54,12 +62,20 @@ ie:
subject: 'Mastodon: Desserral instructiones'
webauthn_credential:
added:
explanation: Li sequent clave de securitá ha esset adjuntet a tui conto
subject: 'Mastodon: Nov clave de securitá'
title: Un nov clave de securitá ha esset adjuntet
deleted:
explanation: Li sequent clave de securitá ha esset deletet de tui conto
subject: 'Mastodon: Clave de securitá deletet'
title: Un ex tui claves de securitá ha esset deletet
webauthn_disabled:
explanation: Autentication per claves de securitá ha esset desactivat por tui conto. Ja on posse intrar solmen con li gage generat per li acuplat apli TOTP.
subject: 'Mastodon: Autentication con claves de securitá desactivisat'
title: Claves de securitá desactivisat
webauthn_enabled:
explanation: Autentication per clave de securitá ha esset activat por tui conto. Ja li clave de securitá posse esser usat por intrar.
subject: 'Mastodon: Autentication per clave de securitá activat'
title: Claves de securitá activisat
omniauth_callbacks:
failure: Ne posset autenticar te de %{kind} pro "%{reason}".
@ -71,12 +87,22 @@ ie:
updated: Tui passa-parol ha esset changeat successosimen. Tu nu ha apertet session.
updated_not_active: Tui passa-parol ha esset changeat successosimen.
registrations:
destroyed: Adío! Tui conto ha esset anullat con successe. Noi espera revider te pos ne long.
signed_up: Benevenit! Tu ha successat registrar te.
signed_up_but_inactive: Tu ha registrat te con successe, támen noi ne posset far te intrar pro que tui conto ancor ne ha esset activat.
signed_up_but_locked: Tu ha registrat te con successe, támen noi ne posset far te intrar pro que tui conto es serrat.
signed_up_but_pending: Un missage con un ligament de confirmation ha esset inviat a tui adresse electronic. Pos har cliccat sur li ligament, noi va inspecter tui aplication. Tu va reciver un notification si it es aprobat.
signed_up_but_unconfirmed: Un missage con un ligament de confirmation ha esset inviat a tui adresse electronic. Ples sequer li ligament por activar tui conto, e confirmar tui spamiere si tu ne ha recivet li e-posta.
update_needs_confirmation: Tu ha actualisat tui conto con successe, ma noi deve verificar tui nov adresse electronic. Ples confirmar tui e-postas e sequer li ligament de confirmation por confirmar li nov adresse, e inspecter tui spamiere si tu ne ha recivet li e-posta.
updated: Tui conto ha esset actualisat successosimen.
sessions:
already_signed_out: Exeat successosimen.
signed_in: Intrat successosimen.
signed_out: Exeat successosimen.
unlocks:
send_instructions: Pos quelc minutes tu va reciver un e-posta con instructiones pri qualmen desserrar tui adresse electronic. Ples confirmar tui spamiere si tu ne vide li e-posta.
send_paranoid_instructions: Si tui conto existe, pos quelc minutes tu va reciver un e-posta con instructiones pri qualmen desserrar it. Ples confirmar tui spamiere si tu ne recive li e-posta.
unlocked: Tui conto ha esset desserrat con successe. Ples intrar por continuar.
errors:
messages:
already_confirmed: esset ja confirmat, ples prova intrar
@ -84,3 +110,6 @@ ie:
expired: ha expirat, ples demandar un nov
not_found: ne trovat
not_locked: ne esset serrat
not_saved:
one: '1 error prohibit ti %{resource} de esser conservat:'
other: "%{count} errores prohibit ti %{resource} de esser conservat:"

View file

@ -102,6 +102,7 @@ br:
bookmarks: Sinedoù
filters: Siloù
lists: Listennoù
media: Restroù media stag
mutes: Kuzhet
search: Klask
statuses: Toudoù

View file

@ -127,6 +127,7 @@ el:
bookmarks: Σελιδοδείκτες
conversations: Συνομιλίες
crypto: Κρυπτογράφηση από άκρο σε άκρο
favourites: Αγαπημένα
filters: Φίλτρα
follow: Ακολουθείτε, σε Σίγαση και Αποκλεισμοί
follows: Ακολουθείτε
@ -169,9 +170,10 @@ el:
read:accounts: να βλέπει τα στοιχεία λογαριασμών
read:blocks: να βλέπει τους αποκλεισμένους σου
read:bookmarks: εμφάνιση των σελιδοδεικτών σας
read:favourites: δείτε τα αγαπημένα σας
read:filters: να βλέπει τα φίλτρα σου
read:follows: να βλέπει ποιους ακολουθείς
read:lists: να βλέπει τις λίστες σου
read:follows: δές ποιους ακολουθείς
read:lists: δές τις λίστες σου
read:mutes: να βλέπει ποιους αποσιωπείς
read:notifications: να βλέπει τις ειδοποιήσεις σου
read:reports: να βλέπει τις καταγγελίες σου
@ -183,8 +185,8 @@ el:
write:bookmarks: προσθήκη σελιδοδεικτών
write:conversations: σίγαση και διαγραφή συνομιλιών
write:filters: να δημιουργεί φίλτρα
write:follows: να ακολουθεί ανθρώπους
write:lists: να δημιουργεί λίστες
write:follows: ακολουθήστε ανθρώπους
write:lists: δημιουργία λιστών
write:media: να ανεβάζει πολυμέσα
write:mutes: να αποσιωπεί ανθρώπους και συζητήσεις
write:notifications: να καθαρίζει τις ειδοποιήσεις σου

View file

@ -1,5 +1,5 @@
---
fr-QC:
fr-CA:
activerecord:
attributes:
doorkeeper/application:

View file

@ -1 +1,68 @@
---
ia:
activerecord:
attributes:
doorkeeper/application:
name: Nomine de application
website: Sito web de application
doorkeeper:
applications:
buttons:
cancel: Cancellar
edit: Modificar
confirmations:
destroy: Es tu secur?
edit:
title: Modificar application
index:
application: Application
delete: Deler
name: Nomine
new: Nove application
show: Monstrar
title: Tu applicationes
new:
title: Nove application
show:
actions: Actiones
title: 'Application: %{name}'
authorizations:
error:
title: Ocurreva un error
authorized_applications:
confirmations:
revoke: Es tu secur?
index:
scopes: Permissiones
title: Tu applicationes autorisate
flash:
applications:
create:
notice: Application create.
destroy:
notice: Application delite.
update:
notice: Application actualisate.
grouped_scopes:
title:
accounts: Contos
admin/accounts: Gestion de contos
bookmarks: Marcapaginas
conversations: Conversationes
favourites: Favoritos
lists: Listas
notifications: Notificationes
push: Notificationes push
search: Cercar
statuses: Messages
layouts:
admin:
nav:
applications: Applicationes
oauth2_provider: Fornitor OAuth2
scopes:
write:accounts: modificar tu profilo
write:favourites: messages favorite
write:lists: crear listas
write:notifications: rader tu notificationes
write:statuses: publicar messages

View file

@ -5,6 +5,7 @@ ie:
doorkeeper/application:
name: Nómine de aplication
redirect_uri: URI de redirection
scopes: Scopes
website: Situ web de aplication
errors:
models:
@ -27,8 +28,12 @@ ie:
destroy: Es tu cert?
edit:
title: Modificar aplication
form:
error: Ups! Ples inspecter tui formul por possibil erras
help:
native_redirect_uri: Usar %{native_redirect_uri} por local provas
redirect_uri: Usar un linea per URI
scopes: Separar scopes con intersticies. Lassar blanc por usar li scopes predefinit.
index:
application: Aplication
callback_url: URL de retrovocada
@ -36,6 +41,7 @@ ie:
empty: Tu have null aplicationes.
name: Nómine
new: Nov aplication
scopes: Scopes
show: Monstrar
title: Tui aplicationes
new:
@ -44,6 +50,7 @@ ie:
actions: Actiones
application_id: Clave de client
callback_urls: URLs de retrovocada
scopes: Scopes
secret: Secrete de client
title: 'Aplication: %{name}'
authorizations:
@ -53,8 +60,11 @@ ie:
error:
title: Alquo ha errat
new:
prompt_html: "%{client_name}, un aplication de triesim partise, vole permission por accesser tui conto. <strong>Si tu ne fide it, ne autorisa it.</strong>"
review_permissions: Inspecter permissiones
title: Autorisation besonat
show:
title: Copiar ti-ci code de autorisation e glutinar it al demanda.
authorized_applications:
buttons:
revoke: Revocar
@ -62,6 +72,7 @@ ie:
revoke: Es tu cert?
index:
authorized_at: Autorisat ye %{date}
description_html: Hay aplicationes queles posse accesser tui conto tra li API. Si trova si aplicationes queles tu ne reconosse, o un aplication quel ha conduit se mal, tu posse revocar su accesse.
last_used_at: Ultimmen usat ye %{date}
never_used: Nequande usat
scopes: Permissiones
@ -69,14 +80,25 @@ ie:
title: Tui autorisat aplicationes
errors:
messages:
access_denied: Demanda negat per li proprietario del ressurse o servitor de autorisation.
credential_flow_not_configured: Falliment de flution Resource Owner Pasword Credentials pro ínconfigurat Doorkeeper.configure.resource_owner_from_credentials.
invalid_client: Fallit autentification pro ínconosset client, manca de client-autentification, o ne subtenet metode de autentification.
invalid_grant: Li providet autorisation ó es ínvalid, expirat, revocat, ne acorda con li URI de redirection usat in li demanda de autorisation, ó ha esset emisset a un altri client.
invalid_redirect_uri: Li uri de redirection includet ne es valid.
invalid_request:
missing_param: 'Mancant postulat parametre: %{value}.'
request_not_authorized: Demanda besonant autorisation. Hay un mancant o ínvalid parametre besonat por autorisar li demanda.
unknown: Li petition manca un postulat parametre, include un ne apoyat parametre-valore, o es altrimen mal format.
invalid_resource_owner: Sive li credentiales de ressurse-proprietario providet es ínvalid, sive li ressurse-proprietario ne posse esser trovat
invalid_scope: Li scope demandat es ínvalid, ínconosset, o malformat.
invalid_token:
expired: Li access-clave expirat
revoked: Li access-clave esset revocat
unknown: Li accesse-clave es ínvalid
resource_owner_authenticator_not_configured: Sercha por Proprietario de Ressurse fallit pro ínconfigurat Doorkeeper.configure.resource_owner_authenticator.
server_error: Li servitor de autorisation incontrat un ínexpectat condition quel impedit it a plenar li demanda.
temporarily_unavailable: Li servitor de autorisation actualmen ne posse tractar li demanda pro un temporari supercargada o mantention del servitor.
unauthorized_client: Li client ne es autorisat a efectuar li demanda con ti-ci metode.
unsupported_grant_type: Li tip de autorisation concedet ne es subtenet per li autorisant servitor.
unsupported_response_type: Li autorisant servitor ne subtene ti-ci tip de response.
flash:
@ -104,6 +126,7 @@ ie:
blocks: Bloccas
bookmarks: Marcatores
conversations: Conversationes
crypto: Incription del cap al fine
favourites: Favorites
filters: Filtres
follow: Seques, silentias e bloccas
@ -120,9 +143,13 @@ ie:
admin:
nav:
applications: Aplicationes
oauth2_provider: Provisor OAuth2
application:
title: Autorisation OAuth besonat
scopes:
admin:read: leer li tot data sur li servitor
admin:read:accounts: leer sensitiv information de omni contos
admin:read:canonical_email_blocks: leer sensitiv information pri omni canonic bloccas de e-posta
admin:read:domain_allows: leer sensitiv information pri omni permisses de dominia
admin:read:domain_blocks: leer sensitiv information pri omni bloccas de dominia
admin:read:email_domain_blocks: leer sensitiv information pri omni bloccas de dominia basat sur e-posta
@ -136,7 +163,9 @@ ie:
admin:write:email_domain_blocks: far actiones de moderation sur bloccas de dominia basat sur e-posta
admin:write:ip_blocks: fa moderatori actiones sur bloccas de IP
admin:write:reports: far moderatori actiones sur raportes
crypto: usar incription del cap al fine
follow: modifica li relationes del conto
push: reciver tui pussa-notificationes
read: lee omni datas de tui conto
read:accounts: vide li informationes pri li conto
read:blocks: vider tui bloccas
@ -153,6 +182,7 @@ ie:
write: modificar li tot data de tui conto
write:accounts: modifica tui profile
write:blocks: bloccar contos e dominias
write:bookmarks: marcar postas
write:conversations: silentiar e deleter conversationes
write:favourites: favorit postas
write:filters: crea filtres

View file

@ -962,6 +962,7 @@ el:
notification_preferences: Αλλαγή προτιμήσεων email
salutation: "%{name},"
settings: 'Άλλαξε τις προτιμήσεις email: %{link}'
unsubscribe: Κατάργηση εγγραφής
view: 'Προβολή:'
view_profile: Προβολή προφίλ
view_status: Προβολή ανάρτησης
@ -975,6 +976,8 @@ el:
your_token: Το διακριτικό πρόσβασής σου
auth:
apply_for_account: Ζήτα έναν λογαριασμό
captcha_confirmation:
title: Ελεγχος ασφαλείας
confirmations:
wrong_email_hint: Εάν αυτή η διεύθυνση email δεν είναι σωστή, μπορείς να την αλλάξεις στις ρυθμίσεις λογαριασμού.
delete_account: Διαγραφή λογαριασμού
@ -1238,6 +1241,8 @@ el:
status: Κατάσταση
success: Τα δεδομένα σου μεταφορτώθηκαν επιτυχώς και θα επεξεργαστούν σύντομα
time_started: Ξεκίνησε στις
titles:
following: Εισαγωγή λογαριασμών που ακολουθείτε
type: Τύπος εισαγωγής
type_groups:
destructive: Μπλοκ & σίγαση
@ -1245,7 +1250,7 @@ el:
blocking: Λίστα αποκλεισμού
bookmarks: Σελιδοδείκτες
domain_blocking: Λίστα αποκλεισμένων τομέων
following: Λίστα ακολούθων
following: Λίστα ατόμων που ακολουθείτε
muting: Λίστα αποσιωπήσεων
upload: Μεταμόρφωση
invites:
@ -1420,7 +1425,7 @@ el:
follow_failure: Δεν ήταν δυνατή η παρακολούθηση ορισμένων από τους επιλεγμένους λογαριασμούς.
follow_selected_followers: Ακολούθησε τους επιλεγμένους ακόλουθους
followers: Ακόλουθοι
following: Ακολουθείς
following: Ακολουθείτε
invited: Προσκεκλημένοι
last_active: Τελευταία ενεργός
most_recent: Πιο πρόσφατος

View file

@ -425,6 +425,7 @@ es-AR:
view: Ver bloqueo de dominio
email_domain_blocks:
add_new: Agregar nuevo
allow_registrations_with_approval: Permitir crear cuentas con aprobación
attempts_over_week:
one: "%{count} intento durante la última semana"
other: "%{count} intentos durante la última semana"

View file

@ -425,6 +425,7 @@ es-MX:
view: Ver dominio bloqueado
email_domain_blocks:
add_new: Añadir nuevo
allow_registrations_with_approval: Permitir registros con aprobación
attempts_over_week:
one: "%{count} intentos durante la última semana"
other: "%{count} intentos de registro en la última semana"

View file

@ -425,6 +425,7 @@ es:
view: Ver dominio bloqueado
email_domain_blocks:
add_new: Añadir nuevo
allow_registrations_with_approval: Permitir registros con aprobación
attempts_over_week:
one: "%{count} intento durante la última semana"
other: "%{count} intentos de registro durante la última semana"

View file

@ -425,6 +425,7 @@ et:
view: Vaata domeeniblokeeringut
email_domain_blocks:
add_new: Lisa uus
allow_registrations_with_approval: Luba kinnitamisega registreerimine
attempts_over_week:
one: "%{count} katse viimase nädala kestel"
other: "%{count} liitumiskatset viimase nädala kestel"

View file

@ -427,6 +427,7 @@ eu:
view: Ikusi domeinuaren blokeoa
email_domain_blocks:
add_new: Gehitu berria
allow_registrations_with_approval: Baimendu izen-emateak onarpen bidez
attempts_over_week:
one: Izen-emateko saiakera %{count} azken astean
other: Izen-emateko %{count} saiakera azken astean

View file

@ -425,6 +425,7 @@ fi:
view: Näytä verkkotunnuksen esto
email_domain_blocks:
add_new: Lisää uusi
allow_registrations_with_approval: Salli rekisteröitymiset hyväksynnällä
attempts_over_week:
one: "%{count} yritystä viimeisen viikon aikana"
other: "%{count} rekisteröitymisyritystä viimeisen viikon aikana"

View file

@ -425,6 +425,7 @@ fo:
view: Vís navnaøkisblokering
email_domain_blocks:
add_new: Stovna
allow_registrations_with_approval: Loyv skrásetingum við góðkenning
attempts_over_week:
one: "%{count} roynd seinastu vikuna"
other: "%{count} tilmeldingarroyndir seinastu vikuna"

View file

@ -1,5 +1,5 @@
---
fr-QC:
fr-CA:
about:
about_mastodon_html: 'Le réseau social de l''avenir : pas de publicité, pas de surveillance institutionnelle, conception éthique et décentralisation ! Gardez le contrôle de vos données avec Mastodon !'
contact_missing: Non défini
@ -425,6 +425,7 @@ fr-QC:
view: Afficher les blocages de domaines
email_domain_blocks:
add_new: Ajouter
allow_registrations_with_approval: Autoriser les inscriptions avec approbation
attempts_over_week:
one: "%{count} tentative au cours de la dernière semaine"
other: "%{count} tentatives au cours de la dernière semaine"

View file

@ -425,6 +425,7 @@ fr:
view: Afficher les blocages de domaines
email_domain_blocks:
add_new: Ajouter
allow_registrations_with_approval: Autoriser les inscriptions avec approbation
attempts_over_week:
one: "%{count} tentative au cours de la dernière semaine"
other: "%{count} tentatives au cours de la dernière semaine"

View file

@ -425,6 +425,7 @@ fy:
view: Domeinblokkade besjen
email_domain_blocks:
add_new: Nije tafoegje
allow_registrations_with_approval: Ynskriuwingen mei tastimming tastean
attempts_over_week:
one: "%{count} registraasjebesykjen yn de ôfrûne wike"
other: "%{count} registraasjebesykjen yn de ôfrûne wike"

View file

@ -425,6 +425,7 @@ gl:
view: Ollar dominios bloqueados
email_domain_blocks:
add_new: Engadir novo
allow_registrations_with_approval: Permitir crear contas con aprobación
attempts_over_week:
one: "%{count} intento na última semana"
other: "%{count} intentos de conexión na última semana"

View file

@ -439,6 +439,7 @@ he:
view: צפייה בחסימת דומיינים
email_domain_blocks:
add_new: הוספת חדש
allow_registrations_with_approval: הרשאת הרשמה לאחר אישור
attempts_over_week:
many: "%{count} נסיונות הרשמה במשך השבוע שעבר"
one: "%{count} נסיון במשך השבוע שעבר"

View file

@ -425,6 +425,7 @@ hu:
view: Domain tiltásának megtekintése
email_domain_blocks:
add_new: Új hozzáadása
allow_registrations_with_approval: Regisztráció engedélyezése jóváhagyással
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"

View file

@ -1,28 +1,61 @@
---
ia:
about:
contact_missing: Non definite
admin:
accounts:
are_you_sure: Es tu secur?
by_domain: Dominio
custom: Personalisate
delete: Deler datos
deleted: Delite
disable_two_factor_authentication: Disactivar 2FA
display_name: Nomine visibile
domain: Dominio
enabled: Activate
location:
all: Toto
title: Location
moderation:
disabled: Disactivate
most_recent_activity: Activitate plus recente
most_recent_ip: IP plus recente
public: Public
reset: Reinitialisar
reset_password: Reinitialisar contrasigno
search: Cercar
security: Securitate
security_measures:
only_password: Solmente contrasigno
password_and_2fa: Contrasigno e 2FA
statuses: Messages
title: Contos
username: Nomine de usator
action_logs:
action_types:
reset_password_user: Reinitialisar contrasigno
announcements:
new:
create: Crear annuncio
title: Nove annuncio
title: Annuncios
custom_emojis:
by_domain: Dominio
copy: Copiar
create_new_category: Crear nove categoria
delete: Deler
disable: Disactivar
disabled: Disactivate
dashboard:
active_users: usatores active
new_users: nove usatores
website: Sito web
domain_allows:
add_new: Permitter federation con dominio
domain_blocks:
confirm_suspension:
cancel: Cancellar
domain: Dominio
export: Exportar
import: Importar
email_domain_blocks:
@ -38,9 +71,11 @@ ia:
instance_languages_dimension: Linguas principal
delivery:
unavailable: Non disponibile
empty: Necun dominios trovate.
private_comment: Commento private
public_comment: Commento public
invites:
deactivate_all: Disactivar toto
filter:
available: Disponibile
ip_blocks:
@ -50,3 +85,38 @@ ia:
'15778476': 6 menses
'2629746': 1 mense
'86400': 1 die
new:
title: Crear un nove regula IP
title: Regulas IP
relays:
delete: Deler
disable: Disactivar
disabled: Disactivate
enable: Activar
enabled: Activate
reports:
are_you_sure: Es tu secur?
cancel: Cancellar
statuses_cleanup:
min_age:
'1209600': 2 septimanas
'15778476': 6 menses
'2629746': 1 mense
'31556952': 1 anno
'5259492': 2 menses
'604800': 1 septimana
'63113904': 2 annos
'7889238': 3 menses
themes:
default: Mastodon (Obscur)
mastodon-light: Mastodon (Clar)
two_factor_authentication:
add: Adder
disable: Disactivar 2FA
user_mailer:
appeal_approved:
action: Vader a tu conto
welcome:
subject: Benvenite in Mastodon
webauthn_credentials:
delete: Deler

View file

@ -288,6 +288,7 @@ ie:
update_status_html: "%{name} actualisat posta de %{target}"
update_user_role_html: "%{name} changeat li rol %{target}"
deleted_account: deletet conto
empty: Null registres trovat.
filter_by_action: Filtrar per action
filter_by_user: Filtrar per usator
title: Jurnale de audit
@ -424,6 +425,7 @@ ie:
view: Vider dominia-blocca
email_domain_blocks:
add_new: Adjunter un nov
allow_registrations_with_approval: Permisser registrationes con aprobation
attempts_over_week:
one: "%{count} registration-prova durant li ultim semane"
other: "%{count} registration-prova durant li ultim semane"
@ -439,6 +441,7 @@ ie:
title: Bloccar nov email-dominia
no_email_domain_block_selected: Null email-dominia-bloccas esset changeat pro que null esset selectet
not_permitted: Ne permisset
resolved_dns_records_hint_html: Li dominia-nómine resolue se al seque dominias MX, queles es in fine responsabil por acceptar e-posta. Bloccar un dominia MX va bloccar inscriptiones de quelcunc e-posta quel usa li sam dominia MX, mem si li visibil dominia-nómine es diferent. <strong>Esse caut e ne blocca majori provisores de e-posta.</strong>
resolved_through_html: Resoluet per %{domain}
title: Bloccat email-dominias
export_domain_allows:
@ -466,6 +469,9 @@ ie:
unsuppress: Restaurar seque-recomandation
instances:
availability:
description_html:
one: Si liveration al dominia falli por <strong>%{count} die</strong> sin successe, null provas in plu va esser efectuat til quande un liveration <em>del</em> dominia es recivet.
other: Si liveration al dominia falli por <strong>%{count} dies</strong> sin successe, null provas in plu va esser efectuat til quande un liveration <em>del</em> dominia es recivet.
failure_threshold_reached: Límite de falliment atinget ye %{date}.
failures_recorded:
one: Fallit prova por %{count} die.
@ -521,6 +527,7 @@ ie:
private_comment: Privat comenta
public_comment: Public comenta
purge: Purgar
purge_description_html: Si tu crede que ti-ci dominia es for linea por sempre, tu posse deleter omni archives de conto e associat data de ti-ci dominia de tui magasinage. Alquant témpor va esser possibilmen besonat.
title: Federation
total_blocked_by_us: Bloccat de nos
total_followed_by_them: Sequet de les
@ -672,11 +679,13 @@ ie:
description_html: Con <strong>roles por usatores</strong>, tu posse customisar li functiones e locs de Mastodon in queles tui usatores posse accesser.
edit: Modificar rol '%{name}'
everyone: Permissiones predefinit
everyone_full_description_html: Ti es li <strong>fundamental rol</strong> quel afecta <strong>omni usatores</strong>, mem tis sin un assignat rol. Omni altri roles hereda permissiones de it.
permissions_count:
one: "%{count} permission"
other: "%{count} permissiones"
privileges:
administrator: Administrator
administrator_description: Usatores con ti permission va trapassar omni permission
delete_user_data: Deleter Data de Usator
delete_user_data_description: Possibilisa que usatores mey deleter li data de altri usatores strax
invite_users: Invitar Usatores
@ -726,17 +735,24 @@ ie:
settings:
about:
manage_rules: Gerer regules de servitor
preamble: Provider detalliat information pri qualmen li servitor es operat, moderat, payat.
rules_hint: Hay un dedicat area por regules queles vor usatores es expectat obedir.
title: Pri
appearance:
preamble: Customisar li interfacie web de Mastodon.
title: Aspecte
branding:
preamble: Li reclamage de tui servitor diferentia it de altri servitores in li retage. Ti-ci information posse esser monstrat tra mult ambientes, tales quam li interfacie web de Mastodon, nativ aplicationes, previsiones de ligamentes sur altri web-situs, altri missage-aplicationes, etc. Pro to it es recomendat a mantener li information clar, curt, e concis.
title: Marca
captcha_enabled:
desc_html: To ci usa extern scrites de hCaptcha, quel posse esser ínquietant pro rasones de securitá e privatie. In plu, <strong>it posse far li processu de registration mult plu desfacil (particularimen por tis con deshabilitás)</strong>. Pro ti rasones, ples considerar alternativ mesuras, tales quam registration per aprobation o invitation.
title: Exige que nov usatores solue un CAPTCHA por confirmar lor conto
content_retention:
preamble: Decider qualmen usator-generat contenete es inmagasinat in Mastodon.
title: Retention de contenete
default_noindex:
desc_html: Afecta omni usatores qui ne ha changeat ti parametre personalmen
title: Predefinir que usatores ne apari in índexes de serchatores
discovery:
follow_recommendations: Seque-recomandationes
preamble: Exposir interessant contenete es importantissim por incorporar nov usatores qui fórsan conosse nequi che Mastodon. Decider qualmen diferent utensiles de decovrition functiona che vor servitor.
@ -771,11 +787,13 @@ ie:
critical_update: Critic — ples actualisar rapidmen
description: On recomanda que vu actualisa vor Mastodon-servitor regularimen por profiter del max recent fixes e facultates. In plu, quelcvez it es critic actualisar Mastodon promptmen por evitar problemas de securitá. Pro ti rasones, Mastodon questiona chascun 30 minutes ca hay actualisationes, e va notificar vos secun vor parametres pri email-notificationes.
documentation_link: Aprender plu
release_notes: Version-notas
title: Actualisationes disponibil
type: Specie
types:
major: Majori lansament
minor: Minori lansament
patch: Lapp-version — bug-corectiones e changes facil a aplicar
version: Version
statuses:
account: Autor
@ -821,12 +839,16 @@ ie:
message_html: Li cluster Elasticsearch es ínsalubri (statu rubi), functiones por serchar ne disponibil
elasticsearch_health_yellow:
message_html: Li cluster Elasticsearch es ínsalubri (statu yelb); investigar li rason vell esser un bon idé
elasticsearch_index_mismatch:
message_html: Índex-mappamentes de Elasticsearch es oldijat. Ples executer <code>tootctl search deploy --only=%{value}</code>
elasticsearch_preset:
action: Vider li documentation
message_html: Tui cluster Elasticsearch have plu quam un node, ma Mastodon ne es configurat por usar les.
elasticsearch_preset_single_node:
action: Vider li documentation
message_html: Tui cluster Elasticsearch have solmen un node, ples configurar <code>ES_PRESET</code> quam <code>single_node_cluster</code>.
elasticsearch_reset_chewy:
message_html: Tui sistema-índex por Elasticsearch ha oldijat pro un change de parametres. Ples executer <code>tootctl search deploy --reset-chewy</code> por actualisar it.
elasticsearch_running_check:
message_html: Ne posset conexer a Elasticsearch. Ples confirmar que it ha esset executet, o desactivar serchada de plen textu
elasticsearch_version_check:
@ -835,6 +857,8 @@ ie:
rules_check:
action: Gerer regules de servitor
message_html: Tu ancor ne ha definit quelcunc regules de servitor.
sidekiq_process_check:
message_html: Null processe Sidekiq executet por li caude %{value}(s). Ples reviser tui configuration Sidekiq
software_version_critical_check:
action: Vider actualisationes disponibil
message_html: Un critical actualisation por Mastodon es disposibil, ples actualisar tam rapidmen possibil.
@ -924,6 +948,7 @@ ie:
webhooks:
add_new: Adjunter punctu terminal
delete: Deleter
description_html: Un <strong>webhook</strong> possibilisa que Mastodon pussa <strong>actual notificationes</strong> pri selectet evenimentes a tui propri aplication, por que it mey <strong>automaticmen activar reactiones</strong>.
disable: Desactivisar
disabled: Desactivisat
edit: Redacter punctu terminal
@ -967,6 +992,7 @@ ie:
body: Nov versiones de Mastodon ha esset lansat, vu fórsan vole actualisar!
subject: Nov versiones Mastodon es disponibil por %{instance}!
new_trends:
body: 'Li sequent elementes besona un revision ante que on posse monstrar les publicmen:'
new_trending_links:
title: Populari ligamentes
new_trending_statuses:
@ -1385,18 +1411,24 @@ ie:
media_attachments:
validations:
images_and_video: On ne posse atachar un video a un posta quel ja contene images
not_ready: Ne posse atachar files ancor sub tractament. Prova denov pos ne long!
too_many: Ne posse atachar plu quam 4 files
migrations:
acct: Translocat a
cancel: Anullar redirection
cancel_explanation: Anullar li redirection va reactivisar tui actual conto, ma ne va restaurar sequitores queles ha esset movet a ti-ta conto.
cancelled_msg: Anullat redirection con successe.
errors:
already_moved: es li sam conto a equel tu ha ja translocat
missing_also_known_as: ne es un alias de ti-ci conto
move_to_self: ne posse esser li conto actual
not_found: ne posset esser trovat
on_cooldown: Tu es in un periode de refrigidation
followers_count: Sequitores al témpor de translocation
incoming_migrations: Translocant de un conto diferent
incoming_migrations_html: Por mover de un altri conto a ti-ci, erstmen tu deve <a href="%{path}">crear un alias de conto</a>.
moved_msg: Tui conto nu redirecte a %{acct} e tui sequitores es in li processu de esser movet.
not_redirecting: Tui conto redirecte a null altri conto actualmen.
on_cooldown: Tu ha recentmen migrat tui conto. Ti function va esser disponibil denov pos %{count} dies.
past_migrations: Passat migrationes
proceed_with_move: Translocar sequitores
@ -1406,7 +1438,12 @@ ie:
warning:
backreference_required: Li nov conto deve in prim esser configurat por retroreferentiar ti-ci conto
before: 'Ante proceder, ples leer ti notas cuidosimen:'
cooldown: Pos mover se, hay un periode de atendida durant quel tu ne va posser mover te denov
disabled_account: Tui actual conto ne va esser completmen usabil pos to. Támen, tu va posser accesser li exportation de data, e anc reactivisation.
followers: Ti-ci action va mover omni sequitores del actual conto al nov conto
only_redirect_html: Alternativmen, tu posse <a href="%{path}">solmen meter un redirection sur tui profil</a>.
other_data: Necun altri data va esser translocat automaticmen
redirect: Li profil de tui actual conto va esser actualisat con un anuncie de redirection e va esser excludet de serchas
moderation:
title: Moderation
move_handler:
@ -1461,7 +1498,9 @@ ie:
units:
billion: B
million: M
quadrillion: Q
thousand: m
trillion: T
otp_authentication:
code_hint: Inmetter li code generat de tui aplication de autentication por confirmar
description_html: Si tu activisa <strong>2-factor autentication</strong> per un aplication de autentication, aperter un session va postular que tu have possession de tui telefon, quel va generar codes por que tu mey inmetter les.
@ -1805,6 +1844,7 @@ ie:
verification:
extra_instructions_html: '<strong>Nota</strong>: Li ligament in tui websitu posse esser ínvisibil. Li important parte es <code>rel="me"</code> quel prevente fals self-identification in websitus con contenete generat de usatores. Tu posse mem usar un <code>link</code> element in li cap-section del págine vice <code>a</code>, ma li HTML code deve esser accessibil sin executer JavaScript.'
here_is_how: Vide qualmen
hint_html: "<strong>Verificar tui identitá che Mastodon es por omnes.</strong> Basat sur apert web-criteries, líber nu e sempre. Omno quel tu besona es un websitu personal per quel gente reconosse te. Quande tu fa un ligament a tui websitu de tui profil, on va controlar que li websitu have un ligament reciproc a tui profil e monstrar un visual indicator sur it."
instructions_html: Copiar e collar li code ci infra in li HTML de tui web-situ. Poy adjunter li adresse de tui web-situ ad-in un del aditional campes sur tui profil ex li section "Modificar profil" e salvar li changes.
verification: Verification
verified_links: Tui verificat ligamentes
@ -1815,9 +1855,13 @@ ie:
success: Tui clave de securitá esset adjuntet con successe.
delete: Deleter
delete_confirmation: Vole tu vermen deleter ti-ci clave de securitá?
description_html: Si tu activisa <strong>autentication per clave de securitá</strong>, aperter session va postular que tu usa un de tui claves de securitá.
destroy:
error: Un problema evenit durant li deletion de tui clave de securitá. Ples provar denov.
success: Tui clave de securitá esset successosimen deletet.
invalid_credential: Ínvalid clave de securitá
nickname_hint: Scrir li moc-nómine de tui nov clave de securitá
not_enabled: Tu ancor ne ha possibilisat WebAuthn
not_supported: Ti-ci navigator ne subtene claves de securitá
otp_required: Por usar claves de securitá, ples activisar 2-factor autentication.
registered_on: Adheret ye %{date}

View file

@ -425,6 +425,7 @@ is:
view: Skoða útilokun á léni
email_domain_blocks:
add_new: Bæta við nýju
allow_registrations_with_approval: Leyfa skráningar með samþykki
attempts_over_week:
one: "%{count} tilraun síðustu viku"
other: "%{count} tilraunir til nýskráningar í síðustu viku"

View file

@ -425,6 +425,7 @@ it:
view: Visualizza blocco di dominio
email_domain_blocks:
add_new: Aggiungi nuovo
allow_registrations_with_approval: Consenti registrazioni con approvazione
attempts_over_week:
one: "%{count} tentativo nell'ultima settimana"
other: "%{count} tentativi di registrazione nell'ultima settimana"

View file

@ -459,6 +459,7 @@ ja:
view: ドメインブロックを表示
email_domain_blocks:
add_new: 新規追加
allow_registrations_with_approval: 承認制での新規登録を可能にする
attempts_over_week:
other: "先週は%{count}回サインアップが試みられました"
created_msg: メールドメインブロックに追加しました

View file

@ -420,6 +420,7 @@ ko:
view: 도메인 차단 보기
email_domain_blocks:
add_new: 새로 추가하기
allow_registrations_with_approval: 승인을 통한 가입 허용
attempts_over_week:
other: 지난 주 동안 %{count}건의 가입 시도가 있었습니다
created_msg: 이메일 도메인 차단 규칙을 생성했습니다

View file

@ -421,6 +421,7 @@ lad:
view: Ve domeno blokado
email_domain_blocks:
add_new: Adjustar muevo
allow_registrations_with_approval: Permite enrejistrasyones kon aprovasyon
attempts_over_week:
one: "\"%{count} prova durante la ultima semana"
other: "%{count} provas de enrejistrarse durante la ultima semana"

View file

@ -169,6 +169,7 @@ lt:
undo: Atkurti domeno bloką
email_domain_blocks:
add_new: Pridėti naują
allow_registrations_with_approval: Leisti registracijas su patvirtinimu
created_msg: El pašto domenas sėkmingai pridėtas į juodąjį sąrašą
delete: Ištrinti
domain: Domenas

View file

@ -425,6 +425,7 @@ nl:
view: Domeinblokkade bekijken
email_domain_blocks:
add_new: Nieuwe toevoegen
allow_registrations_with_approval: Inschrijvingen met goedkeuring toestaan
attempts_over_week:
one: "%{count} registratiepoging tijdens de afgelopen week"
other: "%{count} registratiepogingen tijdens de afgelopen week"

View file

@ -425,6 +425,7 @@ nn:
view: Vis domeneblokkering
email_domain_blocks:
add_new: Lag ny
allow_registrations_with_approval: Tillat registreringar med godkjenning
attempts_over_week:
one: "%{count} forsøk i løpet av den siste uken"
other: "%{count} forsøk på å opprette konto i løpet av den siste uken"

View file

@ -425,6 +425,7 @@
view: Vis domeneblokkering
email_domain_blocks:
add_new: Lag ny
allow_registrations_with_approval: Tillat registreringer med godkjenning
attempts_over_week:
one: "%{count} forsøk i løpet av den siste uken"
other: "%{count} forsøk på å opprette konto i løpet av den siste uken"

View file

@ -439,6 +439,7 @@ pl:
view: Zobacz blokadę domeny
email_domain_blocks:
add_new: Dodaj nową
allow_registrations_with_approval: Zezwól na rejestracje po zatwierdzeniu
attempts_over_week:
few: "%{count} próby w ciągu ostatniego tygodnia"
many: "%{count} prób w ciągu ostatniego tygodnia"

View file

@ -425,6 +425,7 @@ pt-BR:
view: Ver domínios bloqueados
email_domain_blocks:
add_new: Adicionar novo
allow_registrations_with_approval: Permitir inscrições com aprovação
attempts_over_week:
one: "%{count} tentativa na última semana"
other: "%{count} tentativas de inscrição na última semana"

View file

@ -425,6 +425,7 @@ pt-PT:
view: Ver domínios bloqueados
email_domain_blocks:
add_new: Adicionar novo
allow_registrations_with_approval: Permitir inscrições com aprovação
attempts_over_week:
one: "%{count} tentativa na última semana"
other: "%{count} tentativas de inscrição na última semana"

View file

@ -54,9 +54,11 @@ br:
username: Anv
whole_word: Ger a-bezh
featured_tag:
name: Ger-klik
name: Hashtag
invite:
comment: Evezhiadenn
invite_request:
text: Perak e fell deoc'h enskrivañ?
ip_block:
comment: Evezhiadenn
ip: IP
@ -66,8 +68,9 @@ br:
rule:
text: Reolenn
tag:
name: Ger-klik
name: Hashtag
trendable: Aotren an hashtag-mañ da zont war wel dindan tuadurioù
usable: Aotren an embannadurioù da implijout an hashtag-mañ
user:
role: Roll
user_role:

View file

@ -1,5 +1,5 @@
---
fr-QC:
fr-CA:
simple_form:
hints:
account:

View file

@ -1 +1,46 @@
---
ia:
simple_form:
labels:
account:
fields:
name: Etiquetta
value: Contento
admin_account_action:
type: Action
defaults:
avatar: Pictura de profilo
confirm_new_password: Confirmar nove contrasigno
confirm_password: Confirmar contrasigno
current_password: Contrasigno actual
new_password: Nove contrasigno
password: Contrasigno
setting_display_media_default: Predefinite
setting_display_media_hide_all: Celar toto
setting_display_media_show_all: Monstrar toto
setting_system_font_ui: Usar typo de litteras predefinite del systema
setting_theme: Thema de sito
setting_trends: Monstrar le tendentias de hodie
sign_in_token_attempt: Codice de securitate
title: Titulo
username: Nomine de usator
username_or_email: Nomine de usator o e-mail
form_admin_settings:
custom_css: CSS personalisate
profile_directory: Activar directorio de profilos
site_contact_email: Adresse de e-mail de contacto
site_contact_username: Nomine de usator de contacto
site_terms: Politica de confidentialitate
site_title: Nomine de servitor
theme: Thema predefinite
trends: Activar tendentias
notification_emails:
software_updates:
label: Un nove version de Mastodon es disponibile
user:
time_zone: Fuso horari
user_role:
name: Nomine
permissions_as_keys: Permissiones
position: Prioritate
'yes': Si

View file

@ -8,6 +8,7 @@ ie:
fields: Tui websitu, pronómines, etá, quocunc quel tu vole.
indexable: Tui public postas posse aparir in sercha-resultates sur Mastodon. E in omni casu, tis qui ha interactet con tui postas va posser serchar e trovar les.
note: 'Tu posse @mentionar altri persones o #hashtags.'
show_collections: Gente va posser navigar tra tui sequentes e sequitores. Gente quem tu seque va vider que tu seque les sin egarda.
unlocked: Persones va posser sequer te sin petir aprobation. Desselecte si tu vole manualmen tractar petitiones de sequer e decider ca acceptar o rejecter nov sequitores.
account_alias:
acct: Specificar li usatornomine@dominia del conto ex quel tu vole translocar
@ -58,6 +59,15 @@ ie:
setting_display_media_default: Celar medie marcat quam sensitiv
setting_display_media_hide_all: Sempre celar medie
setting_display_media_show_all: Sempre monstrar medie
setting_use_blurhash: Gradientes es basat sur li colores del celat visuales ma obscura omni detallies
setting_use_pending_items: Celar nov postas detra un clicc vice rular li témpor-linea automaticmen
username: Tu posse usar lítteres, númeres e sublineas
whole_word: Quande li clave-parol o frase es solmen alfanumeric, it va esser aplicat solmen si it egala al tot parol
domain_allow:
domain: Ti dominia va posser obtener data de ti-ci servitor, e data venient de it va esser tractat e inmagasinat
email_domain_block:
domain: Ti posse esser li dominia-nómine quel apari in li email-adresse o li MX-registre quel it usa. Ili va esser controlat durant adhesion.
with_dns_records: On va far un prova resoluer li DNS-registres del specificat dominia, e li resultates anc va esser bloccat
featured_tag:
name: 'Vi quelc hashtags usat max recentmen de te:'
filters:
@ -66,23 +76,36 @@ ie:
hide: Celar completmen li contenete filtrat, quam si it ne existe
warn: Celar li contenete filtrat detra un avise mentionant li titul del filtre
form_admin_settings:
activity_api_enabled: Númeres de postas publicat localmen, activ usatores, e nov adhesiones in periodes semanal
backups_retention_period: Mantener usator-generat archives por li specificat quantitá de dies.
bootstrap_timeline_accounts: Ti-ci contos va esser pinglat al parte superiori del recomandationes por nov usatores.
closed_registrations_message: Monstrat quande adhesiones es cludet
content_cache_retention_period: Omni postas e boosts de altri servitores va esser deletet pos li specificat quantitá de dies. Quelc postas fórsan va esser ínrestaurabil. Omni pertinent marcatores, favorites e boosts anc va esser perdit e ínpossibil a restaurar.
custom_css: On posse aplicar customisat stiles al web-version de Mastodon.
mascot: Substitue li ilustration in li avansat interfacie web.
media_cache_retention_period: Descargat files de media va esser deletet pos li specificat quantitá de dies quande li valore es positiv, e re-descargat sur demanda.
peers_api_enabled: Un liste de nómines de dominia queles ti-ci servitor ha incontrat in li fediverse. Ci null data es includet pri ca tu confedera con un cert servitor o ne; it indica solmen que tui servitor conosse it. Usat per servicies colectent general statisticas pri federation.
profile_directory: Li profilarium monstra omni usatores volent esser decovribil.
require_invite_text: Quande registrationes besona manual aprobation, fa que li textu "Pro quo tu vole registrar te?" es obligatori vice facultativ
site_contact_email: Qualmen on posse contacter te por inquestes legal o de apoy.
site_contact_username: Qualmen li gente posse atinger te sur Mastodon.
site_extended_description: Quelcunc information in plu quel posse esser util a visitores e a tui usatores. On posse structurar it con li sintaxe Markdown.
site_short_description: Un curt descrition por auxiliar identificar tui servitor. Qui gere it, por qual persones it es?
site_terms: Usar tui propri politica de privatie, o lassar blanc por usar li predefinitiones. Posse esser structurat con li sintaxe Markdown.
site_title: Quant persones posse aluder a tui servitor ultra su nómine de dominia.
status_page_url: URL de un págine monstrant li statu de ti-ci servitor durant un ruptura de servicie
theme: Li dessine quel ínregistrat visitantes e nov usatores vide.
thumbnail: Un image de dimensiones circa 2:1 monstrat along tui servitor-information.
timeline_preview: Ínregistrat visitantes va posser vider li max recent public postas disponibil che li servitor.
trendable_by_default: Pretersaltar un manual revision de contenete in tendentie. Mem pos to on posse remover índividual pezzes de tendentie.
trends: Tendenties monstra quel postas, hashtags e novas es ganiant atention sur tui servitor.
trends_as_landing_page: Monstrar populari contenete a ínregistrat visitantes vice un description del servitor. Besona que tendenties es activisat.
form_challenge:
current_password: Tu nu intra un area secur
imports:
data: File CSV exportat de un altri servitor Mastodon
invite_request:
text: To va auxiliar nos a reviser tui aplication
ip_block:
comment: Facultativ. Ne obliviar pro quo tu adjuntet ti-ci regul.
expires_in: IP-adresses es un ressurse finit, quelcvez partit e transferet de manu a manu. Pro to, un índefinit bloccada de IP ne es recomandat.
@ -96,15 +119,21 @@ ie:
text: Descrir un regul o postulation por usatores sur ti-ci servitor. Prova scrir un descrition curt e simplic
sessions:
otp: 'Intrar li 2-factor code generat del app sur tui portabile o usar un de tui codes de recuperation:'
webauthn: Si it es un clave USB, inserter it con certitá e, si necessi, tappa it.
settings:
indexable: Tui págine de profil va posser aparir in sercha-resultates sur Google, Bing, e altres.
show_application: Totvez, tu va sempre posser vider quel app ha publicat tui posta.
tag:
name: Tu posse changear solmen li minu/majusculitá del lítteres, por exemple, por far it plu leibil
user:
chosen_languages: Quande selectet, solmen postas in ti lingues va esser monstrat in public témpor-lineas
role: Permissiones de usator decidet per su rol
user_role:
color: Color a usar por li rol tra li UI, quam RGB (rubi-verdi-blu) in formate hex
highlighted: Va far li rol publicmen visibil
name: Public nómine del rol, si li rol va esser monstrat quam signe
permissions_as_keys: Usatores con ti-ci rol va haver accesse a...
position: Plu alt roles decide un resolution de conflict in cert situationes. Cert actiones posse esser efectuat solmen a roles con plu bass prioritá
webhook:
events: Selecter evenimentes a misser
template: Composir tui propri carga JSON usant interpolation de variabiles. Lassa blanc por JSON predefinit.
@ -116,6 +145,7 @@ ie:
name: Etiquette
value: Contenete
indexable: Includer public postas in resultates de sercha
show_collections: Monstrar persones queles on seque e sequitores sur profil
unlocked: Automaticmen acceptar nov sequitores
account_alias:
acct: Usator-nómine del anteyan conto
@ -125,6 +155,7 @@ ie:
text: Textu prefigurat
title: Titul
admin_account_action:
include_statuses: Includer raportat postas in li e-posta
send_email_notification: Notificar li usator per e-posta
text: Admonition customisat
type: Action
@ -159,6 +190,7 @@ ie:
fields: Campes aditional
header: Cap-image
honeypot: "%{label} (ne plenar)"
inbox_url: URL del inbuxe de relé
irreversible: Lassar cader vice celar
locale: Lingue del interfacie
max_uses: Max grand númere de usas
@ -168,20 +200,27 @@ ie:
password: Passa-parol
phrase: Clave-parol o frase
setting_advanced_layout: Possibilisar web-interfacie avansat
setting_aggregate_reblogs: Gruppar boosts in témpor-lineas
setting_always_send_emails: Sempre misser notificationes de e-posta
setting_auto_play_gif: Reproducter automaticmen animat GIFs
setting_boost_modal: Monstrar dialog de confirmation ante boostar
setting_default_language: Lingue in quel postar
setting_default_privacy: Privatie de postada
setting_default_sensitive: Sempre marcar medie quam sensitiv
setting_delete_modal: Monstrar dialog de confirmation ante deleter un posta
setting_disable_swiping: Desactivar motiones de glissar
setting_display_media: Exposition de medie
setting_display_media_default: Predefinitiones
setting_display_media_hide_all: Celar omno
setting_display_media_show_all: Monstrar omno
setting_expand_spoilers: Sempre expander postas marcat con admonitiones de contenete
setting_hide_network: Celar tui grafica social
setting_reduce_motion: Reducter motion in animationes
setting_system_font_ui: Usar predefinit fonte de sistema
setting_theme: Tema de situ
setting_trends: Monstrar li hodial tendenties
setting_unfollow_modal: Monstrar dialog de confirmation ante dessequer alquem
setting_use_blurhash: Monstrar colorosi gradientes por celat medie
setting_use_pending_items: Mode lent
severity: Severitá
sign_in_token_attempt: Code de securitá
@ -190,6 +229,8 @@ ie:
username: Nómine de usator
username_or_email: Usator-nómine o E-posta
whole_word: Plen parol
email_domain_block:
with_dns_records: Includer archives MX e IPs del dominia
featured_tag:
name: Hashtag
filters:
@ -197,10 +238,15 @@ ie:
hide: Celar completmen
warn: Celar con un admonition
form_admin_settings:
activity_api_enabled: Publicar agregat statisticas pri usator-activitá in li API
backups_retention_period: Periode de retener archives de usator
bootstrap_timeline_accounts: Sempre recomandar ti-ci contos a nov usatores
closed_registrations_message: Customisat missage quande registration ne disponibil
content_cache_retention_period: Periode de retention por cachat contenete
custom_css: Custom CSS
mascot: Customisat mascot (hereditat)
media_cache_retention_period: Periode de retention por cachat medie
peers_api_enabled: Publicar liste de conosset servitores per li API
profile_directory: Possibilisar profilarium
registrations_mode: Qui posse registrar se
require_invite_text: Exiger un rason por adherer se
@ -210,11 +256,19 @@ ie:
site_contact_username: Usator-nómine de contact
site_extended_description: Extendet descrition
site_short_description: Descrition del servitor
site_terms: Politica pri Privatie
site_title: Nómine de servitor
status_page_url: URL de statu-págine
theme: Predefenit tema
thumbnail: Miniatura del servitor
timeline_preview: Permisser accesse ínautenticat al public témpor-lineas
trendable_by_default: Possibilisar tendenties sin priori inspection
trends: Possibilisar tendenties
trends_as_landing_page: Usar tendenties quam frontispicie
interactions:
must_be_follower: Bloccar notificationes de tis qui ne seque te
must_be_following: Bloccar notificationes de tis quem tu ne seque
must_be_following_dm: Bloccar direct missages de tis quem tu ne seque
invite:
comment: Comentar
invite_request:
@ -228,32 +282,44 @@ ie:
sign_up_requires_approval: Limitar usator-registrationes
severity: Regul
notification_emails:
appeal: Alqui apella un decision moderatori
digest: Inviar compendies per email
favourite: Alqui favoritisat tui posta
follow: Alqui sequet te
follow_request: Alqui petit sequer te
mention: Alqui mentionat te
pending_account: Nov conto besonant inspection
reblog: Alqui boostat tui posta
report: Nov raporte es submisset
software_updates:
all: Notificar pri omni nov actualisationes
critical: Notificar solmen pri critical actualisationes
label: Un nov version de Mastodon es disponibil
none: Nequande notificar pri actualisationes (ne recomandat)
patch: Notificar pri problema-fixant actualisationes
trending_tag: Nov tendentie besonant inspection
rule:
text: Regul
settings:
indexable: Includer profil-pagine in serchatores
show_application: Monstrar de quel aplication tu fat un posta
tag:
listable: Permisser que ti hashtag apari in serchas e suggestiones
name: Hashtag
trendable: Permisse que ti-ci hashtag apari sub tendenties
usable: Permisser que postas usa ti hashtag
user:
role: Rol
time_zone: Zone temporal
user_role:
color: Color del insignie
highlighted: Monstrar rol quam insigne sur usator-profiles
name: Nómine
permissions_as_keys: Permissiones
position: Prioritá
webhook:
events: Evenimentes activisat
template: Modelle de carga
url: URL de punctu terminal
'no': 'No'
not_recommended: Ne recomandat

View file

@ -149,6 +149,8 @@ sk:
text: Prečo sa k nám chceš pridať?
ip_block:
comment: Komentár
severities:
sign_up_requires_approval: Obmedz registrácie
severity: Pravidlo
notification_emails:
digest: Zasielať súhrnné emaily

View file

@ -374,6 +374,7 @@ sk:
view: Ukáž blokovanie domén
email_domain_blocks:
add_new: Pridaj nový
allow_registrations_with_approval: Povoľ registrovanie so schválením
created_msg: Emailová doména bola úspešne pridaná do zoznamu zakázaných
delete: Vymaž
dns:
@ -547,6 +548,7 @@ sk:
delete_html: Vymaž pohoršujúce príspevky
mark_as_sensitive_html: Označ médiá pohoršujúcich príspevkov za chúlostivé
close_report: 'Označ hlásenie #%{id} za vyriešené'
target_origin: Pôvod nahláseného účtu
title: Hlásenia
unassign: Odober
unknown_action_msg: 'Neznáma akcia: %{action}'
@ -635,6 +637,7 @@ sk:
application: Aplikácia
back_to_account: Späť na účet
batch:
remove_from_report: Vymaž z hlásenia
report: Hlásenie
deleted: Vymazané
favourites: Obľúbené

View file

@ -439,6 +439,7 @@ sl:
view: Pokaži domenski blok
email_domain_blocks:
add_new: Dodaj novo
allow_registrations_with_approval: Dovoli registracije z odobritvijo
attempts_over_week:
few: "%{count} poskusi prijave zadnji teden"
one: "%{count} poskus prijave zadnji teden"

View file

@ -425,6 +425,7 @@ sq:
view: Shihni bllokim përkatësie
email_domain_blocks:
add_new: Shtoni të ri
allow_registrations_with_approval: Lejo regjistrim me miratim
attempts_over_week:
one: "%{count} përpjekje gjatë javës së shkuar"
other: "%{count} përpjekje regjistrimi gjatë javës së kaluar"

View file

@ -432,6 +432,7 @@ sr-Latn:
view: Pročitaj blok domena
email_domain_blocks:
add_new: Dodaj novi
allow_registrations_with_approval: Dozvoli registraciju uz odobrenje
attempts_over_week:
few: "%{count} pokušaja tokom prethodne nedelje"
one: "%{count} pokušaj tokom prethodne nedelje"

View file

@ -432,6 +432,7 @@ sr:
view: Прочитај блок домена
email_domain_blocks:
add_new: Додај нови
allow_registrations_with_approval: Дозволи регистрацију уз одобрење
attempts_over_week:
few: "%{count} покушаја током претходне недеље"
one: "%{count} покушај током претходне недеље"

View file

@ -425,6 +425,7 @@ sv:
view: Visa domänblock
email_domain_blocks:
add_new: Lägg till ny
allow_registrations_with_approval: Tillåt registreringar med godkännande
attempts_over_week:
one: "%{count} försök under den senaste veckan"
other: "%{count} registreringsförsök under den senaste veckan"

View file

@ -418,6 +418,7 @@ th:
view: ดูการปิดกั้นโดเมน
email_domain_blocks:
add_new: เพิ่มใหม่
allow_registrations_with_approval: อนุญาตการลงทะเบียนด้วยการอนุมัติ
attempts_over_week:
other: "%{count} ความพยายามในการลงทะเบียนในช่วงสัปดาห์ที่ผ่านมา"
created_msg: ปิดกั้นโดเมนอีเมลสำเร็จ

View file

@ -425,6 +425,7 @@ tr:
view: Alan adı bloğunu görüntüle
email_domain_blocks:
add_new: Yeni ekle
allow_registrations_with_approval: Onaylı kayıtlara izin ver
attempts_over_week:
one: Son haftada %{count} deneme
other: Son haftada %{count} kayıt denemesi

View file

@ -439,6 +439,7 @@ uk:
view: Переглянути заблоковані домени
email_domain_blocks:
add_new: Додати
allow_registrations_with_approval: Дозволити реєстрації із затвердженням
attempts_over_week:
few: "%{count} спроби входу за останній тиждень"
many: "%{count} спроб входу за останній тиждень"

View file

@ -418,6 +418,7 @@ vi:
view: Xem máy chủ chặn
email_domain_blocks:
add_new: Thêm mới
allow_registrations_with_approval: Cho đăng ký nhưng duyệt thủ công
attempts_over_week:
other: "%{count} lần thử đăng ký vào tuần trước"
created_msg: Đã chặn tên miền email này
@ -1216,7 +1217,7 @@ vi:
filters:
contexts:
account: Trang hồ sơ
home: Trang chính và danh sách
home: Trang ch và danh sách
notifications: Thông báo
public: Tút công khai
thread: Thảo luận
@ -1795,7 +1796,7 @@ vi:
edit_profile_action: Cài đặt trang hồ sơ
edit_profile_step: Bạn có thể chỉnh sửa trang hồ sơ của mình bằng cách tải lên ảnh đại diện, ảnh bìa, đổi biệt danh và hơn thế nữa. Bạn cũng có thể tự phê duyệt những người theo dõi mới.
explanation: Dưới đây là một số mẹo để giúp bạn bắt đầu
final_action: Viết tút mới
final_action: Soạn tút mới
final_step: 'Viết tút mới! Ngay cả khi chưa có người theo dõi, người khác vẫn có thể xem tút công khai của bạn trên bảng tin máy chủ và qua hashtag. Hãy giới thiệu bản thân với hashtag #introductions.'
full_handle: Tên đầy đủ của bạn
full_handle_hint: Đây cũng là địa chỉ được dùng để giao tiếp với tất cả mọi người.

View file

@ -418,6 +418,7 @@ zh-CN:
view: 查看域名屏蔽
email_domain_blocks:
add_new: 添加新条目
allow_registrations_with_approval: 注册时需要批准
attempts_over_week:
other: 上周有 %{count} 次注册尝试
created_msg: 成功屏蔽电子邮件域名

View file

@ -418,6 +418,7 @@ zh-HK:
view: 顯示正被阻隔的網域
email_domain_blocks:
add_new: 新增
allow_registrations_with_approval: 允許經批准的註冊
attempts_over_week:
other: 上週嘗試了註冊 %{count} 次
created_msg: 已新增電郵網域阻隔

View file

@ -418,6 +418,7 @@ zh-TW:
view: 顯示已封鎖網域
email_domain_blocks:
add_new: 加入新項目
allow_registrations_with_approval: 經允許後可註冊
attempts_over_week:
other: 上週共有 %{count} 次註冊嘗試
created_msg: 已成功將電子郵件網域加入黑名單

View file

@ -7,8 +7,14 @@ module.exports = {
include: [
settings.source_path,
...settings.resolved_paths,
'node_modules/@reduxjs'
].map(p => resolve(p)),
exclude: /node_modules/,
exclude: function(modulePath) {
return (
/node_modules/.test(modulePath) &&
!/@reduxjs/.test(modulePath)
);
},
use: [
{
loader: 'babel-loader',