Merge tag 'v2.9.2' into instance_only_statuses
This commit is contained in:
@ -10,6 +10,7 @@ require_relative '../app/lib/exceptions'
|
||||
require_relative '../lib/paperclip/lazy_thumbnail'
|
||||
require_relative '../lib/paperclip/gif_transcoder'
|
||||
require_relative '../lib/paperclip/video_transcoder'
|
||||
require_relative '../lib/paperclip/type_corrector'
|
||||
require_relative '../lib/mastodon/snowflake'
|
||||
require_relative '../lib/mastodon/version'
|
||||
require_relative '../lib/devise/ldap_authenticatable'
|
||||
|
@ -51,7 +51,7 @@ ignore_unused:
|
||||
- 'activerecord.errors.*'
|
||||
- '{devise,pagination,doorkeeper}.*'
|
||||
- '{date,datetime,time,number}.*'
|
||||
- 'simple_form.{yes,no}'
|
||||
- 'simple_form.{yes,no,recommended}'
|
||||
- 'simple_form.{placeholders,hints,labels}.*'
|
||||
- 'simple_form.{error_notification,required}.:'
|
||||
- 'errors.messages.*'
|
||||
|
@ -80,7 +80,13 @@ Doorkeeper.configure do
|
||||
:'read:search',
|
||||
:'read:statuses',
|
||||
:follow,
|
||||
:push
|
||||
:push,
|
||||
:'admin:read',
|
||||
:'admin:read:accounts',
|
||||
:'admin:read:reports',
|
||||
:'admin:write',
|
||||
:'admin:write:accounts',
|
||||
:'admin:write:reports'
|
||||
|
||||
# Change the way client credentials are retrieved from the request object.
|
||||
# By default it retrieves first from the `HTTP_AUTHORIZATION` header, then
|
||||
|
@ -13,6 +13,10 @@ class Rack::Attack
|
||||
)
|
||||
end
|
||||
|
||||
def remote_ip
|
||||
@remote_ip ||= (@env["action_dispatch.remote_ip"] || ip).to_s
|
||||
end
|
||||
|
||||
def authenticated_user_id
|
||||
authenticated_token&.resource_owner_id
|
||||
end
|
||||
@ -28,6 +32,10 @@ class Rack::Attack
|
||||
def web_request?
|
||||
!api_request?
|
||||
end
|
||||
|
||||
def paging_request?
|
||||
params['page'].present? || params['min_id'].present? || params['max_id'].present? || params['since_id'].present?
|
||||
end
|
||||
end
|
||||
|
||||
PROTECTED_PATHS = %w(
|
||||
@ -42,15 +50,15 @@ class Rack::Attack
|
||||
# (blocklist & throttles are skipped)
|
||||
Rack::Attack.safelist('allow from localhost') do |req|
|
||||
# Requests are allowed if the return value is truthy
|
||||
req.ip == '127.0.0.1' || req.ip == '::1'
|
||||
req.remote_ip == '127.0.0.1' || req.remote_ip == '::1'
|
||||
end
|
||||
|
||||
throttle('throttle_authenticated_api', limit: 300, period: 5.minutes) do |req|
|
||||
req.authenticated_user_id if req.api_request?
|
||||
end
|
||||
|
||||
throttle('throttle_unauthenticated_api', limit: 7_500, period: 5.minutes) do |req|
|
||||
req.ip if req.api_request?
|
||||
throttle('throttle_unauthenticated_api', limit: 300, period: 5.minutes) do |req|
|
||||
req.remote_ip if req.api_request? && req.unauthenticated?
|
||||
end
|
||||
|
||||
throttle('throttle_api_media', limit: 30, period: 30.minutes) do |req|
|
||||
@ -58,11 +66,20 @@ class Rack::Attack
|
||||
end
|
||||
|
||||
throttle('throttle_media_proxy', limit: 30, period: 30.minutes) do |req|
|
||||
req.ip if req.path.start_with?('/media_proxy')
|
||||
req.remote_ip if req.path.start_with?('/media_proxy')
|
||||
end
|
||||
|
||||
throttle('throttle_api_sign_up', limit: 5, period: 30.minutes) do |req|
|
||||
req.ip if req.post? && req.path == '/api/v1/accounts'
|
||||
req.remote_ip if req.post? && req.path == '/api/v1/accounts'
|
||||
end
|
||||
|
||||
# Throttle paging, as it is mainly used for public pages and AP collections
|
||||
throttle('throttle_authenticated_paging', limit: 300, period: 15.minutes) do |req|
|
||||
req.authenticated_user_id if req.paging_request?
|
||||
end
|
||||
|
||||
throttle('throttle_unauthenticated_paging', limit: 300, period: 15.minutes) do |req|
|
||||
req.remote_ip if req.paging_request? && req.unauthenticated?
|
||||
end
|
||||
|
||||
API_DELETE_REBLOG_REGEX = /\A\/api\/v1\/statuses\/[\d]+\/unreblog/.freeze
|
||||
@ -73,7 +90,7 @@ class Rack::Attack
|
||||
end
|
||||
|
||||
throttle('protected_paths', limit: 25, period: 5.minutes) do |req|
|
||||
req.ip if req.post? && req.path =~ PROTECTED_PATHS_REGEX
|
||||
req.remote_ip if req.post? && req.path =~ PROTECTED_PATHS_REGEX
|
||||
end
|
||||
|
||||
self.throttled_response = lambda do |env|
|
||||
|
@ -8,7 +8,16 @@ module AppendComponent
|
||||
end
|
||||
end
|
||||
|
||||
module RecommendedComponent
|
||||
def recommended(wrapper_options = nil)
|
||||
return unless options[:recommended]
|
||||
options[:label_text] = ->(raw_label_text, _required_label_text, _label_present) { safe_join([raw_label_text, ' ', content_tag(:span, I18n.t('simple_form.recommended'), class: 'recommended')]) }
|
||||
nil
|
||||
end
|
||||
end
|
||||
|
||||
SimpleForm.include_component(AppendComponent)
|
||||
SimpleForm.include_component(RecommendedComponent)
|
||||
|
||||
SimpleForm.setup do |config|
|
||||
# Wrappers are used by the form builder to generate a
|
||||
@ -65,6 +74,7 @@ SimpleForm.setup do |config|
|
||||
b.use :html5
|
||||
|
||||
b.wrapper tag: :div, class: :label_input do |ba|
|
||||
ba.optional :recommended
|
||||
ba.use :label
|
||||
|
||||
ba.wrapper tag: :div, class: :label_input__wrapper do |bb|
|
||||
|
@ -1,6 +1,10 @@
|
||||
---
|
||||
ar:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: آخر أجل
|
||||
options: الخيارات
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
1
config/locales/activerecord.bg.yml
Normal file
1
config/locales/activerecord.bg.yml
Normal file
@ -0,0 +1 @@
|
||||
bg:
|
1
config/locales/activerecord.bn.yml
Normal file
1
config/locales/activerecord.bn.yml
Normal file
@ -0,0 +1 @@
|
||||
bn:
|
@ -2,8 +2,9 @@
|
||||
ca:
|
||||
activerecord:
|
||||
attributes:
|
||||
status:
|
||||
owned_poll: Enquesta
|
||||
poll:
|
||||
expires_at: Data límit
|
||||
options: Opcions
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -1,6 +1,10 @@
|
||||
---
|
||||
cy:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Terfyn
|
||||
options: Dewisiadau
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -1,9 +1,6 @@
|
||||
---
|
||||
da:
|
||||
activerecord:
|
||||
attributes:
|
||||
status:
|
||||
owned_poll: Afstemning
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -4,9 +4,7 @@ de:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Frist
|
||||
options: Wahlen
|
||||
status:
|
||||
owned_poll: Umfrage
|
||||
options: Wahlmöglichkeiten
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
@ -16,4 +14,4 @@ de:
|
||||
status:
|
||||
attributes:
|
||||
reblog:
|
||||
taken: des Status existiert schon
|
||||
taken: des Beitrags existiert schon
|
||||
|
@ -5,8 +5,6 @@ el:
|
||||
poll:
|
||||
expires_at: Προθεσμία
|
||||
options: Επιλογές
|
||||
status:
|
||||
owned_poll: Ψηφοφορία
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
17
config/locales/activerecord.eo.yml
Normal file
17
config/locales/activerecord.eo.yml
Normal file
@ -0,0 +1,17 @@
|
||||
---
|
||||
eo:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Limdato
|
||||
options: Elektoj
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
attributes:
|
||||
username:
|
||||
invalid: nur leteroj, ciferoj kaj substrekoj
|
||||
status:
|
||||
attributes:
|
||||
reblog:
|
||||
taken: de statuso jam ekzistas
|
@ -1,12 +1,16 @@
|
||||
---
|
||||
es:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Vencimiento
|
||||
options: Opciones
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
attributes:
|
||||
username:
|
||||
invalid: solo letras, números y guiones bajos
|
||||
invalid: sólo letras, números y guiones bajos
|
||||
status:
|
||||
attributes:
|
||||
reblog:
|
||||
|
@ -1,6 +1,10 @@
|
||||
---
|
||||
eu:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Epemuga
|
||||
options: Aukerak
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -2,8 +2,9 @@
|
||||
fa:
|
||||
activerecord:
|
||||
attributes:
|
||||
status:
|
||||
owned_poll: رأیگیری
|
||||
poll:
|
||||
expires_at: مهلت
|
||||
options: گزینهها
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
13
config/locales/activerecord.fi.yml
Normal file
13
config/locales/activerecord.fi.yml
Normal file
@ -0,0 +1,13 @@
|
||||
---
|
||||
fi:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Määräaika
|
||||
options: Vaihtoehdot
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
attributes:
|
||||
username:
|
||||
invalid: Vain kirjaimia, numeroita ja alleviivoja
|
@ -5,8 +5,6 @@ gl:
|
||||
poll:
|
||||
expires_at: Caducidade
|
||||
options: Opcións
|
||||
status:
|
||||
owned_poll: Sondaxe
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
1
config/locales/activerecord.hr.yml
Normal file
1
config/locales/activerecord.hr.yml
Normal file
@ -0,0 +1 @@
|
||||
hr:
|
13
config/locales/activerecord.hu.yml
Normal file
13
config/locales/activerecord.hu.yml
Normal file
@ -0,0 +1,13 @@
|
||||
---
|
||||
hu:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Határidő
|
||||
options: Lehetőségek
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
attributes:
|
||||
username:
|
||||
invalid: csak betűk, számok vagy alávonás
|
1
config/locales/activerecord.hy.yml
Normal file
1
config/locales/activerecord.hy.yml
Normal file
@ -0,0 +1 @@
|
||||
hy:
|
1
config/locales/activerecord.io.yml
Normal file
1
config/locales/activerecord.io.yml
Normal file
@ -0,0 +1 @@
|
||||
io:
|
@ -1,12 +1,16 @@
|
||||
---
|
||||
it:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Scadenza
|
||||
options: Scelte
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
attributes:
|
||||
username:
|
||||
invalid: solo lettere, numeri e trattino basso
|
||||
invalid: solo lettere, numeri e trattini bassi
|
||||
status:
|
||||
attributes:
|
||||
reblog:
|
||||
|
@ -5,8 +5,6 @@ ja:
|
||||
poll:
|
||||
expires_at: 期限
|
||||
options: 項目
|
||||
user:
|
||||
email: メールアドレス
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
17
config/locales/activerecord.ko.yml
Normal file
17
config/locales/activerecord.ko.yml
Normal file
@ -0,0 +1,17 @@
|
||||
---
|
||||
ko:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: 마감 기한
|
||||
options: 선택
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
attributes:
|
||||
username:
|
||||
invalid: 영문자, 숫자, _만 사용 가능
|
||||
status:
|
||||
attributes:
|
||||
reblog:
|
||||
taken: 이미 게시물이 존재합니다
|
1
config/locales/activerecord.lt.yml
Normal file
1
config/locales/activerecord.lt.yml
Normal file
@ -0,0 +1 @@
|
||||
lt:
|
1
config/locales/activerecord.lv.yml
Normal file
1
config/locales/activerecord.lv.yml
Normal file
@ -0,0 +1 @@
|
||||
lv:
|
1
config/locales/activerecord.ms.yml
Normal file
1
config/locales/activerecord.ms.yml
Normal file
@ -0,0 +1 @@
|
||||
ms:
|
@ -5,8 +5,6 @@ nl:
|
||||
poll:
|
||||
expires_at: Deadline
|
||||
options: Keuzes
|
||||
status:
|
||||
owned_poll: Poll
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -2,8 +2,9 @@
|
||||
pl:
|
||||
activerecord:
|
||||
attributes:
|
||||
user:
|
||||
email: adres e-mail
|
||||
poll:
|
||||
expires_at: Ostateczny termin
|
||||
options: Opcje
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
1
config/locales/activerecord.ro.yml
Normal file
1
config/locales/activerecord.ro.yml
Normal file
@ -0,0 +1 @@
|
||||
ro:
|
@ -5,8 +5,6 @@ sk:
|
||||
poll:
|
||||
expires_at: Trvá do
|
||||
options: Voľby
|
||||
status:
|
||||
owned_poll: Anketa
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -1,6 +1,10 @@
|
||||
---
|
||||
sl:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: Rok
|
||||
options: Izbire
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
1
config/locales/activerecord.ta.yml
Normal file
1
config/locales/activerecord.ta.yml
Normal file
@ -0,0 +1 @@
|
||||
ta:
|
1
config/locales/activerecord.te.yml
Normal file
1
config/locales/activerecord.te.yml
Normal file
@ -0,0 +1 @@
|
||||
te:
|
@ -1,6 +1,10 @@
|
||||
---
|
||||
th:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: กำหนดเวลาสิ้นสุด
|
||||
options: ทางเลือก
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
@ -1,6 +1,10 @@
|
||||
---
|
||||
zh-CN:
|
||||
activerecord:
|
||||
attributes:
|
||||
poll:
|
||||
expires_at: 截止时间
|
||||
options: 选项
|
||||
errors:
|
||||
models:
|
||||
account:
|
||||
|
1
config/locales/activerecord.zh-TW.yml
Normal file
1
config/locales/activerecord.zh-TW.yml
Normal file
@ -0,0 +1 @@
|
||||
zh-TW:
|
@ -2,22 +2,27 @@
|
||||
ar:
|
||||
about:
|
||||
about_hashtag_html: هذه تبويقات متاحة للجمهور تحتوي على الكلمات الدلالية <strong>#%{hashtag}</strong>. يمكنك التفاعل معها إن كان لديك حساب في أي مكان على الفديفرس.
|
||||
about_mastodon_html: ماستدون شبكة إجتماعية مبنية على أسُس بروتوكولات برمجيات الويب الحرة و مفتوحة المصدر. و هو لامركزي تمامًا كالبريد الإلكتروني.
|
||||
about_mastodon_html: ماستدون شبكة اجتماعية مبنية على أسُس بروتوكولات برمجيات الويب الحرة و مفتوحة المصدر. و هو لامركزي تمامًا كالبريد الإلكتروني.
|
||||
about_this: عن مثيل الخادوم هذا
|
||||
administered_by: 'يُديره :'
|
||||
active_count_after: نشط
|
||||
administered_by: 'يُديره:'
|
||||
api: واجهة برمجة التطبيقات
|
||||
apps: تطبيقات الأجهزة المحمولة
|
||||
contact: للتواصل معنا
|
||||
contact_missing: لم يتم تعيينه
|
||||
contact_unavailable: غير متوفر
|
||||
discover_users: اكتشف مستخدِمين
|
||||
documentation: الدليل
|
||||
extended_description_html: |
|
||||
<h3>مكان جيد للقواعد</h3>
|
||||
<p>لم يتم بعد إدخال الوصف الطويل.</p>
|
||||
generic_description: "%{domain} هو سيرفر من بين سيرفرات الشبكة"
|
||||
get_apps: جرّب تطبيقا على الموبايل
|
||||
hosted_on: ماستدون مُستضاف على %{domain}
|
||||
learn_more: تعلم المزيد
|
||||
privacy_policy: سياسة الخصوصية
|
||||
see_whats_happening: اطّلع على ما يجري
|
||||
server_stats: 'إحصائيات الخادم:'
|
||||
source_code: الشفرة المصدرية
|
||||
status_count_after:
|
||||
few: منشورات
|
||||
@ -27,6 +32,7 @@ ar:
|
||||
two: منشورات
|
||||
zero: منشورات
|
||||
status_count_before: نشروا
|
||||
tagline: اتبع أصدقائك وصديقاتك واكتشف آخرين وأخريات
|
||||
terms: شروط الخدمة
|
||||
user_count_after:
|
||||
few: مستخدمين
|
||||
@ -38,8 +44,8 @@ ar:
|
||||
user_count_before: يستضيف
|
||||
what_is_mastodon: ما هو ماستدون ؟
|
||||
accounts:
|
||||
choices_html: 'توصيات %{name} :'
|
||||
follow: إتبع
|
||||
choices_html: 'توصيات %{name}:'
|
||||
follow: اتبع
|
||||
followers:
|
||||
few: متابِعون
|
||||
many: متابِعون
|
||||
@ -52,9 +58,9 @@ ar:
|
||||
last_active: آخر نشاط
|
||||
link_verified_on: تم التحقق مِن مالك هذا الرابط بتاريخ %{date}
|
||||
media: الوسائط
|
||||
moved_html: "%{name} إنتقلَ إلى %{new_profile_link} :"
|
||||
moved_html: "%{name} إنتقلَ إلى %{new_profile_link}:"
|
||||
network_hidden: إنّ المعطيات غير متوفرة
|
||||
nothing_here: لا يوجد أي شيء هنا !
|
||||
nothing_here: لا يوجد أي شيء هنا!
|
||||
people_followed_by: الأشخاص الذين يتبعهم %{name}
|
||||
people_who_follow: الأشخاص الذين يتبعون %{name}
|
||||
pin_errors:
|
||||
@ -68,27 +74,30 @@ ar:
|
||||
zero: تبويقات
|
||||
posts_tab_heading: تبويقات
|
||||
posts_with_replies: التبويقات و الردود
|
||||
reserved_username: إسم المستخدم محجوز
|
||||
reserved_username: اسم المستخدم محجوز
|
||||
roles:
|
||||
admin: المدير
|
||||
bot: روبوت
|
||||
moderator: مُشرِف
|
||||
unavailable: الحساب غير متوفر
|
||||
unfollow: إلغاء المتابعة
|
||||
admin:
|
||||
account_actions:
|
||||
action: تنفيذ الاجراء
|
||||
action: تنفيذ الإجراء
|
||||
title: اتخاذ إجراء إشراف على %{acct}
|
||||
account_moderation_notes:
|
||||
create: إترك ملاحظة
|
||||
created_msg: تم إنشاء ملاحظة الإشراف بنجاح !
|
||||
create: اترك ملاحظة
|
||||
created_msg: تم إنشاء ملاحظة الإشراف بنجاح!
|
||||
delete: حذف
|
||||
destroyed_msg: تم تدمير ملاحظة الإشراف بنجاح !
|
||||
destroyed_msg: تم تدمير ملاحظة الإشراف بنجاح!
|
||||
accounts:
|
||||
approve: صادِق عليه
|
||||
approve_all: الموافقة على الكل
|
||||
are_you_sure: متأكد ؟
|
||||
avatar: الصورة الرمزية
|
||||
by_domain: النطاق
|
||||
change_email:
|
||||
changed_msg: تم تعديل عنوان البريد الإلكتروني الخاص بالحساب بنجاح !
|
||||
changed_msg: تم تعديل عنوان البريد الإلكتروني الخاص بالحساب بنجاح!
|
||||
current_email: عنوان البريد الإلكتروني الحالي
|
||||
label: تعديل عنوان البريد الإلكتروني
|
||||
new_email: عنوان البريد الإلكتروني الجديد
|
||||
@ -102,7 +111,7 @@ ar:
|
||||
disable: تعطيل
|
||||
disable_two_factor_authentication: تعطيل المصادقة بخطوتين
|
||||
disabled: معطَّل
|
||||
display_name: عرض الإسم
|
||||
display_name: عرض الاسم
|
||||
domain: النطاق
|
||||
edit: تعديل
|
||||
email: البريد الإلكتروني
|
||||
@ -129,15 +138,18 @@ ar:
|
||||
moderation:
|
||||
active: نشِط
|
||||
all: الكل
|
||||
pending: قيد المراجعة
|
||||
silenced: تم كتمه
|
||||
suspended: مُجَمَّد
|
||||
title: الإشراف
|
||||
moderation_notes: ملاحظات الإشراف
|
||||
most_recent_activity: آخر نشاط حديث
|
||||
most_recent_ip: أحدث عنوان إيبي
|
||||
no_account_selected: لم يطرأ أي تغيير على أي حساب بما أنه لم يتم اختيار أي واحد
|
||||
no_limits_imposed: مِن دون حدود مشروطة
|
||||
not_subscribed: غير مشترك
|
||||
outbox_url: رابط صندوق الصادر
|
||||
pending: في انتظار المراجعة
|
||||
perform_full_suspension: تعليق الحساب
|
||||
profile_url: رابط الملف الشخصي
|
||||
promote: ترقية
|
||||
@ -145,15 +157,17 @@ ar:
|
||||
public: عمومي
|
||||
push_subscription_expires: انتهاء الاشتراك ”PuSH“
|
||||
redownload: تحديث الصفحة الشخصية
|
||||
reject: ارفض
|
||||
reject_all: ارفض الكل
|
||||
remove_avatar: حذف الصورة الرمزية
|
||||
remove_header: حذف الرأسية
|
||||
resend_confirmation:
|
||||
already_confirmed: هذا المستخدم مؤكد بالفعل
|
||||
send: أعد إرسال رسالة البريد الالكتروني الخاصة بالتأكيد
|
||||
send: أعد إرسال رسالة البريد الإلكتروني الخاصة بالتأكيد
|
||||
success: تم إرسال رسالة التأكيد بنجاح!
|
||||
reset: إعادة التعيين
|
||||
reset_password: إعادة ضبط كلمة السر
|
||||
resubscribe: إعادة الإشتراك
|
||||
resubscribe: إعادة الاشتراك
|
||||
role: الصلاحيات
|
||||
roles:
|
||||
admin: مدير
|
||||
@ -165,18 +179,19 @@ ar:
|
||||
shared_inbox_url: رابط الصندوق المُشترَك للبريد الوارد
|
||||
show:
|
||||
created_reports: البلاغات التي أنشأها هذا الحساب
|
||||
targeted_reports: الشكاوي التي أُنشِأت مِن طرف الآخَرين
|
||||
targeted_reports: الشكاوى التي أُنشِأت مِن طرف الآخَرين
|
||||
silence: كتم
|
||||
silenced: تم كتمه
|
||||
statuses: المنشورات
|
||||
subscribe: اشترك
|
||||
suspended: تم تعليقه
|
||||
time_in_queue: في قائمة الانتظار %{time}
|
||||
title: الحسابات
|
||||
unconfirmed_email: البريد الإلكتروني غير مؤكد
|
||||
undo_silenced: رفع الصمت
|
||||
undo_suspension: إلغاء تعليق الحساب
|
||||
unsubscribe: إلغاء الاشتراك
|
||||
username: إسم المستخدم
|
||||
username: اسم المستخدم
|
||||
warn: تحذير
|
||||
web: الويب
|
||||
action_logs:
|
||||
@ -193,7 +208,7 @@ ar:
|
||||
destroy_domain_block: "%{name} قام بإلغاء الحجب عن النطاق %{target}"
|
||||
destroy_email_domain_block: قام %{name} بإضافة نطاق البريد الإلكتروني %{target} إلى اللائحة البيضاء
|
||||
destroy_status: لقد قام %{name} بحذف منشور %{target}
|
||||
disable_2fa_user: "%{name} لقد قام بتعطيل ميزة المصادقة بخطوتين للمستخدم %{target}"
|
||||
disable_2fa_user: "%{name} لقد قام بتعطيل ميزة المصادقة بخطوتين للمستخدم %{target}"
|
||||
disable_custom_emoji: "%{name} قام بتعطيل الإيموجي %{target}"
|
||||
disable_user: "%{name} لقد قام بتعطيل تسجيل الدخول للمستخدِم %{target}"
|
||||
enable_custom_emoji: "%{name} قام بتنشيط الإيموجي %{target}"
|
||||
@ -218,9 +233,9 @@ ar:
|
||||
copied_msg: تم إنشاء نسخة محلية للإيموجي بنجاح
|
||||
copy: نسخ
|
||||
copy_failed_msg: فشلت عملية إنشاء نسخة محلية لهذا الإيموجي
|
||||
created_msg: تم إنشاء الإيموجي بنجاح !
|
||||
created_msg: تم إنشاء الإيموجي بنجاح!
|
||||
delete: حذف
|
||||
destroyed_msg: تمت عملية تدمير الإيموجي بنجاح !
|
||||
destroyed_msg: تمت عملية تدمير الإيموجي بنجاح!
|
||||
disable: تعطيل
|
||||
disabled_msg: تمت عملية تعطيل ذلك الإيموجي بنجاح
|
||||
emoji: إيموجي
|
||||
@ -235,8 +250,8 @@ ar:
|
||||
shortcode_hint: على الأقل حرفين، و فقط رموز أبجدية عددية و أسطر سفلية
|
||||
title: الإيموجي الخاصة
|
||||
unlisted: غير مدرج
|
||||
update_failed_msg: تعذرت عملية تحذيث ذاك الإيموجي
|
||||
updated_msg: تم تحديث الإيموجي بنجاح !
|
||||
update_failed_msg: تعذرت عملية تحديث ذاك الإيموجي
|
||||
updated_msg: تم تحديث الإيموجي بنجاح!
|
||||
upload: رفع
|
||||
dashboard:
|
||||
backlog: الأعمال المتراكمة
|
||||
@ -246,9 +261,10 @@ ar:
|
||||
feature_profile_directory: دليل الحسابات
|
||||
feature_registrations: التسجيلات
|
||||
feature_relay: المُرحّل الفديرالي
|
||||
feature_timeline_preview: معاينة الخيط الزمني
|
||||
features: الميّزات
|
||||
hidden_service: الفيديرالية مع الخدمات الخفية
|
||||
open_reports: فتح الشكاوي
|
||||
open_reports: فتح الشكاوى
|
||||
recent_users: أحدث المستخدِمين
|
||||
search: البحث النصي الكامل
|
||||
single_user_mode: وضع المستخدِم الأوحد
|
||||
@ -286,8 +302,8 @@ ar:
|
||||
many: "%{count} حسابات معنية في قاعدة البيانات"
|
||||
one: حساب واحد معني في قاعدة البيانات
|
||||
other: "%{count} حسابات معنية في قاعدة البيانات"
|
||||
two: حسابات معنية في قاعدة البيانات
|
||||
zero: حسابات معنية في قاعدة البيانات
|
||||
two: "%{count} حسابات معنية في قاعدة البيانات"
|
||||
zero: "%{count} حسابات معنية في قاعدة البيانات"
|
||||
retroactive:
|
||||
silence: إلغاء الكتم عن كافة الحسابات المتواجدة على هذا النطاق
|
||||
suspend: إلغاء التعليق المفروض على كافة حسابات هذا النطاق
|
||||
@ -319,6 +335,7 @@ ar:
|
||||
zero: "%{count} حسابات معروفة"
|
||||
moderation:
|
||||
all: كافتها
|
||||
limited: محدود
|
||||
title: الإشراف
|
||||
title: الفديرالية
|
||||
total_blocked_by_us: المحجوبة مِن طرفنا
|
||||
@ -334,13 +351,15 @@ ar:
|
||||
expired: المنتهي صلاحيتها
|
||||
title: التصفية
|
||||
title: الدعوات
|
||||
pending_accounts:
|
||||
title: الحسابات المعلقة (%{count})
|
||||
relays:
|
||||
add_new: إضافة مُرحّل جديد
|
||||
delete: حذف
|
||||
disable: تعطيل
|
||||
disabled: مُعطَّل
|
||||
enable: تشغيل
|
||||
enable_hint: عندما تقوم بتنشيط هذه الميزة، سوف يشترك خادومك في جميع التبويقات القادمة مِن هذا المُرحِّل و سيشرع كذلك بإرسال كافة التبويقات العمومية إليه.
|
||||
enable_hint: عندما تقوم بتنشيط هذه الميزة، سوف يشترك خادومكم في جميع التبويقات القادمة مِن هذا المُرحِّل و سيشرع كذلك بإرسال كافة التبويقات العمومية إليه.
|
||||
enabled: مُشغَّل
|
||||
inbox_url: رابط المُرحّل
|
||||
pending: في انتظار تسريح المُرحِّل
|
||||
@ -362,14 +381,14 @@ ar:
|
||||
comment:
|
||||
none: لا شيء
|
||||
created_at: ذكرت
|
||||
mark_as_resolved: إعتبار الشكوى كمحلولة
|
||||
mark_as_unresolved: علام كغير محلولة
|
||||
mark_as_resolved: اعتبار الشكوى كمحلولة
|
||||
mark_as_unresolved: علم كغير محلولة
|
||||
notes:
|
||||
create: اضف ملاحظة
|
||||
create_and_resolve: الحل مع ملاحظة
|
||||
create_and_unresolve: إعادة فتح مع ملاحظة
|
||||
delete: حذف
|
||||
placeholder: قم بوصف الإجراءات التي تم اتخاذها أو أي تحديثات أخرى ذات علاقة …
|
||||
placeholder: قم بوصف الإجراءات التي تم اتخاذها أو أي تحديثات أخرى ذات علاقة...
|
||||
reopen: إعادة فتح الشكوى
|
||||
report: 'الشكوى #%{id}'
|
||||
reported_account: حساب مُبلّغ عنه
|
||||
@ -377,20 +396,20 @@ ar:
|
||||
resolved: معالجة
|
||||
resolved_msg: تم حل تقرير بنجاح!
|
||||
status: الحالة
|
||||
title: الشكاوي
|
||||
title: الشكاوى
|
||||
unassign: إلغاء تعيين
|
||||
unresolved: غير معالجة
|
||||
updated_at: محدث
|
||||
settings:
|
||||
activity_api_enabled:
|
||||
desc_html: عدد المنشورات المحلية و المستخدمين النشطين و التسجيلات الأسبوعية الجديدة
|
||||
desc_html: عدد المنشورات المحلية و المستخدمين الناشطين و التسجيلات الأسبوعية الجديدة
|
||||
title: نشر مُجمل الإحصائيات عن نشاط المستخدمين
|
||||
bootstrap_timeline_accounts:
|
||||
desc_html: افصل بين أسماء المستخدمين المتعددة بواسطة الفاصلة. استعمل الحسابات المحلية والمفتوحة فقط. الافتراضي عندما تكون فارغة كل المسؤولين المحليين.
|
||||
title: الإشتراكات الإفتراضية للمستخدمين الجدد
|
||||
title: الاشتراكات الافتراضية للمستخدمين الجدد
|
||||
contact_information:
|
||||
email: البريد الإلكتروني المهني
|
||||
username: الإتصال بالمستخدِم
|
||||
username: الاتصال بالمستخدِم
|
||||
custom_css:
|
||||
desc_html: يقوم بتغيير المظهر بواسطة سي أس أس يُحمَّل على كافة الصفحات
|
||||
title: سي أس أس مخصص
|
||||
@ -398,7 +417,7 @@ ar:
|
||||
desc_html: معروض على الصفحة الأولى. لا يقل عن 600 × 100 بكسل. عند عدم التعيين ، تعود الصورة إلى النسخة المصغرة على سبيل المثال
|
||||
title: الصورة الرأسية
|
||||
peers_api_enabled:
|
||||
desc_html: أسماء النطاقات التي إلتقى بها مثيل الخادوم على البيئة الموحَّدة فيديفرس
|
||||
desc_html: أسماء النطاقات التي التقى بها مثيل الخادوم على البيئة الموحَّدة فديفرس
|
||||
title: نشر عدد مثيلات الخوادم التي تم مصادفتها
|
||||
preview_sensitive_media:
|
||||
desc_html: روابط المُعَاينة على مواقع الويب الأخرى ستقوم بعرض صُوَر مصغّرة حتى و إن كانت الوسائط حساسة
|
||||
@ -416,9 +435,13 @@ ar:
|
||||
min_invite_role:
|
||||
disabled: لا أحد
|
||||
title: المستخدِمون المصرح لهم لإرسال الدعوات
|
||||
registrations_mode:
|
||||
modes:
|
||||
none: لا أحد يمكنه إنشاء حساب
|
||||
open: يمكن للجميع إنشاء حساب
|
||||
title: طريقة إنشاء الحسابات
|
||||
show_known_fediverse_at_about_page:
|
||||
desc_html: عند التثبت ، سوف تظهر toots من جميع fediverse المعروفة على عرض مسبق. وإلا فإنه سيعرض فقط toots المحلية.
|
||||
title: إظهار الفيديفرس الموحَّد في خيط المُعايَنة
|
||||
title: إظهار الفديفرس الموحَّد في خيط المُعايَنة
|
||||
show_staff_badge:
|
||||
desc_html: عرض شارة الموظفين على صفحة المستخدم
|
||||
title: إظهار شارة الموظفين
|
||||
@ -429,17 +452,17 @@ ar:
|
||||
desc_html: مكان جيد لمدونة قواعد السلوك والقواعد والإرشادات وغيرها من الأمور التي تحدد حالتك. يمكنك استخدام علامات HTML
|
||||
title: الوصف المُفصّل للموقع
|
||||
site_short_description:
|
||||
desc_html: يتم عرضه في لوحة جانبية و في البيانات الوصفية. قم بوصف ماستدون و ما يميز هذا السيرفر عن الآخرين في فقرة موجزة. إن تركت الحقل فارغا فسوف يتم عرض الوصف الإفتراضي لمثيل الخادوم.
|
||||
desc_html: يتم عرضه في لوحة جانبية و في البيانات الوصفية. قم بوصف ماستدون و ما يميز هذا السيرفر عن الآخرين في فقرة موجزة. إن تركت الحقل فارغا فسوف يتم عرض الوصف الافتراضي لمثيل الخادوم.
|
||||
title: مقدمة وصفية قصيرة عن مثيل الخادوم
|
||||
site_terms:
|
||||
desc_html: يمكنك كتابة سياسة الخصوصية الخاصة بك ، شروط الخدمة أو غيرها من القوانين. يمكنك استخدام علامات HTML
|
||||
title: شروط الخدمة المخصصة
|
||||
site_title: إسم مثيل الخادم
|
||||
site_title: اسم مثيل الخادم
|
||||
thumbnail:
|
||||
desc_html: يستخدم للعروض السابقة عبر Open Graph و API. 1200x630px موصى به
|
||||
title: الصورة الرمزية المصغرة لمثيل الخادوم
|
||||
timeline_preview:
|
||||
desc_html: عرض الخيط العمومي على صفحة الإستقبال
|
||||
desc_html: عرض الخيط العمومي على صفحة الاستقبال
|
||||
title: مُعاينة الخيط العام
|
||||
title: إعدادات الموقع
|
||||
statuses:
|
||||
@ -460,7 +483,6 @@ ar:
|
||||
confirmed: مؤكَّد
|
||||
expires_in: تنتهي مدة صلاحيتها في
|
||||
last_delivery: آخر إيداع
|
||||
title: WebSub
|
||||
topic: الموضوع
|
||||
tags:
|
||||
accounts: الحسابات
|
||||
@ -478,15 +500,20 @@ ar:
|
||||
edit_preset: تعديل نموذج التحذير
|
||||
title: إدارة نماذج التحذير
|
||||
admin_mailer:
|
||||
new_pending_account:
|
||||
subject: حساب جديد في انتظار مراجعة على %{instance} (%{username})
|
||||
new_report:
|
||||
body: قام %{reporter} بالإبلاغ عن %{target}
|
||||
body_remote: أبلغ شخص ما من %{domain} عن %{target}
|
||||
subject: تقرير جديد ل%{instance} (#%{id})
|
||||
appearance:
|
||||
advanced_web_interface: واجهة الويب المتقدمة
|
||||
confirmation_dialogs: نوافذ التأكيد
|
||||
sensitive_content: محتوى حساس
|
||||
application_mailer:
|
||||
notification_preferences: تعديل خيارات البريد الإلكتروني
|
||||
salutation: "%{name}،"
|
||||
settings: 'تغيير تفضيلات البريد الإلكتروني : %{link}'
|
||||
view: 'View:'
|
||||
settings: 'تغيير تفضيلات البريد الإلكتروني: %{link}'
|
||||
view_profile: عرض الملف الشخصي
|
||||
view_status: عرض المنشور
|
||||
applications:
|
||||
@ -495,10 +522,12 @@ ar:
|
||||
invalid_url: إن الرابط المقدم غير صالح
|
||||
regenerate_token: إعادة توليد رمز النفاذ
|
||||
token_regenerated: تم إعادة إنشاء الرمز الوصول بنجاح
|
||||
warning: كن حذرا مع هذه البيانات. لا تقم أبدا بمشاركتها مع الآخَرين !
|
||||
warning: كن حذرا مع هذه البيانات. لا تقم أبدا بمشاركتها مع الآخَرين!
|
||||
your_token: رمز نفاذك
|
||||
auth:
|
||||
apply_for_account: اطلب دعوة
|
||||
change_password: الكلمة السرية
|
||||
checkbox_agreement_html: أوافق على <a href="%{rules_path}" target="_blank">قواعد الخادم</a> و <a href="%{terms_path}" target="_blank">شروط الخدمة</a>
|
||||
confirm_email: تأكيد عنوان البريد الإلكتروني
|
||||
delete_account: حذف حساب
|
||||
delete_account_html: إن كنت ترغب في حذف حسابك يُمكنك <a href="%{path}">المواصلة هنا</a>. سوف يُطلَبُ منك التأكيد قبل الحذف.
|
||||
@ -507,23 +536,25 @@ ar:
|
||||
invalid_reset_password_token: رمز إعادة تعيين كلمة المرور غير صالح أو منتهي الصلاحية. يرجى طلب واحد جديد.
|
||||
login: تسجيل الدخول
|
||||
logout: خروج
|
||||
migrate_account: الإنتقال إلى حساب آخر
|
||||
migrate_account: الانتقال إلى حساب آخر
|
||||
migrate_account_html: إن كنت ترغب في تحويل هذا الحساب نحو حساب آخَر، يُمكِنُك <a href="%{path}">إعداده هنا</a>.
|
||||
or_log_in_with: أو قم بتسجيل الدخول بواسطة
|
||||
providers:
|
||||
cas: CAS
|
||||
saml: SAML
|
||||
register: إنشاء حساب
|
||||
registration_closed: لا يقبل %{instance} استقبال أعضاء جدد
|
||||
resend_confirmation: إعادة إرسال تعليمات التأكيد
|
||||
reset_password: إعادة تعيين كلمة المرور
|
||||
security: الأمان
|
||||
set_new_password: إدخال كلمة مرور جديدة
|
||||
trouble_logging_in: هل صادفتكم مشكلة في الولوج؟
|
||||
authorize_follow:
|
||||
already_following: أنت تتابع بالفعل هذا الحساب
|
||||
error: يا للأسف، وقع هناك خطأ إثر عملية البحث عن الحساب عن بعد
|
||||
follow: إتبع
|
||||
follow_request: 'لقد قمت بإرسال طلب متابعة إلى :'
|
||||
following: 'مرحى ! أنت الآن تتبع :'
|
||||
follow: اتبع
|
||||
follow_request: 'لقد قمت بإرسال طلب متابعة إلى:'
|
||||
following: 'مرحى! أنت الآن تتبع:'
|
||||
post_follow:
|
||||
close: أو يمكنك إغلاق هذه النافذة.
|
||||
return: عرض الملف الشخصي للمستخدم
|
||||
@ -544,7 +575,7 @@ ar:
|
||||
x_months: "%{count} شه"
|
||||
x_seconds: "%{count}ث"
|
||||
deletes:
|
||||
bad_password_msg: محاولة جيدة يا هاكرز ! كلمة السر خاطئة
|
||||
bad_password_msg: محاولة جيدة يا هاكرز! كلمة السر خاطئة
|
||||
confirm_password: قم بإدخال كلمتك السرية الحالية للتحقق من هويتك
|
||||
proceed: حذف حساب
|
||||
success_msg: تم حذف حسابك بنجاح
|
||||
@ -566,19 +597,21 @@ ar:
|
||||
'404': إنّ الصفحة التي تبحث عنها لا وجود لها أصلا.
|
||||
'410': إنّ الصفحة التي تبحث عنها لم تعد موجودة.
|
||||
'422':
|
||||
content: فشل التحقق الآمن. ربما منعتَ كعكات الكوكيز ؟
|
||||
content: فشل التحقق الآمن. ربما منعتَ كعكات الكوكيز؟
|
||||
title: فشِل التحقق الآمن
|
||||
'429': طلبات كثيرة جدا
|
||||
'500':
|
||||
content: نحن متأسفون، لقد حدث خطأ ما مِن جانبنا.
|
||||
title: هذه الصفحة خاطئة
|
||||
noscript_html: يرجى تفعيل الجافا سكريبت لاستخدام تطبيق الويب لماستدون، أو عِوض ذلك قوموا بتجريب إحدى <a href="%{apps_path}">التطبيقات الأصلية</a> الدّاعمة لماستدون على منصّتكم.
|
||||
existing_username_validator:
|
||||
not_found_multiple: تعذر العثور على %{usernames}
|
||||
exports:
|
||||
archive_takeout:
|
||||
date: التاريخ
|
||||
download: تنزيل نسخة لحسابك
|
||||
hint_html: بإمكانك طلب نسخة كاملة لـ <strong>كافة تبويقاتك و الوسائط التي قمت بنشرها</strong>. البيانات المُصدَّرة ستكون محفوظة على شكل نسق ActivityPub و باستطاعتك قراءتها بأي برنامج يدعم هذا النسق. يُمكنك طلب نسخة كل 7 أيام.
|
||||
in_progress: عملية جمع نسخة لبيانات حسابك جارية …
|
||||
in_progress: عملية جمع نسخة لبيانات حسابك جارية...
|
||||
request: طلب نسخة لحسابك
|
||||
size: الحجم
|
||||
blocks: قمت بحظر
|
||||
@ -608,11 +641,13 @@ ar:
|
||||
title: إضافة عامل تصفية جديد
|
||||
footer:
|
||||
developers: المطورون
|
||||
more: المزيد …
|
||||
more: المزيد…
|
||||
resources: الموارد
|
||||
generic:
|
||||
changes_saved_msg: تم حفظ التعديلات بنجاح !
|
||||
all: الكل
|
||||
changes_saved_msg: تم حفظ التعديلات بنجاح!
|
||||
copy: نسخ
|
||||
order_by: ترتيب بحسب
|
||||
save_changes: حفظ التغييرات
|
||||
validation_errors:
|
||||
few: هناك شيء ما ليس على ما يرام! يُرجى مراجعة الأخطاء الـ %{count} أدناه
|
||||
@ -621,6 +656,17 @@ ar:
|
||||
other: هناك شيء ما ليس على ما يرام! يُرجى مراجعة الأخطاء الـ %{count} أدناه
|
||||
two: هناك شيء ما ليس على ما يرام! يُرجى مراجعة الأخطاء الـ %{count} أدناه
|
||||
zero: هناك شيء ما ليس على ما يرام! يُرجى مراجعة الأخطاء الـ %{count} أدناه
|
||||
identity_proofs:
|
||||
active: نشط
|
||||
authorize: نعم ، قم بترخيصه
|
||||
authorize_connection_prompt: هل تريد ترخيص هذا الاتصال المشفّر؟
|
||||
i_am_html: أنا %{username} على %{service}.
|
||||
identity: الهوية
|
||||
inactive: ليس نشطا
|
||||
publicize_checkbox: 'وقم بتبويق هذا:'
|
||||
publicize_toot: 'متحقق منه! أنا %{username} على %{service}: %{url}'
|
||||
status: حالة التحقق
|
||||
view_proof: عرض الدليل
|
||||
imports:
|
||||
modes:
|
||||
merge: دمج
|
||||
@ -638,7 +684,7 @@ ar:
|
||||
in_memoriam_html: في ذكرى.
|
||||
invites:
|
||||
delete: تعطيل
|
||||
expired: إنتهت صلاحيتها
|
||||
expired: انتهت صلاحيتها
|
||||
expires_in:
|
||||
'1800': 30 دقيقة
|
||||
'21600': 6 ساعات
|
||||
@ -648,14 +694,14 @@ ar:
|
||||
'86400': يوم واحد
|
||||
expires_in_prompt: أبدا
|
||||
generate: توليد
|
||||
invited_by: 'تمت دعوتك من طرف :'
|
||||
invited_by: 'تمت دعوتك من طرف:'
|
||||
max_uses:
|
||||
few: "%{count} استخدامات"
|
||||
many: "%{count} استخدامات"
|
||||
one: استخدام واحد
|
||||
other: "%{count} استخدامات"
|
||||
two: استخدامات
|
||||
zero: استخدامات
|
||||
two: "%{count} استخدامات"
|
||||
zero: "%{count} استخدامات"
|
||||
max_uses_prompt: بلا حدود
|
||||
prompt: توليد و مشاركة روابط للسماح للآخَرين بالنفاذ إلى مثيل الخادوم هذا
|
||||
table:
|
||||
@ -671,16 +717,16 @@ ar:
|
||||
too_many: لا يمكن إرفاق أكثر من 4 ملفات
|
||||
migrations:
|
||||
acct: username@domain للحساب الجديد
|
||||
currently_redirecting: 'تم تحويل رابط ملفك الشخصي إلى :'
|
||||
currently_redirecting: 'تم تحويل رابط ملفك الشخصي إلى:'
|
||||
proceed: حفظ
|
||||
updated_msg: تم تحديث إعدادات ترحيل حسابك بنجاح !
|
||||
updated_msg: تم تحديث إعدادات ترحيل حسابك بنجاح!
|
||||
moderation:
|
||||
title: الإشراف
|
||||
notification_mailer:
|
||||
digest:
|
||||
action: معاينة كافة الإشعارات
|
||||
body: هذا هو مُلَخَّص الرسائل التي فاتتك وذلك منذ آخر زيارة لك في %{since}
|
||||
mention: "%{name} أشار إليك في :"
|
||||
body: هذا هو مُلَخَّص الرسائل التي فاتتك وذلك منذ آخر زيارة لك في %{since}
|
||||
mention: "%{name} أشار إليك في:"
|
||||
new_followers_summary:
|
||||
few: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
|
||||
many: رائع، لقد قام بمتابَعتك %{count} مُتابِعون جُدد أثناء فترة غيابك عن ماستدون!
|
||||
@ -693,29 +739,29 @@ ar:
|
||||
many: "%{count} إشعارات جديدة منذ آخر زيارة لك إلى \U0001F418"
|
||||
one: "إشعار واحد 1 منذ آخر زيارة لك لـ \U0001F418"
|
||||
other: "%{count} إشعارات جديدة منذ آخر زيارة لك إلى \U0001F418"
|
||||
two: "إشعارات جديدة منذ آخر زيارة لك إلى \U0001F418"
|
||||
zero: "إشعارات جديدة منذ آخر زيارة لك إلى \U0001F418"
|
||||
title: أثناء فترة غيابك …
|
||||
two: "%{count} إشعارات جديدة منذ آخر زيارة لك إلى \U0001F418"
|
||||
zero: "%{count} إشعارات جديدة منذ آخر زيارة لك إلى \U0001F418"
|
||||
title: أثناء فترة غيابك...
|
||||
favourite:
|
||||
body: 'أُعجب %{name} بمنشورك :'
|
||||
body: 'أُعجب %{name} بمنشورك:'
|
||||
subject: أُعجِب %{name} بمنشورك
|
||||
title: مفضّلة جديدة
|
||||
follow:
|
||||
body: "%{name} من متتبعيك الآن !"
|
||||
body: "%{name} من متتبعيك الآن!"
|
||||
subject: "%{name} من متتبعيك الآن"
|
||||
title: متابِع جديد
|
||||
follow_request:
|
||||
action: إدارة طلبات المتابَعة
|
||||
body: طلب %{name} متابعتك
|
||||
subject: 'متابع مُعلّق : %{name}'
|
||||
subject: 'متابع مُعلّق: %{name}'
|
||||
title: طلب متابَعة جديد
|
||||
mention:
|
||||
action: الرد
|
||||
body: 'أشار إليك %{name} في :'
|
||||
body: 'أشار إليك %{name} في:'
|
||||
subject: لقد قام %{name} بذِكرك
|
||||
title: إشارة جديدة
|
||||
reblog:
|
||||
body: 'قام %{name} بترقية منشورك :'
|
||||
body: 'قام %{name} بترقية منشورك:'
|
||||
subject: قام %{name} بترقية منشورك
|
||||
title: ترقية جديدة
|
||||
number:
|
||||
@ -723,29 +769,45 @@ ar:
|
||||
decimal_units:
|
||||
format: "%n%u"
|
||||
units:
|
||||
billion: B
|
||||
million: M
|
||||
billion: بل
|
||||
million: ملي
|
||||
quadrillion: كواد
|
||||
thousand: ألف
|
||||
trillion: T
|
||||
unit: ''
|
||||
trillion: ترل
|
||||
pagination:
|
||||
newer: الأحدَث
|
||||
next: التالي
|
||||
older: الأقدَم
|
||||
prev: السابق
|
||||
truncate: و
|
||||
polls:
|
||||
errors:
|
||||
already_voted: لقد قمت بالتصويت على استطلاع الرأي هذا مِن قبل
|
||||
duplicate_options: يحتوي على عناصر مكررة
|
||||
duration_too_short: مبكّر جدا
|
||||
expired: لقد انتهى استطلاع الرأي
|
||||
preferences:
|
||||
languages: اللغات
|
||||
other: إعدادات أخرى
|
||||
publishing: النشر
|
||||
web: الويب
|
||||
posting_defaults: التفضيلات الافتراضية لنشر التبويقات
|
||||
public_timelines: الخيوط الزمنية العامة
|
||||
relationships:
|
||||
activity: نشاط الحساب
|
||||
dormant: في سبات
|
||||
last_active: آخر نشاط
|
||||
most_recent: الأحدث
|
||||
moved: هاجر
|
||||
primary: رئيسي
|
||||
relationship: العلاقة
|
||||
remove_selected_domains: احذف كافة المتابِعين القادمين مِن النطاقات المختارة
|
||||
remove_selected_followers: احذف المتابِعين الذين قمت باختيارهم
|
||||
remove_selected_follows: الغي متابعة المستخدمين الذين اخترتهم
|
||||
status: حالة الحساب
|
||||
remote_follow:
|
||||
acct: قم بإدخال عنوان حسابك username@domain الذي من خلاله تود النشاط
|
||||
missing_resource: تعذر العثور على رابط التحويل المطلوب الخاص بحسابك
|
||||
no_account_html: أليس عندك حساب بعدُ ؟ يُمْكنك <a href='%{sign_up_path}' target='_blank'>التسجيل مِن هنا</a>
|
||||
proceed: أكمل المتابعة
|
||||
prompt: 'إنك بصدد متابعة :'
|
||||
prompt: 'إنك بصدد متابعة:'
|
||||
remote_interaction:
|
||||
favourite:
|
||||
proceed: المواصلة إلى المفضلة
|
||||
@ -773,7 +835,7 @@ ar:
|
||||
generic: متصفح مجهول
|
||||
ie: إنترنت إكسبلورر
|
||||
micro_messenger: مايكرو ميسنجر
|
||||
nokia: متصفح Nokia S40 Ovi
|
||||
nokia: متصفح Nokia S40 Ovi
|
||||
opera: أوبرا
|
||||
otter: أوتر
|
||||
phantom_js: فانتوم جي آس
|
||||
@ -783,7 +845,7 @@ ar:
|
||||
weibo: وايبو
|
||||
current_session: الجلسة الحالية
|
||||
description: "%{browser} على %{platform}"
|
||||
explanation: ها هي قائمة مُتصفِّحات الويب التي تستخدِم حاليًا حساب ماستدون الخاص بك.
|
||||
explanation: ها هي قائمة مُتصفِّحات الويب التي تستخدِم حاليًا حساب ماستدون الخاص بك.
|
||||
ip: عنوان الإيبي
|
||||
platforms:
|
||||
adobe_air: أدوبي إيير
|
||||
@ -802,36 +864,44 @@ ar:
|
||||
revoke_success: تم إبطال الجلسة بنجاح
|
||||
title: الجلسات
|
||||
settings:
|
||||
account: الحساب
|
||||
account_settings: إعدادات الحساب
|
||||
appearance: المظهر
|
||||
authorized_apps: التطبيقات المرخص لها
|
||||
back: عودة إلى ماستدون
|
||||
delete: حذف الحسابات
|
||||
development: التطوير
|
||||
edit_profile: تعديل الملف الشخصي
|
||||
export: تصدير البيانات
|
||||
import: إستيراد
|
||||
featured_tags: الوسوم الشائعة
|
||||
identity_proofs: دلائل الهوية
|
||||
import: استيراد
|
||||
import_and_export: استيراد وتصدير
|
||||
migrate: تهجير الحساب
|
||||
notifications: الإخطارات
|
||||
preferences: التفضيلات
|
||||
profile: الملف الشخصي
|
||||
relationships: المتابِعون والمتابَعون
|
||||
two_factor_authentication: المُصادقة بخُطوَتَيْن
|
||||
statuses:
|
||||
attached:
|
||||
description: 'مُرفَق : %{attached}'
|
||||
description: 'مُرفَق: %{attached}'
|
||||
image:
|
||||
few: "%{count} صور"
|
||||
many: "%{count} صور"
|
||||
one: صورة %{count}
|
||||
other: "%{count} صور"
|
||||
two: صور
|
||||
zero: صور
|
||||
two: "%{count} صورة"
|
||||
zero: "%{count} صورة"
|
||||
video:
|
||||
few: "%{count} فيديوهات"
|
||||
many: "%{count} فيديوهات"
|
||||
one: فيديو %{count}
|
||||
other: "%{count} فيديوهات"
|
||||
two: فيديوهات
|
||||
zero: فيديوهات
|
||||
two: "%{count} فيديوهات"
|
||||
zero: "%{count} فيديوهات"
|
||||
boosted_from_html: تم إعادة ترقيته مِن %{acct_link}
|
||||
content_warning: 'تحذير عن المحتوى : %{warning}'
|
||||
content_warning: 'تحذير عن المحتوى: %{warning}'
|
||||
disallowed_hashtags:
|
||||
few: 'يحتوي على وسوم غير مسموح بها: %{tags}'
|
||||
many: 'يحتوي على وسوم غير مسموح بها: %{tags}'
|
||||
@ -840,18 +910,20 @@ ar:
|
||||
two: 'يحتوي على وسوم غير مسموح بها: %{tags}'
|
||||
zero: 'يحتوي على وسوم غير مسموح بها: %{tags}'
|
||||
language_detection: اكتشاف اللغة تلقائيا
|
||||
open_in_web: إفتح في الويب
|
||||
open_in_web: افتح في الويب
|
||||
over_character_limit: تم تجاوز حد الـ %{max} حرف المسموح بها
|
||||
pin_errors:
|
||||
limit: لقد بلغت الحد الأقصى للتبويقات المدبسة
|
||||
ownership: لا يمكن تدبيس تبويق نشره شخص آخر
|
||||
private: لا يمكن تدبيس تبويق لم يُنشر للعامة
|
||||
reblog: لا يمكن تثبيت ترقية
|
||||
poll:
|
||||
vote: صوّت
|
||||
show_more: أظهر المزيد
|
||||
sign_in_to_participate: قم بتسجيل الدخول للمشاركة في هذه المحادثة
|
||||
title: '%{name} : "%{quote}"'
|
||||
title: '%{name}: "%{quote}"'
|
||||
visibilities:
|
||||
private: إعرض فقط لمتتبعيك
|
||||
private: اعرض فقط لمتتبعيك
|
||||
private_long: إعرضه لمتتبعيك فقط
|
||||
public: للعامة
|
||||
public_long: يمكن للجميع رؤيته
|
||||
@ -864,13 +936,9 @@ ar:
|
||||
terms:
|
||||
title: شروط الخدمة وسياسة الخصوصية على %{instance}
|
||||
themes:
|
||||
contrast: تباين عالٍ
|
||||
default: ماستدون
|
||||
contrast: ماستدون (تباين عالٍ)
|
||||
default: ماستدون (داكن)
|
||||
mastodon-light: ماستدون (فاتح)
|
||||
time:
|
||||
formats:
|
||||
default: "%b %d, %Y, %H:%M"
|
||||
month: "%b %Y"
|
||||
two_factor_authentication:
|
||||
code_hint: قم بإدخال الرمز المُوَلّد عبر تطبيق المصادقة للتأكيد
|
||||
description_html: في حال تفعيل <strong>المصادقة بخطوتين </strong>، فتسجيل الدخول يتطلب منك أن يكون بحوزتك هاتفك النقال قصد توليد الرمز الذي سيتم إدخاله.
|
||||
@ -878,17 +946,17 @@ ar:
|
||||
enable: تفعيل
|
||||
enabled: نظام المصادقة بخطوتين مُفعَّل
|
||||
enabled_success: تم تفعيل المصادقة بخطوتين بنجاح
|
||||
generate_recovery_codes: توليد رموز الإسترجاع
|
||||
generate_recovery_codes: توليد رموز الاسترجاع
|
||||
instructions_html: "<strong>قم بمسح رمز الكيو آر عبر Google Authenticator أو أي تطبيق TOTP على جهازك</strong>. من الآن فصاعدا سوف يقوم ذاك التطبيق بتوليد رموز يجب عليك إدخالها عند تسجيل الدخول."
|
||||
lost_recovery_codes: تُمكّنك رموز الإسترجاع الإحتاطية مِن استرجاع النفاذ إلى حسابك في حالة فقدان جهازك المحمول. إن ضاعت منك هذه الرموز فبإمكانك إعادة توليدها مِن هنا و إبطال الرموز القديمة.
|
||||
manual_instructions: 'في حالة تعذّر مسح رمز الكيو آر أو طُلب منك إدخال يدوي، يُمْكِنك إدخال هذا النص السري على التطبيق :'
|
||||
recovery_codes: النسخ الإحتياطي لرموز الإسترجاع
|
||||
recovery_codes_regenerated: تم إعادة توليد رموز الإسترجاع الإحتياطية بنجاح
|
||||
lost_recovery_codes: تُمكّنك رموز الاسترجاع الاحتياطية مِن استرجاع النفاذ إلى حسابك في حالة فقدان جهازك المحمول. إن ضاعت منك هذه الرموز فبإمكانك إعادة توليدها مِن هنا و إبطال الرموز القديمة.
|
||||
manual_instructions: 'في حالة تعذّر مسح رمز الكيو آر أو طُلب منك إدخال يدوي، يُمْكِنك إدخال هذا النص السري على التطبيق:'
|
||||
recovery_codes: النسخ الاحتياطي لرموز الاسترجاع
|
||||
recovery_codes_regenerated: تم إعادة توليد رموز الاسترجاع الاحتياطية بنجاح
|
||||
setup: تنشيط
|
||||
wrong_code: الرمز الذي أدخلته غير صالح ! تحقق من صحة الوقت على الخادم و الجهاز ؟
|
||||
wrong_code: الرمز الذي أدخلته غير صالح! تحقق من صحة الوقت على الخادم و الجهاز؟
|
||||
user_mailer:
|
||||
backup_ready:
|
||||
explanation: لقد قمت بطلب نسخة كاملة لحسابك على ماستدون. إنها متوفرة الآن للتنزيل !
|
||||
explanation: لقد قمت بطلب نسخة كاملة لحسابك على ماستدون. إنها متوفرة الآن للتنزيل!
|
||||
subject: نسخة بيانات حسابك جاهزة للتنزيل
|
||||
title: المغادرة بأرشيف الحساب
|
||||
warning:
|
||||
@ -903,27 +971,27 @@ ar:
|
||||
suspend: الحساب مُعلَّق
|
||||
welcome:
|
||||
edit_profile_action: تهيئة الملف الشخصي
|
||||
edit_profile_step: يُمكنك·كي تخصيص ملفك الشخصي عن طريق تحميل صورة رمزية ورأسية و بتعديل إسمك·كي العلني وأكثر. و إن أردت·تي معاينة المتابِعين و المتابعات الجُدد قبيل السماح لهم·ن بمتابَعتك فيمكنك·كي تأمين حسابك·كي.
|
||||
explanation: ها هي بعض النصائح قبل بداية الإستخدام
|
||||
edit_profile_step: يُمكنك·كي تخصيص ملفك الشخصي عن طريق تحميل صورة رمزية ورأسية و بتعديل اسمك·كي العلني وأكثر. و إن أردت·تي معاينة المتابِعين و المتابعات الجُدد قبيل السماح لهم·ن بمتابَعتك فيمكنك·كي تأمين حسابك·كي.
|
||||
explanation: ها هي بعض النصائح قبل بداية الاستخدام
|
||||
final_action: اشرَع في النشر
|
||||
final_step: |-
|
||||
يمكنك الشروع في النشر في الحين ! حتى و إن لم كنت لا تمتلك متابِعين بعدُ، يمكن للآخرين الإطلاع على منشوراتك الموجهة للجمهور على الخيط المحلي أو إن قمت باستخدام وسوم.
|
||||
إبدأ بتقديم نفسك باستعمال وسم #introductions.
|
||||
يمكنك الشروع في النشر في الحين! حتى و إن لم كنت لا تمتلك متابِعين بعدُ، يمكن للآخرين الإطلاع على منشوراتك الموجهة للجمهور على الخيط العام المحلي أو إن قمت باستخدام وسوم.
|
||||
ابدأ بتقديم نفسك باستعمال وسم #introductions.
|
||||
full_handle: عنوانك الكامل
|
||||
full_handle_hint: هذا هو ما يجب تقديمه لأصدقائك قصد أن يكون بإمكانهم متابَعتك أو مُراسَلتك حتى و إن كانت حساباتهم على خوادم أخرى.
|
||||
review_preferences_action: تعديل التفضيلات
|
||||
subject: أهلًا بك على ماستدون
|
||||
tip_federated_timeline: الخيط الزمني الفديرالي هو بمثابة شبه نظرة شاملة على شبكة ماستدون. غير أنه لا يشمل إلا على الأشخاص المتابَعين مِن طرف جيرانك و جاراتك، لذا فهذا الخيط لا يعكس كافة الشبكة برُمّتها.
|
||||
tip_following: أنت تتبع تلقائيا مديري و مديرات الخادم. للعثور على أشخاص مميزين أو قد تهمك حساباتهم بإمكانك الإطلاع على الخيوط المحلية و كذا الفدرالية.
|
||||
tip_local_timeline: الخيط الزمني المحلي هو بمثابة نظرة سريعة على الأشخاص المتواجدين على %{instance} يمكن اعتبارهم كجيرانك وجاراتك الأقرب إليك!
|
||||
tip_following: أنت تتبع تلقائيا مديري و مديرات الخادم. للعثور على أشخاص مميزين أو قد تهمك حساباتهم بإمكانك الإطلاع على الخيوط العامة المحلية و كذا الفدرالية.
|
||||
tip_local_timeline: الخيط العام المحلي هو بمثابة نظرة سريعة على الأشخاص المتواجدين على %{instance} يمكن اعتبارهم كجيرانك وجاراتك الأقرب إليك!
|
||||
tips: نصائح
|
||||
title: أهلاً بك، %{name} !
|
||||
title: أهلاً بك، %{name}!
|
||||
users:
|
||||
follow_limit_reached: لا يمكنك متابعة أكثر مِن %{limit} أشخاص
|
||||
invalid_email: عنوان البريد الإلكتروني غير صالح
|
||||
invalid_otp_token: رمز المصادقة بخطوتين غير صالح
|
||||
otp_lost_help_html: إن فقدتَهُما ، يمكنك الإتصال بـ %{email}
|
||||
otp_lost_help_html: إن فقدتَهُما ، يمكنك الاتصال بـ %{email}
|
||||
seamless_external_login: لقد قمت بتسجيل الدخول عبر خدمة خارجية، إنّ إعدادات الكلمة السرية و البريد الإلكتروني غير متوفرة.
|
||||
signed_in_as: 'تم تسجيل دخولك بصفة :'
|
||||
signed_in_as: 'تم تسجيل دخولك بصفة:'
|
||||
verification:
|
||||
verification: التحقق
|
||||
|
@ -4,7 +4,6 @@ ast:
|
||||
about_mastodon_html: Mastodon ye una rede social basada en protocolos abiertos y software de códigu llibre. Ye descentralizada, como'l corréu electrónicu.
|
||||
about_this: Tocante a
|
||||
administered_by: 'Alministráu por:'
|
||||
api: API
|
||||
contact: Contautu
|
||||
contact_missing: Nun s'afitó
|
||||
contact_unavailable: N/D
|
||||
@ -15,7 +14,6 @@ ast:
|
||||
hosted_on: Mastodon ta agospiáu en %{domain}
|
||||
learn_more: Deprendi más
|
||||
source_code: Códigu fonte
|
||||
status_count_after: estaos
|
||||
status_count_before: Que crearon
|
||||
terms: Términos del serviciu
|
||||
user_count_after:
|
||||
@ -33,10 +31,6 @@ ast:
|
||||
nothing_here: "¡Equí nun hai nada!"
|
||||
people_followed_by: Persones a les que sigue %{name}
|
||||
people_who_follow: Persones que siguen a %{name}
|
||||
posts:
|
||||
one: Toot
|
||||
other: Toots
|
||||
posts_tab_heading: Toots
|
||||
posts_with_replies: Toots y rempuestes
|
||||
reserved_username: El nome d'usuariu ta acutáu
|
||||
roles:
|
||||
@ -44,12 +38,10 @@ ast:
|
||||
admin:
|
||||
accounts:
|
||||
are_you_sure: "¿De xuru?"
|
||||
avatar: Avatar
|
||||
by_domain: Dominiu
|
||||
domain: Dominiu
|
||||
email: Corréu
|
||||
followers: Siguidores
|
||||
ip: IP
|
||||
location:
|
||||
local: Llocal
|
||||
title: Allugamientu
|
||||
@ -64,7 +56,6 @@ ast:
|
||||
statuses: Estaos
|
||||
title: Cuentes
|
||||
username: Nome d'usuariu
|
||||
web: Web
|
||||
action_logs:
|
||||
actions:
|
||||
create_domain_block: "%{name} bloquió'l dominiu %{target}"
|
||||
@ -81,7 +72,6 @@ ast:
|
||||
features: Carauterístiques
|
||||
hidden_service: Federación con servicios anubríos
|
||||
recent_users: Usuarios recientes
|
||||
software: Software
|
||||
total_users: usuarios en total
|
||||
week_interactions: interaiciones d'esta selmana
|
||||
week_users_new: usuarios d'esta selmana
|
||||
@ -111,14 +101,10 @@ ast:
|
||||
title: Axustes del sitiu
|
||||
statuses:
|
||||
failed_to_execute: Fallu al executar
|
||||
subscriptions:
|
||||
title: WebSub
|
||||
title: Alministración
|
||||
admin_mailer:
|
||||
new_report:
|
||||
body_remote: Daquién dende %{domain} informó de %{target}
|
||||
application_mailer:
|
||||
salutation: "%{name},"
|
||||
applications:
|
||||
invalid_url: La URL apurrida nun ye válida
|
||||
warning: Ten curiáu con estos datos, ¡enxamás nun los compartas con naide!
|
||||
@ -130,9 +116,6 @@ ast:
|
||||
login: Aniciar sesión
|
||||
migrate_account: Mudase a otra cuenta
|
||||
migrate_account_html: Si deseyes redirixir esta cuenta a otra, pues <a href="%{path}"> configuralo equí</a>.
|
||||
providers:
|
||||
cas: CAS
|
||||
saml: SAML
|
||||
register: Rexistrase
|
||||
security: Seguranza
|
||||
authorize_follow:
|
||||
@ -162,6 +145,7 @@ ast:
|
||||
content: Falló la verificación de seguranza. ¿Tas bloquiando les cookies?
|
||||
title: Falló la verificación de seguranza
|
||||
'429': Ficiéronse milenta solicitúes
|
||||
'500':
|
||||
exports:
|
||||
archive_takeout:
|
||||
date: Data
|
||||
@ -169,7 +153,6 @@ ast:
|
||||
request: Solicitar l'archivu
|
||||
size: Tamañu
|
||||
blocks: Xente que bloquiesti
|
||||
csv: CSV
|
||||
follows: Xente que sigues
|
||||
mutes: Xente que silenciesti
|
||||
filters:
|
||||
@ -223,8 +206,6 @@ ast:
|
||||
digest:
|
||||
body: Equí hai un resume de los mensaxes que nun viesti dende la última visita'l %{since}
|
||||
mention: "%{name} mentóte en:"
|
||||
subject:
|
||||
other: "%{count} avisos nuevos dende la última visita \U0001F418"
|
||||
follow:
|
||||
body: "¡Agora %{name} ta siguiéndote!"
|
||||
title: Siguidor nuevu
|
||||
@ -239,16 +220,8 @@ ast:
|
||||
body: "%{name} compartió'l to estáu:"
|
||||
subject: "%{name} compartió'l to estáu"
|
||||
title: Compartición nueva de toot
|
||||
number:
|
||||
human:
|
||||
decimal_units:
|
||||
format: "%n%u"
|
||||
pagination:
|
||||
next: Siguiente
|
||||
preferences:
|
||||
languages: Llingües
|
||||
publishing: Espublización
|
||||
web: Web
|
||||
remote_follow:
|
||||
acct: Introduz el nome_usuariu@dominiu dende'l que lo quies facer
|
||||
no_account_html: "¿Nun tienes una cuenta? Pues <a href='%{sign_up_path}' target='_blank'>rexistrate equí</a>"
|
||||
@ -259,38 +232,11 @@ ast:
|
||||
sessions:
|
||||
browser: Restolador
|
||||
browsers:
|
||||
alipay: Alipay
|
||||
blackberry: Blackberry
|
||||
chrome: Chrome
|
||||
edge: Microsoft Edge
|
||||
electron: Electron
|
||||
firefox: Firefox
|
||||
generic: Restolador desconocíu
|
||||
ie: Internet Explorer
|
||||
micro_messenger: MicroMessenger
|
||||
opera: Opera
|
||||
otter: Otter
|
||||
phantom_js: PhantomJS
|
||||
qq: QQ Browser
|
||||
safari: Safari
|
||||
uc_browser: UCBrowser
|
||||
weibo: Weibo
|
||||
current_session: Sesión actual
|
||||
description: "%{browser} en %{platform}"
|
||||
ip: IP
|
||||
platforms:
|
||||
adobe_air: Adobe Air
|
||||
android: Android
|
||||
blackberry: Blackberry
|
||||
chrome_os: ChromeOS
|
||||
firefox_os: Firefox OS
|
||||
ios: iOS
|
||||
linux: Linux
|
||||
mac: Mac
|
||||
other: plataforma desconocida
|
||||
windows: Windows
|
||||
windows_mobile: Windows Mobile
|
||||
windows_phone: Windows Phone
|
||||
title: Sesiones
|
||||
settings:
|
||||
authorized_apps: Aplicaciones autorizaes
|
||||
|
@ -5,18 +5,14 @@ bg:
|
||||
about_this: За тази инстанция
|
||||
contact: За контакти
|
||||
source_code: Програмен код
|
||||
status_count_after: публикации
|
||||
status_count_before: Написали
|
||||
user_count_after: потребители
|
||||
user_count_before: Дом на
|
||||
accounts:
|
||||
follow: Последвай
|
||||
followers: Последователи
|
||||
following: Следва
|
||||
nothing_here: Тук няма никого!
|
||||
people_followed_by: Хора, които %{name} следва
|
||||
people_who_follow: Хора, които следват %{name}
|
||||
posts: Публикации
|
||||
unfollow: Не следвай
|
||||
application_mailer:
|
||||
settings: 'Промяна на предпочитанията за e-mail: %{link}'
|
||||
@ -51,15 +47,20 @@ bg:
|
||||
x_minutes: "%{count} мин"
|
||||
x_months: "%{count} м"
|
||||
x_seconds: "%{count} сек"
|
||||
errors:
|
||||
'403': You don't have permission to view this page.
|
||||
'404': The page you are looking for isn't here.
|
||||
'410': The page you were looking for doesn't exist here anymore.
|
||||
'422':
|
||||
'429': Throttled
|
||||
'500':
|
||||
exports:
|
||||
blocks: Вашите блокирания
|
||||
csv: CSV
|
||||
follows: Вашите следвания
|
||||
storage: Съхранение на мултимедия
|
||||
generic:
|
||||
changes_saved_msg: Успешно запазване на промените!
|
||||
save_changes: Запази промените
|
||||
validation_errors: Нещо все още не е наред! Моля, прегледай грешките по-долу
|
||||
imports:
|
||||
preface: Можеш да импортираш някои данни, като например всички хора, които следваш или блокираш в акаунта си на тази инстанция, от файлове, създадени чрез експорт в друга инстанция.
|
||||
success: Твоите данни бяха успешно качени и ще бъдат обработени впоследствие
|
||||
@ -67,6 +68,14 @@ bg:
|
||||
blocking: Списък на блокираните
|
||||
following: Списък на последователите
|
||||
upload: Качване
|
||||
invites:
|
||||
expires_in:
|
||||
'1800': 30 minutes
|
||||
'21600': 6 hours
|
||||
'3600': 1 hour
|
||||
'43200': 12 hours
|
||||
'604800': 1 week
|
||||
'86400': 1 day
|
||||
media_attachments:
|
||||
validations:
|
||||
images_and_video: Не мога да прикача видеоклип към публикация, която вече съдържа изображения
|
||||
@ -96,17 +105,6 @@ bg:
|
||||
reblog:
|
||||
body: 'Твоята публикация беше споделена от %{name}:'
|
||||
subject: "%{name} сподели публикацията ти"
|
||||
number:
|
||||
human:
|
||||
decimal_units:
|
||||
format: "%n%u"
|
||||
units:
|
||||
billion: B
|
||||
million: M
|
||||
quadrillion: Q
|
||||
thousand: K
|
||||
trillion: T
|
||||
unit: ''
|
||||
pagination:
|
||||
next: Напред
|
||||
prev: Назад
|
||||
|
@ -68,6 +68,7 @@ bn:
|
||||
admin: পরিচালক
|
||||
bot: রোবট
|
||||
moderator: পরিচালক
|
||||
unavailable: প্রোফাইল অনুপলব্ধ
|
||||
unfollow: অনুসরণ বাদ
|
||||
admin:
|
||||
account_actions:
|
||||
@ -80,6 +81,7 @@ bn:
|
||||
destroyed_msg: প্রশাসনবস্তুত লেখাটি সঠিকভাবে মুছে ফেলা হয়েছে!
|
||||
accounts:
|
||||
approve: অনুমোদন দিন
|
||||
approve_all: প্রত্যেক কে অনুমতি দিন
|
||||
are_you_sure: আপনি কি নিশ্চিত ?
|
||||
avatar: অবতার
|
||||
by_domain: ওয়েবসাইট/কার্যক্ষেত্র
|
||||
@ -137,5 +139,20 @@ bn:
|
||||
outbox_url: চিঠি পাঠানোর বাক্স লিংক
|
||||
pending: পয্র্যবেক্ষণের অপেক্ষায় আছে
|
||||
perform_full_suspension: বাতিল করা
|
||||
errors:
|
||||
'403': You don't have permission to view this page.
|
||||
'404': The page you are looking for isn't here.
|
||||
'410': The page you were looking for doesn't exist here anymore.
|
||||
'422':
|
||||
'429': Throttled
|
||||
'500':
|
||||
invites:
|
||||
expires_in:
|
||||
'1800': 30 minutes
|
||||
'21600': 6 hours
|
||||
'3600': 1 hour
|
||||
'43200': 12 hours
|
||||
'604800': 1 week
|
||||
'86400': 1 day
|
||||
verification:
|
||||
verification: সত্যতা নির্ধারণ
|
||||
|
@ -8,7 +8,7 @@ ca:
|
||||
active_footnote: Usuaris actius mensuals (UAM)
|
||||
administered_by: 'Administrat per:'
|
||||
api: API
|
||||
apps: Apps mòbil
|
||||
apps: Apps mòbils
|
||||
apps_platforms: Utilitza Mastodon des de iOS, Android i altres plataformes
|
||||
browse_directory: Navega per el directori de perfils i filtra segons interessos
|
||||
browse_public_posts: Navega per una transmissió en directe de publicacions públiques a Mastodon
|
||||
@ -30,8 +30,8 @@ ca:
|
||||
server_stats: 'Estadístiques del servidor:'
|
||||
source_code: Codi font
|
||||
status_count_after:
|
||||
one: estat
|
||||
other: estats
|
||||
one: toot
|
||||
other: toots
|
||||
status_count_before: Que han escrit
|
||||
tagline: Segueix els teus amics i descobreix-ne de nous
|
||||
terms: Termes del servei
|
||||
@ -174,6 +174,7 @@ ca:
|
||||
statuses: Estats
|
||||
subscribe: Subscriu
|
||||
suspended: Suspès
|
||||
time_in_queue: Esperant en la cua %{time}
|
||||
title: Comptes
|
||||
unconfirmed_email: Correu electrònic sense confirmar
|
||||
undo_silenced: Deixa de silenciar
|
||||
@ -209,7 +210,7 @@ ca:
|
||||
resolve_report: "%{name} ha resolt l'informe %{target}"
|
||||
silence_account: "%{name} ha silenciat el compte de %{target}"
|
||||
suspend_account: "%{name} ha suspès el compte de %{target}"
|
||||
unassigned_report: "%{name} ha des-assignat l'informe %{target}"
|
||||
unassigned_report: "%{name} ha des-assignat l'informe %{target}"
|
||||
unsilence_account: "%{name} ha silenciat el compte de %{target}"
|
||||
unsuspend_account: "%{name} ha llevat la suspensió del compte de %{target}"
|
||||
update_custom_emoji: "%{name} ha actualitzat l'emoji %{target}"
|
||||
@ -269,6 +270,7 @@ ca:
|
||||
created_msg: El bloqueig de domini ara s'està processant
|
||||
destroyed_msg: El bloqueig de domini s'ha desfet
|
||||
domain: Domini
|
||||
existing_domain_block_html: Ja has imposat uns limits més estrictes a %{name}, l'hauries de <a href="%{unblock_url}">desbloquejar-lo</a> primer.
|
||||
new:
|
||||
create: Crea un bloqueig
|
||||
hint: El bloqueig de domini no impedirà la creació de nous comptes en la base de dades, però s'aplicaran de manera retroactiva mètodes de moderació específics sobre aquests comptes.
|
||||
@ -497,6 +499,12 @@ ca:
|
||||
body: "%{reporter} ha informat de %{target}"
|
||||
body_remote: Algú des de el domini %{domain} ha informat sobre %{target}
|
||||
subject: Informe nou per a %{instance} (#%{id})
|
||||
appearance:
|
||||
advanced_web_interface: Interfície web avançada
|
||||
advanced_web_interface_hint: 'Si vols fer ús de tota l''amplada de la teva pantalla, l''interfície web avançada et permet configurar diverses columnes per a veure molta més informació al mateix temps: Inici, notificacions, línia de temps federada i qualsevol número de llistes i etiquetes.'
|
||||
animations_and_accessibility: Animacions i accessibilitat
|
||||
confirmation_dialogs: Diàlegs de confirmació
|
||||
sensitive_content: Contingut sensible
|
||||
application_mailer:
|
||||
notification_preferences: Canvia les preferències de correu
|
||||
salutation: "%{name},"
|
||||
@ -525,7 +533,7 @@ ca:
|
||||
login: Inicia sessió
|
||||
logout: Tanca sessió
|
||||
migrate_account: Mou a un compte diferent
|
||||
migrate_account_html: Si vols redirigir aquest compte a un altre diferent, el pots <a href="%{path}">configurar aquí</a>.
|
||||
migrate_account_html: Si vols redirigir aquest compte a un altre diferent, el pots <a href="%{path}">configurar aquí</a>.
|
||||
or_log_in_with: O inicia sessió amb
|
||||
providers:
|
||||
cas: CAS
|
||||
@ -555,7 +563,7 @@ ca:
|
||||
about_x_years: "%{count} anys"
|
||||
almost_x_years: "%{count}anys"
|
||||
half_a_minute: Ara mateix
|
||||
less_than_x_minutes: "%{count}m"
|
||||
less_than_x_minutes: fa %{count} minuts
|
||||
less_than_x_seconds: Ara mateix
|
||||
over_x_years: "%{count} anys"
|
||||
x_days: "%{count} dies"
|
||||
@ -655,7 +663,7 @@ ca:
|
||||
invalid_token: Els tokens de Keybase són hashs de signatures i han de tenir 66 caràcters hexadecimals
|
||||
verification_failed: Keybase no reconeix aquest token com a signatura del usuari de Keybase %{kb_username}. Si us plau prova des de Keybase.
|
||||
wrong_user: No es pot crear una prova per a %{proving} mentre es connectava com a %{current}. Inicia sessió com a %{proving} i prova de nou.
|
||||
explanation_html: Aquí pots connectar criptogràficament les teves altres identitats com ara el teu perfil de Keybase. Això permet que altres persones t'envïin missatges xifrats i continguts de confiança que els hi enviess.
|
||||
explanation_html: Aquí pots connectar criptogràficament les teves altres identitats com ara el teu perfil de Keybase. Això permet que altres persones t'envïin missatges xifrats i confiar en el contingut que els hi envies.
|
||||
i_am_html: Sóc %{username} a %{service}.
|
||||
identity: Identitat
|
||||
inactive: Inactiu
|
||||
@ -675,7 +683,7 @@ ca:
|
||||
blocking: Llista de blocats
|
||||
domain_blocking: Llistat de dominis bloquejats
|
||||
following: Llista de seguits
|
||||
muting: Llista d'apagats
|
||||
muting: Llista de silenciats
|
||||
upload: Carregar
|
||||
in_memoriam_html: En Memòria.
|
||||
invites:
|
||||
@ -758,7 +766,6 @@ ca:
|
||||
quadrillion: Q
|
||||
thousand: m
|
||||
trillion: T
|
||||
unit: " "
|
||||
pagination:
|
||||
newer: Més recent
|
||||
next: Endavant
|
||||
@ -768,7 +775,7 @@ ca:
|
||||
polls:
|
||||
errors:
|
||||
already_voted: Ja has votat en aquesta enquesta
|
||||
duplicate_options: Conté opcions duplicades
|
||||
duplicate_options: conté opcions duplicades
|
||||
duration_too_long: està massa lluny en el futur
|
||||
duration_too_short: és massa aviat
|
||||
expired: L'enquesta ja ha finalitzat
|
||||
@ -776,10 +783,9 @@ ca:
|
||||
too_few_options: ha de tenir més d'una opció
|
||||
too_many_options: no pot contenir més de %{max} opcions
|
||||
preferences:
|
||||
languages: Llengues
|
||||
other: Altre
|
||||
publishing: Publicació
|
||||
web: Web
|
||||
posting_defaults: Valors predeterminats de publicació
|
||||
public_timelines: Línies de temps públiques
|
||||
relationships:
|
||||
activity: Activitat del compte
|
||||
dormant: Inactiu
|
||||
@ -922,14 +928,14 @@ ca:
|
||||
sensitive_content: Contingut sensible
|
||||
terms:
|
||||
body_html: |
|
||||
<h2>Privacy Policy</h2>
|
||||
<h2>Política de Privacitat</h2>
|
||||
<h3 id="collect">Quina informació recollim?</h3>
|
||||
|
||||
<ul>
|
||||
<li><em>Informació bàsica del compte</em>: Si et registres en aquest servidor, se´t pot demanar que introdueixis un nom d'usuari, una adreça de correu electrònic i una contrasenya. També pots introduir informació de perfil addicional, com ara un nom de visualització i una biografia, i carregar una imatge de perfil i de capçalera. El nom d'usuari, el nom de visualització, la biografia, la imatge de perfil i la imatge de capçalera sempre apareixen públicament.</li>
|
||||
<li><em>Publicacions, seguiment i altra informació pública</em>: La llista de persones que segueixes s'enumeren públicament i el mateix passa amb els teus seguidors. Quan envies un missatge, la data i l'hora s'emmagatzemen, així com l'aplicació que va enviar el missatge. Els missatges poden contenir multimèdia, com ara imatges i vídeos. Els toots públics i no llistats estan disponibles públicament. En quan tinguis un toot en el teu perfil, aquest també és informació pública. Les teves entrades es lliuren als teus seguidors que en alguns casos significa que es lliuren a diferents servidors en els quals s'hi emmagatzemen còpies. Quan suprimeixes publicacions, també es lliuraran als teus seguidors. L'acció d'impulsar o marcar com a favorit una publicació sempre és pública.</li>
|
||||
<li><em>Toots directes i per a només seguidors</em>: Totes les publicacions s'emmagatzemen i processen al servidor. Els toots per a només seguidors només es lliuren als teus seguidors i als usuaris que s'esmenten en ells i els toots directes només es lliuren als usuaris esmentats. En alguns casos, significa que es lliuren a diferents servidors i s'hi emmagatzemen còpies. Fem un esforç de bona fe per limitar l'accés a aquestes publicacions només a les persones autoritzades, però és possible que altres servidors no ho facin. Per tant, és important revisar els servidors als quals pertanyen els teus seguidors. Pots canviar la opció de aprovar o rebutjar els nous seguidors manualment a la configuració. <em>Tingues en compte que els operadors del servidor i qualsevol servidor receptor poden visualitzar aquests missatges</em> i els destinataris poden fer una captura de pantalla, copiar-los o tornar-los a compartir. <em>No comparteixis cap informació perillosa a Mastodon.</em></li>
|
||||
<li><em>IPs i altres metadades</em>: Quan inicies sessió registrem l'adreça IP en que l'has iniciat, així com el nom de l'aplicació o navegador. Totes les sessions registrades estan disponibles per a la teva revisió i revocació a la configuració. L'última adreça IP utilitzada s'emmagatzema durant un màxim de 12 mesos. També podrem conservar els registres que inclouen l'adreça IP de cada sol·licitud al nostre servidor.</li>
|
||||
<li><em>Informació bàsica del compte</em>: Si et registres en aquest servidor, se´t pot demanar que introdueixis un nom d'usuari, una adreça de correu electrònic i una contrasenya. També pots introduir informació de perfil addicional, com ara un nom de visualització i una biografia, i carregar una imatge de perfil i de capçalera. El nom d'usuari, el nom de visualització, la biografia, la imatge de perfil i la imatge de capçalera sempre apareixen públicament.</li>
|
||||
<li><em>Publicacions, seguiment i altra informació pública</em>: La llista de persones que segueixes s'enumeren públicament i el mateix passa amb els teus seguidors. Quan envies un missatge, la data i l'hora s'emmagatzemen, així com l'aplicació que va enviar el missatge. Els missatges poden contenir multimèdia, com ara imatges i vídeos. Els toots públics i no llistats estan disponibles públicament. En quan tinguis un toot en el teu perfil, aquest també és informació pública. Les teves entrades es lliuren als teus seguidors que en alguns casos significa que es lliuren a diferents servidors en els quals s'hi emmagatzemen còpies. Quan suprimeixes publicacions, també es lliuraran als teus seguidors. L'acció d'impulsar o marcar com a favorit una publicació sempre és pública.</li>
|
||||
<li><em>Toots directes i per a només seguidors</em>: Totes les publicacions s'emmagatzemen i processen al servidor. Els toots per a només seguidors només es lliuren als teus seguidors i als usuaris que s'esmenten en ells i els toots directes només es lliuren als usuaris esmentats. En alguns casos, significa que es lliuren a diferents servidors i s'hi emmagatzemen còpies. Fem un esforç de bona fe per limitar l'accés a aquestes publicacions només a les persones autoritzades, però és possible que altres servidors no ho facin. Per tant, és important revisar els servidors als quals pertanyen els teus seguidors. Pots canviar la opció de aprovar o rebutjar els nous seguidors manualment a la configuració. <em>Tingues en compte que els operadors del servidor i qualsevol servidor receptor poden visualitzar aquests missatges</em> i els destinataris poden fer una captura de pantalla, copiar-los o tornar-los a compartir. <em>No comparteixis cap informació perillosa a Mastodon.</em></li>
|
||||
<li><em>IPs i altres metadades</em>: Quan inicies sessió registrem l'adreça IP en que l'has iniciat, així com el nom de l'aplicació o navegador. Totes les sessions registrades estan disponibles per a la teva revisió i revocació a la configuració. L'última adreça IP utilitzada s'emmagatzema durant un màxim de 12 mesos. També podrem conservar els registres que inclouen l'adreça IP de cada sol·licitud al nostre servidor.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -939,9 +945,9 @@ ca:
|
||||
<p>Qualsevol de la informació que recopilem de tu es pot utilitzar de la manera següent:</p>
|
||||
|
||||
<ul>
|
||||
<li>Per proporcionar la funcionalitat bàsica de Mastodon. Només pots interactuar amb el contingut d'altres persones i publicar el teu propi contingut quan hàgis iniciat la sessió. Per exemple, pots seguir altres persones per veure les publicacions combinades a la teva pròpia línia de temps personalitzada.</li>
|
||||
<li>Per ajudar a la moderació de la comunitat, per exemple comparar la teva adreça IP amb altres conegudes per determinar l'evasió de prohibicions o altres infraccions.</li>
|
||||
<li>L'adreça electrònica que ens proporciones pot utilitzar-se per enviar-te informació, notificacions sobre altres persones que interactuen amb el teu contingut o t'envien missatges, i per respondre a les consultes i / o altres sol·licituds o preguntes.</li>
|
||||
<li>Per proporcionar la funcionalitat bàsica de Mastodon. Només pots interactuar amb el contingut d'altres persones i publicar el teu propi contingut quan hàgis iniciat la sessió. Per exemple, pots seguir altres persones per veure les publicacions combinades a la teva pròpia línia de temps personalitzada.</li>
|
||||
<li>Per ajudar a la moderació de la comunitat, per exemple comparar la teva adreça IP amb altres conegudes per determinar l'evasió de prohibicions o altres infraccions.</li>
|
||||
<li>L'adreça electrònica que ens proporciones pot utilitzar-se per enviar-te informació, notificacions sobre altres persones que interactuen amb el teu contingut o t'envien missatges, i per respondre a les consultes i / o altres sol·licituds o preguntes.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -957,8 +963,8 @@ ca:
|
||||
<p>Farem un esforç de bona fe per:</p>
|
||||
|
||||
<ul>
|
||||
<li>Conservar els registres del servidor que continguin l'adreça IP de totes les sol·licituds que rebi, tenint em compte que aquests registres es mantenen no més de 90 dies.</li>
|
||||
<li>Conservar les adreces IP associades als usuaris registrats no més de 12 mesos.</li>
|
||||
<li>Conservar els registres del servidor que continguin l'adreça IP de totes les sol·licituds que rebi, tenint em compte que aquests registres es mantenen no més de 90 dies.</li>
|
||||
<li>Conservar les adreces IP associades als usuaris registrats no més de 12 mesos.</li>
|
||||
</ul>
|
||||
|
||||
<p>Pots sol·licitar i descarregar un arxiu del teu contingut incloses les publicacions, els fitxers adjunts multimèdia, la imatge de perfil i la imatge de capçalera.</p>
|
||||
@ -999,7 +1005,7 @@ ca:
|
||||
|
||||
<p>Si decidim canviar la nostra política de privadesa, publicarem aquests canvis en aquesta pàgina.</p>
|
||||
|
||||
<p> Aquest document és CC-BY-SA. Actualitzat per darrera vegada el 7 de Març del 2018.</p>
|
||||
<p>Aquest document és CC-BY-SA. Actualitzat per darrera vegada el 7 de Març del 2018.</p>
|
||||
|
||||
<p>Originalment adaptat des del <a href="https://github.com/discourse/discourse">Discourse privacy policy</a>.</p>
|
||||
title: "%{instance} Condicions del servei i política de privadesa"
|
||||
|
@ -81,7 +81,7 @@ co:
|
||||
destroyed_msg: Nota di muderazione sguassata!
|
||||
accounts:
|
||||
approve: Appruvà
|
||||
approve_all: Appruvà tutti
|
||||
approve_all: Appruvà tuttu
|
||||
are_you_sure: Site sicuru·a?
|
||||
avatar: Ritrattu di prufile
|
||||
by_domain: Duminiu
|
||||
@ -154,7 +154,7 @@ co:
|
||||
already_confirmed: St’utilizatore hè digià cunfirmatu
|
||||
send: Rimandà un’e-mail di cunfirmazione
|
||||
success: L’e-mail di cunfirmazione hè statu mandatu!
|
||||
reset: Reset
|
||||
reset: Riinizializà
|
||||
reset_password: Riinizializà a chjave d’accessu
|
||||
resubscribe: Riabbunassi
|
||||
role: Auturizazione
|
||||
@ -174,6 +174,7 @@ co:
|
||||
statuses: Statuti
|
||||
subscribe: Abbunassi
|
||||
suspended: Suspesu
|
||||
time_in_queue: 'Attesa in fila: %{time}'
|
||||
title: Conti
|
||||
unconfirmed_email: E-mail micca cunfirmatu
|
||||
undo_silenced: Ùn silenzà più
|
||||
@ -258,7 +259,7 @@ co:
|
||||
single_user_mode: Modu utilizatore unicu
|
||||
software: Lugiziale
|
||||
space: Usu di u spaziu
|
||||
title: Dashboard
|
||||
title: Quatru di strumenti
|
||||
total_users: utilizatori in tutale
|
||||
trends: Tindenze
|
||||
week_interactions: interazzione sta settimana
|
||||
@ -293,8 +294,8 @@ co:
|
||||
one: Un contu tuccatu indè a database
|
||||
other: "%{count} conti tuccati indè a database"
|
||||
retroactive:
|
||||
silence: Ùn silenzà più i conti nant’à stu duminiu
|
||||
suspend: Ùn suspende più i conti nant’à stu duminiu
|
||||
silence: Ùn silenzà più i conti affettati di stu duminiu
|
||||
suspend: Ùn suspende più i conti affettati di stu duminiu
|
||||
title: Ùn bluccà più u duminiu %{domain}
|
||||
undo: Annullà
|
||||
undo: Annullà u blucchime di duminiu
|
||||
@ -498,6 +499,12 @@ co:
|
||||
body: "%{reporter} hà palisatu %{target}"
|
||||
body_remote: Qualch’unu da %{domain} hà palisatu %{target}
|
||||
subject: Novu signalamentu nant’à %{instance} (#%{id})
|
||||
appearance:
|
||||
advanced_web_interface: Interfaccia web avanzata
|
||||
advanced_web_interface_hint: 'S''è voi vulete fà usu di a larghezza sana di u vostru screnu, l''interfaccia web avanzata vi permette di cunfigurà parechje culonne sfarente per vede tutta l''infurmazione chì vulete vede in listessu tempu: Accolta, nutificazione, linea pubblica, è tutti l''hashtag è liste chì vulete.'
|
||||
animations_and_accessibility: Animazione è accessibilità
|
||||
confirmation_dialogs: Pop-up di cunfirmazione
|
||||
sensitive_content: Cuntinutu sensibile
|
||||
application_mailer:
|
||||
notification_preferences: Cambià e priferenze e-mail
|
||||
salutation: "%{name},"
|
||||
@ -551,17 +558,17 @@ co:
|
||||
title: Siguità %{acct}
|
||||
datetime:
|
||||
distance_in_words:
|
||||
about_x_hours: "%{count}h"
|
||||
about_x_months: "%{count}mo"
|
||||
about_x_years: "%{count}y"
|
||||
almost_x_years: "%{count}y"
|
||||
about_x_hours: "%{count}o"
|
||||
about_x_months: "%{count}Me"
|
||||
about_x_years: "%{count}A"
|
||||
almost_x_years: "%{count}A"
|
||||
half_a_minute: Avà
|
||||
less_than_x_minutes: "%{count}m"
|
||||
less_than_x_seconds: Avà
|
||||
over_x_years: "%{count}y"
|
||||
x_days: "%{count}d"
|
||||
over_x_years: "%{count}A"
|
||||
x_days: "%{count}ghj"
|
||||
x_minutes: "%{count}m"
|
||||
x_months: "%{count}mo"
|
||||
x_months: "%{count}Me"
|
||||
x_seconds: "%{count}s"
|
||||
deletes:
|
||||
bad_password_msg: È nò! Sta chjave ùn hè curretta
|
||||
@ -759,7 +766,6 @@ co:
|
||||
quadrillion: P
|
||||
thousand: K
|
||||
trillion: T
|
||||
unit: ''
|
||||
pagination:
|
||||
newer: Più ricente
|
||||
next: Dopu
|
||||
@ -777,10 +783,9 @@ co:
|
||||
too_few_options: deve avè più d'un'uzzione
|
||||
too_many_options: ùn pò micca avè più di %{max} uzzione
|
||||
preferences:
|
||||
languages: Lingue
|
||||
other: Altre
|
||||
publishing: Pubblicazione
|
||||
web: Web
|
||||
posting_defaults: Paramettri predefiniti
|
||||
public_timelines: Linee pubbliche
|
||||
relationships:
|
||||
activity: Attività di u contu
|
||||
dormant: Inattivu
|
||||
@ -877,6 +882,7 @@ co:
|
||||
migrate: Migrazione di u contu
|
||||
notifications: Nutificazione
|
||||
preferences: Priferenze
|
||||
profile: Prufile
|
||||
relationships: Abbunamenti è abbunati
|
||||
two_factor_authentication: Identificazione à dui fattori
|
||||
statuses:
|
||||
@ -926,10 +932,10 @@ co:
|
||||
<h3 id="collect">Quelles informations collectons-nous ?</h3>
|
||||
|
||||
<ul>
|
||||
<li><em>Informations de base sur votre compte</em> : Si vous vous inscrivez sur ce serveur, il vous sera demandé de rentrer un identifiant, une adresse électronique et un mot de passe. Vous pourrez également ajouter des informations additionnelles sur votre profil, telles qu’un nom public et une biographie, ainsi que téléverser une image de profil et une image d’en-tête. Vos identifiant, nom public, biographie, image de profil et image d’en-tête seront toujours affichés publiquement.</li>
|
||||
<li><em>Informations de base sur votre compte</em> : Si vous vous inscrivez sur ce serveur, il vous sera demandé de rentrer un identifiant, une adresse électronique et un mot de passe. Vous pourrez également ajouter des informations additionnelles sur votre profil, telles qu’un nom public et une biographie, ainsi que téléverser une image de profil et une image d’en-tête. Vos identifiant, nom public, biographie, image de profil et image d’en-tête seront toujours affichés publiquement.</li>
|
||||
<li><em>Posts, liste d’abonnements et autres informations publiques</em> : La liste de vos abonnements ainsi que la liste de vos abonné·e·s sont publiques. Quand vous postez un message, la date et l’heure d’envoi ainsi que le nom de l’application utilisée pour sa transmission sont enregistré·e·s. Des médias, tels que des images ou des vidéos, peuvent être joints aux messages. Les posts publics et non listés sont affichés publiquement. Quand vous mettez en avant un post sur votre profil, ce post est également affiché publiquement. Vos messages sont délivrés à vos abonné·e·s, ce qui, dans certains cas, signifie qu’ils sont délivrés à des serveurs tiers et que ces derniers en stockent une copie. Quand vous supprimer un post, il est probable que vos abonné·e·s en soient informé·e·s. Partager un message ou le marquer comme favori est toujours une action publique.</li>
|
||||
<li><em>Posts directs et abonné·e·s uniquement</em> : Tous les posts sont stockés et traités par le serveur. Les messages abonné·e·s uniquement ne sont transmis qu’à vos abonné·e·s et aux personnes mentionnées dans le corps du message, tandis que les messages directs ne sont transmis qu’aux personnes mentionnées. Dans certains cas, cela signifie qu’ils sont délivrés à des serveurs tiers et que ces derniers en stockent une copie. Nous faisons un effort de bonne fois pour en limiter l’accès uniquement aux personnes autorisées, mais ce n’est pas nécessairement le cas des autres serveurs. Il est donc très important que vous vérifiiez les serveurs auxquels appartiennent vos abonné·e·s. Il vous est possible d’activer une option dans les paramètres afin d’approuver et de rejeter manuellement les nouveaux·lles abonné·e·s. <em>Gardez s’il-vous-plaît en mémoire que les opérateur·rice·s du serveur ainsi que celles et ceux de n’importe quel serveur récepteur peuvent voir ces messages</em> et qu’il est possible pour les destinataires de faire des captures d’écran, de copier et plus généralement de repartager ces messages. <em>Ne partager aucune information sensible à l’aide de Mastodon.</em></li>
|
||||
<li><em>IP et autres métadonnées</em> : Quand vous vous connectez, nous enregistrons votre adresse IP ainsi que le nom de votre navigateur web. Toutes les sessions enregistrées peuvent être consultées dans les paramètres, afin que vous puissiez les surveiller et éventuellement les révoquer. La dernière adresse IP utilisée est conservée pour une durée de 12 mois. Nous sommes également susceptibles de conserver les journaux du serveur, ce qui inclut l’adresse IP de chaque requête reçue.</li>
|
||||
<li><em>Posts directs et abonné·e·s uniquement</em> : Tous les posts sont stockés et traités par le serveur. Les messages abonné·e·s uniquement ne sont transmis qu’à vos abonné·e·s et aux personnes mentionnées dans le corps du message, tandis que les messages directs ne sont transmis qu’aux personnes mentionnées. Dans certains cas, cela signifie qu’ils sont délivrés à des serveurs tiers et que ces derniers en stockent une copie. Nous faisons un effort de bonne fois pour en limiter l’accès uniquement aux personnes autorisées, mais ce n’est pas nécessairement le cas des autres serveurs. Il est donc très important que vous vérifiiez les serveurs auxquels appartiennent vos abonné·e·s. Il vous est possible d’activer une option dans les paramètres afin d’approuver et de rejeter manuellement les nouveaux·lles abonné·e·s. <em>Gardez s’il-vous-plaît en mémoire que les opérateur·rice·s du serveur ainsi que celles et ceux de n’importe quel serveur récepteur peuvent voir ces messages</em> et qu’il est possible pour les destinataires de faire des captures d’écran, de copier et plus généralement de repartager ces messages. <em>Ne partager aucune information sensible à l’aide de Mastodon.</em></li>
|
||||
<li><em>IP et autres métadonnées</em> : Quand vous vous connectez, nous enregistrons votre adresse IP ainsi que le nom de votre navigateur web. Toutes les sessions enregistrées peuvent être consultées dans les paramètres, afin que vous puissiez les surveiller et éventuellement les révoquer. La dernière adresse IP utilisée est conservée pour une durée de 12 mois. Nous sommes également susceptibles de conserver les journaux du serveur, ce qui inclut l’adresse IP de chaque requête reçue.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -939,9 +945,9 @@ co:
|
||||
<p>Toutes les informations que nous collectons sur vous peuvent être utilisées d’une des manières suivantes :</p>
|
||||
|
||||
<ul>
|
||||
<li>Pour vous fournir les fonctionnalités de base de Mastodon. Vous ne pouvez interagir avec le contenu des autres et poster votre propre contenu que lorsque vous êtes connecté·e. Par exemple, vous pouvez vous abonner à plusieurs autres comptes pour voir l’ensemble de leurs posts dans votre fil d’accueil personnalisé.</li>
|
||||
<li>Pour aider à la modération de la communauté, par exemple, comparer votre adresse IP à d’autres afin de déterminer si un bannissement a été contourné ou si une autre violation aux règles a été commise.</li>
|
||||
<li>L’adresse électronique que vous nous avez fournie peut être utilisée pour vous envoyez des informations, des notifications lorsque d’autres personnes interagissent avec votre contenu ou vous envoient des messages, pour répondre à des demandes de votre part ainsi que pour tout autres requêtes ou questions.</li>
|
||||
<li>Pour vous fournir les fonctionnalités de base de Mastodon. Vous ne pouvez interagir avec le contenu des autres et poster votre propre contenu que lorsque vous êtes connecté·e. Par exemple, vous pouvez vous abonner à plusieurs autres comptes pour voir l’ensemble de leurs posts dans votre fil d’accueil personnalisé.</li>
|
||||
<li>Pour aider à la modération de la communauté, par exemple, comparer votre adresse IP à d’autres afin de déterminer si un bannissement a été contourné ou si une autre violation aux règles a été commise.</li>
|
||||
<li>L’adresse électronique que vous nous avez fournie peut être utilisée pour vous envoyez des informations, des notifications lorsque d’autres personnes interagissent avec votre contenu ou vous envoient des messages, pour répondre à des demandes de votre part ainsi que pour tout autres requêtes ou questions.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -957,8 +963,8 @@ co:
|
||||
<p>Nous ferons un effort de bonne foi :</p>
|
||||
|
||||
<ul>
|
||||
<li>Pour ne pas conserver plus de 90 jours les journaux systèmes contenant les adresses IP de toutes les requêtes reçues par ce serveur.</li>
|
||||
<li>Pour ne pas conserver plus de 12 mois les adresses IP associées aux utilisateur·ice·s enregistré·e·s.</li>
|
||||
<li>Pour ne pas conserver plus de 90 jours les journaux systèmes contenant les adresses IP de toutes les requêtes reçues par ce serveur.</li>
|
||||
<li>Pour ne pas conserver plus de 12 mois les adresses IP associées aux utilisateur·ice·s enregistré·e·s.</li>
|
||||
</ul>
|
||||
|
||||
<p>Vous pouvez demander une archive de votre contenu, incluant vos posts, vos médias joints, votre image de profil et votre image d’en-tête.</p>
|
||||
|
@ -31,6 +31,7 @@ cs:
|
||||
source_code: Zdrojový kód
|
||||
status_count_after:
|
||||
few: tooty
|
||||
many: tootů
|
||||
one: toot
|
||||
other: tootů
|
||||
status_count_before: Kteří napsali
|
||||
@ -38,6 +39,7 @@ cs:
|
||||
terms: Podmínky používání
|
||||
user_count_after:
|
||||
few: uživatelé
|
||||
many: uživatelů
|
||||
one: uživatel
|
||||
other: uživatelů
|
||||
user_count_before: Domov
|
||||
@ -47,6 +49,7 @@ cs:
|
||||
follow: Sledovat
|
||||
followers:
|
||||
few: Sledující
|
||||
many: Sledujících
|
||||
one: Sledující
|
||||
other: Sledujících
|
||||
following: Sledovaných
|
||||
@ -63,6 +66,7 @@ cs:
|
||||
following: Musíte již sledovat osobu, kterou chcete podpořit
|
||||
posts:
|
||||
few: Tooty
|
||||
many: Tootů
|
||||
one: Toot
|
||||
other: Tootů
|
||||
posts_tab_heading: Tooty
|
||||
@ -118,7 +122,7 @@ cs:
|
||||
header: Záhlaví
|
||||
inbox_url: URL příchozí schránky
|
||||
invited_by: Pozván/a uživatelem
|
||||
ip: IP
|
||||
ip: IP adresa
|
||||
joined: Připojil/a se
|
||||
location:
|
||||
all: Všechny
|
||||
@ -178,6 +182,7 @@ cs:
|
||||
statuses: Tooty
|
||||
subscribe: Odebírat
|
||||
suspended: Pozastaven/a
|
||||
time_in_queue: Čeká ve frontě %{time}
|
||||
title: Účty
|
||||
unconfirmed_email: Nepotvrzený e-mail
|
||||
undo_silenced: Zrušit utišení
|
||||
@ -295,11 +300,12 @@ cs:
|
||||
show:
|
||||
affected_accounts:
|
||||
few: "%{count} účty v databázi byly ovlivněny"
|
||||
many: "%{count} účtů v databázi bylo ovlivněno"
|
||||
one: Jeden účet v databázi byl ovlivněn
|
||||
other: "%{count} účtů v databázi bylo ovlivněno"
|
||||
retroactive:
|
||||
silence: Odtišit všechny existující účty z této domény
|
||||
suspend: Zrušit pozastavení všech existujících účtů z této domény
|
||||
silence: Odtišit existující ovlivněné účty z této domény
|
||||
suspend: Zrušit pozastavení existujících ovlivněných účtů z této domény
|
||||
title: Zrušit blokaci domény %{domain}
|
||||
undo: Odvolat
|
||||
undo: Odvolat blokaci domény
|
||||
@ -321,6 +327,7 @@ cs:
|
||||
delivery_available: Doručení je k dispozici
|
||||
known_accounts:
|
||||
few: "%{count} známé účty"
|
||||
many: "%{count} známých účtů"
|
||||
one: "%{count} známý účet"
|
||||
other: "%{count} známých účtů"
|
||||
moderation:
|
||||
@ -504,6 +511,12 @@ cs:
|
||||
body: "%{reporter} nahlásil/a uživatele %{target}"
|
||||
body_remote: Někdo z %{domain} nahlásil uživatele %{target}
|
||||
subject: Nové nahlášení pro %{instance} (#%{id})
|
||||
appearance:
|
||||
advanced_web_interface: Pokročilé webové rozhraní
|
||||
advanced_web_interface_hint: 'Chcete-li využít celé šířky vaší obrazovky, dovolí vám pokročilé webové rozhraní nastavit si mnoho různých sloupců, takže můžete vidět ve stejnou chvíli tolik informací, kolik chcete: domovskou časovou osu, oznámení, federovanou časovou osu a libovolný počet seznamů a hashtagů.'
|
||||
animations_and_accessibility: Animace a přístupnost
|
||||
confirmation_dialogs: Potvrzovací dialogy
|
||||
sensitive_content: Citlivý obsah
|
||||
application_mailer:
|
||||
notification_preferences: Změnit volby e-mailu
|
||||
salutation: "%{name},"
|
||||
@ -586,6 +599,7 @@ cs:
|
||||
how_to_enable: Aktuálně nejste přihlášen/a do adresáře. Přihlásit se můžete níže. Použijte ve svém popisu profilu hashtagy, abyste mohl/a být uveden/a pod konkrétními hashtagy!
|
||||
people:
|
||||
few: "%{count} lidé"
|
||||
many: "%{count} lidí"
|
||||
one: "%{count} člověk"
|
||||
other: "%{count} lidí"
|
||||
errors:
|
||||
@ -650,6 +664,7 @@ cs:
|
||||
save_changes: Uložit změny
|
||||
validation_errors:
|
||||
few: Něco ještě není úplně v pořádku! Prosím zkontrolujte %{count} chyby níže
|
||||
many: Něco ještě není úplně v pořádku! Prosím zkontrolujte %{count} chyb níže
|
||||
one: Něco ještě není úplně v pořádku! Prosím zkontrolujte chybu níže
|
||||
other: Něco ještě není úplně v pořádku! Prosím zkontrolujte %{count} chyb níže
|
||||
html_validator:
|
||||
@ -702,6 +717,7 @@ cs:
|
||||
invited_by: 'Byl/a jste pozván/a uživatelem:'
|
||||
max_uses:
|
||||
few: "%{count} použití"
|
||||
many: "%{count} použití"
|
||||
one: 1 použití
|
||||
other: "%{count} použití"
|
||||
max_uses_prompt: Bez limitu
|
||||
@ -731,10 +747,12 @@ cs:
|
||||
mention: "%{name} vás zmínil/a v:"
|
||||
new_followers_summary:
|
||||
few: Navíc jste získal/a %{count} nové sledující, zatímco jste byl/a pryč! Skvělé!
|
||||
many: Navíc jste získal/a %{count} nových sledujících, zatímco jste byl/a pryč! Úžasné!
|
||||
one: Navíc jste získal/a jednoho nového sledujícího, zatímco jste byl/a pryč! Hurá!
|
||||
other: Navíc jste získal/a %{count} nových sledujících, zatímco jste byl/a pryč! Úžasné!
|
||||
subject:
|
||||
few: "%{count} nová oznámení od vaší poslední návštěvy \U0001F418"
|
||||
many: "%{count} nových oznámení od vaší poslední návštěvy \U0001F418"
|
||||
one: "1 nové oznámení od vaší poslední návštěvy \U0001F418"
|
||||
other: "%{count} nových oznámení od vaší poslední návštěvy \U0001F418"
|
||||
title: Ve vaší nepřítomnosti…
|
||||
@ -770,7 +788,6 @@ cs:
|
||||
quadrillion: bld
|
||||
thousand: tis
|
||||
trillion: bil
|
||||
unit: ''
|
||||
pagination:
|
||||
newer: Novější
|
||||
next: Další
|
||||
@ -788,10 +805,9 @@ cs:
|
||||
too_few_options: musí mít více než jednu položku
|
||||
too_many_options: nesmí obsahovat více než %{max} položky
|
||||
preferences:
|
||||
languages: Jazyky
|
||||
other: Ostatní
|
||||
publishing: Publikování
|
||||
web: Web
|
||||
posting_defaults: Výchozí možnosti psaní
|
||||
public_timelines: Veřejné časové osy
|
||||
relationships:
|
||||
activity: Aktivita účtu
|
||||
dormant: Nečinné
|
||||
@ -854,7 +870,7 @@ cs:
|
||||
current_session: Aktuální relace
|
||||
description: "%{browser} na %{platform}"
|
||||
explanation: Tohle jsou webové prohlížeče aktuálně přihlášené na váš účet Mastodon.
|
||||
ip: IP
|
||||
ip: IP adresa
|
||||
platforms:
|
||||
adobe_air: Adobe Air
|
||||
android: Androidu
|
||||
@ -896,16 +912,19 @@ cs:
|
||||
description: 'Přiloženo: %{attached}'
|
||||
image:
|
||||
few: "%{count} obrázky"
|
||||
many: "%{count} obrázků"
|
||||
one: "%{count} obrázek"
|
||||
other: "%{count} obrázků"
|
||||
video:
|
||||
few: "%{count} videa"
|
||||
many: "%{count} videí"
|
||||
one: "%{count} video"
|
||||
other: "%{count} videí"
|
||||
boosted_from_html: Boostnuto z %{acct_link}
|
||||
content_warning: 'Varování o obsahu: %{warning}'
|
||||
disallowed_hashtags:
|
||||
few: 'obsahoval nepovolené hashtagy: %{tags}'
|
||||
many: 'obsahoval nepovolené hashtagy: %{tags}'
|
||||
one: 'obsahoval nepovolený hashtag: %{tags}'
|
||||
other: 'obsahoval nepovolené hashtagy: %{tags}'
|
||||
language_detection: Zjistit jazyk automaticky
|
||||
@ -919,6 +938,7 @@ cs:
|
||||
poll:
|
||||
total_votes:
|
||||
few: "%{count} hlasy"
|
||||
many: "%{count} hlasů"
|
||||
one: "%{count} hlas"
|
||||
other: "%{count} hlasů"
|
||||
vote: Hlasovat
|
||||
@ -942,10 +962,10 @@ cs:
|
||||
<h3 id="collect">Jaké informace sbíráme?</h3>
|
||||
|
||||
<ul>
|
||||
<li><em>Základní informace o účtu</em>: Pokud se na tomto serveru zaregistrujete, můžeme vás požádat o zadání uživatelského jména, e-mailové adresy a hesla. Můžete také zadat dodatečné profilové informace, jako například zobrazované jméno a krátký životopis, a nahrát si profilovou fotografii a obrázek záhlaví. Uživatelské i zobrazované jméno, životopis, profilová fotografie a obrázek záhlaví jsou vždy uvedeny veřejně.</li>
|
||||
<li><em>Příspěvky, sledující a další veřejné informace</em>: Seznam lidí, které sledujete, je uveden veřejně, totéž platí i pro vaše sledující. Když sem nahrajete zprávu, bude uloženo datum a čas, společně s aplikací, ze které jste zprávu odeslali. Zprávy mohou obsahovat mediální přílohy, jako jsou obrázky a videa. Veřejné a neuvedené příspěvky jsou dostupné veřejně. Pokud na vašem profilu uvedete příspěvek, je to také veřejně dostupná informace. Vaše příspěvky jsou doručeny vašim sledujícím, což v některých případech znamená, že budou doručeny na různé servery, na kterých budou ukládány kopie. Pokud příspěvky smažete, bude tohle taktéž doručeno vašim sledujícím. Akce znovusdílení nebo oblíbení jiného příspěvku je vždy veřejná.</li>
|
||||
<li><em>Příspěvky přímé a pouze pro sledující</em>: Všechny příspěvky jsou uloženy a zpracovány na serveru. Příspěvky pouze pro sledující jsou doručeny vašim sledujícím a uživatelům v nich zmíněným a přímé příspěvky jsou doručeny pouze uživatelům v nich zmíněným. V některých případech tohle znamená, že budou doručeny na různé servery, na kterých budou ukládány kopie. Upřímně se snažíme omezit přístup k těmto příspěvkům pouze na autorizované uživatele, ovšem jiné servery tak nemusejí učinit. Proto je důležité posoudit servery, ke kterým vaši sledující patří. V nastavení si můžete zapnout volbu pro manuální schvalování či odmítnutí nových sledujících. <em>Prosím mějte na paměti, že operátoři tohoto serveru a kteréhokoliv přijímacího serveru mohou tyto zprávy vidět</em> a příjemci mohou vytvořit jejich snímek, zkopírovat je, nebo je jinak sdílet. <em>Nesdílejte přes Mastodon jakékoliv nebezpečné informace.</em></li>
|
||||
<li><em>IP adresy a další metadata</em>: Když se přihlásíte, zaznamenáváme IP adresu, ze které se přihlašujete, jakožto i název vašeho webového prohlížeče. Všechny vaše webové relace jsou v nastavení přístupné k vašemu posouzení a odvolání. Nejpozdější IP adresa použita je uložena maximálně do 12 měsíců. Můžeme také uchovávat serverové záznamy, které obsahují IP adresy každého požadavku odeslaného na náš server.</li>
|
||||
<li><em>Základní informace o účtu</em>: Pokud se na tomto serveru zaregistrujete, můžeme vás požádat o zadání uživatelského jména, e-mailové adresy a hesla. Můžete také zadat dodatečné profilové informace, jako například zobrazované jméno a krátký životopis, a nahrát si profilovou fotografii a obrázek záhlaví. Uživatelské i zobrazované jméno, životopis, profilová fotografie a obrázek záhlaví jsou vždy uvedeny veřejně.</li>
|
||||
<li><em>Příspěvky, sledující a další veřejné informace</em>: Seznam lidí, které sledujete, je uveden veřejně, totéž platí i pro vaše sledující. Když sem nahrajete zprávu, bude uloženo datum a čas, společně s aplikací, ze které jste zprávu odeslali. Zprávy mohou obsahovat mediální přílohy, jako jsou obrázky a videa. Veřejné a neuvedené příspěvky jsou dostupné veřejně. Pokud na vašem profilu uvedete příspěvek, je to také veřejně dostupná informace. Vaše příspěvky jsou doručeny vašim sledujícím, což v některých případech znamená, že budou doručeny na různé servery, na kterých budou ukládány kopie. Pokud příspěvky smažete, bude tohle taktéž doručeno vašim sledujícím. Akce znovusdílení nebo oblíbení jiného příspěvku je vždy veřejná.</li>
|
||||
<li><em>Příspěvky přímé a pouze pro sledující</em>: Všechny příspěvky jsou uloženy a zpracovány na serveru. Příspěvky pouze pro sledující jsou doručeny vašim sledujícím a uživatelům v nich zmíněným a přímé příspěvky jsou doručeny pouze uživatelům v nich zmíněným. V některých případech tohle znamená, že budou doručeny na různé servery, na kterých budou ukládány kopie. Upřímně se snažíme omezit přístup k těmto příspěvkům pouze na autorizované uživatele, ovšem jiné servery tak nemusejí učinit. Proto je důležité posoudit servery, ke kterým vaši sledující patří. V nastavení si můžete zapnout volbu pro manuální schvalování či odmítnutí nových sledujících. <em>Prosím mějte na paměti, že operátoři tohoto serveru a kteréhokoliv přijímacího serveru mohou tyto zprávy vidět</em> a příjemci mohou vytvořit jejich snímek, zkopírovat je, nebo je jinak sdílet. <em>Nesdílejte přes Mastodon jakékoliv nebezpečné informace.</em></li>
|
||||
<li><em>IP adresy a další metadata</em>: Když se přihlásíte, zaznamenáváme IP adresu, ze které se přihlašujete, jakožto i název vašeho webového prohlížeče. Všechny vaše webové relace jsou v nastavení přístupné k vašemu posouzení a odvolání. Nejpozdější IP adresa použita je uložena maximálně do 12 měsíců. Můžeme také uchovávat serverové záznamy, které obsahují IP adresy každého požadavku odeslaného na náš server.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -955,9 +975,9 @@ cs:
|
||||
<p>Jakékoliv informace, které sbíráme, mohou být použity následujícími způsoby:</p>
|
||||
|
||||
<ul>
|
||||
<li>K poskytnutí základních funkcí Mastodonu. Interagovat s obsahem od jiných lidí a přispívat svým vlastním obsahem můžete pouze, pokud jste přihlášeni. Můžete například sledovat jiné lidi a zobrazit si jejich kombinované příspěvky ve vaší vlastní personalizované časové ose.</li>
|
||||
<li>Pro pomoc moderování komunity, například porovnáním vaší IP adresy s dalšími známými adresami pro určení vyhýbání se zákazům či jiných přestupků.</li>
|
||||
<li>E-mailová adresa, kterou nám poskytnete, může být použita pro zasílání informací, oznámení o interakcích jiných uživatelů s vaším obsahem nebo přijatých zprávách a k odpovědím na dotazy a/nebo další požadavky či otázky.</li>
|
||||
<li>K poskytnutí základních funkcí Mastodonu. Interagovat s obsahem od jiných lidí a přispívat svým vlastním obsahem můžete pouze, pokud jste přihlášeni. Můžete například sledovat jiné lidi a zobrazit si jejich kombinované příspěvky ve vaší vlastní personalizované časové ose.</li>
|
||||
<li>Pro pomoc moderování komunity, například porovnáním vaší IP adresy s dalšími známými adresami pro určení vyhýbání se zákazům či jiných přestupků.</li>
|
||||
<li>E-mailová adresa, kterou nám poskytnete, může být použita pro zasílání informací, oznámení o interakcích jiných uživatelů s vaším obsahem nebo přijatých zprávách a k odpovědím na dotazy a/nebo další požadavky či otázky.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -973,8 +993,8 @@ cs:
|
||||
<p>Budeme se upřímně snažit:</p>
|
||||
|
||||
<ul>
|
||||
<li>Uchovávat serverové záznamy obsahující IP adresy všech požadavků pro tento server, pokud se takové záznamy uchovávají, maximálně 90 dní.</li>
|
||||
<li>Uchovávat IP adresy související s registrovanými uživateli maximálně 12 měsíců.</li>
|
||||
<li>Uchovávat serverové záznamy obsahující IP adresy všech požadavků pro tento server, pokud se takové záznamy uchovávají, maximálně 90 dní.</li>
|
||||
<li>Uchovávat IP adresy související s registrovanými uživateli maximálně 12 měsíců.</li>
|
||||
</ul>
|
||||
|
||||
<p>Kdykoliv si můžete vyžádat a stáhnout archiv vašeho obsahu, včetně vašich příspěvků, mediálních příloh, profilové fotografie a obrázku záhlaví.</p>
|
||||
|
@ -4,20 +4,30 @@ cy:
|
||||
about_hashtag_html: Dyma dŵtiau cyhoeddus wedi eu tagio gyda <strong>#%{hashtag}</strong>. Gallwch ryngweithio gyda nhw os oes gennych gyfrif yn unrhyw le yn y ffeddysawd.
|
||||
about_mastodon_html: Mae Mastodon yn rwydwaith cymdeithasol sy'n seiliedig ar brotocolau gwe a meddalwedd cod agored rhad ac am ddim. Yn debyg i e-bost mae'n ddatganoledig.
|
||||
about_this: Ynghylch
|
||||
active_count_after: yn weithredol
|
||||
active_footnote: Defnyddwyr Gweithredol Misol (DGM)
|
||||
administered_by: 'Gweinyddir gan:'
|
||||
api: API
|
||||
apps: Apiau symudol
|
||||
apps_platforms: Defnyddio Mastodon o iOS, Android a phlatfformau eraill
|
||||
browse_directory: Pori cyfeiriadur proffil a hidlo wrth diddordebau
|
||||
browse_public_posts: Pori ffrwd byw o byst cyhoeddus ar Fastodon
|
||||
contact: Cyswllt
|
||||
contact_missing: Heb ei osod
|
||||
contact_unavailable: Ddim yn berthnasol
|
||||
discover_users: Darganfod defnyddwyr
|
||||
documentation: Dogfennaeth
|
||||
extended_description_html: |
|
||||
<h3>Lle da ar gyfer rheolau</h3>
|
||||
<p>Nid yw'r disgrifiad estynedig wedi ei osod eto.</p>
|
||||
federation_hint_html: Gyda cyfrif ar %{instance}, gallwch dilyn pobl ar unrhyw gweinydd Mastodon, a thu hwnt.
|
||||
generic_description: Mae %{domain} yn un gweinydd yn y rhwydwaith
|
||||
get_apps: Rhowch gynnig ar ap dyfeis symudol
|
||||
hosted_on: Mastodon wedi ei weinyddu ar %{domain}
|
||||
learn_more: Dysu mwy
|
||||
privacy_policy: Polisi preifatrwydd
|
||||
see_whats_happening: Gweld beth sy'n digwydd
|
||||
server_stats: 'Ystadegau gweinydd:'
|
||||
source_code: Cod ffynhonnell
|
||||
status_count_after:
|
||||
few: statwsau
|
||||
@ -27,6 +37,7 @@ cy:
|
||||
two: statwsau
|
||||
zero: statwsau
|
||||
status_count_before: Ysgriffennwyd gan
|
||||
tagline: Dilyn ffrindiau a darganfod rhai newydd
|
||||
terms: Telerau gwasanaeth
|
||||
user_count_after:
|
||||
few: defnyddwyr
|
||||
@ -73,17 +84,20 @@ cy:
|
||||
admin: Gweinyddwr
|
||||
bot: Bot
|
||||
moderator: Safonwr
|
||||
unavailable: Proffil ddim ar gael
|
||||
unfollow: Dad-ddilyn
|
||||
admin:
|
||||
account_actions:
|
||||
action: Cyflawni gweithred
|
||||
title: Perfformio cymedroli ar %{acct}
|
||||
title: Perfformio gweithrediad goruwchwylio ar %{acct}
|
||||
account_moderation_notes:
|
||||
create: Gadael nodyn
|
||||
created_msg: Crewyd nodyn cymedroli yn llwyddiannus!
|
||||
created_msg: Crewyd nodyn goruwchwylio yn llwyddiannus!
|
||||
delete: Dileu
|
||||
destroyed_msg: Dinistrwyd nodyn cymedroli yn llwyddiannus!
|
||||
destroyed_msg: Dinistrwyd nodyn goruwchwylio yn llwyddiannus!
|
||||
accounts:
|
||||
approve: Cymeradwyo
|
||||
approve_all: Cymeradwyo pob un
|
||||
are_you_sure: Ydych chi'n siŵr?
|
||||
avatar: Afatar
|
||||
by_domain: Parth
|
||||
@ -129,22 +143,27 @@ cy:
|
||||
moderation:
|
||||
active: Yn weithredol
|
||||
all: Popeth
|
||||
pending: Yn aros
|
||||
silenced: Wedi ei dawelu
|
||||
suspended: Wedi ei atal
|
||||
title: Cymedroli
|
||||
moderation_notes: Nodiadau cymedroli
|
||||
title: Goruwchwyliad
|
||||
moderation_notes: Nodiadau goruwchwylio
|
||||
most_recent_activity: Gweithgarwch diweddaraf
|
||||
most_recent_ip: IP diweddaraf
|
||||
no_account_selected: Ni newidwyd dim cyfrif achos ni ddewiswyd dim un
|
||||
no_limits_imposed: Dim terfynau wedi'i gosod
|
||||
not_subscribed: Heb danysgrifio
|
||||
outbox_url: Allflwch URL
|
||||
pending: Yn aros am adolygiad
|
||||
perform_full_suspension: Atal
|
||||
profile_url: URL proffil
|
||||
promote: Hyrwyddo
|
||||
protocol: Protocol
|
||||
public: Cyhoeddus
|
||||
push_subscription_expires: Tanysgrifiad PuSH yn dod i ben
|
||||
push_subscription_expires: Tanysgrifiad gwthiadwy yn dod i ben
|
||||
redownload: Adnewyddu proffil
|
||||
reject: Gwrthod
|
||||
reject_all: Gwrthod pob un
|
||||
remove_avatar: Dileu afatar
|
||||
remove_header: Dileu pennawd
|
||||
resend_confirmation:
|
||||
@ -157,7 +176,7 @@ cy:
|
||||
role: Caniatâd
|
||||
roles:
|
||||
admin: Gweinyddwr
|
||||
moderator: Safonwr
|
||||
moderator: Aroglygydd
|
||||
staff: Staff
|
||||
user: Defnyddiwr
|
||||
salmon_url: URL Eog
|
||||
@ -171,6 +190,7 @@ cy:
|
||||
statuses: Statysau
|
||||
subscribe: Tanysgrifio
|
||||
suspended: Ataliwyd
|
||||
time_in_queue: Yn aros yn y rhestr am %{time}
|
||||
title: Cyfrifon
|
||||
unconfirmed_email: E-bost heb ei gadarnhau
|
||||
undo_silenced: Dadwneud tawelu
|
||||
@ -246,6 +266,7 @@ cy:
|
||||
feature_profile_directory: Cyfeiriadur proffil
|
||||
feature_registrations: Cofrestriadau
|
||||
feature_relay: Relái ffederasiwn
|
||||
feature_timeline_preview: Rhagolwg o'r ffrwd
|
||||
features: Nodweddion
|
||||
hidden_service: Ffederasiwn a gwasanaethau cudd
|
||||
open_reports: adroddiadau agored
|
||||
@ -265,9 +286,10 @@ cy:
|
||||
created_msg: Mae'r bloc parth nawr yn cael ei brosesu
|
||||
destroyed_msg: Mae'r bloc parth wedi ei ddadwneud
|
||||
domain: Parth
|
||||
existing_domain_block_html: Rydych yn barod wedi gosod cyfyngau fwy llym ar %{name}, mae rhaid i chi ei <a href="%{unblock_url}">ddadblocio</a> yn gyntaf.
|
||||
new:
|
||||
create: Creu bloc
|
||||
hint: Ni fydd y bloc parth yn atal cread cofnodion cyfrif yn y bas data, ond mi fydd yn gosod dulliau cymedroli penodol ôl-weithredol ac awtomatig ar y cyfrifau hynny.
|
||||
hint: Ni fydd y bloc parth yn atal cread cofnodion cyfrif yn y bas data, ond mi fydd yn gosod dulliau goruwchwylio penodol ôl-weithredol ac awtomatig ar y cyfrifau hynny.
|
||||
severity:
|
||||
desc_html: Mae <strong>Tawelu</strong> yn gwneud twtiau y cyfrif yn anweledig i unrhyw un nad yw'n dilyn y cyfrif. Mae <strong>Atal</strong> yn cael gwared ar holl gynnwys, cyfryngau a data proffil y cyfrif. Defnyddiwch <strong>Dim</strong> os ydych chi ond am wrthod dogfennau cyfryngau.
|
||||
noop: Dim
|
||||
@ -323,7 +345,7 @@ cy:
|
||||
moderation:
|
||||
all: Pob
|
||||
limited: Gyfyngedig
|
||||
title: Cymedroli
|
||||
title: Goruwchwyliad
|
||||
title: Ffederasiwn
|
||||
total_blocked_by_us: Wedi'i bloc gan ni
|
||||
total_followed_by_them: Yn dilyn ganynt
|
||||
@ -338,6 +360,8 @@ cy:
|
||||
expired: Wedi dod i ben
|
||||
title: Hidlo
|
||||
title: Gwahoddiadau
|
||||
pending_accounts:
|
||||
title: Cyfrifau yn aros (%{count})
|
||||
relays:
|
||||
add_new: Ychwanegau relái newydd
|
||||
delete: Dileu
|
||||
@ -363,7 +387,7 @@ cy:
|
||||
action_taken_by: Gwnaethpwyd hyn gan
|
||||
are_you_sure: Ydych chi'n sicr?
|
||||
assign_to_self: Aseinio i mi
|
||||
assigned: Cymedrolwr wedi'i aseinio
|
||||
assigned: Arolygwr wedi'i aseinio
|
||||
comment:
|
||||
none: Dim
|
||||
created_at: Adroddwyd
|
||||
@ -424,6 +448,12 @@ cy:
|
||||
min_invite_role:
|
||||
disabled: Neb
|
||||
title: Caniatau gwahoddiadau gan
|
||||
registrations_mode:
|
||||
modes:
|
||||
approved: Mae angen cymeradwyaeth ar gyfer cofrestru
|
||||
none: Ni all unrhyw un cofrestru
|
||||
open: Gall unrhyw un cofrestru
|
||||
title: Modd cofrestriadau
|
||||
show_known_fediverse_at_about_page:
|
||||
desc_html: Wedi'i ddewis, bydd yn dangos rhagolwg o dŵtiau o'r holl ffedysawd. Fel arall bydd ond yn dangos tŵtiau lleol.
|
||||
title: Dangos ffedysawd hysbys ar ragolwg y ffrwd
|
||||
@ -486,10 +516,19 @@ cy:
|
||||
edit_preset: Golygu rhagosodiad rhybudd
|
||||
title: Rheoli rhagosodiadau rhybudd
|
||||
admin_mailer:
|
||||
new_pending_account:
|
||||
body: Mae manylion y cyfrif newydd yn isod. Gallwch cymeradwyo neu wrthod y ceisiad hon.
|
||||
subject: Cyfrif newydd i fynu ar gyfer adolygiad ar %{instance} (%{username})
|
||||
new_report:
|
||||
body: Mae %{reporter} wedi cwyno am %{target}
|
||||
body_remote: Mae rhywun o %{domain} wedi cwyno am %{target}
|
||||
subject: Cwyn newydd am %{instance} {#%{id}}
|
||||
subject: Cwyn newydd am %{instance} (#%{id})
|
||||
appearance:
|
||||
advanced_web_interface: Rhyngwyneb gwe uwch
|
||||
advanced_web_interface_hint: 'Os hoffech gwneud defnydd o gyd o''ch lled sgrin, mae''r rhyngwyneb gwe uwch yn gadael i chi ffurfweddu sawl colofn wahanol i weld cymaint o wybodaeth â hoffech: Catref, hysbysiadau, ffrwd y ffedysawd, unrhyw nifer o rhestrau ac hashnodau.'
|
||||
animations_and_accessibility: Animeiddiau ac hygyrchedd
|
||||
confirmation_dialogs: Deialog cadarnhau
|
||||
sensitive_content: Cynnwys sensitif
|
||||
application_mailer:
|
||||
notification_preferences: Newid gosodiadau e-bost
|
||||
salutation: "%{name},"
|
||||
@ -506,7 +545,9 @@ cy:
|
||||
warning: Byddwch yn ofalus a'r data hyn. Peidiwch a'i rannu byth!
|
||||
your_token: Eich tocyn mynediad
|
||||
auth:
|
||||
apply_for_account: Gofyn am wahoddiad
|
||||
change_password: Cyfrinair
|
||||
checkbox_agreement_html: Rydw i'n cytuno i'r <a href="%{rules_path}" target="_blank">rheolau'r gweinydd</a> a'r <a href="%{terms_path}" target="_blank">telerau gwasanaeth</a>
|
||||
confirm_email: Cadarnhau e-bost
|
||||
delete_account: Dileu cyfrif
|
||||
delete_account_html: Os hoffech chi ddileu eich cyfrif, mae modd <a href="%{path}">parhau yma</a>. Bydd gofyn i chi gadarnhau.
|
||||
@ -522,10 +563,12 @@ cy:
|
||||
cas: CAS
|
||||
saml: SAML
|
||||
register: Cofrestru
|
||||
registration_closed: Nid yw %{instance} yn derbyn aelodau newydd
|
||||
resend_confirmation: Ailanfon cyfarwyddiadau cadarnhau
|
||||
reset_password: Ailosod cyfrinair
|
||||
security: Diogelwch
|
||||
set_new_password: Gosod cyfrinair newydd
|
||||
trouble_logging_in: Trafferdd mewngofnodi?
|
||||
authorize_follow:
|
||||
already_following: Yr ydych yn dilyn y cyfrif hwn yn barod
|
||||
error: Yn anffodus, roedd gwall tra'n edrych am y cyfrif anghysbell
|
||||
@ -544,11 +587,11 @@ cy:
|
||||
about_x_years: "%{count}blwyddyn"
|
||||
almost_x_years: "%{count}blwyddyn"
|
||||
half_a_minute: Newydd fod
|
||||
less_than_x_minutes: "%{count}m"
|
||||
less_than_x_minutes: "%{count}munud"
|
||||
less_than_x_seconds: Newydd fod
|
||||
over_x_years: "%{count}blwyddyn"
|
||||
x_days: "%{count}dydd"
|
||||
x_minutes: "%{count}m"
|
||||
x_minutes: "%{count}munud"
|
||||
x_months: "%{count}mis"
|
||||
x_seconds: "%{count}eiliad"
|
||||
deletes:
|
||||
@ -567,12 +610,12 @@ cy:
|
||||
explore_mastodon: Archwilio %{title}
|
||||
how_to_enable: Ar hyn o bryd nid ydych chi wedi dewis y cyfeiriadur. Gallwch ddewis i mewn isod. Defnyddiwch hashnodau yn eich bio-destun i'w restru dan hashnodau penodol!
|
||||
people:
|
||||
few: "%{count} personau"
|
||||
many: "%{count} personau"
|
||||
one: "%{count} person"
|
||||
other: "%{count} personau"
|
||||
two: "%{count} personau"
|
||||
zero: "%{count} personau"
|
||||
few: "%{count} o bobl"
|
||||
many: "%{count} o bobl"
|
||||
one: "%{count} berson"
|
||||
other: "%{count} o bobl"
|
||||
two: "%{count} o bobl"
|
||||
zero: "%{count} person"
|
||||
errors:
|
||||
'403': Nid oes gennych ganiatad i weld y dudalen hon.
|
||||
'404': Nid yw'r dudalen yr oeddech yn chwilio amdani'n bodoli.
|
||||
@ -585,6 +628,9 @@ cy:
|
||||
content: Mae'n ddrwg gennym ni, ond fe aeth rhywbeth o'i le ar ein rhan ni.
|
||||
title: Nid yw'r dudalen hon yn gywir
|
||||
noscript_html: I ddefnyddio ap gwe Mastodon, galluogwch JavaScript os gwlwch yn dda. Fel arall, gallwch drio un o'r <a href="%{apps_path}">apiau cynhenid</a> ar gyfer Mastodon ar eich platfform.
|
||||
existing_username_validator:
|
||||
not_found: ni ddarganfwyd defnyddiwr lleol gyda'r enw cyfrif hynny
|
||||
not_found_multiple: ni ddarganfwyd %{usernames}
|
||||
exports:
|
||||
archive_takeout:
|
||||
date: Dyddiad
|
||||
@ -625,8 +671,10 @@ cy:
|
||||
more: Mwy…
|
||||
resources: Adnoddau
|
||||
generic:
|
||||
all: Popeth
|
||||
changes_saved_msg: Llwyddwyd i gadw y newidiadau!
|
||||
copy: Copïo
|
||||
order_by: Trefnu wrth
|
||||
save_changes: Cadw newidiadau
|
||||
validation_errors:
|
||||
few: Mae rhywbeth o'i le o hyd! Edrychwch ar y %{count} gwall isod os gwelwch yn dda
|
||||
@ -635,18 +683,41 @@ cy:
|
||||
other: Mae rhywbeth o'i le o hyd! Edrychwch ar y %{count} gwall isod os gwelwch yn dda
|
||||
two: Mae rhywbeth o'i le o hyd! Edrychwch ar y %{count} gwall isod os gwelwch yn dda
|
||||
zero: Mae rhywbeth o'i le o hyd! Edrychwch ar y %{count} gwall isod os gwelwch yn dda
|
||||
html_validator:
|
||||
invalid_markup: 'yn cynnwys marciad HTML annilys: %{error}'
|
||||
identity_proofs:
|
||||
active: Yn weithredol
|
||||
authorize: Ie, awdurdodi
|
||||
authorize_connection_prompt: Awdurdodi y cysylltiad cryptograffig hon?
|
||||
errors:
|
||||
failed: Methwyd y cysylltiad cryptograffig. Ceisiwch eto o %{provider}, os gwelwch yn dda.
|
||||
keybase:
|
||||
invalid_token: Mae tocynnau keybase yn hashiau o llofnodau ac mae rhaid iddynt bod yn 66 cymeriadau hecs
|
||||
verification_failed: Nid yw Keybase yn adnabod y tocyn hyn fel llofnod defnyddiwr Keybase %{kb_username}. Cesiwch eto o Keybase, os gwelwch yn dda.
|
||||
wrong_user: Ni all greu prawf ar gyfer %{proving} tra wedi mewngofnodi fel %{current}. Mewngofnodi fel %{proving} a cheisiwch eto.
|
||||
explanation_html: Fama gallwch cysylltu i'ch hunanieithau arall yn cryptograffig, er enghraifft proffil Keybase. Mae hyn yn gadael pobl arall i anfon chi negeseuon amgryptiedig a ymddiried mewn cynnwys rydych yn eich anfon iddynt.
|
||||
i_am_html: Rydw i'n %{username} ar %{service}.
|
||||
identity: Hunaniaeth
|
||||
inactive: Anweithgar
|
||||
publicize_checkbox: 'A thŵtiwch hon:'
|
||||
publicize_toot: 'Wedi profi! Rydw i''n %{username} ar %{service}: %{url}'
|
||||
status: Statws gwirio
|
||||
view_proof: Gweld prawf
|
||||
imports:
|
||||
modes:
|
||||
merge: Cyfuno
|
||||
merge_long: Cadw'r cofnodau presennol ac ychwanegu rhai newydd
|
||||
overwrite: Trosysgrifio
|
||||
overwrite_long: Disodli cofnodau bresennol gyda'r cofnodau newydd
|
||||
preface: Mae modd mewnforio data yr ydych wedi allforio o achos arall, megis rhestr o bobl yr ydych yn ei ddilyn neu yn blocio.
|
||||
success: Uwchlwythwyd eich data yn llwyddiannus ac fe fydd yn cael ei brosesu mewn da bryd
|
||||
types:
|
||||
blocking: Rhestr blocio
|
||||
domain_blocking: Rhestr rhwystro parth
|
||||
following: Rhestr dilyn
|
||||
muting: Rhestr tawelu
|
||||
upload: Uwchlwytho
|
||||
in_memoriam_html: In Memoriam.
|
||||
in_memoriam_html: Mewn Cofiad.
|
||||
invites:
|
||||
delete: Dadactifadu
|
||||
expired: Wedi darfod
|
||||
@ -686,7 +757,7 @@ cy:
|
||||
proceed: Cadw
|
||||
updated_msg: Diweddarwyd gosodiad mudo eich cyfrif yn llwyddiannus!
|
||||
moderation:
|
||||
title: Cymedroli
|
||||
title: Goruwchwyliad
|
||||
notification_mailer:
|
||||
digest:
|
||||
action: Gweld holl hysbysiadau
|
||||
@ -734,32 +805,71 @@ cy:
|
||||
decimal_units:
|
||||
format: "%n%u"
|
||||
units:
|
||||
billion: B
|
||||
million: M
|
||||
quadrillion: Q
|
||||
thousand: K
|
||||
trillion: T
|
||||
billion: Biliwn
|
||||
million: Miliwn
|
||||
quadrillion: Cwadriliwn
|
||||
thousand: Mil
|
||||
trillion: Triliwn
|
||||
pagination:
|
||||
newer: Diweddarach
|
||||
next: Nesaf
|
||||
older: Hŷn
|
||||
prev: Blaenorol
|
||||
truncate: "…"
|
||||
polls:
|
||||
errors:
|
||||
already_voted: Rydych chi barod wedi pleidleisio ar y pleidlais hon
|
||||
duplicate_options: yn cynnwys eitemau dyblyg
|
||||
duration_too_long: yn rhy bell yn y dyfodol
|
||||
duration_too_short: yn rhy fuan
|
||||
expired: Mae'r pleidlais wedi gorffen yn barod
|
||||
over_character_limit: ni all fod yn hirach na %{max} cymeriad yr un
|
||||
too_few_options: rhaid cael fwy nag un eitem
|
||||
too_many_options: ni all cynnwys fwy na %{max} o eitemau
|
||||
preferences:
|
||||
languages: Ieithoedd
|
||||
other: Arall
|
||||
publishing: Cyhoeddi
|
||||
web: Gwe
|
||||
posting_defaults: Rhagosodiadau postio
|
||||
public_timelines: Ffrydau gyhoeddus
|
||||
relationships:
|
||||
activity: Gweithgareddau cyfrif
|
||||
dormant: Segur
|
||||
last_active: Gweithred ddiwethaf
|
||||
most_recent: Yn diweddaraf
|
||||
moved: Wedi symud
|
||||
mutual: Cydfuddiannol
|
||||
primary: Cynradd
|
||||
relationship: Perthynas
|
||||
remove_selected_domains: Tynnu pob dilynydd o'r parthau dewisiedig
|
||||
remove_selected_followers: Tynnu'r dilynydd dewisiedig
|
||||
remove_selected_follows: Dad-ddilyn y defnyddwyr dewisiedig
|
||||
status: Statws cyfrif
|
||||
remote_follow:
|
||||
acct: Mewnbynnwch eich enwdefnyddiwr@parth yr ydych eisiau gweithredu ohonno
|
||||
missing_resource: Ni ellir canfod yr URL ailgyferio angenrheidiol i'ch cyfrif
|
||||
no_account_html: Heb gyfrif? Mae modd i chi <a href='%{sign_up_path}' target='_blank'>gofrestru yma</a>
|
||||
proceed: Ymlaen i ddilyn
|
||||
prompt: 'Yr ydych am ddilyn:'
|
||||
reason_html: |-
|
||||
<strong>Pam yw'r cam hyn yn angenrheidiol? </strong>
|
||||
Efallai nid yw <code>%{instance}</code> yn gweinydd ble wnaethoch gofrestru, felly mae'n rhaid i ni ailarweinio chi at eich gweinydd catref yn gyntaf.
|
||||
remote_interaction:
|
||||
favourite:
|
||||
proceed: Ymlaen i hoffi
|
||||
prompt: 'Hoffech hoffi''r tŵt hon:'
|
||||
reblog:
|
||||
proceed: Ymlaen i fŵstio
|
||||
prompt: 'Hoffech fŵstio''r tŵt hon:'
|
||||
reply:
|
||||
proceed: Ymlaen i ateb
|
||||
prompt: 'Hoffech ateb y tŵt hon:'
|
||||
remote_unfollow:
|
||||
error: Gwall
|
||||
title: Teitl
|
||||
unfollowed: Dad-ddilynwyd
|
||||
scheduled_statuses:
|
||||
over_daily_limit: Rydych wedi rhagori'r cyfwng o %{limit} o dŵtiau rhestredig ar y dydd hynny
|
||||
over_total_limit: Rydych wedi rhagori'r cyfwng o %{limit} o dŵtiau rhestredig
|
||||
too_soon: Mae rhaid i'r dydd rhestredig fod yn y dyfodol
|
||||
sessions:
|
||||
activity: Gweithgaredd ddiwethaf
|
||||
browser: Porwr
|
||||
@ -789,29 +899,37 @@ cy:
|
||||
adobe_air: Adobe Air
|
||||
android: Android
|
||||
blackberry: Blackberry
|
||||
chrome_os: ChromeOS
|
||||
firefox_os: Firefox OS
|
||||
chrome_os: OS Chrome
|
||||
firefox_os: OS Firefox
|
||||
ios: iOS
|
||||
linux: Linux
|
||||
mac: Mac
|
||||
other: platfform anhysbys
|
||||
windows: Windows
|
||||
windows_mobile: Windows Mobile
|
||||
windows_phone: Windows Phone
|
||||
windows_phone: Ffôn Windows
|
||||
revoke: Diddymu
|
||||
revoke_success: Sesiwn wedi ei ddiddymu yn llwyddiannus
|
||||
title: Sesiynau
|
||||
settings:
|
||||
account: Cyfrif
|
||||
account_settings: Gosodiadau'r cyfrif
|
||||
appearance: Arddangosiad
|
||||
authorized_apps: Apiau awdurdodedig
|
||||
back: Yn ôl i Mastodon
|
||||
delete: Dileu cyfrif
|
||||
development: Datblygu
|
||||
edit_profile: Golygu proffil
|
||||
export: Allforio data
|
||||
featured_tags: Hashnodau Nodedig
|
||||
identity_proofs: Profiadau Hunaniaeth
|
||||
import: Mewnforio
|
||||
import_and_export: Mewnfori ac allfori
|
||||
migrate: Mudo cyfrif
|
||||
notifications: Hysbysiadau
|
||||
preferences: Dewisiadau
|
||||
profile: Proffil
|
||||
relationships: Dilynion a dilynwyr
|
||||
two_factor_authentication: Awdurdodi dau-gam
|
||||
statuses:
|
||||
attached:
|
||||
@ -847,6 +965,15 @@ cy:
|
||||
ownership: Ni ellir pinio tŵt rhywun arall
|
||||
private: Ni ellir pinio tŵt nad yw'n gyhoeddus
|
||||
reblog: Ni ellir pinio bŵstiau
|
||||
poll:
|
||||
total_votes:
|
||||
few: "%{count} o bleidleisiau"
|
||||
many: "%{count} o bleidleisiau"
|
||||
one: "%{count} bleidlais"
|
||||
other: "%{count} o bleidleisiau"
|
||||
two: "%{count} o bleidleisiau"
|
||||
zero: "%{count} pleidlais"
|
||||
vote: Pleidleisio
|
||||
show_more: Dangos mwy
|
||||
sign_in_to_participate: Mengofnodwch i gymryd rhan yn y sgwrs
|
||||
title: '%{name}: "%{quote}"'
|
||||
@ -867,10 +994,10 @@ cy:
|
||||
<h3 id="collect">Pa wybodaeth ydyn ni'n ei gasglu?</h3>
|
||||
|
||||
<ul>
|
||||
<li><em>Gwybodaeth cyfrif sylfaenol</em>: Os ydych yn cofrestru ar y gweinydd hwn, mae'n bosib y byddwch yn cael eich gofyn i fewnbynnu enw defnyddiwr, cyfeiriad e-bost a chyfrinair. Mae modd i chi hefyd fewnbynnu gwybodaeth ychwanegol megis enw arddangos a bywgraffiad ac uwchlwytho llun proffil a llun pennawd. Mae'r enw defnyddiwr, enw arddangos, bywgraffiad, llun proffil a'r llun pennawd wedi eu rhestru'n gyhoeddus bob tro.</li>
|
||||
<li><em>Postio, dilyn a gwybodaeth gyhoeddus arall</em>: Mae'r rhestr o bobl yr ydych yn dilyn wedi ei restru'n gyhoeddus, mae'r un peth yn wir am eich dilynwyr. Pan yr ydych yn mewnosod neges, mae'r dyddiad a'r amser yn cael ei gofnodi ynghyd a'r rhaglen y wnaethoch anfon y neges ohonni. Gall negeseuon gynnwys atodiadau cyfryngau, megis lluniau neu fideo. Mae negeseuon cyhoeddus a negeseuon heb eu rhestru ar gael yn gyhoeddus. Pan yr ydych yn nodweddu neges ar eich proffil, mae hynny hefyd yn wybodaeth sydd ar gael yn gyhoeddus. Mae eich negeseuon yn cael eu hanfon i'ch dilynwyr, mewn rhai achosion mae hyn yn golygu eu bod yn cael eu hanfon i amryw o weinyddwyr ac fe fydd copiau yn cael eu cadw yno. Pan yr ydych yn dileu negeseuon, mae hyn hefyd yn cael ei hanfon i'ch dilynwyr. Mae'r weithred o rannu neu hoffi neges arall yn gyhoeddus bob tro.</li>
|
||||
<li><em>Negeseuon uniongyrchol a dilynwyr yn unig</em>: Mae pob neges yn cael eu cadw a'u prosesu ar y gweinydd. Mae negeseuon dilynwyr yn unig yn cael eu hanfon i'ch dilynwyr a'r defnyddwyr sy'n cael eu crybwyll ynddynt tra bod negeseuon uniongyrchol yn cael eu hanfon at rheini sy'n cael crybwyll ynddynt yn unig. Mewn rhai achostion golyga hyn eu bod yn cael eu hanfon i weinyddwyr gwahanol a'u cadw yno. yr ydym yn gnweud ymgais ewyllys da i gyfyngu'r mynediad at y negeseuon yna i bobl ac awdurdod yn unig, ond mae'n bosib y bydd gweinyddwyr eraill yn methu a gwneud hyn. Mae'n bwysig felly i chi fod yn wyliadwrus o ba weinyddwyr y mae eich dilynwyr yn perthyn iddynt. Mae modd i chi osod y dewis i ganiatau a gwrthod dilynwyr newydd a llaw yn y gosodiadau. <em>Cofiwch gall gweithredwyr y gweinydd ac unrhyw weinydd derbyn weld unrhyw negeseuon o'r fath</em>, ac fe all y derbynwyr gymryd sgrinlin, copïo neu drwy ddulliau eraill rannu rhain. <em>Peidiwch a rhannu unrhyw wybodaeth beryglus dros Mastodon.</em></li>
|
||||
<li><em>IPs a mathau eraill o metadata</em>: Pan yr ydych yn mewngofnodi, yr ydym yn cofnodi y cyfeiriad IP yr ydych yn mewngofnodi ohonno, ynghyd a enw eich rhaglen pori. Mae pob un sesiwn mewngofnodi ar gael i chi adolygu a gwrthod yn y gosodiadau. Mae'r cyfeiriad IP diweddaraf yn cael ei storio hyd at 12 mis. Mae'n bosib y byddwn hefyd yn cadw cofnodion gweinydd sy'n cynnwys y cyfeiriad IP am bob cais sy'n cael ei wneud i'n gweinydd.</li>
|
||||
<li><em>Gwybodaeth cyfrif sylfaenol</em>: Os ydych yn cofrestru ar y gweinydd hwn, mae'n bosib y byddwch yn cael eich gofyn i fewnbynnu enw defnyddiwr, cyfeiriad e-bost a chyfrinair. Mae modd i chi hefyd fewnbynnu gwybodaeth ychwanegol megis enw arddangos a bywgraffiad ac uwchlwytho llun proffil a llun pennawd. Mae'r enw defnyddiwr, enw arddangos, bywgraffiad, llun proffil a'r llun pennawd wedi eu rhestru'n gyhoeddus bob tro.</li>
|
||||
<li><em>Postio, dilyn a gwybodaeth gyhoeddus arall</em>: Mae'r rhestr o bobl yr ydych yn dilyn wedi ei restru'n gyhoeddus, mae'r un peth yn wir am eich dilynwyr. Pan yr ydych yn mewnosod neges, mae'r dyddiad a'r amser yn cael ei gofnodi ynghyd a'r rhaglen y wnaethoch anfon y neges ohonni. Gall negeseuon gynnwys atodiadau cyfryngau, megis lluniau neu fideo. Mae negeseuon cyhoeddus a negeseuon heb eu rhestru ar gael yn gyhoeddus. Pan yr ydych yn nodweddu neges ar eich proffil, mae hynny hefyd yn wybodaeth sydd ar gael yn gyhoeddus. Mae eich negeseuon yn cael eu hanfon i'ch dilynwyr, mewn rhai achosion mae hyn yn golygu eu bod yn cael eu hanfon i amryw o weinyddwyr ac fe fydd copiau yn cael eu cadw yno. Pan yr ydych yn dileu negeseuon, mae hyn hefyd yn cael ei hanfon i'ch dilynwyr. Mae'r weithred o rannu neu hoffi neges arall yn gyhoeddus bob tro.</li>
|
||||
<li><em>Negeseuon uniongyrchol a dilynwyr yn unig</em>: Mae pob neges yn cael eu cadw a'u prosesu ar y gweinydd. Mae negeseuon dilynwyr yn unig yn cael eu hanfon i'ch dilynwyr a'r defnyddwyr sy'n cael eu crybwyll ynddynt tra bod negeseuon uniongyrchol yn cael eu hanfon at rheini sy'n cael crybwyll ynddynt yn unig. Mewn rhai achostion golyga hyn eu bod yn cael eu hanfon i weinyddwyr gwahanol a'u cadw yno. yr ydym yn gnweud ymgais ewyllys da i gyfyngu'r mynediad at y negeseuon yna i bobl ac awdurdod yn unig, ond mae'n bosib y bydd gweinyddwyr eraill yn methu a gwneud hyn. Mae'n bwysig felly i chi fod yn wyliadwrus o ba weinyddwyr y mae eich dilynwyr yn perthyn iddynt. Mae modd i chi osod y dewis i ganiatau a gwrthod dilynwyr newydd a llaw yn y gosodiadau. <em>Cofiwch gall gweithredwyr y gweinydd ac unrhyw weinydd derbyn weld unrhyw negeseuon o'r fath</em>, ac fe all y derbynwyr gymryd sgrinlin, copïo neu drwy ddulliau eraill rannu rhain. <em>Peidiwch a rhannu unrhyw wybodaeth beryglus dros Mastodon.</em></li>
|
||||
<li><em>IPs a mathau eraill o metadata</em>: Pan yr ydych yn mewngofnodi, yr ydym yn cofnodi y cyfeiriad IP yr ydych yn mewngofnodi ohonno, ynghyd a enw eich rhaglen pori. Mae pob un sesiwn mewngofnodi ar gael i chi adolygu a gwrthod yn y gosodiadau. Mae'r cyfeiriad IP diweddaraf yn cael ei storio hyd at 12 mis. Mae'n bosib y byddwn hefyd yn cadw cofnodion gweinydd sy'n cynnwys y cyfeiriad IP am bob cais sy'n cael ei wneud i'n gweinydd.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -880,9 +1007,9 @@ cy:
|
||||
<p>Gall unrhyw wybodaeth yr ydym yn ei gasglu oddi wrthych gael ei ddefnyddio yn y ffyrdd canlynol:</p>
|
||||
|
||||
<ul>
|
||||
<li>I ddarparu prif weithgaredd Mastodon. Gallwch ond rhyngweithio a chynnwys pobl eraill pan yr ydych wedi'ch mewngofnodi. Er enghraifft, gallwch ddilyn pobl eraill i weld eu negeseuon wedi cyfuno ar ffrwd gartref bersonol.</li>
|
||||
<li>I helpu gyda goruwchwylio'r gymuned, er enghraifft drwy gymharu eich cyfeiriad IP gyda rhai eraill hysbys er mwyn sefydlu ymgais i geisio hepgor gwaharddiad neu droseddau eraill.</li>
|
||||
<li>Gall y cyfeiriad e-bost yr ydych yn ei ddarparu gael ei ddefnyddio i anfon gwybodaeth atoch, hsybysiadau am bobl eraill yn rhyngweithio a'ch cynnwys neu'n anfon negeseuon atoch a/neu geisiadau neu gwestiynnau eraill.</li>
|
||||
<li>I ddarparu prif weithgaredd Mastodon. Gallwch ond rhyngweithio a chynnwys pobl eraill pan yr ydych wedi'ch mewngofnodi. Er enghraifft, gallwch ddilyn pobl eraill i weld eu negeseuon wedi cyfuno ar ffrwd gartref bersonol.</li>
|
||||
<li>I helpu gyda goruwchwylio'r gymuned, er enghraifft drwy gymharu eich cyfeiriad IP gyda rhai eraill hysbys er mwyn sefydlu ymgais i geisio hepgor gwaharddiad neu droseddau eraill.</li>
|
||||
<li>Gall y cyfeiriad e-bost yr ydych yn ei ddarparu gael ei ddefnyddio i anfon gwybodaeth atoch, hsybysiadau am bobl eraill yn rhyngweithio a'ch cynnwys neu'n anfon negeseuon atoch a/neu geisiadau neu gwestiynnau eraill.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -898,8 +1025,8 @@ cy:
|
||||
<p>Gwnawn ymdrech ewyllys da i:</p>
|
||||
|
||||
<ul>
|
||||
<li>Gadw cofnod gweinydd yn cynnwys y cyfeiriad IP o bob cais i'r gweinydd hwn, i'r graddau y mae cofnodion o'r fath yn cael eu cadw, am ddim mwy na 90 diwrnod.</li>
|
||||
<li>Gadw cyfeiriadau IP a chysylltiad i ddefnyddwyr cofrestredig am ddim mwy na 12 mis.</li>
|
||||
<li>Gadw cofnod gweinydd yn cynnwys y cyfeiriad IP o bob cais i'r gweinydd hwn, i'r graddau y mae cofnodion o'r fath yn cael eu cadw, am ddim mwy na 90 diwrnod.</li>
|
||||
<li>Gadw cyfeiriadau IP a chysylltiad i ddefnyddwyr cofrestredig am ddim mwy na 12 mis.</li>
|
||||
</ul>
|
||||
|
||||
<p>Mae modd i chi wneud cais am, a lawrlwytho archif o'ch cynnwys, gan gynnwys eich tŵtiau, atodiadau cyfryngau, llun proffil a llun pennawd.</p>
|
||||
@ -945,8 +1072,8 @@ cy:
|
||||
<p>Cafodd ei addasu yn wreiddiol o'r<a href="https://github.com/discourse/discourse">Polisi preifatrwydd disgwrs</a>.</p>
|
||||
title: "%{instance} Termau Gwasanaeth a Polisi Preifatrwydd"
|
||||
themes:
|
||||
contrast: Cyferbyniad uchel
|
||||
default: Mastodon
|
||||
contrast: Mastodon (Cyferbyniad uchel)
|
||||
default: Mastodon (Tywyll)
|
||||
mastodon-light: Mastodon (golau)
|
||||
time:
|
||||
formats:
|
||||
@ -976,6 +1103,8 @@ cy:
|
||||
warning:
|
||||
explanation:
|
||||
disable: Er bod eich cyfrif wedi'i rewi, mae eich data cyfrif yn parhau i fod yn gyfan, ond ni allwch chi berfformio unrhyw gamau nes ei ddatgloi.
|
||||
silence: Pan mae eich cyfrif yn gyfyngiedig, dim ond pobl sydd yn barod yn eich dilyn yn gweld eich tŵtiau ar y gweinydd hon, a efallai byddwch yn cael eich tynnu o restrau cyhoeddus. Er hyn, gall eraill eich dilyn chi wrth law.
|
||||
suspend: Mae eich cyfrif wedi cael ei wahardd, a mae gyd o'ch tŵtiau a'ch ffeiliau cyfrwng uwchlwythadwy wedi cael eu tynnu or gweinydd yn barhaol, ac o weinyddau ble yr oedd eich dilynwyr.
|
||||
review_server_policies: Adolygu polisïau'r gweinydd
|
||||
subject:
|
||||
disable: Mae'ch cyfrif %{acct} wedi'i rewi
|
||||
@ -1001,7 +1130,7 @@ cy:
|
||||
tip_federated_timeline: Mae'r ffrwd ffederasiwn yn olwg firehose o'r rhwydwaith Mastodon. Ond mae ond yn cynnwys y bobl mae eich cymdogion wedi ymrestru iddynt, felly nid yw'n gyflawn.
|
||||
tip_following: Rydych yn dilyn goruwchwyliwr eich gweinydd yn ddiofyn. I ganfod pobl mwy diddorol, edrychwch ar y ffrydiau lleol a'r rhai wedi ei ffedereiddio.
|
||||
tip_local_timeline: Mae'r ffrwd leol yn olwg firehose o bobl ar %{instance}. Dyma eich cymdogion agosaf!
|
||||
tip_mobile_webapp: Os yw eich porwr gwe yn cynnig i ch ychwanegu Mastodon i'ch sgrîn gartref, mae modd i chi dderbyn hysbysiadau push. Mewn sawl modd mae'n gweithio fel ap cynhenid!
|
||||
tip_mobile_webapp: Os yw eich porwr gwe yn cynnig i chi ychwanegu Mastodon i'ch sgrîn gartref, mae modd i chi dderbyn hysbysiadau gwthiadwy. Mewn sawl modd mae'n gweithio fel ap cynhenid!
|
||||
tips: Awgrymiadau
|
||||
title: Croeso, %{name}!
|
||||
users:
|
||||
|
@ -5,7 +5,6 @@ da:
|
||||
about_mastodon_html: Mastodon er et socialt netværk der er baseret på åbne web protokoller og frit, open-source source software. Der er decentraliseret ligesom e-mail tjenester.
|
||||
about_this: Om
|
||||
administered_by: 'Administreret af:'
|
||||
api: API
|
||||
apps: Apps til mobilen
|
||||
apps_platforms: Brug Mastodon på iOS, Android og andre platformer
|
||||
contact: Kontakt
|
||||
@ -20,9 +19,6 @@ da:
|
||||
learn_more: Lær mere
|
||||
privacy_policy: Privatlivspolitik
|
||||
source_code: Kildekode
|
||||
status_count_after:
|
||||
one: status
|
||||
other: statusser
|
||||
status_count_before: Som har skrevet
|
||||
terms: Vilkår for service
|
||||
user_count_after:
|
||||
@ -87,8 +83,6 @@ da:
|
||||
display_name: Visningsnavn
|
||||
domain: Domæne
|
||||
edit: Rediger
|
||||
email: Email
|
||||
email_status: Email status
|
||||
enable: Aktiver
|
||||
enabled: Aktiveret
|
||||
feed_url: Link til feed
|
||||
@ -153,7 +147,6 @@ da:
|
||||
undo_suspension: Fortryd udelukkelse
|
||||
unsubscribe: Abonner ikke længere
|
||||
username: Brugernavn
|
||||
web: Web
|
||||
action_logs:
|
||||
actions:
|
||||
assigned_to_self_report: "%{name} tildelte anmeldelsen %{target} til sig selv"
|
||||
@ -224,7 +217,6 @@ da:
|
||||
recent_users: Seneste brugere
|
||||
search: Søg på fuld tekst
|
||||
single_user_mode: Enkelt bruger mode
|
||||
software: Software
|
||||
space: Brugt lagerplads
|
||||
title: Betjeningspanel
|
||||
total_users: samlede antal brugere
|
||||
@ -294,7 +286,6 @@ da:
|
||||
pending: Venter på godkendelse fra relæet
|
||||
save_and_enable: Gem og aktiver
|
||||
setup: Opsæt en videresendelses forbindelse
|
||||
status: Status
|
||||
title: Videresendelser
|
||||
report_notes:
|
||||
created_msg: Anmeldelse note blev oprettet!
|
||||
@ -324,7 +315,6 @@ da:
|
||||
reported_by: Anmeldt af
|
||||
resolved: Løst
|
||||
resolved_msg: Anmeldelse er sat til at være løst!
|
||||
status: Status
|
||||
title: Anmeldelser
|
||||
unassign: Utildel
|
||||
unresolved: Uløst
|
||||
@ -410,7 +400,6 @@ da:
|
||||
tags:
|
||||
accounts: Kontoer
|
||||
hidden: Skjult
|
||||
title: Administration
|
||||
admin_mailer:
|
||||
new_report:
|
||||
body: "%{reporter} har anmeldt %{target}"
|
||||
@ -418,7 +407,6 @@ da:
|
||||
subject: Ny anmeldelse for %{instance} (#%{id})
|
||||
application_mailer:
|
||||
notification_preferences: Ændre email præferencer
|
||||
salutation: "%{name},"
|
||||
settings: 'Ændre email præferencer: %{link}'
|
||||
view: 'Se:'
|
||||
view_profile: Se profil
|
||||
@ -444,9 +432,6 @@ da:
|
||||
migrate_account: Flyt til en anden konto
|
||||
migrate_account_html: Hvis du ønsker at omdirigere denne konto til en anden, kan du <a href="%{path}">gøre det her</a>.
|
||||
or_log_in_with: Eller log in med
|
||||
providers:
|
||||
cas: CAS
|
||||
saml: SAML
|
||||
register: Opret dig
|
||||
resend_confirmation: Gensend bekræftelses instrukser
|
||||
reset_password: Nulstil kodeord
|
||||
@ -470,13 +455,9 @@ da:
|
||||
about_x_years: "%{count}år"
|
||||
almost_x_years: "%{count}år"
|
||||
half_a_minute: Lige nu
|
||||
less_than_x_minutes: "%{count}m"
|
||||
less_than_x_seconds: Lige nu
|
||||
over_x_years: "%{count}år"
|
||||
x_days: "%{count}d"
|
||||
x_minutes: "%{count}m"
|
||||
x_months: "%{count}md"
|
||||
x_seconds: "%{count}s"
|
||||
deletes:
|
||||
bad_password_msg: Godt forsøg, hackere! Forkert kodeord
|
||||
confirm_password: Indtast dit nuværende kodeord for at bekræfte din identitet
|
||||
@ -506,7 +487,6 @@ da:
|
||||
request: Anmod om dit arkiv
|
||||
size: Størrelse
|
||||
blocks: Du blokerer
|
||||
csv: CSV
|
||||
follows: Du følger
|
||||
mutes: Du dæmper
|
||||
storage: Medie lager
|
||||
@ -619,14 +599,9 @@ da:
|
||||
number:
|
||||
human:
|
||||
decimal_units:
|
||||
format: "%n%u"
|
||||
units:
|
||||
billion: mia.
|
||||
million: mio.
|
||||
quadrillion: Q
|
||||
thousand: K
|
||||
trillion: T
|
||||
unit: "\n"
|
||||
pagination:
|
||||
newer: Nyere
|
||||
next: Næste
|
||||
@ -634,10 +609,7 @@ da:
|
||||
prev: Forrige
|
||||
truncate: "...…"
|
||||
preferences:
|
||||
languages: Sprog
|
||||
other: Andet
|
||||
publishing: Offentligører
|
||||
web: Web
|
||||
remote_follow:
|
||||
acct: Indtast dit brugernavn@domæne du vil handle fra
|
||||
missing_resource: Kunne ikke finde det påkrævede omdirigerings link for din konto
|
||||
@ -650,7 +622,6 @@ da:
|
||||
unfollowed: Følger ikke længere
|
||||
sessions:
|
||||
activity: Sidste aktivitet
|
||||
browser: Browser
|
||||
browsers:
|
||||
alipay: Ali-pay
|
||||
blackberry: Blackberry OS
|
||||
@ -672,15 +643,11 @@ da:
|
||||
current_session: Nuværrende session
|
||||
description: "%{browser} på %{platform}"
|
||||
explanation: Disse er de web browsere der på nuværende tidspunkt er logget ind på din Mastodon konto.
|
||||
ip: IP
|
||||
platforms:
|
||||
adobe_air: Adobe air
|
||||
android: Android
|
||||
blackberry: Blackberry OS
|
||||
chrome_os: Chromeos
|
||||
firefox_os: Firefox Os
|
||||
ios: iOS
|
||||
linux: Linux
|
||||
mac: Mac.
|
||||
other: ukendt platform
|
||||
windows: Microsoft windows
|
||||
@ -707,9 +674,6 @@ da:
|
||||
image:
|
||||
one: "%{count} billede"
|
||||
other: "%{count} billeder"
|
||||
video:
|
||||
one: "%{count} video"
|
||||
other: "%{count} videoer"
|
||||
boosted_from_html: Fremhævet fra %{acct_link}
|
||||
content_warning: 'Advarsel om indhold: %{warning}'
|
||||
disallowed_hashtags:
|
||||
@ -725,7 +689,6 @@ da:
|
||||
reblog: Fremhævede trut kan ikke fastgøres
|
||||
show_more: Vis mere
|
||||
sign_in_to_participate: Log ind for at deltage i samtalen
|
||||
title: '%{name}: "%{quote}"'
|
||||
visibilities:
|
||||
private: Kun-følgere
|
||||
private_long: Vis kun til følgere
|
||||
@ -744,10 +707,6 @@ da:
|
||||
contrast: Mastodon (Høj kontrast)
|
||||
default: Mastodont (Mørk)
|
||||
mastodon-light: Mastodon (Lys)
|
||||
time:
|
||||
formats:
|
||||
default: "%b %d, %Y, %H:%M"
|
||||
month: "%b %Y"
|
||||
two_factor_authentication:
|
||||
code_hint: Indtast koden der er genereret af din app for at bekræfte
|
||||
description_html: Hvis du aktiverer <strong>to-faktor godkendelse</strong>, vil du være nødt til at være i besiddelse af din telefon, der genererer tokens som du skal indtaste, når du logger ind.
|
||||
|
@ -1,51 +1,51 @@
|
||||
---
|
||||
de:
|
||||
about:
|
||||
about_hashtag_html: Dies sind öffentliche Beiträge, die mit <strong>#%{hashtag}</strong> getaggt wurden. Wenn du irgendwo im Fediversum ein Konto besitzt, kannst du mit ihnen interagieren.
|
||||
about_hashtag_html: Das sind öffentliche Beiträge, die mit <strong>#%{hashtag}</strong> getaggt wurden. Wenn du irgendwo im Fediversum ein Konto besitzt, kannst du mit ihnen interagieren.
|
||||
about_mastodon_html: Mastodon ist ein soziales Netzwerk. Es basiert auf offenen Web-Protokollen und freier, quelloffener Software. Es ist dezentral (so wie E-Mail!).
|
||||
about_this: Über diesen Server
|
||||
active_count_after: aktiv
|
||||
active_footnote: Monatlich Aktive User (MAU)
|
||||
administered_by: 'Administriert von:'
|
||||
active_footnote: Monatlich Aktive Nutzer_innen (MAU)
|
||||
administered_by: 'Betrieben von:'
|
||||
api: API
|
||||
apps: Mobile Apps
|
||||
apps_platforms: Benutze Mastodon auf iOS, Android und anderen Plattformen
|
||||
browse_directory: Durchsuche ein Profilverzeichnis und filtere nach Interessen
|
||||
browse_public_posts: Durchsuche eine Zeitleiste an öffentlichen Beiträgen auf Mastodon
|
||||
browse_directory: Durchsuche das Profilverzeichnis und filtere nach Interessen
|
||||
browse_public_posts: Stöbere durch öffentliche Beiträge auf Mastodon
|
||||
contact: Kontakt
|
||||
contact_missing: Nicht angegeben
|
||||
contact_unavailable: N/A
|
||||
discover_users: Benutzer entdecken
|
||||
contact_unavailable: Nicht verfügbar
|
||||
discover_users: Benutzer_innen entdecken
|
||||
documentation: Dokumentation
|
||||
extended_description_html: |
|
||||
<h3>Ein guter Platz für Regeln</h3>
|
||||
<p>Die erweiterte Beschreibung wurde noch nicht aufgesetzt.</p>
|
||||
federation_hint_html: Mit einem Account auf %{instance} wirst du in der Lage sein Nutzern auf irgendeinem Mastodon-Server und darüber hinaus zu folgen.
|
||||
generic_description: "%{domain} ist ein Server im Netzwerk"
|
||||
<h3>Ein hervorragender Ort für Regeln</h3>
|
||||
<p>Die erweiterte Beschreibung wurde von dem Administrator noch nicht eingestellt.</p>
|
||||
federation_hint_html: Mit einem Konto auf %{instance} wirst du in der Lage sein Nutzer_innen auf beliebigen Mastodon-Servern und darüber hinaus zu folgen.
|
||||
generic_description: "%{domain} ist ein Server im Fediversum"
|
||||
get_apps: Versuche eine mobile App
|
||||
hosted_on: Mastodon, beherbergt auf %{domain}
|
||||
hosted_on: Mastodon, gehostet auf %{domain}
|
||||
learn_more: Mehr erfahren
|
||||
privacy_policy: Datenschutzerklärung
|
||||
see_whats_happening: Finde heraus, was gerade in der Welt los ist
|
||||
server_stats: 'Serverstatistiken:'
|
||||
source_code: Quellcode
|
||||
status_count_after:
|
||||
one: Statusmeldung
|
||||
other: Statusmeldungen
|
||||
one: Beitrag
|
||||
other: Beiträge
|
||||
status_count_before: mit
|
||||
tagline: Finde Freunde und entdecke neue
|
||||
tagline: Finde deine Freunde und entdecke neue
|
||||
terms: Nutzungsbedingungen
|
||||
user_count_after:
|
||||
one: Benutzer:in
|
||||
other: Benutzer:innen
|
||||
user_count_before: Zuhause für
|
||||
one: Profil
|
||||
other: Profile
|
||||
user_count_before: Hostet
|
||||
what_is_mastodon: Was ist Mastodon?
|
||||
accounts:
|
||||
choices_html: "%{name} empfiehlt:"
|
||||
follow: Folgen
|
||||
followers:
|
||||
one: Folgender
|
||||
other: Folgende
|
||||
one: Folger_innen
|
||||
other: Folger_innen
|
||||
following: Folgt
|
||||
joined: Beigetreten am %{date}
|
||||
last_active: zuletzt aktiv
|
||||
@ -65,7 +65,7 @@ de:
|
||||
posts_with_replies: Beiträge mit Antworten
|
||||
reserved_username: Dieser Profilname ist belegt
|
||||
roles:
|
||||
admin: Admin
|
||||
admin: Administrator
|
||||
bot: Bot
|
||||
moderator: Moderator
|
||||
unavailable: Profil nicht verfügbar
|
||||
@ -80,8 +80,8 @@ de:
|
||||
delete: Löschen
|
||||
destroyed_msg: Moderationsnotiz erfolgreich gelöscht!
|
||||
accounts:
|
||||
approve: Aktzeptieren
|
||||
approve_all: Alle aktzeptieren
|
||||
approve: Akzeptieren
|
||||
approve_all: Alle akzeptieren
|
||||
are_you_sure: Bist du sicher?
|
||||
avatar: Profilbild
|
||||
by_domain: Domain
|
||||
@ -108,10 +108,10 @@ de:
|
||||
enable: Freischalten
|
||||
enabled: Freigegeben
|
||||
feed_url: Feed-URL
|
||||
followers: Folgende
|
||||
followers_url: URL des Folgenden
|
||||
followers: Folger_innen
|
||||
followers_url: URL der Folger_innen
|
||||
follows: Folgt
|
||||
header: Header
|
||||
header: Titelbild
|
||||
inbox_url: Posteingangs-URL
|
||||
invited_by: Eingeladen von
|
||||
ip: IP-Adresse
|
||||
@ -119,27 +119,27 @@ de:
|
||||
location:
|
||||
all: Alle
|
||||
local: Lokal
|
||||
remote: Entfernt
|
||||
title: Ort
|
||||
remote: Fern
|
||||
title: Ursprung
|
||||
login_status: Loginstatus
|
||||
media_attachments: Medienanhänge
|
||||
media_attachments: Dateien
|
||||
memorialize: In Gedenkmal verwandeln
|
||||
moderation:
|
||||
active: Aktiv
|
||||
all: Alle
|
||||
pending: Ausstehend
|
||||
pending: In Warteschlange
|
||||
silenced: Stummgeschaltet
|
||||
suspended: Gesperrt
|
||||
title: Moderation
|
||||
moderation_notes: Moderationsnotizen
|
||||
most_recent_activity: Letzte Aktivität
|
||||
most_recent_ip: Letzte IP-Adresse
|
||||
no_account_selected: Keine Konten wurden verändert, da keine ausgewählt wurden
|
||||
no_limits_imposed: Keine Limits eingesetzt
|
||||
no_account_selected: Keine Konten wurden geändert, da keine ausgewählt wurden
|
||||
no_limits_imposed: Keine Beschränkungen
|
||||
not_subscribed: Nicht abonniert
|
||||
outbox_url: Postausgangs-URL
|
||||
pending: Ausstehender Review
|
||||
perform_full_suspension: Sperren
|
||||
pending: In Warteschlange
|
||||
perform_full_suspension: Verbannen
|
||||
profile_url: Profil-URL
|
||||
promote: Befördern
|
||||
protocol: Protokoll
|
||||
@ -149,10 +149,10 @@ de:
|
||||
reject: Ablehnen
|
||||
reject_all: Alle ablehnen
|
||||
remove_avatar: Profilbild entfernen
|
||||
remove_header: Header entfernen
|
||||
remove_header: Titelbild entfernen
|
||||
resend_confirmation:
|
||||
already_confirmed: Diese:r Benutzer:in wurde bereits bestätigt
|
||||
send: Bestätigungsmail erneut senden
|
||||
already_confirmed: Diese_r Benutzer_in wurde bereits bestätigt
|
||||
send: Bestätigungs-E-Mail erneut senden
|
||||
success: Bestätigungs-E-Mail erfolgreich gesendet!
|
||||
reset: Zurücksetzen
|
||||
reset_password: Passwort zurücksetzen
|
||||
@ -160,24 +160,25 @@ de:
|
||||
role: Berechtigungen
|
||||
roles:
|
||||
admin: Administrator
|
||||
moderator: Moderator:in
|
||||
moderator: Moderator_in
|
||||
staff: Mitarbeiter
|
||||
user: Nutzer
|
||||
salmon_url: Salmon-URL
|
||||
search: Suche
|
||||
shared_inbox_url: Geteilte Posteingang-URL
|
||||
show:
|
||||
created_reports: Erstellte Beschwerdemeldungen
|
||||
targeted_reports: Beschwerdemeldungen von anderen
|
||||
created_reports: Erstellte Meldungen
|
||||
targeted_reports: Von anderen gemeldet
|
||||
silence: Stummschalten
|
||||
silenced: Stummgeschaltet
|
||||
statuses: Beiträge
|
||||
subscribe: Abonnieren
|
||||
suspended: Gesperrt
|
||||
suspended: Verbannt
|
||||
time_in_queue: "%{time} in der Warteschlange"
|
||||
title: Konten
|
||||
unconfirmed_email: Unbestätigte E-Mail-Adresse
|
||||
undo_silenced: Stummschaltung zurücknehmen
|
||||
undo_suspension: Sperre zurücknehmen
|
||||
undo_silenced: Stummschaltung aufheben
|
||||
undo_suspension: Verbannung aufheben
|
||||
unsubscribe: Abbestellen
|
||||
username: Profilname
|
||||
warn: Warnen
|
||||
@ -191,29 +192,29 @@ de:
|
||||
create_custom_emoji: "%{name} hat neues Emoji %{target} hochgeladen"
|
||||
create_domain_block: "%{name} hat die Domain %{target} blockiert"
|
||||
create_email_domain_block: "%{name} hat die E-Mail-Domain %{target} geblacklistet"
|
||||
demote_user: "%{name} stufte Benutzer:in %{target} herunter"
|
||||
demote_user: "%{name} stufte Benutzer_in %{target} herunter"
|
||||
destroy_custom_emoji: "%{name} zerstörte Emoji %{target}"
|
||||
destroy_domain_block: "%{name} hat die Domain %{target} entblockt"
|
||||
destroy_email_domain_block: "%{name} hat die E-Mail-Domain %{target} gewhitelistet"
|
||||
destroy_status: "%{name} hat Status von %{target} entfernt"
|
||||
disable_2fa_user: "%{name} hat Zwei-Faktor-Anforderung für Benutzer:in %{target} deaktiviert"
|
||||
destroy_status: "%{name} hat einen Beitrag von %{target} entfernt"
|
||||
disable_2fa_user: "%{name} hat Zwei-Faktor-Anforderung für Benutzer_in %{target} deaktiviert"
|
||||
disable_custom_emoji: "%{name} hat das %{target} Emoji deaktiviert"
|
||||
disable_user: "%{name} hat den Login für Benutzer:in %{target} deaktiviert"
|
||||
disable_user: "%{name} hat Zugang von Benutzer_in %{target} deaktiviert"
|
||||
enable_custom_emoji: "%{name} hat das %{target} Emoji aktiviert"
|
||||
enable_user: "%{name} hat die Anmeldung für di:en Benutzer:in %{target} aktiviert"
|
||||
memorialize_account: "%{name} hat %{target}s Konto in eine Gedenkseite umgewandelt"
|
||||
enable_user: "%{name} hat Zugang von Benutzer_in %{target} aktiviert"
|
||||
memorialize_account: "%{name} hat das Konto von %{target} in eine Gedenkseite umgewandelt"
|
||||
promote_user: "%{name} hat %{target} befördert"
|
||||
remove_avatar_user: "%{name} hat das Profilbild von %{target} entfernt"
|
||||
reopen_report: "%{name} hat die Meldung %{target} wieder geöffnet"
|
||||
reset_password_user: "%{name} hat das Passwort für di:en Benutzer:in %{target} zurückgesetzt"
|
||||
reset_password_user: "%{name} hat das Passwort von %{target} zurückgesetzt"
|
||||
resolve_report: "%{name} hat die Meldung %{target} bearbeitet"
|
||||
silence_account: "%{name} hat %{target}s Konto stummgeschaltet"
|
||||
suspend_account: "%{name} hat %{target}s Konto gesperrt"
|
||||
silence_account: "%{name} hat das Konto von %{target} stummgeschaltet"
|
||||
suspend_account: "%{name} hat das Konto von %{target} verbannt"
|
||||
unassigned_report: "%{name} hat die Zuweisung der Meldung %{target} entfernt"
|
||||
unsilence_account: "%{name} hat die Stummschaltung von %{target}s Konto aufgehoben"
|
||||
unsuspend_account: "%{name} hat die Sperrung von %{target}s Konto aufgehoben"
|
||||
update_custom_emoji: "%{name} hat das %{target} Emoji aktualisiert"
|
||||
update_status: "%{name} hat den Status von %{target} aktualisiert"
|
||||
unsilence_account: "%{name} hat die Stummschaltung von %{target} aufgehoben"
|
||||
unsuspend_account: "%{name} hat die Verbannung von %{target} aufgehoben"
|
||||
update_custom_emoji: "%{name} hat das %{target} Emoji geändert"
|
||||
update_status: "%{name} hat einen Beitrag von %{target} aktualisiert"
|
||||
deleted_status: "(gelöschter Beitrag)"
|
||||
title: Überprüfungsprotokoll
|
||||
custom_emojis:
|
||||
@ -229,7 +230,7 @@ de:
|
||||
emoji: Emoji
|
||||
enable: Aktivieren
|
||||
enabled_msg: Das Emoji wurde aktiviert
|
||||
image_hint: PNG bis 50 kB
|
||||
image_hint: PNG bis zu 50 kB
|
||||
listed: Gelistet
|
||||
new:
|
||||
title: Eigenes Emoji hinzufügen
|
||||
@ -242,33 +243,34 @@ de:
|
||||
updated_msg: Emoji erfolgreich aktualisiert!
|
||||
upload: Hochladen
|
||||
dashboard:
|
||||
backlog: Unerledigte Jobs
|
||||
backlog: Rückständige Jobs
|
||||
config: Konfiguration
|
||||
feature_deletions: Kontolöschung
|
||||
feature_invites: Einladungslinks
|
||||
feature_invites: Einladungen
|
||||
feature_profile_directory: Profilverzeichnis
|
||||
feature_registrations: Registrierung
|
||||
feature_relay: Föderations-Relay
|
||||
feature_registrations: Offene Anmeldung
|
||||
feature_relay: Föderationsrelais
|
||||
feature_timeline_preview: Zeitleistenvorschau
|
||||
features: Eigenschaften
|
||||
features: Funktionen
|
||||
hidden_service: Föderation mit versteckten Diensten
|
||||
open_reports: Offene Meldungen
|
||||
open_reports: Ausstehende Meldungen
|
||||
recent_users: Neueste Nutzer
|
||||
search: Volltextsuche
|
||||
single_user_mode: Einzelnutzermodus
|
||||
software: Software
|
||||
space: Speicherverbrauch
|
||||
title: Übersicht
|
||||
total_users: Benutzer:innen insgesamt
|
||||
total_users: Benutzer_innen insgesamt
|
||||
trends: Trends
|
||||
week_interactions: Interaktionen diese Woche
|
||||
week_users_active: Aktiv diese Woche
|
||||
week_users_new: Benutzer:innen diese Woche
|
||||
week_users_new: Benutzer_innen diese Woche
|
||||
domain_blocks:
|
||||
add_new: Neue Domainblockade hinzufügen
|
||||
created_msg: Die Domain-Blockade wird nun durchgeführt
|
||||
destroyed_msg: Die Domain-Blockade wurde rückgängig gemacht
|
||||
domain: Domain
|
||||
existing_domain_block_html: Es gibt schon eine Blockade für %{name}, diese muss erst <a href="%{unblock_url}">aufgehoben</a> werden.
|
||||
new:
|
||||
create: Blockade einrichten
|
||||
hint: Die Domain-Blockade wird nicht verhindern, dass Konteneinträge in der Datenbank erstellt werden. Aber es werden rückwirkend und automatisch alle Moderationsmethoden auf diese Konten angewendet.
|
||||
@ -282,8 +284,8 @@ de:
|
||||
reject_media_hint: Entfernt lokal gespeicherte Mediendateien und verhindert deren künftiges Herunterladen. Für Sperren irrelevant
|
||||
reject_reports: Meldungen ablehnen
|
||||
reject_reports_hint: Ignoriere alle Meldungen von dieser Domain. Irrelevant für Sperrungen
|
||||
rejecting_media: Mediendateien ablehnen
|
||||
rejecting_reports: Beschwerdemeldungen ablehnen
|
||||
rejecting_media: Mediendateien werden nicht gespeichert
|
||||
rejecting_reports: Meldungen werden ignoriert
|
||||
severity:
|
||||
silence: stummgeschaltet
|
||||
suspend: gesperrt
|
||||
@ -309,22 +311,22 @@ de:
|
||||
title: E-Mail-Domain-Blockade
|
||||
followers:
|
||||
back_to_account: Zurück zum Konto
|
||||
title: "%{acct}'s Follower"
|
||||
title: "%{acct}'s Folger_innen"
|
||||
instances:
|
||||
by_domain: Domain
|
||||
delivery_available: Zustellung ist verfügbar
|
||||
delivery_available: Zustellung funktioniert
|
||||
known_accounts:
|
||||
one: "%{count} bekanntes Konto"
|
||||
other: "%{count} bekannte Accounts"
|
||||
other: "%{count} bekannte Konten"
|
||||
moderation:
|
||||
all: Alle
|
||||
limited: Limitiert
|
||||
limited: Beschränkt
|
||||
title: Moderation
|
||||
title: Föderation
|
||||
total_blocked_by_us: Von uns gesperrt
|
||||
total_blocked_by_us: Von uns blockiert
|
||||
total_followed_by_them: Gefolgt von denen
|
||||
total_followed_by_us: Gefolgt von uns
|
||||
total_reported: Beschwerdemeldungen über sie
|
||||
total_reported: Beschwerden über sie
|
||||
total_storage: Medienanhänge
|
||||
invites:
|
||||
deactivate_all: Alle deaktivieren
|
||||
@ -348,9 +350,9 @@ de:
|
||||
inbox_url: Relay-URL
|
||||
pending: Warte auf Zustimmung des Relays
|
||||
save_and_enable: Speichern und aktivieren
|
||||
setup: Relayverbindung einrichten
|
||||
status: Status
|
||||
title: Relays
|
||||
setup: Relaisverbindung einrichten
|
||||
status: Zustand
|
||||
title: Relais
|
||||
report_notes:
|
||||
created_msg: Meldungs-Kommentar erfolgreich erstellt!
|
||||
destroyed_msg: Meldungs-Kommentar erfolgreich gelöscht!
|
||||
@ -373,13 +375,13 @@ de:
|
||||
create_and_unresolve: Mit Kommentar wieder öffnen
|
||||
delete: Löschen
|
||||
placeholder: Beschreibe, welche Maßnahmen ergriffen wurden oder irgendwelche andere Neuigkeiten…
|
||||
reopen: Meldung wieder öffnen
|
||||
reopen: Meldung wieder eröffnen
|
||||
report: 'Meldung #%{id}'
|
||||
reported_account: Gemeldetes Konto
|
||||
reported_by: Gemeldet von
|
||||
resolved: Gelöst
|
||||
resolved_msg: Meldung erfolgreich gelöst!
|
||||
status: Status
|
||||
status: Zustand
|
||||
title: Meldungen
|
||||
unassign: Zuweisung entfernen
|
||||
unresolved: Ungelöst
|
||||
@ -399,22 +401,22 @@ de:
|
||||
title: Benutzerdefiniertes CSS
|
||||
hero:
|
||||
desc_html: Wird auf der Startseite angezeigt. Mindestens 600x100px sind empfohlen. Wenn es nicht gesetzt wurde, wird das Server-Thumbnail dafür verwendet
|
||||
title: Bild für Startseite
|
||||
title: Bild für Einstiegsseite
|
||||
mascot:
|
||||
desc_html: Angezeigt auf mehreren Seiten. Mehr als 293x205px empfohlen. Wenn es nicht gesetzt wurde wird es auf das Standard-Maskottchen zurückfallen
|
||||
title: Maskottchen-Bild
|
||||
peers_api_enabled:
|
||||
desc_html: Domain-Namen, die der Server im Fediverse gefunden hat
|
||||
title: Veröffentliche Liste von gefundenen Servern
|
||||
desc_html: Domain-Namen, die der Server im Fediversum gefunden hat
|
||||
title: Veröffentliche entdeckte Server durch die API
|
||||
preview_sensitive_media:
|
||||
desc_html: Linkvorschauen auf anderen Webseiten werden ein Vorschaubild anzeigen, obwohl die Medien als heikel gekennzeichnet sind
|
||||
title: Heikle Medien in OpenGraph-Vorschauen anzeigen
|
||||
title: Heikle Medien im OpenGraph-Vorschau anzeigen
|
||||
profile_directory:
|
||||
desc_html: Erlaube Benutzer auffindbar zu sein
|
||||
title: Aktiviere Profilverzeichnis
|
||||
registrations:
|
||||
closed_message:
|
||||
desc_html: Wird auf der Frontseite angezeigt, wenn die Registrierung geschlossen ist. Du kannst HTML-Tags benutzen
|
||||
desc_html: Wird auf der Einstiegsseite gezeigt, wenn die Anmeldung geschlossen ist. Du kannst HTML-Tags nutzen
|
||||
title: Nachricht über geschlossene Registrierung
|
||||
deletion:
|
||||
desc_html: Allen erlauben, ihr Konto eigenmächtig zu löschen
|
||||
@ -430,7 +432,7 @@ de:
|
||||
title: Registrierungsmodus
|
||||
show_known_fediverse_at_about_page:
|
||||
desc_html: Wenn aktiviert, wird es alle Beiträge aus dem bereits bekannten Teil des Fediversums auf der Startseite anzeigen. Andernfalls werden lokale Beitrage des Servers angezeigt.
|
||||
title: Verwende öffentliche Zeitleiste für die Vorschau
|
||||
title: Zeige eine öffentliche Zeitleiste auf der Einstiegsseite
|
||||
show_staff_badge:
|
||||
desc_html: Zeige Mitarbeiter-Badge auf Benutzerseite
|
||||
title: Zeige Mitarbeiter-Badge
|
||||
@ -441,17 +443,17 @@ de:
|
||||
desc_html: Bietet sich für Verhaltenskodizes, Regeln, Richtlinien und weiteres an, was deinen Server auszeichnet. Du kannst HTML-Tags benutzen
|
||||
title: Erweiterte Beschreibung des Servers
|
||||
site_short_description:
|
||||
desc_html: Wird angezeigt in der Seitenleiste und in Meta-Tags. Beschreibe in einem einzigen Abschnitt, was Mastodon ist und was diesen Server ausmacht. Falls leer, wird die Server-Beschreibung verwendet.
|
||||
title: Kurze Server-Beschreibung
|
||||
desc_html: Wird angezeigt in der Seitenleiste und in Meta-Tags. Beschreibe in einem einzigen Abschnitt, was Mastodon ist und was diesen Server von anderen unterscheidet. Falls leer, wird die Server-Beschreibung verwendet.
|
||||
title: Kurze Beschreibung des Servers
|
||||
site_terms:
|
||||
desc_html: Hier kannst du deine eigenen Geschäftsbedingungen, Datenschutzerklärung und anderes rechtlich Relevante eintragen. Du kannst HTML-Tags benutzen
|
||||
title: Eigene Geschäftsbedingungen
|
||||
desc_html: Hier kannst du deine eigenen Geschäftsbedingungen, Datenschutzerklärung und anderes rechtlich Relevante eintragen. Du kannst HTML-Tags nutzen
|
||||
title: Benutzerdefinierte Geschäftsbedingungen
|
||||
site_title: Name des Servers
|
||||
thumbnail:
|
||||
desc_html: Wird für die Vorschau via OpenGraph und API verwendet. 1200×630 px wird empfohlen
|
||||
title: Server-Thumbnail
|
||||
title: Vorschaubild des Servers
|
||||
timeline_preview:
|
||||
desc_html: Auf der Frontseite die öffentliche Zeitleiste anzeigen
|
||||
desc_html: Auf der Einstiegsseite die öffentliche Zeitleiste anzeigen
|
||||
title: Zeitleisten-Vorschau
|
||||
title: Server-Einstellungen
|
||||
statuses:
|
||||
@ -464,7 +466,7 @@ de:
|
||||
media:
|
||||
title: Medien
|
||||
no_media: Keine Medien
|
||||
no_status_selected: Keine Beiträge wurden verändert, weil keine ausgewählt wurden
|
||||
no_status_selected: Keine Beiträge wurden geändert, weil keine ausgewählt wurden
|
||||
title: Beiträge des Kontos
|
||||
with_media: Mit Medien
|
||||
subscriptions:
|
||||
@ -477,7 +479,7 @@ de:
|
||||
tags:
|
||||
accounts: Konten
|
||||
hidden: Versteckt
|
||||
hide: Vor Verzeichnis verstecken
|
||||
hide: Vom Profilverzeichnis verstecken
|
||||
name: Hashtag
|
||||
title: Hashtags
|
||||
unhide: Zeige in Verzeichnis
|
||||
@ -497,13 +499,19 @@ de:
|
||||
body: "%{reporter} hat %{target} gemeldet"
|
||||
body_remote: Jemand von %{domain} hat %{target} gemeldet
|
||||
subject: Neue Meldung auf %{instance} (#%{id})
|
||||
appearance:
|
||||
advanced_web_interface: Fortgeschrittene Benutzeroberfläche
|
||||
advanced_web_interface_hint: Wenn du mehr aus deiner Bildschirmbreite herausholen möchtest, erlaubt dir die fortgeschrittene Benutzeroberfläche viele unterschiedliche Spalten auf einmal zu sehen, wie z.B. deine Startseite, Benachrichtigungen, das gesamte bekannte Netz, deine Listen und beliebige Hashtags.
|
||||
animations_and_accessibility: Animationen und Barrierefreiheit
|
||||
confirmation_dialogs: Bestätigungsfenster
|
||||
sensitive_content: Heikle Inhalte
|
||||
application_mailer:
|
||||
notification_preferences: Ändere E-Mail-Einstellungen
|
||||
salutation: "%{name},"
|
||||
settings: 'E-Mail-Einstellungen ändern: %{link}'
|
||||
view: 'Ansehen:'
|
||||
view_profile: Zeige Profil
|
||||
view_status: Zeige Status
|
||||
view_status: Beitrag öffnen
|
||||
applications:
|
||||
created: Anwendung erfolgreich erstellt
|
||||
destroyed: Anwendung erfolgreich gelöscht
|
||||
@ -545,8 +553,8 @@ de:
|
||||
following: 'Erfolg! Du folgst nun:'
|
||||
post_follow:
|
||||
close: Oder du schließt einfach dieses Fenster.
|
||||
return: Zeige Profil des Benutzers
|
||||
web: Das Web öffnen
|
||||
return: Zeige das Profil
|
||||
web: In der Benutzeroberfläche öffnen
|
||||
title: "%{acct} folgen"
|
||||
datetime:
|
||||
distance_in_words:
|
||||
@ -557,8 +565,8 @@ de:
|
||||
half_a_minute: Gerade eben
|
||||
less_than_x_minutes: "%{count}m"
|
||||
less_than_x_seconds: Gerade eben
|
||||
over_x_years: "%{count}y"
|
||||
x_days: "%{count}d"
|
||||
over_x_years: "%{count}J"
|
||||
x_days: "%{count}T"
|
||||
x_minutes: "%{count}m"
|
||||
x_months: "%{count}mo"
|
||||
x_seconds: "%{count}s"
|
||||
@ -573,8 +581,8 @@ de:
|
||||
directories:
|
||||
directory: Profilverzeichnis
|
||||
enabled: Du bist gerade in dem Verzeichnis gelistet.
|
||||
enabled_but_waiting: Du bist damit einverstanden im Verzeichnis gelistet zu werden, aber du hast nicht die minimale Anzahl an Folgenden (%{min_followers}), damit es passiert.
|
||||
explanation: Entdecke Benutzer basierend auf deren Interessen
|
||||
enabled_but_waiting: Du bist damit einverstanden im Verzeichnis aufgelistet zu werden, aber du hast noch nicht genug Folger_innen (%{min_followers}).
|
||||
explanation: Entdecke Benutzer_innen basierend auf deren Interessen
|
||||
explore_mastodon: Entdecke %{title}
|
||||
how_to_enable: Du hast dich gerade nicht dazu entschieden im Verzeichnis gelistet zu werden. Du kannst dich unten dafür eintragen. Benutze Hashtags in deiner Profilbeschreibung, um unter spezifischen Hashtags gelistet zu werden!
|
||||
people:
|
||||
@ -706,7 +714,7 @@ de:
|
||||
media_attachments:
|
||||
validations:
|
||||
images_and_video: Es kann kein Video an einen Beitrag, der bereits Bilder enthält, angehängt werden
|
||||
too_many: Es können nicht mehr als 4 Bilder angehängt werden
|
||||
too_many: Es können nicht mehr als 4 Dateien angehängt werden
|
||||
migrations:
|
||||
acct: benutzername@domain des neuen Kontos
|
||||
currently_redirecting: 'Deine Profilweiterleitung wurde gesetzt auf:'
|
||||
@ -758,7 +766,6 @@ de:
|
||||
quadrillion: Q
|
||||
thousand: K
|
||||
trillion: T
|
||||
unit: ''
|
||||
pagination:
|
||||
newer: Neuer
|
||||
next: Vorwärts
|
||||
@ -776,10 +783,9 @@ de:
|
||||
too_few_options: muss mindestens einen Eintrag haben
|
||||
too_many_options: kann nicht mehr als %{max} Einträge beinhalten
|
||||
preferences:
|
||||
languages: Sprachen
|
||||
other: Weiteres
|
||||
publishing: Beiträge
|
||||
web: Web
|
||||
posting_defaults: Standardeinstellungen für Beiträge
|
||||
public_timelines: Öffentliche Zeitleisten
|
||||
relationships:
|
||||
activity: Kontoaktivität
|
||||
dormant: Inaktiv
|
||||
@ -862,7 +868,7 @@ de:
|
||||
settings:
|
||||
account: Konto
|
||||
account_settings: Konto & Sicherheit
|
||||
appearance: Bearbeiten
|
||||
appearance: Aussehen
|
||||
authorized_apps: Autorisierte Anwendungen
|
||||
back: Zurück zu Mastodon
|
||||
delete: Konto löschen
|
||||
@ -877,7 +883,7 @@ de:
|
||||
notifications: Benachrichtigungen
|
||||
preferences: Einstellungen
|
||||
profile: Profil
|
||||
relationships: Folgende und Follower
|
||||
relationships: Folger_innen und Gefolgte
|
||||
two_factor_authentication: Zwei-Faktor-Auth
|
||||
statuses:
|
||||
attached:
|
||||
@ -891,8 +897,8 @@ de:
|
||||
boosted_from_html: Geteilt von %{acct_link}
|
||||
content_warning: 'Inhaltswarnung: %{warning}'
|
||||
disallowed_hashtags:
|
||||
one: 'Enthält den unerlaubten Hashtag: %{tags}'
|
||||
other: 'Enthält die unerlaubten Hashtags: %{tags}'
|
||||
one: 'enthält einen verbotenen Hashtag: %{tags}'
|
||||
other: 'enthält verbotene Hashtags: %{tags}'
|
||||
language_detection: Sprache automatisch erkennen
|
||||
open_in_web: Im Web öffnen
|
||||
over_character_limit: Zeichenlimit von %{max} überschritten
|
||||
@ -919,17 +925,17 @@ de:
|
||||
stream_entries:
|
||||
pinned: Angehefteter Beitrag
|
||||
reblogged: teilte
|
||||
sensitive_content: Sensible Inhalte
|
||||
sensitive_content: Heikle Inhalte
|
||||
terms:
|
||||
body_html: |
|
||||
<h2>Datenschutzerklärung</h2>
|
||||
<h3 id="collect">Welche Informationen sammeln wir?</h3>
|
||||
|
||||
<ul>
|
||||
<li><em>Grundlegende Kontoinformationen</em>: Wenn du dich auf diesem Server registrierst, wirst du darum gebeten, einen Benutzer:innen-Namen, eine E-Mail-Adresse und ein Passwort einzugeben. Du kannst auch zusätzliche Profilinformationen wie etwa einen Anzeigenamen oder eine Biografie eingeben und ein Profilbild oder ein Headerbild hochladen. Der Benutzer:innen-Name, der Anzeigename, die Biografie, das Profilbild und das Headerbild werden immer öffentlich angezeigt.</li>
|
||||
<li><em>Beiträge, Folge- und andere öffentliche Informationen</em>: Die Liste der Leute, denen du folgst, wird öffentlich gezeigt, das gleiche gilt für deine Folgenden (Follower). Sobald du eine Nachricht übermittelst, wird das Datum und die Uhrzeit gemeinsam mit der Information, welche Anwendung du dafür verwendet hast, gespeichert. Nachricht können Medienanhänge enthalten, etwa Bilder und Videos. Öffentliche und ungelistete Beiträge sind öffentlich verfügbar. Sobald du einen Beitrag auf deinem Profil anpinnst, sind dies auch öffentlich verfügbare Informationen. Deine Beiträge werden an deine Folgenden ausgeliefert, was in manchen Fällen bedeutet, dass sie an andere Server ausgeliefert werden und dort Kopien gespeichert werden. Sobald du Beiträge löschst, wird dies ebenso an deine Follower ausgeliefert. Die Handlungen des Teilens und Favorisieren eines anderen Beitrages ist immer öffentlich.</li>
|
||||
<li><em>Direkte und "Nur Folgende"-Beiträge</em>: Alle Beiträge werden auf dem Server gespeichert und verarbeitet. "Nur Folgende"-Beiträge werden an deine Folgenden und an Benutzer:innen, die du in ihnen erwähnst, ausgeliefert, direkte Beiträge nur an in ihnen erwähnte Benutzer:innen. In manchen Fällen bedeutet dass, dass sie an andere Server ausgeliefert werden und dort Kopien gespeichert werden. Wir bemühen uns nach bestem Wissen und Gewissen, den Zugriff auf diese Beiträge auf nur autorisierte Personen einzuschränken, jedoch könnten andere Server dabei scheitern. Deswegen ist es wichtig, die Server, zu denen deine Folgenden gehören, zu überprüfen. Du kannst eine Option in den Einstellungen umschalten, um neue Folgenden manuell anzunehmen oder abzuweisen. <em>Bitte beachte, dass die Betreiber des Server und jedes empfangenden Servers solche Nachrichten anschauen könnten</em> und dass Empfänger von diesen eine Bildschirmkopie erstellen könnten, sie kopieren oder anderweitig weiterverteilen könnten. <em>Teile nicht irgendwelche gefährlichen Informationen über Mastodon.</em></li>
|
||||
<li><em>Internet Protocol-Adressen (IP-Adressen) und andere Metadaten</em>: Sobald du dich anmeldest, erfassen wir sowohl die IP-Adresse, von der aus du dich anmeldest, als auch den Namen deine Browseranwendung. Alle angemeldeten Sitzungen (Sessions) sind für deine Überprüfung und Widerruf in den Einstellungen verfügbar. Die letzte verwendete IP-Adresse wird bis zu 12 Monate lang gespeichert. Wir könnten auch Serverprotokoll behalten, welche die IP-Adresse von jeder Anfrage an unseren Server enthalten.</li>
|
||||
<li><em>Grundlegende Kontoinformationen</em>: Wenn du dich auf diesem Server registrierst, wirst du darum gebeten, einen Benutzer:innen-Namen, eine E-Mail-Adresse und ein Passwort einzugeben. Du kannst auch zusätzliche Profilinformationen wie etwa einen Anzeigenamen oder eine Biografie eingeben und ein Profilbild oder ein Headerbild hochladen. Der Benutzer:innen-Name, der Anzeigename, die Biografie, das Profilbild und das Headerbild werden immer öffentlich angezeigt.</li>
|
||||
<li><em>Beiträge, Folge- und andere öffentliche Informationen</em>: Die Liste der Leute, denen du folgst, wird öffentlich gezeigt, das gleiche gilt für deine Folgenden (Follower). Sobald du eine Nachricht übermittelst, wird das Datum und die Uhrzeit gemeinsam mit der Information, welche Anwendung du dafür verwendet hast, gespeichert. Nachricht können Medienanhänge enthalten, etwa Bilder und Videos. Öffentliche und ungelistete Beiträge sind öffentlich verfügbar. Sobald du einen Beitrag auf deinem Profil anpinnst, sind dies auch öffentlich verfügbare Informationen. Deine Beiträge werden an deine Folgenden ausgeliefert, was in manchen Fällen bedeutet, dass sie an andere Server ausgeliefert werden und dort Kopien gespeichert werden. Sobald du Beiträge löschst, wird dies ebenso an deine Follower ausgeliefert. Die Handlungen des Teilens und Favorisieren eines anderen Beitrages ist immer öffentlich.</li>
|
||||
<li><em>Direkte und "Nur Folgende"-Beiträge</em>: Alle Beiträge werden auf dem Server gespeichert und verarbeitet. "Nur Folgende"-Beiträge werden an deine Folgenden und an Benutzer:innen, die du in ihnen erwähnst, ausgeliefert, direkte Beiträge nur an in ihnen erwähnte Benutzer:innen. In manchen Fällen bedeutet dass, dass sie an andere Server ausgeliefert werden und dort Kopien gespeichert werden. Wir bemühen uns nach bestem Wissen und Gewissen, den Zugriff auf diese Beiträge auf nur autorisierte Personen einzuschränken, jedoch könnten andere Server dabei scheitern. Deswegen ist es wichtig, die Server, zu denen deine Folgenden gehören, zu überprüfen. Du kannst eine Option in den Einstellungen umschalten, um neue Folgenden manuell anzunehmen oder abzuweisen. <em>Bitte beachte, dass die Betreiber des Server und jedes empfangenden Servers solche Nachrichten anschauen könnten</em> und dass Empfänger von diesen eine Bildschirmkopie erstellen könnten, sie kopieren oder anderweitig weiterverteilen könnten. <em>Teile nicht irgendwelche gefährlichen Informationen über Mastodon.</em></li>
|
||||
<li><em>Internet Protocol-Adressen (IP-Adressen) und andere Metadaten</em>: Sobald du dich anmeldest, erfassen wir sowohl die IP-Adresse, von der aus du dich anmeldest, als auch den Namen deine Browseranwendung. Alle angemeldeten Sitzungen (Sessions) sind für deine Überprüfung und Widerruf in den Einstellungen verfügbar. Die letzte verwendete IP-Adresse wird bis zu 12 Monate lang gespeichert. Wir könnten auch Serverprotokoll behalten, welche die IP-Adresse von jeder Anfrage an unseren Server enthalten.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -939,9 +945,9 @@ de:
|
||||
<p>Jede der von dir gesammelten Information kann in den folgenden Weisen verwendet werden:</p>
|
||||
|
||||
<ul>
|
||||
<li>Um die Kernfunktionalität von Mastodon bereitzustellen. Du kannst du mit dem Inhalt anderer Leute interagieren und deine eigenen Inhalte beitragen, wenn du angemeldet bist. Zum Beispiel kannst du anderen folgen, um deren kombinierten Beiträge in deine personalisierten Start-Timeline zu sehen.</li>
|
||||
<li>Um Moderation der Community zu ermöglichen, zum Beispiel beim Vergleichen deiner IP-Adresse mit anderen bekannten, um Verbotsumgehung oder andere Vergehen festzustellen.</li>
|
||||
<li>Die E-Mail-Adresse, die du bereitstellst, kann dazu verwendet werden, dir Informationen, Benachrichtigungen über andere Leute, die mit deinen Inhalten interagieren oder dir Nachrichten senden, und auf Anfragen, Wünsche und/oder Fragen zu antworten.</li>
|
||||
<li>Um die Kernfunktionalität von Mastodon bereitzustellen. Du kannst du mit dem Inhalt anderer Leute interagieren und deine eigenen Inhalte beitragen, wenn du angemeldet bist. Zum Beispiel kannst du anderen folgen, um deren kombinierten Beiträge in deine personalisierten Start-Timeline zu sehen.</li>
|
||||
<li>Um Moderation der Community zu ermöglichen, zum Beispiel beim Vergleichen deiner IP-Adresse mit anderen bekannten, um Verbotsumgehung oder andere Vergehen festzustellen.</li>
|
||||
<li>Die E-Mail-Adresse, die du bereitstellst, kann dazu verwendet werden, dir Informationen, Benachrichtigungen über andere Leute, die mit deinen Inhalten interagieren oder dir Nachrichten senden, und auf Anfragen, Wünsche und/oder Fragen zu antworten.</li>
|
||||
</ul>
|
||||
|
||||
<hr class="spacer" />
|
||||
@ -957,8 +963,8 @@ de:
|
||||
<p>Wir werden mit bestem Wissen und Gewissen:</p>
|
||||
|
||||
<ul>
|
||||
<li>Serverprotokolle, die IP-Adressen von allen deinen Anfragen an diesen Server, falls solche Protokolle behalten werden, für nicht mehr als 90 Tage behalten.</li>
|
||||
<li>registrierten Benutzer:innen zugeordnete IP-Adressen nicht länger als 12 Monate behalten.</li>
|
||||
<li>Serverprotokolle, die IP-Adressen von allen deinen Anfragen an diesen Server, falls solche Protokolle behalten werden, für nicht mehr als 90 Tage behalten.</li>
|
||||
<li>registrierten Benutzer:innen zugeordnete IP-Adressen nicht länger als 12 Monate behalten.</li>
|
||||
</ul>
|
||||
|
||||
<p>Du kannst ein Archiv deines Inhalts anfordern und herunterladen, inkludierend deiner Beiträge, Medienanhänge, Profilbilder und Headerbilder.</p>
|
||||
@ -1015,7 +1021,7 @@ de:
|
||||
month: "%b %Y"
|
||||
two_factor_authentication:
|
||||
code_hint: Gib zur Bestätigung den Code ein, den deine Authenticator-App generiert hat
|
||||
description_html: Wenn du <strong>Zwei-Faktor-Authentisierung (2FA)</strong> aktivierst, wirst du dein Telefon zum Anmelden benötigen. Darauf werden Tokens erzeugt, die du bei der Anmeldung eingeben musst.
|
||||
description_html: Wenn du <strong>Zwei-Faktor-Authentifizierung (2FA)</strong> aktivierst, wirst du dein Telefon zum Anmelden benötigen. Darauf werden Sicherheitscodes erzeugt, die du bei der Anmeldung eingeben musst.
|
||||
disable: Deaktivieren
|
||||
enable: Aktivieren
|
||||
enabled: Zwei-Faktor-Authentisierung ist aktiviert
|
||||
|
@ -12,52 +12,53 @@ ar:
|
||||
last_attempt: بإمكانك إعادة المحاولة مرة واحدة قبل أن يتم قفل حسابك.
|
||||
locked: إن حسابك مقفل.
|
||||
not_found_in_database: "%{authentication_keys} أو كلمة سر خاطئة."
|
||||
timeout: لقد إنتهت مدة صلاحية جلستك. قم بتسجيل الدخول من جديد للمواصلة.
|
||||
pending: إنّ حسابك في انتظار مراجعة.
|
||||
timeout: لقد انتهت مدة صلاحية جلستك. قم بتسجيل الدخول من جديد للمواصلة.
|
||||
unauthenticated: يجب عليك تسجيل الدخول أو إنشاء حساب قبل المواصلة.
|
||||
unconfirmed: يجب عليك تأكيد عنوان بريدك الإلكتروني قبل المواصلة.
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
action: للتحقق من عنوان البريد الإلكتروني
|
||||
action_with_app: تأكيد ثم العودة إلى %{app}
|
||||
explanation: لقد قمت بإنشاء حساب على %{host} بواسطة عنوان البريد الإلكتروني الحالي. إنك على بعد خطوات قليلة من تفعليه. إن لم تكن من طلب ذلك، يرجى ألّا تولي إهتماما بهذه الرسالة.
|
||||
explanation: لقد قمت بإنشاء حساب على %{host} بواسطة عنوان البريد الإلكتروني الحالي. إنك على بعد خطوات قليلة من تفعليه. إن لم تكن من طلب ذلك، يرجى ألّا تولي اهتماما بهذه الرسالة.
|
||||
extra_html: ندعوك إلى الإطلاع على <a href="%{terms_path}">القواعد الخاصة بمثيل الخادوم هذا</a> and <a href="%{policy_path}">و شروط الخدمة الخاصة بنا</a>.
|
||||
subject: 'ماستدون : تعليمات التأكيد لمثيل الخادوم %{instance}'
|
||||
subject: 'ماستدون: تعليمات التأكيد لمثيل الخادوم %{instance}'
|
||||
title: للتحقق من عنوان البريد الإلكتروني
|
||||
email_changed:
|
||||
explanation: 'لقد تم تغيير عنوان البريد الإلكتروني الخاص بحسابك إلى :'
|
||||
explanation: 'لقد تم تغيير عنوان البريد الإلكتروني الخاص بحسابك إلى:'
|
||||
extra: إن لم تقم شخصيًا بتعديل عنوان بريدك الإلكتروني ، ذلك يعني أنّ شخصا آخر قد نَفِذَ إلى حسابك. فالرجاء قم بتعديل كلمتك السرية في الحال أو قم بالإتصال بمدير مثيل الخادوم إن كنت غير قادر على استعمال حسابك.
|
||||
subject: 'ماستدون : تم استبدال عنوان بريدك الإلكتروني'
|
||||
subject: 'ماستدون: تم استبدال عنوان بريدك الإلكتروني'
|
||||
title: عنوان البريد الإلكتروني الجديد
|
||||
password_change:
|
||||
explanation: تم تغيير كلمة السر الخاصة بحسابك.
|
||||
extra: إن لم تقم شخصيًا بتعديل كلمتك السرية، ذلك يعني أنّ شخصا آخر قد سيطر على حسابك. فالرجاء قم بتعديل كلمتك السرية في الحال أو قم بالإتصال بمدير مثيل الخادوم إن كنت غير قادر على استعمال حسابك.
|
||||
subject: 'ماستدون : تم تغيير كلمة المرور'
|
||||
extra: إن لم تقم شخصيًا بتعديل كلمتك السرية، ذلك يعني أنّ شخصا آخر قد سيطر على حسابك. فالرجاء قم بتعديل كلمتك السرية في الحال أو قم بالاتصال بمدير مثيل الخادوم إن كنت غير قادر على استعمال حسابك.
|
||||
subject: 'ماستدون: تم تغيير كلمة المرور'
|
||||
title: تم تغيير كلمة السر
|
||||
reconfirmation_instructions:
|
||||
explanation: ندعوك لتأكيد العنوان الجديد قصد تعديله في بريدك.
|
||||
extra: إن لم تكن صاحب هذا الطلب ، يُرجى عدم إعارة الإهتمام لهذه الرسالة. فعنوان البريد الإلكتروني المتعلق بحساب ماستدون سوف يبقى هو مِن غير أي تعديل إلّا و فقط إن قمت بالنقر على الرابط أعلاه قصد تعديله.
|
||||
subject: 'ماستدون : تأكيد كلمة السر الخاصة بـ %{instance}'
|
||||
extra: إن لم تكن صاحب هذا الطلب ، يُرجى عدم إعارة الاهتمام لهذه الرسالة. فعنوان البريد الإلكتروني المتعلق بحساب ماستدون سوف يبقى هو مِن غير أي تعديل إلّا و فقط إن قمت بالنقر على الرابط أعلاه قصد تعديله.
|
||||
subject: 'ماستدون: تأكيد كلمة السر الخاصة بـ %{instance}'
|
||||
title: التحقق من عنوان البريد الإلكتروني
|
||||
reset_password_instructions:
|
||||
action: تغيير كلمة السر
|
||||
explanation: لقد قمت بطلب تغيير كلمة السر الخاصة بحسابك.
|
||||
extra: إن لم تكن صاحب هذا الطلب ، يُرجى عدم إعارة الإهتمام لهذه الرسالة. فكلِمَتُك السرية تبقى هي مِن غير أي تعديل إلّا و فقط إن قمت بالنقر على الرابط أعلاه قصد إنشاء كلمة سرية جديدة.
|
||||
subject: 'ماستدون : تعليمات إستعادة كلمة المرور'
|
||||
extra: إن لم تكن صاحب هذا الطلب ، يُرجى عدم إعارة الاهتمام لهذه الرسالة. فكلِمَتُك السرية تبقى هي مِن غير أي تعديل إلّا و فقط إن قمت بالنقر على الرابط أعلاه قصد إنشاء كلمة سرية جديدة.
|
||||
subject: 'ماستدون: تعليمات استعادة كلمة المرور'
|
||||
title: إعادة تعيين كلمة السر
|
||||
unlock_instructions:
|
||||
subject: 'ماستدون : تعليمات فك القفل'
|
||||
subject: 'ماستدون: تعليمات فك القفل'
|
||||
omniauth_callbacks:
|
||||
failure: تعذرت المصادقة من %{kind} بسبب "%{reason}".
|
||||
success: تمت المصادقة بنجاح عبر حساب %{kind}.
|
||||
passwords:
|
||||
no_token: ليس بإمكانك النفاذ إلى هذه الصفحة إن لم تقم بالنقر على الرابط المتواجد في الرسالة الإلكترونية. الرجاء التحقق مِن أنك قمت بإدخال عنوان الرابط كاملا كما هو مذكور في رسالة إعادة تعيين الكلمة السرية.
|
||||
send_instructions: إن كان عنوان بريدك الإلكتروني ضمن قاعدة بياناتنا، فسوف تتلقّى في غضون دقائق رابطا يُمكّنُك مِن استعادة كلمتك السرية على عنوان علبة البريد الإلكتروني الخاصة بك.إن لم تجد هذه الرسالة، يرجى تفقد مجلّد البريد المزعج.
|
||||
send_paranoid_instructions: إن كان عنوان بريدك الإلكتروني ضمن قاعدة بياناتنا، فسوف تتلقّى في غضون دقائق رابطا يُمكّنُك مِن استعادة كلمتك السرية على عنوان علبة البريد الإلكتروني الخاصة بك.إن لم تجد هذه الرسالة، يرجى تفقد مجلّد البريد المزعج.
|
||||
no_token: ليس بإمكانك النفاذ إلى هذه الصفحة إن لم تقم بالنقر على الرابط المتواجد في الرسالة الإلكترونية. الرجاء التحقق مِن أنك قمت بإدخال عنوان الرابط كاملا كما هو مذكور في رسالة إعادة تعيين الكلمة السرية.
|
||||
send_instructions: إن كان عنوان بريدك الإلكتروني ضمن قاعدة بياناتنا، فسوف تتلقّى في غضون دقائق رابطا يُمكّنُك مِن استعادة كلمتك السرية على عنوان علبة البريد الإلكتروني الخاصة بك. إن لم تجد هذه الرسالة، يرجى تفقد مجلّد البريد المزعج.
|
||||
send_paranoid_instructions: إن كان عنوان بريدك الإلكتروني ضمن قاعدة بياناتنا، فسوف تتلقّى في غضون دقائق رابطا يُمكّنُك مِن استعادة كلمتك السرية على عنوان علبة البريد الإلكتروني الخاصة بك. إن لم تجد هذه الرسالة، يرجى تفقد مجلّد البريد المزعج.
|
||||
updated: تم تغيير كلمة المرور بنجاح. أنت مسجل الآن.
|
||||
updated_not_active: تم تغيير كلمة المرور بنجاح.
|
||||
registrations:
|
||||
destroyed: إلى اللقاء ! لقد تم إلغاء حسابك. نتمنى أن نراك مجددا.
|
||||
signed_up: أهلا وسهلا ! تم تسجيل دخولك بنجاح.
|
||||
destroyed: إلى اللقاء! لقد تم إلغاء حسابك. نتمنى أن نراك مجددا.
|
||||
signed_up: أهلا وسهلا! تم تسجيل دخولك بنجاح.
|
||||
signed_up_but_inactive: لقد تمت عملية إنشاء حسابك بنجاح إلاّ أنه لا يمكننا تسجيل دخولك إلاّ بعد قيامك بتفعيله.
|
||||
signed_up_but_locked: لقد تم تسجيل حسابك بنجاح إلّا أنه لا يمكنك تسجيل الدخول لأن حسابك مجمد.
|
||||
signed_up_but_unconfirmed: لقد تم إرسال رسالة تحتوي على رابط للتفعيل إلى عنوان بريدك الإلكتروني. بالضغط على الرابط سوف يتم تفعيل حسابك. لذا يُرجى إلقاء نظرة على ملف الرسائل غير المرغوب فيها إنْ لم تَعثُر على الرسالة السالفة الذِكر.
|
||||
@ -70,12 +71,12 @@ ar:
|
||||
unlocks:
|
||||
send_instructions: سوف تتلقى خلال بضع دقائق رسالة إلكترونية تحتوي على التعليمات اللازمة لفك القفل عن حسابك. إن لم تتلقى تلك الرسالة ، ندعوك إلى تفقُّد مجلد البريد المزعج.
|
||||
send_paranoid_instructions: إن كان حسابك موجود فعليًا فسوف تتلقى في غضون دقائق رسالة إلكترونية تحتوي على تعليمات تدُلُّك على كيفية فك القفل عن حسابك. إن لم تتلقى تلك الرسالة ، ندعوك إلى تفقُّد مجلد البريد المزعج.
|
||||
unlocked: لقد تمت عملية إلغاء تجميد حسابك بنجاح. للمواصلة، يُرجى تسجيل الدخول.
|
||||
unlocked: لقد تمت عملية إلغاء تجميد حسابك بنجاح. للمواصلة ، يُرجى تسجيل الدخول.
|
||||
errors:
|
||||
messages:
|
||||
already_confirmed: قمت بتأكيده من قبل، يرجى إعادة محاولة تسجيل الدخول
|
||||
already_confirmed: قمت بتأكيده من قبل ، يرجى إعادة محاولة تسجيل الدخول
|
||||
confirmation_period_expired: يجب التأكد منه قبل انقضاء مدة %{period}، يرجى إعادة طلب جديد
|
||||
expired: إنتهت مدة صلاحيته، الرجاء طلب واحد جديد
|
||||
expired: انتهت مدة صلاحيته، الرجاء طلب واحد جديد
|
||||
not_found: لا يوجد
|
||||
not_locked: ليس مقفلاً
|
||||
not_saved:
|
||||
@ -83,5 +84,5 @@ ar:
|
||||
many: "%{count} أخطاء منعت هذا %{resource} من الحفظ:"
|
||||
one: 'خطأ واحد منع هذا %{resource} من الحفظ:'
|
||||
other: "%{count} أخطاء منعت هذا %{resource} من الحفظ:"
|
||||
two: 'أخطاء منعت هذا %{resource} من الحفظ:'
|
||||
zero: 'أخطاء منعت هذا %{resource} من الحفظ:'
|
||||
two: "%{count} أخطاء منعت هذا %{resource} من الحفظ:"
|
||||
zero: "%{count} أخطاء منعت هذا %{resource} من الحفظ:"
|
||||
|
1
config/locales/devise.bn.yml
Normal file
1
config/locales/devise.bn.yml
Normal file
@ -0,0 +1 @@
|
||||
bn:
|
@ -3,15 +3,17 @@ ca:
|
||||
devise:
|
||||
confirmations:
|
||||
confirmed: L'adreça de correu s'ha confirmat correctament.
|
||||
send_instructions: En pocs minuts rebràs un correu electrònic amb instruccions sobre com confirmar l'adreça de correu.
|
||||
send_paranoid_instructions: Si l'adreça de correu electrònic existeix en la nostra base de dades, en pocs minuts rebràs un correu electrònic amb instruccions sobre com confirmar l'adreça de correu.
|
||||
send_instructions: "En pocs minuts rebràs un correu electrònic amb instruccions sobre com confirmar l'adreça de correu. \nSi us plau verifica la carpeta de corrreu brossa si no has rebut aquest correu."
|
||||
send_paranoid_instructions: |-
|
||||
Si l'adreça de correu electrònic existeix en la nostra base de dades, en pocs minuts rebràs un correu electrònic amb instruccions sobre com confirmar l'adreça de correu.
|
||||
Si us plau verifica la carpeta de corrreu brossa si no has rebut aquest correu.
|
||||
failure:
|
||||
already_authenticated: Ja estàs registrat.
|
||||
inactive: El teu compte encara no s'ha activat.
|
||||
invalid: "%{authentication_keys} o contrasenya no són vàlids."
|
||||
last_attempt: Tens un intent més, abans que es bloqui el compte.
|
||||
locked: El compte s'ha blocat.
|
||||
not_found_in_database: "%{authentication_keys} o contrasenya no vàlids."
|
||||
last_attempt: Tens un intent més, abans que es bloqueji el compte.
|
||||
locked: El compte s'ha bloquejat.
|
||||
not_found_in_database: "%{authentication_keys} o contrasenya no són vàlids."
|
||||
pending: El teu compte encara està en revisió.
|
||||
timeout: La sessió ha expirat. Inicia sessió una altra vegada per a continuar.
|
||||
unauthenticated: Cal iniciar sessió o registrar-se abans de continuar.
|
||||
@ -50,7 +52,7 @@ ca:
|
||||
subject: 'Mastodon: Instruccions per a desblocar'
|
||||
omniauth_callbacks:
|
||||
failure: No podem autentificar-te desde %{kind} degut a "%{reason}".
|
||||
success: Autentificat amb èxit des del compte %{kind} .
|
||||
success: Autentificat amb èxit des del compte %{kind}.
|
||||
passwords:
|
||||
no_token: No pots accedir a aquesta pàgina sense provenir des del correu de restabliment de la contrasenya. Si vens des del correu de restabliment de contrasenya, assegura't que estàs emprant l'adreça completa proporcionada.
|
||||
send_instructions: Rebràs un correu electrònic amb instruccions sobre com reiniciar la contrasenya en pocs minuts.
|
||||
@ -65,7 +67,7 @@ ca:
|
||||
signed_up_but_pending: S'ha enviat un missatge amb un enllaç de confirmació a la teva adreça de correu electrònic. Després de que hagis fet clic a l'enllaç, revisarem la teva sol·licitud. Se't notificarà si s'aprova.
|
||||
signed_up_but_unconfirmed: Un missatge amb un enllaç de confirmació ha estat enviat per correu electrònic. Si us plau segueixi l'enllaç per activar el seu compte.
|
||||
update_needs_confirmation: Ha actualitzat el seu compte amb èxit, però necessitem verificar la nova adreça de correu. Si us plau comprovi el correu i segueixi l'enllaç per confirmar la nova adreça de correu.
|
||||
updated: el seu compte ha estat actualitzat amb èxit.
|
||||
updated: El seu compte ha estat actualitzat amb èxit.
|
||||
sessions:
|
||||
already_signed_out: Has tancat la sessió amb èxit.
|
||||
signed_in: T'has registrat amb èxit.
|
||||
|
@ -83,5 +83,6 @@ cs:
|
||||
not_locked: nebyl uzamčen
|
||||
not_saved:
|
||||
few: "%{count} chyby zabránily uložení tohoto %{resource}:"
|
||||
many: "%{count} chyb zabránilo uložení tohoto %{resource}:"
|
||||
one: '1 chyba zabránila uložení tohoto %{resource}:'
|
||||
other: "%{count} chyb zabránilo uložení tohoto %{resource}:"
|
||||
|
@ -12,6 +12,7 @@ cy:
|
||||
last_attempt: Mae gennych un cyfle arall cyn i'ch cyfrif gael ei gloi.
|
||||
locked: Mae eich cyfrif wedi ei gloi.
|
||||
not_found_in_database: "%{authentication_keys} neu gyfrinair annilys."
|
||||
pending: Mae eich cyfrif dal o dan adolygiad.
|
||||
timeout: Mae eich sesiwn wedi dod i ben. Mewngofnodwch eto i barhau.
|
||||
unauthenticated: Mae angen i chi fewngofnodi neu gofrestru cyn parhau.
|
||||
unconfirmed: Mae rhaid i chi gadarnhau eich cyfeiriad e-bost cyn parhau.
|
||||
@ -20,6 +21,7 @@ cy:
|
||||
action: Gwiriwch eich cyfeiriad e-bost
|
||||
action_with_app: Cadarnhau a dychwelyd i %{app}
|
||||
explanation: Yr ydych wedi creu cyfrif ar %{host} gyda'r cyfrif e-bost hwn. Dim ond un clic sydd angen i'w wneud yn weithredol. Os nad chi oedd hyn, anwybyddwch yr e-bost hwn os gwelwch yn dda.
|
||||
explanation_when_pending: Rydych wedi gwneud cais am wahoddiad i %{host} gyda'r ebost hyn. Unwaith rydych wedi cadarnhau eich ebost, byddem yn adolygu eich cais. Ni fyddwch yn gallu mewngofnodi tan yr amser hono. Os caiff eich cais ei wrthod, felly nid oes angen unrhyw gweithred pellach o chi. Os nad oeddech wedi gwneud y cais hyn, anwybyddu'r ebost hon, os gwelwch yn dda.
|
||||
extra_html: Gwnewch yn siŵr i edrych ar <a href="%{terms_path}">reolau'r achos</a> a <a href="%{policy_path}">ein telerau gwasanaeth</a>.
|
||||
subject: 'Mastodon: Canllawiau cadarnhau i %{instance}'
|
||||
title: Gwirio cyfeiriad e-bost
|
||||
@ -60,6 +62,7 @@ cy:
|
||||
signed_up: Croeso! Rydych wedi cofrestru'n llwyddiannus.
|
||||
signed_up_but_inactive: Yr ydych wedi cofrestru'n llwyddiannus. Fodd bynnag, ni allwn eich mewngofnodi achos nid yw eich cyfrif wedi ei actifadu eto.
|
||||
signed_up_but_locked: Yr ydych wedi cofrestru'n llwyddiannus. Fodd bynnag, ni allwn eich mewngofnodi achos fod eich cyfrif wedi ei gloi.
|
||||
signed_up_but_pending: Mae neges a'ch cysylltiad cadarnhau wedi cael ei hanfon i'ch ebost. Ar ôl i chi ei glicio, byddem yn adolygu eich cais. Byddwch yn derbyn hysbysiad os caiff ei gymeradwyo.
|
||||
signed_up_but_unconfirmed: Mae neges gyda dolen cadarnhau wedi ei anfon i'ch cyfeiriad e-bost. Dilynwch y ddolen er mwyn actifadu eich cyfrif. Edrychwch yn eich ffolder sbam os na dderbynioch chi'r e-bost hwn os gwelwch yn dda.
|
||||
update_needs_confirmation: Rydych wedi diweddaru eich cyfrif yn llwyddiannus, ond mae angen i ni wirio'ch cyfeiriad e-bost newydd. Edrychwch ar eich e-byst a dilynwch y ddolen gadarnhau er mwyn cadarnhau eich cyfeiriad e-bost newydd. Edrychwch ar eich ffolder sbam os na dderbynioch chi yr e-bost hwn.
|
||||
updated: Mae eich cyfrif wedi ei ddiweddaru yn llwyddiannus.
|
||||
|
@ -12,6 +12,7 @@ eo:
|
||||
last_attempt: Vi ankoraŭ povas provi unufoje antaŭ ol via konto estos ŝlosita.
|
||||
locked: Via konto estas ŝlosita.
|
||||
not_found_in_database: Nevalida %{authentication_keys} aŭ pasvorto.
|
||||
pending: Via konto ankoraŭ estas kontrolanta.
|
||||
timeout: Via seanco eksvalidiĝis. Bonvolu ensaluti denove por daŭrigi.
|
||||
unauthenticated: Vi devas ensaluti aŭ registriĝi antaŭ ol daŭrigi.
|
||||
unconfirmed: Vi devas konfirmi vian retadreson antaŭ ol daŭrigi.
|
||||
@ -20,6 +21,7 @@ eo:
|
||||
action: Konfirmi retadreson
|
||||
action_with_app: Konfirmi kaj reveni al %{app}
|
||||
explanation: Vi kreis konton en %{host} per ĉi tiu retadreso. Nur klako restas por aktivigi ĝin. Se tio ne estis vi, bonvolu ignori ĉi tiun retmesaĝon.
|
||||
explanation_when_pending: Vi petis inviton al %{host} per ĉi tiu retpoŝta adreso. Kiam vi konfirmas vian retpoŝtan adreson, ni revizios vian kandidatiĝon. Vi ne povas ensaluti ĝis tiam. Se via kandidatiĝo estas rifuzita, viaj datumoj estos forigitaj, do neniu alia ago estos postulita de vi. Se tio ne estis vi, bonvolu ignori ĉi tiun retpoŝton.
|
||||
extra_html: Bonvolu rigardi <a href="%{terms_path}">la regulojn de la servilo</a> kaj <a href="%{policy_path}">niajn uzkondiĉojn</a>.
|
||||
subject: 'Mastodon: Konfirmaj instrukcioj por %{instance}'
|
||||
title: Konfirmi retadreson
|
||||
@ -60,6 +62,7 @@ eo:
|
||||
signed_up: Bonvenon! Vi sukcese registriĝis.
|
||||
signed_up_but_inactive: Vi sukcese registriĝis. Tamen, ni ne povis ensalutigi vin, ĉar via konto ankoraŭ ne estas konfirmita.
|
||||
signed_up_but_locked: Vi sukcese registriĝis. Tamen, ni ne povis ensalutigi vin, ĉar via konto estas ŝlosita.
|
||||
signed_up_but_pending: Mesaĝo kun konfirma ligilo estis sendita al via retpoŝta adreso. Post kiam vi alklakis la ligilon, ni revizios vian kandidatiĝon. Vi estos sciigita se ĝi estas aprobita.
|
||||
signed_up_but_unconfirmed: Retmesaĝo kun konfirma ligilo estis sendita al via retadreso. Bonvolu sekvi la ligilon por aktivigi vian konton. Bonvolu kontroli vian spamujon, se vi ne ricevis ĉi tiun retmesaĝon.
|
||||
update_needs_confirmation: Vi sukcese ĝisdatigis vian konton, sed ni bezonas kontroli vian novan retadreson. Bonvolu kontroli viajn retmesaĝojn kaj sekvi la konfirman ligilon por konfirmi vian novan retadreson. Bonvolu kontroli vian spamujon, se vi ne ricevis ĉi tiun retmesaĝon.
|
||||
updated: Via konto estis sukcese ĝisdatigita.
|
||||
|
@ -2,7 +2,7 @@
|
||||
es:
|
||||
devise:
|
||||
confirmations:
|
||||
confirmed: Su dirección de correo ha sido confirmada con éxito.
|
||||
confirmed: Su direccion de email ha sido confirmada con exito.
|
||||
send_instructions: Recibirá un correo electrónico con instrucciones sobre cómo confirmar su dirección de correo en pocos minutos.
|
||||
send_paranoid_instructions: Si su dirección de correo electrónico existe en nuestra base de datos, recibirá un correo electrónico con instrucciones sobre cómo confirmar su dirección de correo en pocos minutos.
|
||||
failure:
|
||||
@ -12,19 +12,22 @@ es:
|
||||
last_attempt: Tiene un intento más antes de que su cuenta sea bloqueada.
|
||||
locked: Su cuenta está bloqueada.
|
||||
not_found_in_database: Inválido %{authentication_keys} o contraseña.
|
||||
pending: Su cuenta aun se encuentra bajo revisión.
|
||||
timeout: Su sesión ha expirado. Por favor inicie sesión de nuevo para continuar.
|
||||
unauthenticated: Necesita iniciar sesión o registrarse antes de continuar.
|
||||
unconfirmed: Tiene que confirmar su dirección de correo electrónico antes de continuar.
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
action: Verificar dirección de correo electrónico
|
||||
action_with_app: Confirmar y regresar a %{app}
|
||||
explanation: Has creado una cuenta en %{host} con esta dirección de correo electrónico. Estas a un clic de activarla. Si no fue usted, por favor ignore este correo electrónico.
|
||||
explanation_when_pending: Usted ha solicitado una invitación a %{host} con esta dirección de correo electrónico. Una vez que confirme su dirección de correo electrónico, revisaremos su aplicación. No puede iniciar sesión hasta que su aplicación sea revisada. Si su solicitud está rechazada, sus datos serán eliminados, así que no será necesaria ninguna acción adicional por ti. Si no fuera usted, por favor ignore este correo electrónico.
|
||||
extra_html: Por favor revise <a href="%{terms_path}">las reglas de la instancia</a> y <a href="%{policy_path}">nuestros términos de servicio</a>.
|
||||
subject: 'Mastodon: Instrucciones de confirmación para %{instance}'
|
||||
title: Verificar dirección de correo electrónico
|
||||
email_changed:
|
||||
explanation: 'El correo electrónico para su cuenta esta siendo cambiada a:'
|
||||
extra: Si usted no a cambiado su correo electrónico. es probable que alguien a conseguido acceso a su cuenta. Por favor cambie su contraseña inmediatamente o contacte a el administrador de la instancia si usted esta bloqueado de su cuenta.
|
||||
extra: Si usted no ha cambiado su correo electrónico, es probable que alguien haya conseguido acceso a su cuenta. Por favor cambie su contraseña inmediatamente o contacte al administrador de la instancia si usted no puede iniciar sesión.
|
||||
subject: 'Mastodon: Correo electrónico cambiado'
|
||||
title: Nueva dirección de correo electrónico
|
||||
password_change:
|
||||
@ -59,6 +62,7 @@ es:
|
||||
signed_up: "¡Bienvenido! Se ha registrado con éxito."
|
||||
signed_up_but_inactive: Se ha registrado con éxito. Sin embargo, no podemos identificarle porque su cuenta no ha sido activada todavía.
|
||||
signed_up_but_locked: Se ha registrado con éxito. Sin embargo, no podemos identificarle porque su cuenta está bloqueada.
|
||||
signed_up_but_pending: Un mensaje con un enlace de confirmacion ha sido enviado a su direccion de email. Luego de clickear el link revisaremos su aplicacion. Seras notificado si es aprovada.
|
||||
signed_up_but_unconfirmed: Un mensaje con un enlace de confirmación ha sido enviado a su correo electrónico. Por favor siga el enlace para activar su cuenta.
|
||||
update_needs_confirmation: Ha actualizado su cuenta con éxito, pero necesitamos verificar su nueva dirección de correo. Por favor compruebe su correo y siga el enlace para confirmar su nueva dirección de correo.
|
||||
updated: su cuenta ha sido actualizada con éxito.
|
||||
|
@ -12,6 +12,7 @@ eu:
|
||||
last_attempt: Saiakera bat geratzen zaizu zure kontua giltzapetu aurretik.
|
||||
locked: Zure kontua giltzapetuta dago.
|
||||
not_found_in_database: Baliogabeko %{authentication_keys} edo pasahitza.
|
||||
pending: Zure kontua oraindik berrikusteke dago.
|
||||
timeout: Zure saioa iraungitu da. Hasi saioa berriro jarraitzeko.
|
||||
unauthenticated: Saioa hasi edo izena eman behar duzu jarraitu aurretik.
|
||||
unconfirmed: Zure e-mail helbidea baieztatu behar duzu jarraitu aurretik.
|
||||
@ -20,6 +21,7 @@ eu:
|
||||
action: Baieztatu e-mail helbidea
|
||||
action_with_app: Berretsi eta itzuli %{app} aplikaziora
|
||||
explanation: Kontu bat sortu duzu %{host} ostalarian e-mail helbide honekin. Aktibatzeko klik bat falta zaizu. Ez baduzu zuk sortu, ez egin ezer e-mail honekin.
|
||||
explanation_when_pending: "%{host} instantziara gonbidatua izatea eskatu duzu e-mail helbide honekin. Behin zure e-mail helbidea berresten duzula, zure eskaera berrikusiko da. Ezin duzu aurretik saioa hasi. Zure eskaera ukatuko balitz, zure datuak ezabatuko lirateke, eta ez zenuke beste ezer egiteko beharrik. Hau ez bazara zu izan, ezikusi e-mail hau."
|
||||
extra_html: Egiaztatu <a href="%{terms_path}">zerbitzariaren arauak</a> eta <a href="%{policy_path}">zerbitzuaren erabilera baldintzak</a>.
|
||||
subject: 'Mastodon: %{instance} instantziaren argibideak baieztapenerako'
|
||||
title: Baieztatu e-mail helbidea
|
||||
@ -60,6 +62,7 @@ eu:
|
||||
signed_up: Ongi etorri! Ongi hasi duzu saioa.
|
||||
signed_up_but_inactive: Ongi eman duzu izena. Hala ere, ezin duzu saioa hasi zure kontua oraindik ez dagoelako aktibatuta.
|
||||
signed_up_but_locked: Ongi eman duzu izena. Hala ere, ezin duzu saioa hasi zure kontua giltzapetuta dagoelako.
|
||||
signed_up_but_pending: Berrespen esteka bat duen mezu bat bidali da zure e-mail helbidera. Behin esteka sakatzen duzula, zure eskaera berrikusiko da. Onartzen bada jakinaraziko zaizu.
|
||||
signed_up_but_unconfirmed: Baieztapen esteka bat duen e-mail bidali zaizu. Jarraitu esteka zure kontua aktibatzeko. Egiaztatu spam karpeta ez baduzu e-mail hau jaso.
|
||||
update_needs_confirmation: Zure kontua ongi eguneratu duzu, baina zure email helbide berria egiaztatu behar dugu. Baieztapen esteka bat duen e-mail bidali zaizu, jarraitu esteka zure e-mal helbide berria baieztatzeko. Egiaztatu spam karpeta ez baduzu e-mail hau jaso.
|
||||
updated: Zure kontua ongi eguneratu da.
|
||||
|
@ -56,6 +56,3 @@ he:
|
||||
expired: פג תוקפו. נא לבקש חדש
|
||||
not_found: לא נמצא
|
||||
not_locked: לא היה נעול
|
||||
not_saved:
|
||||
one: 'שגיאה אחת מנעה את שמירת %{resource} זה:'
|
||||
other: "%{count} שגיאות מנעו את שמירת %{resource} זה:"
|
||||
|
@ -2,18 +2,9 @@
|
||||
hr:
|
||||
devise:
|
||||
confirmations:
|
||||
already_authenticated: Već si prijavljen.
|
||||
confirmed: Tvoja email adresa je uspješno potvrđena.
|
||||
inactive: Tvoj račun još nije aktiviran.
|
||||
invalid: Nevaljan %{authentication_keys} ili lozinka.
|
||||
last_attempt: Imaš još jedan pokušaj prije no što ti se račun zaključa.
|
||||
locked: Tvoj račun je zaključan.
|
||||
not_found_in_database: Nevaljan %{authentication_keys} ili lozinka.
|
||||
send_instructions: Primit ćeš email sa uputama kako potvrditi svoju email adresu za nekoliko minuta.
|
||||
send_paranoid_instructions: Ako tvoja email adresa postoji u našoj bazi podataka, primit ćeš email sa uputama kako ju potvrditi za nekoliko minuta.
|
||||
timeout: Tvoja sesija je istekla. Molimo te, prijavi se ponovo kako bi nastavio.
|
||||
unauthenticated: Moraš se registrirati ili prijaviti prije no što nastaviš.
|
||||
unconfirmed: Moraš potvrditi svoju email adresu prije no što nastaviš.
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
subject: 'Mastodon: Upute za potvrđivanje %{instance}'
|
||||
@ -58,4 +49,3 @@ hr:
|
||||
expired: je istekao, zatraži novu
|
||||
not_found: nije nađen
|
||||
not_locked: nije zaključan
|
||||
not_saved: "%{count} greške su zabranile da ovaj %{resource} bude sačuvan:"
|
||||
|
@ -2,40 +2,43 @@
|
||||
hu:
|
||||
devise:
|
||||
confirmations:
|
||||
confirmed: Az e-mail címed sikeresen meg lett erősítve.
|
||||
confirmed: Az e-mail címed sikeresen megerősítésre került.
|
||||
send_instructions: Pár percen belül kapni fogsz egy e-mailt az e-mail címed megerősítéséhez szükséges lépésekről.
|
||||
send_paranoid_instructions: Ha az e-mail címed létezik az adatbázisunkban, pár percen belül kapni fogsz egy e-mailt az e-mail címed megerősítéséhez szükséges lépésekről.
|
||||
failure:
|
||||
already_authenticated: Már bejelentkeztél.
|
||||
inactive: Fiókod még nem lett aktiválva.
|
||||
inactive: Fiókodat még nem aktiválták.
|
||||
invalid: Helytelen %{authentication_keys} vagy jelszó.
|
||||
last_attempt: Már csak egy próbálkozásod maradt mielőtt a fiókod lezárásra kerül.
|
||||
last_attempt: Már csak egy próbálkozásod maradt mielőtt a fiókodat lezárjuk.
|
||||
locked: Fiókod le van zárva.
|
||||
not_found_in_database: Helytelen %{authentication_keys} vagy jelszó.
|
||||
pending: Fiókod még engedélyezés alatt áll.
|
||||
timeout: A munkamenet lejárt. Jelentkezz be újra a folytatáshoz.
|
||||
unauthenticated: A folytatás előtt be kell jelentkezned.
|
||||
unconfirmed: A folytatás előtt meg kell erősítened az e-mail címed.
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
action: Erősítsd meg az e-mail címedet
|
||||
explanation: Ezzel az e-mail címmel kezdeményeztek regisztrációt a(z) %{host} oldalon. Csak egy kattintás, és a felhasználói fiókdat aktiváljuk. Ha a regisztrációt nem te kezdeményezted, kérjük tekintsd ezt az e-mailt tárgytalannak.
|
||||
extra_html: Kérjük tekintsd át a <a href="%{terms_path}">az instancia szabályzatát</a> és <a href="%{policy_path}">a felhasználási feltételeket</a>.
|
||||
action_with_app: Megerősítés majd vissza ide %{app}
|
||||
explanation: Ezzel az e-mail címmel kezdeményeztek regisztrációt a(z) %{host} oldalon. Csak egy kattintás, és a felhasználói fiókodat aktiváljuk. Ha a regisztrációt nem te kezdeményezted, kérjük tekintsd ezt az e-mailt tárgytalannak.
|
||||
explanation_when_pending: Ezzel az e-mail címmel meghívást kértél a(z) %{host} oldalon. Ahogy megerősíted az e-mail címed, átnézzük a jelentkezésedet. Ennek ideje alatt nem tudsz belépni. Ha a jelentkezésed elutasítjuk, az adataidat töröljük, más teendőd nincs. Ha a kérelmet nem te kezdeményezted, kérjük tekintsd ezt az e-mailt tárgytalannak.
|
||||
extra_html: Kérjük tekintsd át a <a href="%{terms_path}">a szerver szabályzatát</a> és <a href="%{policy_path}">a felhasználási feltételeket</a>.
|
||||
subject: 'Mastodon: Megerősítési lépések %{instance}'
|
||||
title: E-mail cím megerősítése
|
||||
email_changed:
|
||||
explanation: 'A fiókodhoz tartozó e-mail címet az alábbira módosítod:'
|
||||
extra: Ha nem te kezdeményezted a fiókodhoz tartozó e-mail cím módosítását, valaki hozzáférhetett a fiókodhoz. Legjobb, ha azonnal megváltoztatod a jelszavadat; ha nem férsz hozzá a fiókodhoz, vedd fel a kapcsolatot az instanciád adminisztrátorával.
|
||||
extra: Ha nem te kezdeményezted a fiókodhoz tartozó e-mail cím módosítását, valaki hozzáférhetett a fiókodhoz. Legjobb, ha azonnal megváltoztatod a jelszavadat; ha nem férsz hozzá a fiókodhoz, vedd fel a kapcsolatot a szervered adminisztrátorával.
|
||||
subject: 'Mastodon: a fiókodhoz tartozó e-mail címet megváltoztattuk'
|
||||
title: Új e-mail cím
|
||||
password_change:
|
||||
explanation: A fiókodhoz tartozó jelszót megváltoztattuk.
|
||||
extra: Ha nem te kezdeményezted a fiókodhoz tartozó jelszó módosítását, valaki hozzáférhetett a fiókodhoz. Legjobb, ha azonnal megváltoztatod a jelszavadat; ha nem férsz hozzá a fiókodhoz, vedd fel a kapcsolatot az instanciád adminisztrátorával.
|
||||
subject: 'Mastodon: Jelszó megváltoztatva'
|
||||
title: Sikeres jelszó-módosítás
|
||||
extra: Ha nem te kezdeményezted a fiókodhoz tartozó jelszó módosítását, valaki hozzáférhetett a fiókodhoz. Legjobb, ha azonnal megváltoztatod a jelszavadat; ha nem férsz hozzá a fiókodhoz, vedd fel a kapcsolatot a szervered adminisztrátorával.
|
||||
subject: 'Mastodon: Jelszavad megváltoztattuk'
|
||||
title: Sikeres jelszómódosítás
|
||||
reconfirmation_instructions:
|
||||
explanation: Az e-mail cím megváltoztatásához meg kell erősítened az új címet.
|
||||
extra: Amennyiben nem te kezdeményezted a módosítást, kérjük tekintsd ezt az e-mailt tárgytalannak. A Mastodon fiókodhoz tartozó e-mail címed változatlan marad mindaddig, amíg rá nem kattintasz a fenti linkre.
|
||||
subject: 'Mastodon: erősítsd meg a(z) %{instance} instanciához tartozó e-mail címed'
|
||||
subject: 'Mastodon: erősítsd meg a(z) %{instance} szerverhez tartozó e-mail címed'
|
||||
title: E-mail cím megerősítése
|
||||
reset_password_instructions:
|
||||
action: Jelszó módosítása
|
||||
@ -46,30 +49,31 @@ hu:
|
||||
unlock_instructions:
|
||||
subject: 'Mastodon: Feloldási lépések'
|
||||
omniauth_callbacks:
|
||||
failure: "%{kind} nem hitelesíthető, mert %{reason}."
|
||||
failure: Sikertelen hitelesítés %{kind} fiókról, mert "%{reason}".
|
||||
success: Sikeres hitelesítés %{kind} fiókról.
|
||||
passwords:
|
||||
no_token: Nem férhetsz hozzá az oldalhoz jelszó visszaállító e-mail nélkül. Ha egy jelszó visszaállító e-mail hozott ide, ellenőrizd, hogy a megadott teljes URL-t használd.
|
||||
send_instructions: Pár percen belül kapni fogsz egy e-mailt arról, hogy hogyan tudod visszaállítani a jelszavadat.
|
||||
send_paranoid_instructions: Ha létezik az e-mail cím, pár percen belül kapni fogsz egy e-mailt arról, hogy hogyan tudod visszaállítani a jelszavadat.
|
||||
no_token: Nem férhetsz hozzá ehhez az oldalhoz jelszó visszaállító e-mail nélkül. Ha egy jelszó visszaállító e-mail hozott ide, ellenőrizd, hogy a megadott teljes URL-t használd.
|
||||
send_instructions: Pár percen belül kapni fogsz egy e-mailt arról, hogy hogyan tudod visszaállítani a jelszavadat. Kérlek ellenőrizd a levélszemét mappádat, ha nem kaptál ilyen e-mailt.
|
||||
send_paranoid_instructions: Ha létezik az e-mail cím, pár percen belül kapni fogsz egy e-mailt arról, hogy hogyan tudod visszaállítani a jelszavadat. Kérlek ellenőrizd a levélszemét mappádat, ha nem kaptál ilyen e-mailt.
|
||||
updated: Jelszavad sikeresen frissült. Bejelentkeztél.
|
||||
updated_not_active: Jelszavad sikeresen meg lett változtatva.
|
||||
updated_not_active: Jelszavad sikeresen megváltoztattuk.
|
||||
registrations:
|
||||
destroyed: Viszlát! A fiókod sikeresen törölve. Reméljük hamarosan viszontláthatunk.
|
||||
destroyed: Viszlát! A fiókodat sikeresen töröltük. Reméljük hamarosan viszontláthatunk.
|
||||
signed_up: Üdvözlünk! Sikeresen regisztráltál.
|
||||
signed_up_but_inactive: Sikeresen regisztráltál. Ennek ellenére nem tudunk beléptetni, ugyanis a fiókod még nem lett aktiválva.
|
||||
signed_up_but_locked: Sikeresen regisztráltál. Ennek ellenére nem tudunk beléptetni, ugyanis a fiókod le lett zárva.
|
||||
signed_up_but_unconfirmed: Egy üzenet a megerősítési linkkel kiküldésre került az e-mail címedre. Kérjük használd a linket a fiókod aktiválásához.
|
||||
update_needs_confirmation: Sikeresen frissítetted a fiókodat, de szükségünk van az e-mail címed megerősítésére. Kérlek ellenőrizd az e-mailedet és kövesd a levélben szereplő megerősítési linket az e-mail címed megerősítéséhez.
|
||||
signed_up_but_inactive: Sikeresen regisztráltál. Ennek ellenére nem tudunk beléptetni, ugyanis a fiókodat még nem aktiválták.
|
||||
signed_up_but_locked: Sikeresen regisztráltál. Ennek ellenére nem tudunk beléptetni, ugyanis a fiókod le van zárva.
|
||||
signed_up_but_pending: Egy üzenetet a megerősítési linkkel kiküldtünk az e-mail címedre. Ha kattintasz a linkre, átnézzük a kérelmedet. Értesítünk, ha jóváhagytuk.
|
||||
signed_up_but_unconfirmed: Egy üzenetet a megerősítési linkkel kiküldtünk az e-mail címedre. Kérjük használd a linket a fiókod aktiválásához.
|
||||
update_needs_confirmation: Sikeresen frissítetted a fiókodat, de szükségünk van az e-mail címed megerősítésére. Kérlek ellenőrizd az e-mailedet és kövesd a levélben szereplő megerősítési linket az e-mail címed megerősítéséhez. Ellenőrizd a levélszemét mappád, ha nem kaptál volna ilyen levelet.
|
||||
updated: Fiókod frissítése sikeres.
|
||||
sessions:
|
||||
already_signed_out: Sikeres kijelenkezés.
|
||||
already_signed_out: Sikeres kijelentkezés.
|
||||
signed_in: Sikeres bejelentkezés.
|
||||
signed_out: Sikeres kijelentkezés.
|
||||
unlocks:
|
||||
send_instructions: Pár percen belül egy e-mailt fogsz kapni a feloldáshoz szükséges lépésekkel.
|
||||
send_paranoid_instructions: Ha a fiókod létezik, pár percen belül egy e-mailt fogsz kapni a feloldáshoz szükséges lépésekkel.
|
||||
unlocked: A fiókod sikeresen fel lett oldva. Jelentkezz be a folytatáshoz.
|
||||
send_instructions: Pár percen belül egy e-mailt fogsz kapni a feloldáshoz szükséges lépésekkel. Ellenőrizd a levélszemét mappád, ha nem kaptál volna ilyen levelet.
|
||||
send_paranoid_instructions: Ha a fiókod létezik, pár percen belül egy e-mailt fogsz kapni a feloldáshoz szükséges lépésekkel. Ellenőrizd a levélszemét mappád, ha nem kaptál volna ilyen levelet.
|
||||
unlocked: A fiókodat sikeresen feloldottuk. Jelentkezz be a folytatáshoz.
|
||||
errors:
|
||||
messages:
|
||||
already_confirmed: már meg lett erősítve, kérjük jelentkezz be
|
||||
|
1
config/locales/devise.hy.yml
Normal file
1
config/locales/devise.hy.yml
Normal file
@ -0,0 +1 @@
|
||||
hy:
|
@ -57,5 +57,4 @@ id:
|
||||
not_found: tidak ditemukan
|
||||
not_locked: tidak dikunci
|
||||
not_saved:
|
||||
one: '1 error yang membuat %{resource} ini tidak dapat disimpan:'
|
||||
other: "%{count} error yang membuat %{resource} ini tidak dapat disimpan:"
|
||||
|
@ -12,6 +12,7 @@ it:
|
||||
last_attempt: Hai un altro tentativo prima che il tuo account venga bloccato.
|
||||
locked: Il tuo account è stato bloccato.
|
||||
not_found_in_database: "%{authentication_keys} o password invalida."
|
||||
pending: Il tuo account è ancora in fase di approvazione.
|
||||
timeout: La tua sessione è terminata. Per favore, effettua l'accesso o registrati per continuare.
|
||||
unauthenticated: Devi effettuare l'accesso o registrarti per continuare.
|
||||
unconfirmed: Devi confermare il tuo indirizzo email per continuare.
|
||||
@ -20,6 +21,7 @@ it:
|
||||
action: Verifica indirizzo email
|
||||
action_with_app: Conferma e torna a %{app}
|
||||
explanation: Hai creato un account su %{host} con questo indirizzo email. Sei lonatno solo un clic dall'attivarlo. Se non sei stato tu, per favore ignora questa email.
|
||||
explanation_when_pending: Hai richiesto un invito a %{host} con questo indirizzo email. Una volta confermato il tuo indirizzo e-mail, analizzeremo la tua richiesta. Non potrai eseguire l'accesso fino a quel momento. Se la tua richiesta sarà rifiutata, i tuoi dati saranno rimossi, quindi nessun'altra azione ti sarà richiesta. Se non fossi stato tu, per favore ignora questa email.
|
||||
extra_html: Per favore controlla<a href="%{terms_path}">le regole del server</a> e <a href="%{policy_path}">i nostri termini di servizio</a>.
|
||||
subject: 'Mastodon: Istruzioni di conferma per %{instance}'
|
||||
title: Verifica indirizzo email
|
||||
@ -60,6 +62,7 @@ it:
|
||||
signed_up: Benvenuto! Ti sei registrato con successo.
|
||||
signed_up_but_inactive: Ti sei registrato con successo. Purtroppo però non possiamo farti accedere perché non hai ancora attivato il tuo account.
|
||||
signed_up_but_locked: Ti sei registrato con successo. Purtroppo però non possiamo farti accedere perché il tuo account è bloccato.
|
||||
signed_up_but_pending: Un messaggio con un collegamento per la conferma è stato inviato al tuo indirizzo email. Dopo aver cliccato il collegamento, esamineremo la tua richiesta. Ti sarà notificato se verrà approvata.
|
||||
signed_up_but_unconfirmed: Un messaggio con un link di conferma è stato inviato al tuo indirizzo email. Per favore, visita il link per attivare il tuo account.
|
||||
update_needs_confirmation: Hai aggiornato correttamente il tuo account, ma abbiamo bisogno di verificare il tuo nuovo indirizzo email. Per favore, controlla la posta in arrivo e visita il link di conferma per verificare il tuo indirizzo email.
|
||||
updated: Il tuo account è stato aggiornato con successo.
|
||||
|
@ -12,7 +12,7 @@ ja:
|
||||
last_attempt: あと1回失敗するとアカウントがロックされます。
|
||||
locked: アカウントはロックされました。
|
||||
not_found_in_database: "%{authentication_keys}かパスワードが誤っています。"
|
||||
pending: あなたのアカウントはまだ審査中です。
|
||||
pending: あなたのアカウントはまだ承認待ちです。
|
||||
timeout: セッションの有効期限が切れました。続行するには再度ログインしてください。
|
||||
unauthenticated: 続行するにはログインするか、アカウントを作成してください。
|
||||
unconfirmed: 続行するにはメールアドレスを確認する必要があります。
|
||||
@ -21,7 +21,7 @@ ja:
|
||||
action: メールアドレスの確認
|
||||
action_with_app: 確認し %{app} に戻る
|
||||
explanation: このメールアドレスで%{host}にアカウントを作成しました。有効にするまであと一歩です。もし心当たりがない場合、申し訳ありませんがこのメールを無視してください。
|
||||
explanation_when_pending: このメールアドレスで%{host}への登録を申請しました。メールアドレスを確認したら、サーバー管理者が申請を審査します。それまでログインできません。申請が却下された場合、あなたのデータは削除されますので以降の操作は必要ありません。もし心当たりがない場合、申し訳ありませんがこのメールを無視してください。
|
||||
explanation_when_pending: このメールアドレスで%{host}への登録を申請しました。あなたがメールアドレスを確認したら、サーバー管理者が申請を審査します。それまでログインできません。申請が却下された場合、あなたのデータは削除されますので以降の操作は必要ありません。もし心当たりがない場合、申し訳ありませんがこのメールを無視してください。
|
||||
extra_html: また <a href="%{terms_path}">サーバーのルール</a> と <a href="%{policy_path}">利用規約</a> もお読みください。
|
||||
subject: 'Mastodon: メールアドレスの確認 %{instance}'
|
||||
title: メールアドレスの確認
|
||||
@ -82,5 +82,4 @@ ja:
|
||||
not_found: 見つかりません
|
||||
not_locked: ロックされていません
|
||||
not_saved:
|
||||
one: エラーが発生したため、%{resource}の保存に失敗しました。
|
||||
other: "%{count}個のエラーが発生したため、%{resource}の保存に失敗しました:"
|
||||
|
@ -74,3 +74,12 @@ ko:
|
||||
send_instructions: 몇 분 이내로 계정 잠금 해제에 대한 안내 메일이 발송 됩니다. 메일을 받지 못 하신 경우 스팸 폴더를 확인해 주세요.
|
||||
send_paranoid_instructions: 계정이 존재한다면 몇 분 이내로 계정 잠금 해제에 대한 안내 메일이 발송 됩니다. 메일을 받지 못 하신 경우 스팸 폴더를 확인해 주세요.
|
||||
unlocked: 계정이 성공적으로 잠금 해제 되었습니다. 계속 하려면 로그인 하세요.
|
||||
errors:
|
||||
messages:
|
||||
already_confirmed: 이미 확인 되었습니다, 로그인 하세요
|
||||
confirmation_period_expired: "%{period} 안에 확인을 해야 합니다, 새로 요청하세요"
|
||||
expired: 만료되었습니다, 새로 요청하세요
|
||||
not_found: 찾을 수 없습니다
|
||||
not_locked: 잠기지 않았습니다
|
||||
not_saved:
|
||||
other: "%{count}개의 에러로 인해 %{resource}가 저장 될 수 없습니다:"
|
||||
|
1
config/locales/devise.lt.yml
Normal file
1
config/locales/devise.lt.yml
Normal file
@ -0,0 +1 @@
|
||||
lt:
|
1
config/locales/devise.lv.yml
Normal file
1
config/locales/devise.lv.yml
Normal file
@ -0,0 +1 @@
|
||||
lv:
|
1
config/locales/devise.ms.yml
Normal file
1
config/locales/devise.ms.yml
Normal file
@ -0,0 +1 @@
|
||||
ms:
|
@ -9,7 +9,6 @@ nl:
|
||||
already_authenticated: Je bent al ingelogd.
|
||||
inactive: Jouw account is nog niet geactiveerd.
|
||||
invalid: "%{authentication_keys} of wachtwoord ongeldig."
|
||||
invalid_token: Ongeldige bevestigingscode.
|
||||
last_attempt: Je hebt nog één poging over voordat jouw account wordt opgeschort.
|
||||
locked: Jouw account is opgeschort.
|
||||
not_found_in_database: "%{authentication_keys} of wachtwoord ongeldig."
|
||||
|
1
config/locales/devise.ro.yml
Normal file
1
config/locales/devise.ro.yml
Normal file
@ -0,0 +1 @@
|
||||
ro:
|
@ -81,6 +81,7 @@ sk:
|
||||
not_found: nenájdený
|
||||
not_locked: nebol zamknutý
|
||||
not_saved:
|
||||
few: "%{resource} nebol uložený kvôli %{count} chybám:"
|
||||
one: "%{resource} nebol uložený kvôli chybe:"
|
||||
other: "%{resource} nebol uložený kvôli %{count} chybám:"
|
||||
few: "%{count} chýb zabránilo uloženiu tohto %{resource}:"
|
||||
many: "%{count} chýb zabránilo uloženiu tohto %{resource}:"
|
||||
one: '1 chyba zabránila uloženiu tohto %{resource}:'
|
||||
other: "%{count} chyby zabránili uloženiu tohto %{resource}:"
|
||||
|
@ -58,6 +58,5 @@ sr-Latn:
|
||||
not_locked: nije zaključan
|
||||
not_saved:
|
||||
few: "%{count} greške sprečavaju %{resource}a:"
|
||||
many: "%{count} grešaka sprečavaju %{resource}a:"
|
||||
one: '1 greška sprečava %{resource}a:'
|
||||
other: "%{count} grešaka sprečavaju %{resource}a:"
|
||||
|
@ -80,6 +80,5 @@ sr:
|
||||
not_locked: није закључан
|
||||
not_saved:
|
||||
few: "%{count} грешке спречавају %{resource}a:"
|
||||
many: "%{count} грешака спречавају %{resource}a:"
|
||||
one: '1 грешка спречава %{resource}а:'
|
||||
other: "%{count} грешака спречавају %{resource}a:"
|
||||
|
1
config/locales/devise.ta.yml
Normal file
1
config/locales/devise.ta.yml
Normal file
@ -0,0 +1 @@
|
||||
ta:
|
1
config/locales/devise.te.yml
Normal file
1
config/locales/devise.te.yml
Normal file
@ -0,0 +1 @@
|
||||
te:
|
@ -2,60 +2,37 @@
|
||||
th:
|
||||
devise:
|
||||
confirmations:
|
||||
confirmed: Your email address has been successfully confirmed.
|
||||
confirmed: ยืนยันที่อยู่อีเมลของคุณสำเร็จ
|
||||
send_instructions: You will receive an email with instructions for how to confirm your email address in a few minutes.
|
||||
send_paranoid_instructions: If your email address exists in our database, you will receive an email with instructions for how to confirm your email address in a few minutes.
|
||||
failure:
|
||||
already_authenticated: You are already signed in.
|
||||
inactive: Your account is not activated yet.
|
||||
invalid: Invalid %{authentication_keys} or password.
|
||||
last_attempt: You have one more attempt before your account is locked.
|
||||
locked: Your account is locked.
|
||||
not_found_in_database: Invalid %{authentication_keys} or password.
|
||||
timeout: Your session expired. Please sign in again to continue.
|
||||
unauthenticated: You need to sign in or sign up before continuing.
|
||||
unconfirmed: You have to confirm your email address before continuing.
|
||||
already_authenticated: คุณได้ลงชื่อเข้าอยู่แล้ว
|
||||
inactive: ยังไม่ได้เปิดใช้งานบัญชีของคุณ
|
||||
invalid: "%{authentication_keys} หรือรหัสผ่านไม่ถูกต้อง"
|
||||
not_found_in_database: "%{authentication_keys} หรือรหัสผ่านไม่ถูกต้อง"
|
||||
timeout: เซสชันของคุณหมดอายุแล้ว โปรดลงชื่อเข้าอีกครั้งเพื่อดำเนินการต่อ
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
subject: 'Mastodon: Confirmation instructions for %{instance}'
|
||||
email_changed:
|
||||
title: ที่อยู่อีเมลใหม่
|
||||
password_change:
|
||||
subject: 'Mastodon: Password changed'
|
||||
subject: 'Mastodon: เปลี่ยนรหัสผ่านแล้ว'
|
||||
title: เปลี่ยนรหัสผ่านแล้ว
|
||||
reset_password_instructions:
|
||||
subject: 'Mastodon: Reset password instructions'
|
||||
unlock_instructions:
|
||||
subject: 'Mastodon: Unlock instructions'
|
||||
omniauth_callbacks:
|
||||
failure: Could not authenticate you from %{kind} because "%{reason}".
|
||||
success: Successfully authenticated from %{kind} account.
|
||||
action: เปลี่ยนรหัสผ่าน
|
||||
passwords:
|
||||
no_token: You can't access this page without coming from a password reset email. If you do come from a password reset email, please make sure you used the full URL provided.
|
||||
send_instructions: If your email address exists in our database, you will receive a password recovery link at your email address in a few minutes.
|
||||
send_paranoid_instructions: If your email address exists in our database, you will receive a password recovery link at your email address in a few minutes.
|
||||
updated: Your password has been changed successfully. You are now signed in.
|
||||
updated_not_active: Your password has been changed successfully.
|
||||
registrations:
|
||||
destroyed: Bye! Your account has been successfully cancelled. We hope to see you again soon.
|
||||
signed_up: Welcome! You have signed up successfully.
|
||||
signed_up_but_inactive: You have signed up successfully. However, we could not sign you in because your account is not yet activated.
|
||||
signed_up_but_locked: You have signed up successfully. However, we could not sign you in because your account is locked.
|
||||
signed_up_but_unconfirmed: A message with a confirmation link has been sent to your email address. Please follow the link to activate your account.
|
||||
update_needs_confirmation: You updated your account successfully, but we need to verify your new email address. Please check your email and follow the confirm link to confirm your new email address.
|
||||
updated: Your account has been updated successfully.
|
||||
sessions:
|
||||
already_signed_out: Signed out successfully.
|
||||
signed_in: Signed in successfully.
|
||||
signed_out: Signed out successfully.
|
||||
already_signed_out: ลงชื่อออกสำเร็จ
|
||||
signed_in: ลงชื่อเข้าสำเร็จ
|
||||
signed_out: ลงชื่อออกสำเร็จ
|
||||
unlocks:
|
||||
send_instructions: You will receive an email with instructions for how to unlock your account in a few minutes.
|
||||
send_paranoid_instructions: If your account exists, you will receive an email with instructions for how to unlock it in a few minutes.
|
||||
unlocked: Your account has been unlocked successfully. Please sign in to continue.
|
||||
errors:
|
||||
messages:
|
||||
already_confirmed: was already confirmed, please try signing in
|
||||
confirmation_period_expired: needs to be confirmed within %{period}, please request a new one
|
||||
expired: has expired, please request a new one
|
||||
not_found: ไม่พบ
|
||||
not_locked: was not locked
|
||||
not_saved:
|
||||
one: '1 error prohibited this %{resource} from being saved:'
|
||||
other: "%{count} errors prohibited this %{resource} from being saved:"
|
||||
not_locked: ไม่ได้ล็อคอยู่
|
||||
|
@ -12,24 +12,27 @@ zh-CN:
|
||||
last_attempt: 你还有最后一次尝试机会,再次失败你的帐户将被锁定。
|
||||
locked: 你的帐户已被锁定。
|
||||
not_found_in_database: "%{authentication_keys}或密码错误。"
|
||||
pending: 你的账户仍在审核中。
|
||||
timeout: 你已登录超时,请重新登录。
|
||||
unauthenticated: 继续操作前请注册或者登录。
|
||||
unconfirmed: 继续操作前请先确认你的帐户。
|
||||
mailer:
|
||||
confirmation_instructions:
|
||||
action: 验证电子邮件地址
|
||||
action_with_app: 确认并返回%{app}
|
||||
explanation: 你在 %{host} 上使用这个电子邮件地址创建了一个帐户。只需点击下面的链接,即可完成激活。如果你并没有创建过帐户,请忽略此邮件。
|
||||
extra_html: 请记得阅读<a href="%{terms_path}">本实例的相关规定</a>和<a href="%{policy_path}">我们的使用条款</a>。
|
||||
explanation_when_pending: 你用这个电子邮件申请了在 %{host} 注册。在确认电子邮件地址之后,我们会审核你的申请。在此之前,你不能登录。如果你的申请被驳回,你的数据会被移除,因此你无需再采取任何行动。如果申请人不是你,请忽略这封邮件。
|
||||
extra_html: 请记得阅读<a href="%{terms_path}">本服务器的相关规定</a>和<a href="%{policy_path}">我们的使用条款</a>。
|
||||
subject: Mastodon:确认 %{instance} 帐户信息
|
||||
title: 验证电子邮件地址
|
||||
email_changed:
|
||||
explanation: 你的帐户的电子邮件地址即将变更为:
|
||||
extra: 如果你并没有请求更改你的电子邮件地址,则他人很有可能已经入侵你的帐户。请立即更改你的密码;如果你已经无法访问你的帐户,请联系实例的管理员请求协助。
|
||||
extra: 如果你并没有请求更改你的电子邮件地址,则他人很有可能已经入侵你的帐户。请立即更改你的密码;如果你已经无法访问你的帐户,请联系服务器管理员请求协助。
|
||||
subject: Mastodon:电子邮件地址已被更改
|
||||
title: 新电子邮件地址
|
||||
password_change:
|
||||
explanation: 你的帐户的密码已被更改。
|
||||
extra: 如果你并没有请求更改你的密码,则他人很有可能已经入侵你的帐户。请立即更改你的密码;如果你已经无法访问你的帐户,请联系实例的管理员请求协助。
|
||||
extra: 如果你并没有请求更改你的密码,则他人很有可能已经入侵你的帐户。请立即更改你的密码;如果你已经无法访问你的帐户,请联系服务器的管理员请求协助。
|
||||
subject: Mastodon:密码已被更改
|
||||
title: 密码已被重置
|
||||
reconfirmation_instructions:
|
||||
@ -59,6 +62,7 @@ zh-CN:
|
||||
signed_up: 欢迎!你已注册成功。
|
||||
signed_up_but_inactive: 你已注册,但尚未激活帐户。
|
||||
signed_up_but_locked: 你已注册,但帐户被锁定了。
|
||||
signed_up_but_pending: 一封带有确认链接的邮件已经发送到了您的邮箱。 在您点击确认链接后,我们将会审核您的申请。审核通过后,我们将会通知您。
|
||||
signed_up_but_unconfirmed: 一封带有确认链接的邮件已经发送至你的邮箱,请点击邮件中的链接以激活你的帐户。如果没有,请检查你的垃圾邮件。
|
||||
update_needs_confirmation: 信息更新成功,但我们需要验证你的新电子邮件地址,请点击邮件中的链接以确认。如果没有,请检查你的垃圾邮箱。
|
||||
updated: 帐户资料更新成功。
|
||||
|
@ -78,5 +78,4 @@ zh-HK:
|
||||
not_found: 找不到
|
||||
not_locked: 並未被鎖定
|
||||
not_saved:
|
||||
one: 1 個錯誤令 %{resource} 無法被儲存︰
|
||||
other: "%{count} 個錯誤令 %{resource} 無法被儲存︰"
|
||||
|
@ -82,5 +82,4 @@ zh-TW:
|
||||
not_found: 找不到
|
||||
not_locked: 並未被鎖定
|
||||
not_saved:
|
||||
one: 因 1 個錯誤導致 %{resource} 無法儲存:
|
||||
other: 因 %{count} 錯誤導致 %{resource} 無法儲存:
|
||||
|
@ -29,7 +29,7 @@ ar:
|
||||
edit:
|
||||
title: تعديل التطبيق
|
||||
form:
|
||||
error: عفوا ! تحقق من خُلوّ الاستمارة من الأخطاء من فضلك
|
||||
error: عفوا! تحقق من خُلوّ الاستمارة من الأخطاء من فضلك
|
||||
help:
|
||||
native_redirect_uri: إستخدم %{native_redirect_uri} للاختبار و التجريب محليا
|
||||
redirect_uri: إستخدم خطا واحدا لكل رابط
|
||||
@ -46,12 +46,12 @@ ar:
|
||||
new:
|
||||
title: تطبيق جديد
|
||||
show:
|
||||
actions: Actions
|
||||
actions: الإجراءات
|
||||
application_id: معرف التطبيق
|
||||
callback_urls: روابط رد النداء
|
||||
scopes: المجالات
|
||||
secret: السر
|
||||
title: 'تطبيق : %{name}'
|
||||
title: 'تطبيق: %{name}'
|
||||
authorizations:
|
||||
buttons:
|
||||
authorize: ترخيص
|
||||
@ -72,7 +72,7 @@ ar:
|
||||
index:
|
||||
application: التطبيق
|
||||
created_at: صُرّح له في
|
||||
date_format: "%d-%m-%Y %H:%M:%S"
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: المجالات
|
||||
title: تطبيقاتك المرخص لها
|
||||
errors:
|
||||
@ -85,11 +85,11 @@ ar:
|
||||
invalid_resource_owner: إنّ المُعرِّفات التي قدّمها صاحب المورِد غير صحيحة أو أنه لا وجود لصاحب المورِد
|
||||
invalid_scope: المجال المطلوب غير صحيح أو مجهول أو مُعبَّر عنه بشكل خاطئ.
|
||||
invalid_token:
|
||||
expired: إنتهت فترة صلاحيته رمز المصادقة
|
||||
expired: انتهت فترة صلاحيته رمز المصادقة
|
||||
revoked: تم إبطال رمز المصادقة
|
||||
unknown: رمز المصادقة غير صالح
|
||||
resource_owner_authenticator_not_configured: لقد أخفقت عملية البحث عن صاحب المَورِد لغياب الضبط في Doorkeeper.configure.resource_owner_authenticator.
|
||||
server_error: لقد صادفَ خادوم التصريحات ضروفا غير مواتية، الأمر الذي مَنَعه مِن مواصلة دراسة الطلب.
|
||||
server_error: لقد صادفَ خادوم التصريحات ظروفا غير مواتية، الأمر الذي مَنَعه مِن مواصلة دراسة الطلب.
|
||||
temporarily_unavailable: تعذر على خادم التفويض معالجة الطلب و ذلك بسبب زيادة مؤقتة في التحميل أو عملية صيانة مبرمجة على الخادم.
|
||||
unauthorized_client: لا يصرح للعميل بتنفيذ هذا الطلب باستخدام هذه الطريقة.
|
||||
unsupported_grant_type: هذا النوع من منح التصريح غير معتمد في خادم الترخيص.
|
||||
|
@ -56,8 +56,6 @@ bg:
|
||||
able_to: Ще е възможно
|
||||
prompt: Приложението %{client_name} заявява достъп до твоя акаунт
|
||||
title: Изисква се упълномощаване
|
||||
show:
|
||||
title: Copy this authorization code and paste it to the application.
|
||||
authorized_applications:
|
||||
buttons:
|
||||
revoke: Отмяна
|
||||
@ -66,7 +64,6 @@ bg:
|
||||
index:
|
||||
application: Приложение
|
||||
created_at: Създадено на
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: Диапазони
|
||||
title: Твоите упълномощени приложения
|
||||
errors:
|
||||
|
1
config/locales/doorkeeper.bn.yml
Normal file
1
config/locales/doorkeeper.bn.yml
Normal file
@ -0,0 +1 @@
|
||||
bn:
|
@ -29,7 +29,7 @@ ca:
|
||||
edit:
|
||||
title: Edita l'aplicació
|
||||
form:
|
||||
error: Ep! Comprova el formulari
|
||||
error: Ep! Comprova el formulari per a possibles errors
|
||||
help:
|
||||
native_redirect_uri: Utilitza %{native_redirect_uri} per a proves locals
|
||||
redirect_uri: Utilitza una línia per URI
|
||||
@ -114,7 +114,35 @@ ca:
|
||||
application:
|
||||
title: OAuth autorització requerida
|
||||
scopes:
|
||||
admin:read: llegir totes les dades en el servidor
|
||||
admin:read:accounts: llegir l'informació sensible de tots els comptes
|
||||
admin:read:reports: llegir l'informació sensible de tots els informes i comptes reportats
|
||||
admin:write: modificar totes les dades en el servidor
|
||||
admin:write:accounts: fer l'acció de moderació en els comptes
|
||||
admin:write:reports: fer l'acció de moderació en els informes
|
||||
follow: seguir, blocar, desblocar i deixar de seguir comptes
|
||||
push: rebre notificacions push del teu compte
|
||||
read: llegir les dades del teu compte
|
||||
read:accounts: veure informació dels comptes
|
||||
read:blocks: veure els teus bloqueijos
|
||||
read:favourites: veure els teus favorits
|
||||
read:filters: veure els teus filtres
|
||||
read:follows: veure els teus seguiments
|
||||
read:lists: veure les teves llistes
|
||||
read:mutes: veure els teus silenciats
|
||||
read:notifications: veure les teves notificacions
|
||||
read:reports: veure els teus informes
|
||||
read:search: cerca en nom teu
|
||||
read:statuses: veure tots els toots
|
||||
write: publicar en el teu nom
|
||||
write:accounts: modifica el teu perfil
|
||||
write:blocks: bloqueja comptes i dominis
|
||||
write:favourites: afavoreix toots
|
||||
write:filters: crear filtres
|
||||
write:follows: seguir usuaris
|
||||
write:lists: crear llistes
|
||||
write:media: pujar fitxers multimèdia
|
||||
write:mutes: silencia usuaris i converses
|
||||
write:notifications: esborra les teves notificacions
|
||||
write:reports: informe d’altres persones
|
||||
write:statuses: publicar toots
|
||||
|
@ -114,6 +114,12 @@ co:
|
||||
application:
|
||||
title: Auturizazione OAuth riquestata
|
||||
scopes:
|
||||
admin:read: leghje tutti i dati nant'à u servore
|
||||
admin:read:accounts: leghje i cuntinuti sensibili di tutti i conti
|
||||
admin:read:reports: leghje i cuntinuti sensibili di tutti i rapporti è conti signalati
|
||||
admin:write: mudificà tutti i dati nant'à u servore
|
||||
admin:write:accounts: realizà azzione di muderazione nant'à i conti
|
||||
admin:write:reports: realizà azzione di muderazione nant'à i rapporti
|
||||
follow: Mudificà rilazione trà i conti
|
||||
push: Riceve e vostre nutificazione push
|
||||
read: leghje tutte l’infurmazioni di u vostru contu
|
||||
|
@ -114,6 +114,12 @@ cs:
|
||||
application:
|
||||
title: Je požadována autorizace OAuth
|
||||
scopes:
|
||||
admin:read: číst všechna data na serveru
|
||||
admin:read:accounts: číst citlivé informace všech účtů
|
||||
admin:read:reports: číst citlivé informace všech nahlášení a nahlášených účtů
|
||||
admin:write: měnit všechna data na serveru
|
||||
admin:write:accounts: provádět moderátorské akce s účty
|
||||
admin:write:reports: provádět moderátorské akce s nahlášeními
|
||||
follow: upravovat vztahy mezi profily
|
||||
push: přijímat vaše push oznámení
|
||||
read: vidět všechna data vašeho účtu
|
||||
|
@ -72,7 +72,7 @@ cy:
|
||||
index:
|
||||
application: Rhaglen
|
||||
created_at: Awdurdodedig
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
date_format: "%Y-%m-%d% %H:%M:%S"
|
||||
scopes: Rhinweddau
|
||||
title: Eich rhaglenni awdurdodedig
|
||||
errors:
|
||||
@ -115,7 +115,7 @@ cy:
|
||||
title: Mae awdurdodiad OAuth yn ofynnol
|
||||
scopes:
|
||||
follow: addasu perthnasau cyfrif
|
||||
push: derbyn eich hysbysiadau PUSH
|
||||
push: derbyn eich hysbysiadau gwthiadwy
|
||||
read: darllen holl ddata eich cyfrif
|
||||
read:accounts: gweld gwybodaeth y cyfrif
|
||||
read:blocks: gweld eich blociau
|
||||
|
@ -72,7 +72,6 @@ da:
|
||||
index:
|
||||
application: Applikation
|
||||
created_at: Godkendt
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: Omfang
|
||||
title: Dine godkendte applikationer
|
||||
errors:
|
||||
|
@ -23,7 +23,7 @@ de:
|
||||
cancel: Abbrechen
|
||||
destroy: Löschen
|
||||
edit: Bearbeiten
|
||||
submit: Übertragen
|
||||
submit: Speichern
|
||||
confirmations:
|
||||
destroy: Bist du sicher?
|
||||
edit:
|
||||
@ -31,8 +31,8 @@ de:
|
||||
form:
|
||||
error: Hoppla! Bitte überprüfe das Formular auf mögliche Fehler
|
||||
help:
|
||||
native_redirect_uri: "%{native_redirect_uri} für lokale Tests benutzen"
|
||||
redirect_uri: Bitte benutze eine Zeile pro URI
|
||||
native_redirect_uri: Benutze %{native_redirect_uri} für lokale Tests
|
||||
redirect_uri: Benutze eine Zeile pro URI
|
||||
scopes: Bitte die Befugnisse mit Leerzeichen trennen. Zur Verwendung der Standardwerte freilassen.
|
||||
index:
|
||||
application: Anwendung
|
||||
@ -71,25 +71,25 @@ de:
|
||||
revoke: Bist du sicher?
|
||||
index:
|
||||
application: Anwendung
|
||||
created_at: autorisiert am
|
||||
created_at: Autorisiert am
|
||||
date_format: "%d.%m.%Y %H:%M:%S"
|
||||
scopes: Befugnisse
|
||||
title: Deine autorisierten Anwendungen
|
||||
errors:
|
||||
messages:
|
||||
access_denied: Der »resource owner« oder der Autorisierungs-Server hat die Anfrage verweigert.
|
||||
credential_flow_not_configured: Die Prozedur »Resource Owner Password Credentials« schlug fehl, da Doorkeeper.configure.resource_owner_from_credentials nicht konfiguriert ist.
|
||||
access_denied: Die Anfrage wurde durch Benutzer_in oder Autorisierungs-Server verweigert.
|
||||
credential_flow_not_configured: Das Konto konnte nicht gefunden werden, da Doorkeeper.configure.resource_owner_from_credentials nicht konfiguriert ist.
|
||||
invalid_client: 'Client-Authentifizierung ist fehlgeschlagen: Client unbekannt, keine Authentisierung mitgeliefert oder Authentisierungsmethode wird nicht unterstützt.'
|
||||
invalid_grant: Die beigefügte Autorisierung ist ungültig, abgelaufen, wurde widerrufen, einem anderen Client ausgestellt oder der Weiterleitungs-URI stimmt nicht mit der Autorisierungs-Anfrage überein.
|
||||
invalid_redirect_uri: Der beigefügte Weiterleitungs-URI ist ungültig.
|
||||
invalid_request: Die Anfrage enthält ein nicht-unterstütztes Argument, ein Parameter fehlt, oder sie ist anderweitig fehlerhaft.
|
||||
invalid_resource_owner: Die angegebenen Zugangsdaten für den Ressourcenbesitzer sind ungültig oder der Ressourcenbesitzer kann nicht gefunden werden
|
||||
invalid_resource_owner: Die angegebenen Zugangsdaten für das Konto sind ungültig oder das Konto kann nicht gefunden werden
|
||||
invalid_scope: Die angeforderte Befugnis ist ungültig, unbekannt oder fehlerhaft.
|
||||
invalid_token:
|
||||
expired: Der Zugriffs-Token ist abgelaufen
|
||||
revoked: Der Zugriffs-Token wurde widerrufen
|
||||
unknown: Der Zugriffs-Token ist ungültig
|
||||
resource_owner_authenticator_not_configured: Die Prozedur »Resource Owner find« ist fehlgeschlagen, da Doorkeeper.configure.resource_owner_authenticator nicht konfiguriert ist.
|
||||
resource_owner_authenticator_not_configured: Das Konto konnte nicht gefunden werden, da Doorkeeper.configure.resource_owner_authenticator nicht konfiguriert ist.
|
||||
server_error: Der Autorisierungs-Server hat ein unerwartetes Problem festgestellt und konnte die Anfrage nicht bearbeiten.
|
||||
temporarily_unavailable: Der Autorisierungs-Server ist aufgrund von zwischenzeitlicher Überlastung oder Wartungsarbeiten derzeit nicht in der Lage, die Anfrage zu bearbeiten.
|
||||
unauthorized_client: Der Client ist nicht dazu autorisiert, diese Anfrage mit dieser Methode auszuführen.
|
||||
@ -114,6 +114,12 @@ de:
|
||||
application:
|
||||
title: OAuth-Autorisierung nötig
|
||||
scopes:
|
||||
admin:read: alle Daten auf dem Server lesen
|
||||
admin:read:accounts: sensible Daten aller Konten lesen
|
||||
admin:read:reports: sensible Daten aller Meldungen und gemeldeten Konten lesen
|
||||
admin:write: alle Daten auf dem Server ändern
|
||||
admin:write:accounts: Moderationsaktionen auf Konten ausführen
|
||||
admin:write:reports: Moderationsaktionen auf Meldungen ausführen
|
||||
follow: Kontenbeziehungen verändern
|
||||
push: deine Push-Benachrichtigungen erhalten
|
||||
read: all deine Daten lesen
|
||||
|
@ -114,6 +114,12 @@ el:
|
||||
application:
|
||||
title: Απαιτείται έγκριση OAuth
|
||||
scopes:
|
||||
admin:read: ανάγνωση δεδομένων στον διακομιστή
|
||||
admin:read:accounts: ανάγνωση ευαίσθητων πληροφοριών όλων των λογαριασμών
|
||||
admin:read:reports: ανάγνωση ευαίσθητων πληροφοριών όλων των καταγγελιών και των καταγγελλομένων λογαριασμών
|
||||
admin:write: αλλαγή δεδομένων στον διακομιστή
|
||||
admin:write:accounts: εκτέλεση διαχειριστικών ενεργειών σε λογαριασμούς
|
||||
admin:write:reports: εκτέλεση διαχειριστικών ενεργειών σε καταγγελίες
|
||||
follow: να αλλάζει τις σχέσεις με λογαριασμούς
|
||||
push: να λαμβάνει τις ειδοποιήσεις σου
|
||||
read: να διαβάζει όλα τα στοιχεία του λογαριασμού σου
|
||||
|
@ -114,6 +114,12 @@ en:
|
||||
application:
|
||||
title: OAuth authorization required
|
||||
scopes:
|
||||
admin:read: read all data on the server
|
||||
admin:read:accounts: read sensitive information of all accounts
|
||||
admin:read:reports: read sensitive information of all reports and reported accounts
|
||||
admin:write: modify all data on the server
|
||||
admin:write:accounts: perform moderation actions on accounts
|
||||
admin:write:reports: perform moderation actions on reports
|
||||
follow: modify account relationships
|
||||
push: receive your push notifications
|
||||
read: read all your account's data
|
||||
|
@ -117,3 +117,4 @@ es:
|
||||
follow: seguir, bloquear, desbloquear y dejar de seguir cuentas
|
||||
read: leer los datos de tu cuenta
|
||||
write: publicar en tu nombre
|
||||
write:blocks: bloquear cuentas y dominios
|
||||
|
@ -23,7 +23,6 @@ fa:
|
||||
cancel: لغو
|
||||
destroy: پاک کردن
|
||||
edit: ویرایش
|
||||
submit: Submit
|
||||
confirmations:
|
||||
destroy: آیا مطمئن هستید؟
|
||||
edit:
|
||||
@ -46,7 +45,6 @@ fa:
|
||||
new:
|
||||
title: برنامهٔ تازه
|
||||
show:
|
||||
actions: Actions
|
||||
application_id: کلید کلاینت
|
||||
callback_urls: نشانیهای Callabck
|
||||
scopes: دامنهها
|
||||
@ -72,29 +70,17 @@ fa:
|
||||
index:
|
||||
application: برنامه
|
||||
created_at: مجازشده از
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: اجازهها
|
||||
title: برنامههای مجاز
|
||||
errors:
|
||||
messages:
|
||||
access_denied: دارندهٔ منبع یا سرور اجازه دهنده درخواست را نپذیرفت.
|
||||
credential_flow_not_configured: Resource Owner Password Credentials flow failed due to Doorkeeper.configure.resource_owner_from_credentials being unconfigured.
|
||||
invalid_client: Client authentication failed due to unknown client, no client authentication included, or unsupported authentication method.
|
||||
invalid_grant: The provided authorization grant is invalid, expired, revoked, does not match the redirection URI used in the authorization request, or was issued to another client.
|
||||
invalid_redirect_uri: The redirect uri included is not valid.
|
||||
invalid_request: The request is missing a required parameter, includes an unsupported parameter value, or is otherwise malformed.
|
||||
invalid_resource_owner: The provided resource owner credentials are not valid, or resource owner cannot be found
|
||||
invalid_scope: The requested scope is invalid, unknown, or malformed.
|
||||
invalid_token:
|
||||
expired: کد دسترسی منقضی شده است
|
||||
revoked: کد دسترسی فسخ شده است
|
||||
unknown: کد دسترسی معتبر نیست
|
||||
resource_owner_authenticator_not_configured: Resource Owner find failed due to Doorkeeper.configure.resource_owner_authenticator being unconfiged.
|
||||
server_error: خطای پیشبینینشدهای برای سرور اجازهدهنده رخ داد که جلوی اجرای این درخواست را گرفت.
|
||||
temporarily_unavailable: سرور اجازهدهنده به دلیل بار زیاد یا تعمیرات سرور هماینک نمیتواند درخواست شما را بررسی کند.
|
||||
unauthorized_client: The client is not authorized to perform this request using this method.
|
||||
unsupported_grant_type: The authorization grant type is not supported by the authorization server.
|
||||
unsupported_response_type: The authorization server does not support this response type.
|
||||
flash:
|
||||
applications:
|
||||
create:
|
||||
|
@ -72,7 +72,6 @@ fi:
|
||||
index:
|
||||
application: Sovellus
|
||||
created_at: Valtuutettu
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: Oikeudet
|
||||
title: Valtuutetut sovellukset
|
||||
errors:
|
||||
|
@ -5,7 +5,6 @@ fr:
|
||||
doorkeeper/application:
|
||||
name: Nom
|
||||
redirect_uri: L’URL de redirection
|
||||
scope: Portée
|
||||
scopes: Étendues
|
||||
website: Site web de l’application
|
||||
errors:
|
||||
|
@ -114,6 +114,12 @@ gl:
|
||||
application:
|
||||
title: Precisa autorización OAuth
|
||||
scopes:
|
||||
admin:read: ler todos os datos no servidor
|
||||
admin:read:accounts: ler información sensible de todas as contas
|
||||
admin:read:reports: ler información sensible de todos os informes e contas reportadas
|
||||
admin:write: modificar todos os datos no servidor
|
||||
admin:write:accounts: executar accións de moderación nas contas
|
||||
admin:write:reports: executar accións de moderación nos informes
|
||||
follow: modificar as relacións da conta
|
||||
push: recibir notificacións push
|
||||
read: ler todos os datos da súa conta
|
||||
|
@ -72,7 +72,6 @@ he:
|
||||
index:
|
||||
application: ישום
|
||||
created_at: מאושר
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: תחומים
|
||||
title: ישומיך המאושרים
|
||||
errors:
|
||||
|
@ -4,7 +4,6 @@ hr:
|
||||
attributes:
|
||||
doorkeeper/application:
|
||||
name: Ime
|
||||
redirect_uri: Redirect URI
|
||||
errors:
|
||||
models:
|
||||
doorkeeper/application:
|
||||
@ -33,7 +32,6 @@ hr:
|
||||
redirect_uri: Koristi jednu liniju po URI
|
||||
scopes: Odvoji scopes sa razmacima. Ostavi prazninu kako bi koristio zadane scopes.
|
||||
index:
|
||||
callback_url: Callback URL
|
||||
name: Ime
|
||||
new: Nova Aplikacija
|
||||
title: Tvoje aplikacije
|
||||
@ -43,7 +41,6 @@ hr:
|
||||
actions: Akcije
|
||||
application_id: Id Aplikacije
|
||||
callback_urls: Callback urls
|
||||
scopes: Scopes
|
||||
secret: Tajna
|
||||
title: 'Aplikacija: %{name}'
|
||||
authorizations:
|
||||
@ -56,8 +53,6 @@ hr:
|
||||
able_to: Moći će
|
||||
prompt: Aplikacija %{client_name} je zatražila pristup tvom računu
|
||||
title: Traži se autorizacija
|
||||
show:
|
||||
title: Copy this authorization code and paste it to the application.
|
||||
authorized_applications:
|
||||
buttons:
|
||||
revoke: Odbij
|
||||
@ -66,15 +61,11 @@ hr:
|
||||
index:
|
||||
application: Aplikacija
|
||||
created_at: Ovlašeno
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: Scopes
|
||||
title: Tvoje autorizirane aplikacije
|
||||
errors:
|
||||
messages:
|
||||
access_denied: Vlasnik resursa / autorizacijski server je odbio zahtjev.
|
||||
credential_flow_not_configured: Resource Owner Password Credentials flow failed due to Doorkeeper.configure.resource_owner_from_credentials being unconfigured.
|
||||
invalid_client: Autentifikacija klijenta nije uspjela zbog nepoznatog klijenta, neuključene autentifikacije od strane klijenta, ili nepodržane metode autentifikacije.
|
||||
invalid_grant: The provided authorization grant is invalid, expired, revoked, does not match the redirection URI used in the authorization request, or was issued to another client.
|
||||
invalid_redirect_uri: The redirect uri included nije valjan.
|
||||
invalid_request: Zahtjevu nedostaje traženi parametar, uključuje nepodržanu vrijednost parametra, ili je na neki drugi način neispravno formiran.
|
||||
invalid_resource_owner: The provided resource owner credentials nisu valjani, ili vlasnik resursa ne može biti nađen
|
||||
@ -83,7 +74,6 @@ hr:
|
||||
expired: Pristupni token je istekao
|
||||
revoked: Pristupni token je odbijen
|
||||
unknown: Pristupni token nije valjan
|
||||
resource_owner_authenticator_not_configured: Resource Owner find failed due to Doorkeeper.configure.resource_owner_authenticator being unconfiged.
|
||||
server_error: Autorizacijski server naišao je na neočekivani uvjet, što ga je onemogućilo da ispuni zahtjev.
|
||||
temporarily_unavailable: Autorizacijski server trenutno nije u mogućnosti izvesti zahtjev zbog privremenog preopterećenja ili održavanja servera.
|
||||
unauthorized_client: Klijent nije ovlašten izvesti zahtjev koristeći ovu metodu.
|
||||
@ -104,7 +94,6 @@ hr:
|
||||
admin:
|
||||
nav:
|
||||
applications: Aplikacije
|
||||
oauth2_provider: OAuth2 Provider
|
||||
application:
|
||||
title: Traži se OAuth autorizacija
|
||||
scopes:
|
||||
|
@ -3,8 +3,8 @@ hu:
|
||||
activerecord:
|
||||
attributes:
|
||||
doorkeeper/application:
|
||||
name: Név
|
||||
redirect_uri: Visszairányító URI
|
||||
name: Alkalmazás neve
|
||||
redirect_uri: Átirányító URI
|
||||
scopes: Hatáskör
|
||||
website: Az alkalmazás weboldala
|
||||
errors:
|
||||
@ -33,7 +33,7 @@ hu:
|
||||
help:
|
||||
native_redirect_uri: Használj %{native_redirect_uri} a helyi tesztekhez
|
||||
redirect_uri: Egy sor URI-nként
|
||||
scopes: A nézeteket szóközzel válaszd el. Hagyd üresen az alapértelmezett nézetekhez.
|
||||
scopes: A hatásköröket szóközzel válaszd el. Hagyd üresen az alapértelmezett hatáskörökhöz.
|
||||
index:
|
||||
application: Alkalmazás
|
||||
callback_url: Callback URL
|
||||
@ -42,14 +42,14 @@ hu:
|
||||
new: Új alkalmazás
|
||||
scopes: Hatáskör
|
||||
show: Mutat
|
||||
title: Alkalmazásod
|
||||
title: Alkalmazásaid
|
||||
new:
|
||||
title: Új alkalmazás
|
||||
show:
|
||||
actions: Műveletek
|
||||
application_id: Alkalmazás azonosító
|
||||
callback_urls: Callback urlek
|
||||
scopes: Nézetek
|
||||
callback_urls: Callback URL-ek
|
||||
scopes: Hatáskörök
|
||||
secret: Titok
|
||||
title: 'Alkalmazás: %{name}'
|
||||
authorizations:
|
||||
@ -63,7 +63,7 @@ hu:
|
||||
prompt: "%{client_name} nevű alkalmazás engedélyt kér a fiókodhoz való hozzáféréshez."
|
||||
title: Engedély szükséges
|
||||
show:
|
||||
title: Copy this authorization code and paste it to the application.
|
||||
title: Másold le ezt az engedélyező kódot és írd be az alkalmazásba.
|
||||
authorized_applications:
|
||||
buttons:
|
||||
revoke: Visszavonás
|
||||
@ -71,28 +71,28 @@ hu:
|
||||
revoke: Biztos vagy benne?
|
||||
index:
|
||||
application: Alkalmazás
|
||||
created_at: Készítve
|
||||
created_at: Felhatalmazva
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: Hatáskör
|
||||
title: Engedélyezett alkalmazásaid
|
||||
errors:
|
||||
messages:
|
||||
access_denied: Az erőforrás tulajdonosa vagy hitelesítő kiszolgálója megtakadta a kérést.
|
||||
access_denied: Az erőforrás tulajdonosa vagy hitelesítő kiszolgálója megtagadta a kérést.
|
||||
credential_flow_not_configured: Az erőforrás tulajdonos jelszóadatainak átadása megszakadt, mert a Doorkeeper.configure.resource_owner_from_credentials beállítatlan.
|
||||
invalid_client: A kliens hitelesítése megszakadt, mert a ismeretlen a kliens, kliens nem küldött hitelesítést, vagy ismeretlen a kliens
|
||||
invalid_grant: A biztosított hitelesítés érvénytelen, lejárt, visszavont, vagy nem egyezik a hitelesítéi kérésben használt URIval, vagy más kliensnek lett címezve.
|
||||
invalid_redirect_uri: A redirect uri nem valós.
|
||||
invalid_request: A kérésből hiányzik egy szükséges paraméter, nem támogatott paramétert tartalmaz, vagy egyéb módon hibás.
|
||||
invalid_client: A kliens hitelesítése megszakadt, mert ismeretlen a kliens, a kliens nem küldött hitelesítést, vagy a hitelesítés módja nem támogatott.
|
||||
invalid_grant: A biztosított hitelesítés érvénytelen, lejárt, visszavont, vagy nem egyezik a hitelesítési kérésben használt URI-val, vagy más kliensnek címezték.
|
||||
invalid_redirect_uri: Az átirányító URI nem valós.
|
||||
invalid_request: A kérésből hiányzik egy szükséges paraméter, nem támogatott paramétert tartalmaz, vagy máshogy sérült.
|
||||
invalid_resource_owner: A biztosított erőforrás tulajdonosának hitelesítő adatai nem valósak, vagy az erőforrás tulajdonosa nem található.
|
||||
invalid_scope: A kért nézet érvénytelen, ismeretlen, vagy hibás.
|
||||
invalid_token:
|
||||
expired: Hozzáférési kulcs lejárt
|
||||
revoked: Hozzáférési kulcs vissza lett vonva
|
||||
revoked: Hozzáférési kulcsot visszavonták
|
||||
unknown: Hozzáférési kulcs érvénytelen
|
||||
resource_owner_authenticator_not_configured: Erőforrás tulajdonos keresés megszakadt, ugyanis a Doorkeeper.configure.resource_owner_authenticator beállítatlan.
|
||||
server_error: Hitelesítő szervert váratlan esemény érte, mely meggátolta a kérés teljesítését.
|
||||
temporarily_unavailable: A hitelesítő szerver jelenleg nem tudja teljesíteni a kérést egy átmeneti túlterheltség vagy a kiszolgáló karbantartása miatt.
|
||||
unauthorized_client: A kliens nincs feljogosítva a kérés teljesítésére.
|
||||
temporarily_unavailable: A hitelesítő szerver jelenleg nem tudja teljesíteni a kérést átmeneti túlterheltség vagy a kiszolgáló karbantartása miatt.
|
||||
unauthorized_client: A kliens nincs feljogosítva erre a kérésre.
|
||||
unsupported_grant_type: A hitelesítés módja nem támogatott a hitelesítő kiszolgálón.
|
||||
unsupported_response_type: A hitelesítő kiszolgáló nem támogatja ezt a választ.
|
||||
flash:
|
||||
@ -114,6 +114,29 @@ hu:
|
||||
application:
|
||||
title: OAuth engedély szükséges
|
||||
scopes:
|
||||
follow: fiókok követése, blokkoláse, blokkolás feloldása és követés abbahagyása
|
||||
follow: fiókok követése, letiltása, tiltás feloldása és követés abbahagyása
|
||||
push: push értesítések fogadása
|
||||
read: fiókod adatainak olvasása
|
||||
write: bejegyzés írása a nevedben
|
||||
read:accounts: fiók adatainak megtekintése
|
||||
read:blocks: letiltások megtekintése
|
||||
read:favourites: kedvencek megtekintése
|
||||
read:filters: szűrök megtekintése
|
||||
read:follows: követések megtekintése
|
||||
read:lists: listák megtekintése
|
||||
read:mutes: némítások megtekintése
|
||||
read:notifications: értesítések megtekintése
|
||||
read:reports: bejelentések megtekintése
|
||||
read:search: nevedben keresés
|
||||
read:statuses: tülkök megtekintése
|
||||
write: fiókod adatainak megváltoztatása
|
||||
write:accounts: profilod megváltoztatása
|
||||
write:blocks: fiókok és domainek letiltása
|
||||
write:favourites: tülkök kedvencnek jelölése
|
||||
write:filters: szűrők létrehozása
|
||||
write:follows: mások követése
|
||||
write:lists: listák létrehozása
|
||||
write:media: média feltöltése
|
||||
write:mutes: emberek és beszélgetések némítása
|
||||
write:notifications: értesítések törlése
|
||||
write:reports: mások bejelentése
|
||||
write:statuses: tülkök közzététele
|
||||
|
1
config/locales/doorkeeper.hy.yml
Normal file
1
config/locales/doorkeeper.hy.yml
Normal file
@ -0,0 +1 @@
|
||||
hy:
|
@ -62,8 +62,6 @@ id:
|
||||
able_to: Mempunyai akses untuk
|
||||
prompt: Aplikasi %{client_name} meminta akses pada akun anda
|
||||
title: Izin diperlukan
|
||||
show:
|
||||
title: Copy this authorization code and paste it to the application.
|
||||
authorized_applications:
|
||||
buttons:
|
||||
revoke: Cabut izin
|
||||
@ -72,7 +70,6 @@ id:
|
||||
index:
|
||||
application: Aplikasi
|
||||
created_at: Diizinkan pada
|
||||
date_format: "%Y-%m-%d %H:%M:%S"
|
||||
scopes: Scope
|
||||
title: Aplikasi yang anda izinkan
|
||||
errors:
|
||||
|
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user