diff --git a/CHANGELOG.md b/CHANGELOG.md
index 3059a5f9d4..c89f35cdf0 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -3,7 +3,7 @@ Changelog
All notable changes to this project will be documented in this file.
-## [Unreleased]
+## [2.9.0] - 2019-06-13
### Added
- **Add single-column mode in web UI** ([Gargron](https://github.com/tootsuite/mastodon/pull/10807), [Gargron](https://github.com/tootsuite/mastodon/pull/10848), [Gargron](https://github.com/tootsuite/mastodon/pull/11003), [Gargron](https://github.com/tootsuite/mastodon/pull/10961), [Hanage999](https://github.com/tootsuite/mastodon/pull/10915), [noellabo](https://github.com/tootsuite/mastodon/pull/10917), [abcang](https://github.com/tootsuite/mastodon/pull/10859), [Gargron](https://github.com/tootsuite/mastodon/pull/10820), [Gargron](https://github.com/tootsuite/mastodon/pull/10835), [Gargron](https://github.com/tootsuite/mastodon/pull/10809), [Gargron](https://github.com/tootsuite/mastodon/pull/10963), [noellabo](https://github.com/tootsuite/mastodon/pull/10883), [Hanage999](https://github.com/tootsuite/mastodon/pull/10839))
@@ -14,6 +14,7 @@ All notable changes to this project will be documented in this file.
- Add emoji suggestions to content warning and poll option fields in web UI ([ThibG](https://github.com/tootsuite/mastodon/pull/10555))
- Add `source` attribute to response of `DELETE /api/v1/statuses/:id` ([ThibG](https://github.com/tootsuite/mastodon/pull/10669))
- Add some caching for HTML versions of public status pages ([ThibG](https://github.com/tootsuite/mastodon/pull/10701))
+- Add button to conveniently copy OAuth code ([ThibG](https://github.com/tootsuite/mastodon/pull/11065))
### Changed
@@ -53,6 +54,8 @@ All notable changes to this project will be documented in this file.
- Fix avatar preview aspect ratio on edit profile page ([Kjwon15](https://github.com/tootsuite/mastodon/pull/10931))
- Fix web push notifications not being sent for polls ([ThibG](https://github.com/tootsuite/mastodon/pull/10864))
- Fix cut off letters in last paragraph of statuses in web UI ([ariasuni](https://github.com/tootsuite/mastodon/pull/10821))
+- Fix list not being automatically unpinned when it returns 404 in web UI ([Gargron](https://github.com/tootsuite/mastodon/pull/11045))
+- Fix login sometimes redirecting to paths that are not pages ([Gargron](https://github.com/tootsuite/mastodon/pull/11019))
## [2.8.4] - 2019-05-24
### Fixed
diff --git a/app/javascript/mastodon/components/status_content.js b/app/javascript/mastodon/components/status_content.js
index 01b4351be2..06f5b4aad7 100644
--- a/app/javascript/mastodon/components/status_content.js
+++ b/app/javascript/mastodon/components/status_content.js
@@ -107,8 +107,12 @@ export default class StatusContent extends React.PureComponent {
const [ startX, startY ] = this.startXY;
const [ deltaX, deltaY ] = [Math.abs(e.clientX - startX), Math.abs(e.clientY - startY)];
- if (e.target.localName === 'button' || e.target.localName === 'a' || (e.target.parentNode && (e.target.parentNode.localName === 'button' || e.target.parentNode.localName === 'a'))) {
- return;
+ let element = e.target;
+ while (element) {
+ if (element.localName === 'button' || element.localName === 'a' || element.localName === 'label') {
+ return;
+ }
+ element = element.parentNode;
}
if (deltaX + deltaY < 5 && e.button === 0 && this.props.onClick) {
diff --git a/app/javascript/mastodon/features/compose/components/compose_form.js b/app/javascript/mastodon/features/compose/components/compose_form.js
index f965e6c75f..c31e10be98 100644
--- a/app/javascript/mastodon/features/compose/components/compose_form.js
+++ b/app/javascript/mastodon/features/compose/components/compose_form.js
@@ -211,10 +211,6 @@ class ComposeForm extends ImmutablePureComponent {
/>
-
+
diff --git a/app/javascript/mastodon/features/compose/components/reply_indicator.js b/app/javascript/mastodon/features/compose/components/reply_indicator.js
index 142223f3d8..66dc857421 100644
--- a/app/javascript/mastodon/features/compose/components/reply_indicator.js
+++ b/app/javascript/mastodon/features/compose/components/reply_indicator.js
@@ -7,6 +7,7 @@ import DisplayName from '../../../components/display_name';
import { defineMessages, injectIntl } from 'react-intl';
import ImmutablePureComponent from 'react-immutable-pure-component';
import { isRtl } from '../../../rtl';
+import AttachmentList from 'mastodon/components/attachment_list';
const messages = defineMessages({
cancel: { id: 'reply_indicator.cancel', defaultMessage: 'Cancel' },
@@ -60,6 +61,13 @@ class ReplyIndicator extends ImmutablePureComponent {
+
+ {status.get('media_attachments').size > 0 && (
+
+ )}
);
}
diff --git a/app/javascript/mastodon/features/ui/components/boost_modal.js b/app/javascript/mastodon/features/ui/components/boost_modal.js
index 4c39a60e79..70f4a1282e 100644
--- a/app/javascript/mastodon/features/ui/components/boost_modal.js
+++ b/app/javascript/mastodon/features/ui/components/boost_modal.js
@@ -9,6 +9,7 @@ import RelativeTimestamp from '../../../components/relative_timestamp';
import DisplayName from '../../../components/display_name';
import ImmutablePureComponent from 'react-immutable-pure-component';
import Icon from 'mastodon/components/icon';
+import AttachmentList from 'mastodon/components/attachment_list';
const messages = defineMessages({
cancel_reblog: { id: 'status.cancel_reblog_private', defaultMessage: 'Unboost' },
@@ -73,6 +74,13 @@ class BoostModal extends ImmutablePureComponent {
+
+ {status.get('media_attachments').size > 0 && (
+
+ )}
diff --git a/app/javascript/mastodon/features/ui/components/navigation_panel.js b/app/javascript/mastodon/features/ui/components/navigation_panel.js
index 1d783ba1bc..ef3ad2e092 100644
--- a/app/javascript/mastodon/features/ui/components/navigation_panel.js
+++ b/app/javascript/mastodon/features/ui/components/navigation_panel.js
@@ -2,6 +2,7 @@ import React from 'react';
import { NavLink, withRouter } from 'react-router-dom';
import { FormattedMessage } from 'react-intl';
import Icon from 'mastodon/components/icon';
+import { profile_directory } from 'mastodon/initial_state';
import NotificationsCounterIcon from './notifications_counter_icon';
import FollowRequestsNavLink from './follow_requests_nav_link';
import ListPanel from './list_panel';
@@ -23,7 +24,7 @@ const NavigationPanel = () => (
-
+ {!!profile_directory && }
);
diff --git a/app/javascript/mastodon/locales/ar.json b/app/javascript/mastodon/locales/ar.json
index 2898c139e4..28a18c92da 100644
--- a/app/javascript/mastodon/locales/ar.json
+++ b/app/javascript/mastodon/locales/ar.json
@@ -1,8 +1,8 @@
{
- "account.add_or_remove_from_list": "أضيف/ي أو أحذف/ي من القائمة",
+ "account.add_or_remove_from_list": "أضفه أو أزله من القائمة",
"account.badges.bot": "روبوت",
"account.block": "حظر @{name}",
- "account.block_domain": "إخفاء كل شيئ قادم من إسم النطاق {domain}",
+ "account.block_domain": "إخفاء كل شيئ قادم من اسم النطاق {domain}",
"account.blocked": "محظور",
"account.direct": "رسالة خاصة إلى @{name}",
"account.domain_blocked": "النطاق مخفي",
@@ -19,7 +19,7 @@
"account.locked_info": "تم تأمين خصوصية هذا الحساب عبر قفل. صاحب الحساب يُراجِع يدويا طلبات المتابَعة و الاشتراك بحسابه.",
"account.media": "وسائط",
"account.mention": "أُذكُر/ي @{name}",
- "account.moved_to": "{name} إنتقل إلى :",
+ "account.moved_to": "{name} انتقل إلى:",
"account.mute": "كتم @{name}",
"account.mute_notifications": "كتم الإخطارات من @{name}",
"account.muted": "مكتوم",
@@ -36,7 +36,7 @@
"account.unmute": "إلغاء الكتم عن @{name}",
"account.unmute_notifications": "إلغاء كتم إخطارات @{name}",
"alert.unexpected.message": "لقد طرأ هناك خطأ غير متوقّع.",
- "alert.unexpected.title": "المعذرة !",
+ "alert.unexpected.title": "المعذرة!",
"boost_modal.combo": "يمكنك/ي ضغط {combo} لتخطّي هذه في المرّة القادمة",
"bundle_column_error.body": "لقد وقع هناك خطأ أثناء عملية تحميل هذا العنصر.",
"bundle_column_error.retry": "إعادة المحاولة",
@@ -66,7 +66,7 @@
"column_subheading.settings": "الإعدادات",
"community.column_settings.media_only": "الوسائط فقط",
"compose_form.direct_message_warning": "لن يَظهر هذا التبويق إلا للمستخدمين المذكورين.",
- "compose_form.direct_message_warning_learn_more": "إقرأ المزيد",
+ "compose_form.direct_message_warning_learn_more": "اقرأ المزيد",
"compose_form.hashtag_warning": "هذا التبويق لن يُدرَج تحت أي وسم كان بما أنه غير مُدرَج. لا يُسمح بالبحث إلّا عن التبويقات العمومية عن طريق الوسوم.",
"compose_form.lock_disclaimer": "حسابك ليس {locked}. يمكن لأي شخص متابعتك و عرض المنشورات.",
"compose_form.lock_disclaimer.lock": "مقفل",
@@ -77,22 +77,22 @@
"compose_form.poll.remove_option": "إزالة هذا الخيار",
"compose_form.publish": "بوّق",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "تحديد الوسائط كحساسة",
"compose_form.sensitive.marked": "لقد تم تحديد هذه الصورة كحساسة",
"compose_form.sensitive.unmarked": "لم يتم تحديد الصورة كحساسة",
"compose_form.spoiler.marked": "إنّ النص مخفي وراء تحذير",
"compose_form.spoiler.unmarked": "النص غير مخفي",
"compose_form.spoiler_placeholder": "تنبيه عن المحتوى",
"confirmation_modal.cancel": "إلغاء",
- "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.block_and_report": "احجبه وابلغ عنه",
"confirmations.block.confirm": "حجب",
"confirmations.block.message": "هل أنت متأكد أنك تريد حجب {name} ؟",
"confirmations.delete.confirm": "حذف",
"confirmations.delete.message": "هل أنت متأكد أنك تريد حذف هذا المنشور ؟",
- "confirmations.delete_list.confirm": "Delete",
+ "confirmations.delete_list.confirm": "احذف",
"confirmations.delete_list.message": "هل تود حقا حذف هذه القائمة ؟",
- "confirmations.domain_block.confirm": "إخفاء إسم النطاق كاملا",
- "confirmations.domain_block.message": "متأكد من أنك تود حظر إسم النطاق {domain} بالكامل ؟ في غالب الأحيان يُستَحسَن كتم أو حظر بعض الحسابات بدلا من حظر نطاق بالكامل.\nلن تتمكن مِن رؤية محتوى هذا النطاق لا على خيوطك العمومية و لا في إشعاراتك. سوف يتم كذلك إزالة كافة متابعيك المنتمين إلى هذا النطاق.",
+ "confirmations.domain_block.confirm": "إخفاء اسم النطاق كاملا",
+ "confirmations.domain_block.message": "متأكد من أنك تود حظر اسم النطاق {domain} بالكامل ؟ في غالب الأحيان يُستَحسَن كتم أو حظر بعض الحسابات بدلا من حظر نطاق بالكامل.\nلن تتمكن مِن رؤية محتوى هذا النطاق لا على خيوطك العمومية و لا في إشعاراتك. سوف يتم كذلك إزالة كافة متابعيك المنتمين إلى هذا النطاق.",
"confirmations.mute.confirm": "أكتم",
"confirmations.mute.message": "هل أنت متأكد أنك تريد كتم {name} ؟",
"confirmations.redraft.confirm": "إزالة و إعادة الصياغة",
@@ -102,7 +102,7 @@
"confirmations.unfollow.confirm": "إلغاء المتابعة",
"confirmations.unfollow.message": "متأكد من أنك تريد إلغاء متابعة {name} ؟",
"embed.instructions": "يمكنكم إدماج هذا المنشور على موقعكم الإلكتروني عن طريق نسخ الشفرة أدناه.",
- "embed.preview": "هكذا ما سوف يبدو عليه :",
+ "embed.preview": "هكذا ما سوف يبدو عليه:",
"emoji_button.activity": "الأنشطة",
"emoji_button.custom": "مخصص",
"emoji_button.flags": "الأعلام",
@@ -112,7 +112,7 @@
"emoji_button.not_found": "لا إيموجو !! (╯°□°)╯︵ ┻━┻",
"emoji_button.objects": "أشياء",
"emoji_button.people": "الناس",
- "emoji_button.recent": "الشائعة الإستخدام",
+ "emoji_button.recent": "الشائعة الاستخدام",
"emoji_button.search": "ابحث...",
"emoji_button.search_results": "نتائج البحث",
"emoji_button.symbols": "رموز",
@@ -120,7 +120,7 @@
"empty_column.account_timeline": "ليس هناك تبويقات!",
"empty_column.account_unavailable": "الملف الشخصي غير متوفر",
"empty_column.blocks": "لم تقم بحظر أي مستخدِم بعد.",
- "empty_column.community": "الخط الزمني المحلي فارغ. أكتب شيئا ما للعامة كبداية !",
+ "empty_column.community": "الخط الزمني المحلي فارغ. أكتب شيئا ما للعامة كبداية!",
"empty_column.direct": "لم تتلق أية رسالة خاصة مباشِرة بعد. سوف يتم عرض الرسائل المباشرة هنا إن قمت بإرسال واحدة أو تلقيت البعض منها.",
"empty_column.domain_blocks": "ليس هناك نطاقات مخفية بعد.",
"empty_column.favourited_statuses": "ليس لديك أية تبويقات مفضلة بعد. عندما ستقوم بالإعجاب بواحد، سيظهر هنا.",
@@ -133,13 +133,13 @@
"empty_column.lists": "ليس عندك أية قائمة بعد. سوف تظهر قائمتك هنا إن قمت بإنشاء واحدة.",
"empty_column.mutes": "لم تقم بكتم أي مستخدم بعد.",
"empty_column.notifications": "لم تتلق أي إشعار بعدُ. تفاعل مع المستخدمين الآخرين لإنشاء محادثة.",
- "empty_column.public": "لا يوجد أي شيء هنا ! قم بنشر شيء ما للعامة، أو إتبع المستخدمين الآخرين المتواجدين على الخوادم الأخرى لملء خيط المحادثات",
+ "empty_column.public": "لا يوجد أي شيء هنا! قم بنشر شيء ما للعامة، أو اتبع المستخدمين الآخرين المتواجدين على الخوادم الأخرى لملء خيط المحادثات",
"follow_request.authorize": "ترخيص",
"follow_request.reject": "رفض",
"getting_started.developers": "المُطوِّرون",
"getting_started.directory": "دليل المستخدِمين والمستخدِمات",
"getting_started.documentation": "الدليل",
- "getting_started.heading": "إستعدّ للبدء",
+ "getting_started.heading": "استعدّ للبدء",
"getting_started.invite": "دعوة أشخاص",
"getting_started.open_source_notice": "ماستدون برنامج مفتوح المصدر. يمكنك المساهمة، أو الإبلاغ عن تقارير الأخطاء، على جيت هب {github}.",
"getting_started.security": "الأمان",
@@ -156,15 +156,15 @@
"home.column_settings.basic": "أساسية",
"home.column_settings.show_reblogs": "عرض الترقيات",
"home.column_settings.show_replies": "عرض الردود",
- "intervals.full.days": "{number, plural, one {# day} other {# days}}",
- "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
- "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
+ "intervals.full.days": "{number, plural, one {# يوم} other {# أيام}}",
+ "intervals.full.hours": "{number, plural, one {# ساعة} other {# ساعات}}",
+ "intervals.full.minutes": "{number, plural, one {# دقيقة} other {# دقائق}}",
"introduction.federation.action": "التالي",
- "introduction.federation.federated.headline": "Federated",
+ "introduction.federation.federated.headline": "الفديرالي",
"introduction.federation.federated.text": "كافة المنشورات التي نُشِرت إلى العامة على الخوادم الأخرى للفديفرس سوف يتم عرضها على الخيط المُوحَّد.",
- "introduction.federation.home.headline": "Home",
+ "introduction.federation.home.headline": "الرئيسي",
"introduction.federation.home.text": "سوف تُعرَض منشورات الأشخاص الذين تُتابِعهم على الخيط الرئيسي. بإمكانك متابعة أي حساب أيا كان الخادم الذي هو عليه!",
- "introduction.federation.local.headline": "Local",
+ "introduction.federation.local.headline": "المحلي",
"introduction.federation.local.text": "المنشورات المُوجّهة للعامة على نفس الخادم الذي أنتم عليه ستظهر على الخيط الزمني المحلي.",
"introduction.interactions.action": "إنهاء العرض التوضيحي!",
"introduction.interactions.favourite.headline": "الإضافة إلى المفضلة",
@@ -175,22 +175,22 @@
"introduction.interactions.reply.text": "يمكنكم الرد على تبويقاتكم و تبويقات الآخرين على شكل سلسلة محادثة.",
"introduction.welcome.action": "هيا بنا!",
"introduction.welcome.headline": "الخطوات الأولى",
- "introduction.welcome.text": "مرحبا بكم على الفيديفيرس! بعد لحظات قليلة ، سيكون بمقدوركم بث رسائل والتحدث إلى أصدقائكم عبر تشكيلة واسعة من الخوادم المختلفة. هذا الخادم ، {domain} ، يستضيف ملفكم الشخصي ، لذا يجب تذكر اسمه جيدا.",
+ "introduction.welcome.text": "مرحبا بكم على الفديفرس! بعد لحظات قليلة ، سيكون بمقدوركم بث رسائل والتحدث إلى أصدقائكم عبر تشكيلة واسعة من الخوادم المختلفة. هذا الخادم ، {domain} ، يستضيف ملفكم الشخصي ، لذا يجب تذكر اسمه جيدا.",
"keyboard_shortcuts.back": "للعودة",
"keyboard_shortcuts.blocked": "لفتح قائمة المستخدمين المحظورين",
"keyboard_shortcuts.boost": "للترقية",
"keyboard_shortcuts.column": "للتركيز على منشور على أحد الأعمدة",
"keyboard_shortcuts.compose": "للتركيز على نافذة تحرير النصوص",
- "keyboard_shortcuts.description": "Description",
+ "keyboard_shortcuts.description": "الوصف",
"keyboard_shortcuts.direct": "لفتح عمود الرسائل المباشرة",
- "keyboard_shortcuts.down": "للإنتقال إلى أسفل القائمة",
- "keyboard_shortcuts.enter": "to open status",
+ "keyboard_shortcuts.down": "للانتقال إلى أسفل القائمة",
+ "keyboard_shortcuts.enter": "لفتح المنشور",
"keyboard_shortcuts.favourite": "للإضافة إلى المفضلة",
"keyboard_shortcuts.favourites": "لفتح قائمة المفضلات",
"keyboard_shortcuts.federated": "لفتح الخيط الزمني الفديرالي",
"keyboard_shortcuts.heading": "Keyboard Shortcuts",
"keyboard_shortcuts.home": "لفتح الخيط الرئيسي",
- "keyboard_shortcuts.hotkey": "مفتاح الإختصار",
+ "keyboard_shortcuts.hotkey": "مفتاح الاختصار",
"keyboard_shortcuts.legend": "لعرض هذا المفتاح",
"keyboard_shortcuts.local": "لفتح الخيط الزمني المحلي",
"keyboard_shortcuts.mention": "لذِكر الناشر",
@@ -204,17 +204,17 @@
"keyboard_shortcuts.search": "للتركيز على البحث",
"keyboard_shortcuts.start": "لفتح عمود \"هيا نبدأ\"",
"keyboard_shortcuts.toggle_hidden": "لعرض أو إخفاء النص مِن وراء التحذير",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "لعرض/إخفاء الوسائط",
"keyboard_shortcuts.toot": "لتحرير تبويق جديد",
"keyboard_shortcuts.unfocus": "لإلغاء التركيز على حقل النص أو نافذة البحث",
- "keyboard_shortcuts.up": "للإنتقال إلى أعلى القائمة",
+ "keyboard_shortcuts.up": "للانتقال إلى أعلى القائمة",
"lightbox.close": "إغلاق",
"lightbox.next": "التالي",
"lightbox.previous": "العودة",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "اعرض السياق",
"lists.account.add": "أضف إلى القائمة",
- "lists.account.remove": "إحذف من القائمة",
- "lists.delete": "Delete list",
+ "lists.account.remove": "احذف من القائمة",
+ "lists.delete": "احذف القائمة",
"lists.edit": "تعديل القائمة",
"lists.edit.submit": "تعديل العنوان",
"lists.new.create": "إنشاء قائمة",
@@ -231,22 +231,22 @@
"navigation_bar.community_timeline": "الخيط العام المحلي",
"navigation_bar.compose": "تحرير تبويق جديد",
"navigation_bar.direct": "الرسائل المباشِرة",
- "navigation_bar.discover": "إكتشف",
+ "navigation_bar.discover": "اكتشف",
"navigation_bar.domain_blocks": "النطاقات المخفية",
"navigation_bar.edit_profile": "تعديل الملف الشخصي",
"navigation_bar.favourites": "المفضلة",
"navigation_bar.filters": "الكلمات المكتومة",
"navigation_bar.follow_requests": "طلبات المتابعة",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "المتابِعين والمتابَعون",
"navigation_bar.info": "عن هذا الخادم",
- "navigation_bar.keyboard_shortcuts": "إختصارات لوحة المفاتيح",
+ "navigation_bar.keyboard_shortcuts": "اختصارات لوحة المفاتيح",
"navigation_bar.lists": "القوائم",
"navigation_bar.logout": "خروج",
"navigation_bar.mutes": "الحسابات المكتومة",
- "navigation_bar.personal": "Personal",
+ "navigation_bar.personal": "شخصي",
"navigation_bar.pins": "التبويقات المثبتة",
"navigation_bar.preferences": "التفضيلات",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "دليل المستخدِمين",
"navigation_bar.public_timeline": "الخيط العام الموحد",
"navigation_bar.security": "الأمان",
"notification.favourite": "أُعجِب {name} بمنشورك",
@@ -254,19 +254,19 @@
"notification.mention": "{name} ذكرك",
"notification.poll": "A poll you have voted in has ended",
"notification.reblog": "{name} قام بترقية تبويقك",
- "notifications.clear": "إمسح الإخطارات",
+ "notifications.clear": "امسح الإخطارات",
"notifications.clear_confirmation": "أمتأكد من أنك تود مسح جل الإخطارات الخاصة بك و المتلقاة إلى حد الآن ؟",
"notifications.column_settings.alert": "إشعارات سطح المكتب",
- "notifications.column_settings.favourite": "المُفَضَّلة :",
+ "notifications.column_settings.favourite": "المُفَضَّلة:",
"notifications.column_settings.filter_bar.advanced": "عرض كافة الفئات",
"notifications.column_settings.filter_bar.category": "شريط الفلترة السريعة",
"notifications.column_settings.filter_bar.show": "عرض",
- "notifications.column_settings.follow": "متابعُون جُدُد :",
- "notifications.column_settings.mention": "الإشارات :",
+ "notifications.column_settings.follow": "متابعُون جُدُد:",
+ "notifications.column_settings.mention": "الإشارات:",
"notifications.column_settings.poll": "نتائج استطلاع الرأي:",
"notifications.column_settings.push": "الإخطارات المدفوعة",
"notifications.column_settings.reblog": "الترقيّات:",
- "notifications.column_settings.show": "إعرِضها في عمود",
+ "notifications.column_settings.show": "اعرِضها في عمود",
"notifications.column_settings.sound": "أصدر صوتا",
"notifications.filter.all": "الكل",
"notifications.filter.boosts": "الترقيات",
@@ -277,11 +277,11 @@
"notifications.group": "{count} إشعارات",
"poll.closed": "انتهى",
"poll.refresh": "تحديث",
- "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
+ "poll.total_votes": "{count, plural, one {# صوت} other {# أصوات}}",
"poll.vote": "صَوّت",
"poll_button.add_poll": "إضافة استطلاع للرأي",
"poll_button.remove_poll": "إزالة استطلاع الرأي",
- "privacy.change": "إضبط خصوصية المنشور",
+ "privacy.change": "اضبط خصوصية المنشور",
"privacy.direct.long": "أنشر إلى المستخدمين المشار إليهم فقط",
"privacy.direct.short": "مباشر",
"privacy.private.long": "أنشر لمتابعيك فقط",
@@ -290,20 +290,20 @@
"privacy.public.short": "للعامة",
"privacy.unlisted.long": "لا تقم بإدراجه على الخيوط العامة",
"privacy.unlisted.short": "غير مدرج",
- "regeneration_indicator.label": "جارٍ التحميل …",
- "regeneration_indicator.sublabel": "جارٍ تجهيز تغذية صفحتك الرئيسية !",
- "relative_time.days": "{number}d",
- "relative_time.hours": "{number}h",
+ "regeneration_indicator.label": "جارٍ التحميل…",
+ "regeneration_indicator.sublabel": "جارٍ تجهيز تغذية صفحتك الرئيسية!",
+ "relative_time.days": "{number}ي",
+ "relative_time.hours": "{number}سا",
"relative_time.just_now": "الآن",
- "relative_time.minutes": "{number}m",
- "relative_time.seconds": "{number}s",
+ "relative_time.minutes": "{number}د",
+ "relative_time.seconds": "{number}ثا",
"reply_indicator.cancel": "إلغاء",
"report.forward": "التحويل إلى {target}",
- "report.forward_hint": "هذا الحساب ينتمي إلى خادوم آخَر. هل تودّ إرسال نسخة مجهولة مِن التقرير إلى هنالك أيضًا ؟",
+ "report.forward_hint": "هذا الحساب ينتمي إلى خادوم آخَر. هل تودّ إرسال نسخة مجهولة مِن التقرير إلى هنالك أيضًا؟",
"report.hint": "سوف يتم إرسال التقرير إلى المُشرِفين على خادومكم. بإمكانكم الإدلاء بشرح عن سبب الإبلاغ عن الحساب أسفله:",
"report.placeholder": "تعليقات إضافية",
"report.submit": "إرسال",
- "report.target": "إبلاغ",
+ "report.target": "ابلغ عن {target}",
"search.placeholder": "ابحث",
"search_popout.search_format": "نمط البحث المتقدم",
"search_popout.tips.full_text": "النص البسيط يقوم بعرض المنشورات التي كتبتها أو قمت بإرسالها أو ترقيتها أو تمت الإشارة إليك فيها من طرف آخرين ، بالإضافة إلى مطابقة أسماء المستخدمين وأسماء العرض وعلامات التصنيف.",
@@ -317,11 +317,11 @@
"search_results.total": "{count, number} {count, plural, one {result} و {results}}",
"status.admin_account": "افتح الواجهة الإدارية لـ @{name}",
"status.admin_status": "افتح هذا المنشور على واجهة الإشراف",
- "status.block": "Block @{name}",
+ "status.block": "احجب @{name}",
"status.cancel_reblog_private": "إلغاء الترقية",
"status.cannot_reblog": "تعذرت ترقية هذا المنشور",
"status.copy": "نسخ رابط المنشور",
- "status.delete": "إحذف",
+ "status.delete": "احذف",
"status.detailed_status": "تفاصيل المحادثة",
"status.direct": "رسالة خاصة إلى @{name}",
"status.embed": "إدماج",
@@ -344,31 +344,31 @@
"status.redraft": "إزالة و إعادة الصياغة",
"status.reply": "ردّ",
"status.replyAll": "رُد على الخيط",
- "status.report": "إبلِغ عن @{name}",
+ "status.report": "ابلِغ عن @{name}",
"status.sensitive_warning": "محتوى حساس",
"status.share": "مشاركة",
- "status.show_less": "إعرض أقلّ",
+ "status.show_less": "اعرض أقلّ",
"status.show_less_all": "طي الكل",
"status.show_more": "أظهر المزيد",
"status.show_more_all": "توسيع الكل",
"status.show_thread": "الكشف عن المحادثة",
"status.unmute_conversation": "فك الكتم عن المحادثة",
"status.unpin": "فك التدبيس من الملف الشخصي",
- "suggestions.dismiss": "إلغاء الإقتراح",
+ "suggestions.dismiss": "إلغاء الاقتراح",
"suggestions.header": "يمكن أن يهمك…",
"tabs_bar.federated_timeline": "الموحَّد",
"tabs_bar.home": "الرئيسية",
"tabs_bar.local_timeline": "المحلي",
"tabs_bar.notifications": "الإخطارات",
"tabs_bar.search": "البحث",
- "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
+ "time_remaining.days": "{number, plural, one {# يوم} other {# أيام}} متبقية",
"time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
"time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
- "time_remaining.moments": "Moments remaining",
+ "time_remaining.moments": "لحظات متبقية",
"time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} آخرون {people}} يتحدثون",
"ui.beforeunload": "سوف تفقد مسودتك إن تركت ماستدون.",
- "upload_area.title": "إسحب ثم أفلت للرفع",
+ "upload_area.title": "اسحب ثم أفلت للرفع",
"upload_button.label": "إضافة وسائط (JPEG، PNG، GIF، WebM، MP4، MOV)",
"upload_error.limit": "لقد تم بلوغ الحد الأقصى المسموح به لإرسال الملفات.",
"upload_error.poll": "لا يمكن إدراج ملفات في استطلاعات الرأي.",
diff --git a/app/javascript/mastodon/locales/ast.json b/app/javascript/mastodon/locales/ast.json
index 0c00bda424..b911848ee0 100644
--- a/app/javascript/mastodon/locales/ast.json
+++ b/app/javascript/mastodon/locales/ast.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/bg.json b/app/javascript/mastodon/locales/bg.json
index 0480c8ca6f..783f9eb688 100644
--- a/app/javascript/mastodon/locales/bg.json
+++ b/app/javascript/mastodon/locales/bg.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/bn.json b/app/javascript/mastodon/locales/bn.json
index 1afcce1a61..93e7eedf98 100644
--- a/app/javascript/mastodon/locales/bn.json
+++ b/app/javascript/mastodon/locales/bn.json
@@ -295,7 +295,7 @@
"relative_time.days": "{number} দিন",
"relative_time.hours": "{number} ঘন্টা",
"relative_time.just_now": "এখন",
- "relative_time.minutes": "{number} মাস",
+ "relative_time.minutes": "{number}ম",
"relative_time.seconds": "{number} সেকেন্ড",
"reply_indicator.cancel": "বাতিল করতে",
"report.forward": "এটা আরো পাঠান {target} তে",
diff --git a/app/javascript/mastodon/locales/ca.json b/app/javascript/mastodon/locales/ca.json
index 0e10668b53..acb9709d0f 100644
--- a/app/javascript/mastodon/locales/ca.json
+++ b/app/javascript/mastodon/locales/ca.json
@@ -1,7 +1,7 @@
{
"account.add_or_remove_from_list": "Afegir o Treure de les llistes",
"account.badges.bot": "Bot",
- "account.block": "Bloca @{name}",
+ "account.block": "Bloqueja @{name}",
"account.block_domain": "Amaga-ho tot de {domain}",
"account.blocked": "Bloquejat",
"account.direct": "Missatge directe @{name}",
@@ -11,7 +11,7 @@
"account.follow": "Segueix",
"account.followers": "Seguidors",
"account.followers.empty": "Encara ningú no segueix aquest usuari.",
- "account.follows": "Seguint",
+ "account.follows": "Seguiments",
"account.follows.empty": "Aquest usuari encara no segueix a ningú.",
"account.follows_you": "Et segueix",
"account.hide_reblogs": "Amaga els impulsos de @{name}",
@@ -44,7 +44,7 @@
"bundle_modal_error.close": "Tanca",
"bundle_modal_error.message": "S'ha produït un error en carregar aquest component.",
"bundle_modal_error.retry": "Torna-ho a provar",
- "column.blocks": "Usuaris blocats",
+ "column.blocks": "Usuaris bloquejats",
"column.community": "Línia de temps local",
"column.direct": "Missatges directes",
"column.domain_blocks": "Dominis ocults",
@@ -54,7 +54,7 @@
"column.lists": "Llistes",
"column.mutes": "Usuaris silenciats",
"column.notifications": "Notificacions",
- "column.pins": "Toot fixat",
+ "column.pins": "Toots fixats",
"column.public": "Línia de temps federada",
"column_back_button.label": "Enrere",
"column_header.hide_settings": "Amaga la configuració",
@@ -65,12 +65,12 @@
"column_header.unpin": "No fixis",
"column_subheading.settings": "Configuració",
"community.column_settings.media_only": "Només multimèdia",
- "compose_form.direct_message_warning": "Aquest toot només serà enviat als usuaris esmentats. De totes maneres, els operadors de la teva o de qualsevol de les instàncies receptores poden inspeccionar aquest missatge.",
+ "compose_form.direct_message_warning": "Aquest toot només serà enviat als usuaris esmentats.",
"compose_form.direct_message_warning_learn_more": "Aprèn més",
"compose_form.hashtag_warning": "Aquest toot no es mostrarà en cap etiqueta ja que no està llistat. Només els toots públics poden ser cercats per etiqueta.",
"compose_form.lock_disclaimer": "El teu compte no està bloquejat {locked}. Tothom pot seguir-te i veure els teus missatges a seguidors.",
- "compose_form.lock_disclaimer.lock": "blocat",
- "compose_form.placeholder": "En què estàs pensant?",
+ "compose_form.lock_disclaimer.lock": "bloquejat",
+ "compose_form.placeholder": "En què penses?",
"compose_form.poll.add_option": "Afegeix una opció",
"compose_form.poll.duration": "Durada de l'enquesta",
"compose_form.poll.option_placeholder": "Opció {number}",
@@ -84,11 +84,11 @@
"compose_form.spoiler.unmarked": "Text no ocult",
"compose_form.spoiler_placeholder": "Escriu l'avís aquí",
"confirmation_modal.cancel": "Cancel·la",
- "confirmations.block.block_and_report": "Block & Report",
- "confirmations.block.confirm": "Bloca",
+ "confirmations.block.block_and_report": "Bloquejar i informar",
+ "confirmations.block.confirm": "Bloqueja",
"confirmations.block.message": "Estàs segur que vols bloquejar a {name}?",
"confirmations.delete.confirm": "Suprimeix",
- "confirmations.delete.message": "Estàs segur que vols suprimir aquest estat?",
+ "confirmations.delete.message": "Estàs segur que vols suprimir aquest toot?",
"confirmations.delete_list.confirm": "Suprimeix",
"confirmations.delete_list.message": "Estàs segur que vols suprimir permanentment aquesta llista?",
"confirmations.domain_block.confirm": "Amaga tot el domini",
@@ -96,12 +96,12 @@
"confirmations.mute.confirm": "Silencia",
"confirmations.mute.message": "Estàs segur que vols silenciar {name}?",
"confirmations.redraft.confirm": "Esborrar i refer",
- "confirmations.redraft.message": "Estàs segur que vols esborrar aquesta publicació i tornar a redactar-la? Perderàs totes els impulsos i favorits, i les respostes a la publicació original es quedaran orfes.",
+ "confirmations.redraft.message": "Estàs segur que vols esborrar aquest toot i tornar a redactar-lo? Perderàs totes els impulsos i favorits, i les respostes al toot original es quedaran orfes.",
"confirmations.reply.confirm": "Respon",
"confirmations.reply.message": "Responen ara es sobreescriurà el missatge que estàs editant. Estàs segur que vols continuar?",
"confirmations.unfollow.confirm": "Deixa de seguir",
"confirmations.unfollow.message": "Estàs segur que vols deixar de seguir {name}?",
- "embed.instructions": "Incrusta aquest estat al lloc web copiant el codi a continuació.",
+ "embed.instructions": "Incrusta aquest toot al lloc web copiant el codi a continuació.",
"embed.preview": "Aquí tenim quin aspecte tindrá:",
"emoji_button.activity": "Activitat",
"emoji_button.custom": "Personalitzat",
@@ -118,18 +118,18 @@
"emoji_button.symbols": "Símbols",
"emoji_button.travel": "Viatges i Llocs",
"empty_column.account_timeline": "No hi ha toots aquí!",
- "empty_column.account_unavailable": "Profile unavailable",
+ "empty_column.account_unavailable": "Perfil no disponible",
"empty_column.blocks": "Encara no has bloquejat cap usuari.",
- "empty_column.community": "La línia de temps local és buida. Escriu alguna cosa públicament per fer rodar la pilota!",
+ "empty_column.community": "La línia de temps local és buida. Escriu alguna cosa públicament per a fer rodar la pilota!",
"empty_column.direct": "Encara no tens missatges directes. Quan enviïs o rebis un, es mostrarà aquí.",
"empty_column.domain_blocks": "Encara no hi ha dominis ocults.",
"empty_column.favourited_statuses": "Encara no tens cap toot favorit. Quan en tinguis, apareixerà aquí.",
"empty_column.favourites": "Encara ningú ha marcat aquest toot com a favorit. Quan algú ho faci, apareixera aquí.",
- "empty_column.follow_requests": "Encara no teniu cap petició de seguiment. Quan rebeu una, apareixerà aquí.",
+ "empty_column.follow_requests": "Encara no teniu cap petició de seguiment. Quan rebis una, apareixerà aquí.",
"empty_column.hashtag": "Encara no hi ha res en aquesta etiqueta.",
"empty_column.home": "Encara no segueixes ningú. Visita {public} o fes cerca per començar i conèixer altres usuaris.",
"empty_column.home.public_timeline": "la línia de temps pública",
- "empty_column.list": "Encara no hi ha res en aquesta llista. Quan els membres d'aquesta llista publiquin nous estats, apareixeran aquí.",
+ "empty_column.list": "Encara no hi ha res en aquesta llista. Quan els membres d'aquesta llista publiquin nous toots, apareixeran aquí.",
"empty_column.lists": "Encara no tens cap llista. Quan en facis una, apareixerà aquí.",
"empty_column.mutes": "Encara no has silenciat cap usuari.",
"empty_column.notifications": "Encara no tens notificacions. Interactua amb altres per iniciar la conversa.",
@@ -179,30 +179,30 @@
"keyboard_shortcuts.back": "navegar enrera",
"keyboard_shortcuts.blocked": "per obrir la llista d'usuaris bloquejats",
"keyboard_shortcuts.boost": "impulsar",
- "keyboard_shortcuts.column": "per centrar un estat en una de les columnes",
+ "keyboard_shortcuts.column": "per a centrar un toot en una de les columnes",
"keyboard_shortcuts.compose": "per centrar l'area de composició de text",
"keyboard_shortcuts.description": "Descripció",
"keyboard_shortcuts.direct": "per obrir la columna de missatges directes",
"keyboard_shortcuts.down": "per baixar en la llista",
- "keyboard_shortcuts.enter": "ampliar estat",
+ "keyboard_shortcuts.enter": "ampliar el toot",
"keyboard_shortcuts.favourite": "afavorir",
"keyboard_shortcuts.favourites": "per obrir la llista de favorits",
"keyboard_shortcuts.federated": "per obrir la línia de temps federada",
"keyboard_shortcuts.heading": "Dreçeres de teclat",
- "keyboard_shortcuts.home": "per obrir la línia de temps Inici",
+ "keyboard_shortcuts.home": "per a obrir la línia de temps Inici",
"keyboard_shortcuts.hotkey": "Tecla d'accés directe",
"keyboard_shortcuts.legend": "per a mostrar aquesta llegenda",
- "keyboard_shortcuts.local": "per obrir la línia de temps local",
- "keyboard_shortcuts.mention": "per esmentar l'autor",
- "keyboard_shortcuts.muted": "per obrir la llista d'usuaris silenciats",
- "keyboard_shortcuts.my_profile": "per obrir el teu perfil",
- "keyboard_shortcuts.notifications": "per obrir la columna de notificacions",
- "keyboard_shortcuts.pinned": "per obrir la llista de toots fixats",
- "keyboard_shortcuts.profile": "per obrir el perfil de l'autor",
+ "keyboard_shortcuts.local": "per a obrir la línia de temps local",
+ "keyboard_shortcuts.mention": "per a esmentar l'autor",
+ "keyboard_shortcuts.muted": "per a obrir la llista d'usuaris silenciats",
+ "keyboard_shortcuts.my_profile": "per a obrir el teu perfil",
+ "keyboard_shortcuts.notifications": "per a obrir la columna de notificacions",
+ "keyboard_shortcuts.pinned": "per a obrir la llista de toots fixats",
+ "keyboard_shortcuts.profile": "per a obrir el perfil de l'autor",
"keyboard_shortcuts.reply": "respondre",
- "keyboard_shortcuts.requests": "per obrir la llista de sol·licituds de seguiment",
- "keyboard_shortcuts.search": "per centrar la cerca",
- "keyboard_shortcuts.start": "per obrir la columna \"Començar\"",
+ "keyboard_shortcuts.requests": "per a obrir la llista de sol·licituds de seguiment",
+ "keyboard_shortcuts.search": "per a centrar la cerca",
+ "keyboard_shortcuts.start": "per a obrir la columna \"Començar\"",
"keyboard_shortcuts.toggle_hidden": "per a mostrar/amagar text sota CW",
"keyboard_shortcuts.toggle_sensitivity": "per a mostrar/amagar mèdia",
"keyboard_shortcuts.toot": "per a començar un toot nou de trinca",
@@ -214,7 +214,7 @@
"lightbox.view_context": "Veure el context",
"lists.account.add": "Afegir a la llista",
"lists.account.remove": "Treure de la llista",
- "lists.delete": "Delete list",
+ "lists.delete": "Esborrar llista",
"lists.edit": "Editar llista",
"lists.edit.submit": "Canvi de títol",
"lists.new.create": "Afegir llista",
@@ -226,7 +226,7 @@
"missing_indicator.label": "No trobat",
"missing_indicator.sublabel": "Aquest recurs no pot ser trobat",
"mute_modal.hide_notifications": "Amagar notificacions d'aquest usuari?",
- "navigation_bar.apps": "Apps Mòbils",
+ "navigation_bar.apps": "Apps mòbils",
"navigation_bar.blocks": "Usuaris bloquejats",
"navigation_bar.community_timeline": "Línia de temps Local",
"navigation_bar.compose": "Redacta nou toot",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "Personal",
"navigation_bar.pins": "Toots fixats",
"navigation_bar.preferences": "Preferències",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Directori de perfils",
"navigation_bar.public_timeline": "Línia de temps federada",
"navigation_bar.security": "Seguretat",
"notification.favourite": "{name} ha afavorit el teu estat",
@@ -303,24 +303,24 @@
"report.hint": "El informe s'enviarà als moderadors del teu servidor. Pots explicar perquè vols informar d'aquest compte aquí:",
"report.placeholder": "Comentaris addicionals",
"report.submit": "Enviar",
- "report.target": "Informes",
+ "report.target": "Informes {target}",
"search.placeholder": "Cercar",
"search_popout.search_format": "Format de cerca avançada",
"search_popout.tips.full_text": "Text simple recupera publicacions que has escrit, les marcades com a favorites, les impulsades o en les que has estat esmentat, així com usuaris, noms d'usuari i etiquetes.",
"search_popout.tips.hashtag": "etiqueta",
- "search_popout.tips.status": "status",
+ "search_popout.tips.status": "estat",
"search_popout.tips.text": "El text simple retorna coincidències amb els noms de visualització, els noms d'usuari i les etiquetes",
"search_popout.tips.user": "usuari",
"search_results.accounts": "Gent",
"search_results.hashtags": "Etiquetes",
"search_results.statuses": "Toots",
- "search_results.total": "{count, number} {count, plural, un {result} altres {results}}",
+ "search_results.total": "{count, number} {count, plural, one {result} other {results}}",
"status.admin_account": "Obre l'interfície de moderació per a @{name}",
- "status.admin_status": "Obre aquest estat a la interfície de moderació",
+ "status.admin_status": "Obre aquest toot a la interfície de moderació",
"status.block": "Bloqueja @{name}",
"status.cancel_reblog_private": "Desfer l'impuls",
"status.cannot_reblog": "Aquesta publicació no pot ser impulsada",
- "status.copy": "Copia l'enllaç a l'estat",
+ "status.copy": "Copia l'enllaç al toot",
"status.delete": "Esborrar",
"status.detailed_status": "Visualització detallada de la conversa",
"status.direct": "Missatge directe @{name}",
@@ -366,12 +366,12 @@
"time_remaining.minutes": "{number, plural, one {# minut} other {# minuts}} restants",
"time_remaining.moments": "Moments restants",
"time_remaining.seconds": "{number, plural, one {# segon} other {# segons}} restants",
- "trends.count_by_accounts": "{count} {rawCount, plural, una {person} altres {people}} parlant",
- "ui.beforeunload": "El vostre esborrany es perdrà si sortiu de Mastodon.",
- "upload_area.title": "Arrossega i deixa anar per carregar",
+ "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
+ "ui.beforeunload": "El teu esborrany es perdrà si surts de Mastodon.",
+ "upload_area.title": "Arrossega i deixa anar per a carregar",
"upload_button.label": "Afegir multimèdia (JPEG, PNG, GIF, WebM, MP4, MOV)",
"upload_error.limit": "S'ha superat el límit de càrrega d'arxius.",
- "upload_error.poll": "No es permet l'enviament de fitxers amb les enquestes.",
+ "upload_error.poll": "No es permet l'enviament de fitxers en les enquestes.",
"upload_form.description": "Descriure els problemes visuals",
"upload_form.focus": "Modificar la previsualització",
"upload_form.undo": "Esborra",
diff --git a/app/javascript/mastodon/locales/co.json b/app/javascript/mastodon/locales/co.json
index f439d4b19a..907032bdf7 100644
--- a/app/javascript/mastodon/locales/co.json
+++ b/app/javascript/mastodon/locales/co.json
@@ -292,8 +292,8 @@
"privacy.unlisted.short": "Micca listatu",
"regeneration_indicator.label": "Caricamentu…",
"regeneration_indicator.sublabel": "Priparazione di a vostra pagina d'accolta!",
- "relative_time.days": "{number}d",
- "relative_time.hours": "{number}h",
+ "relative_time.days": "{number}ghj",
+ "relative_time.hours": "{number}o",
"relative_time.just_now": "avà",
"relative_time.minutes": "{number}m",
"relative_time.seconds": "{number}s",
diff --git a/app/javascript/mastodon/locales/cy.json b/app/javascript/mastodon/locales/cy.json
index 66d128c9de..07067e6b1c 100644
--- a/app/javascript/mastodon/locales/cy.json
+++ b/app/javascript/mastodon/locales/cy.json
@@ -45,7 +45,7 @@
"bundle_modal_error.message": "Aeth rhywbeth o'i le tra'n llwytho'r elfen hon.",
"bundle_modal_error.retry": "Ceiswich eto",
"column.blocks": "Defnyddwyr a flociwyd",
- "column.community": "Llinell amser lleol",
+ "column.community": "Ffrwd lleol",
"column.direct": "Negeseuon preifat",
"column.domain_blocks": "Parthau cuddiedig",
"column.favourites": "Ffefrynnau",
@@ -71,20 +71,20 @@
"compose_form.lock_disclaimer": "Nid yw eich cyfri wedi'i {locked}. Gall unrhyw un eich dilyn i weld eich tŵtiau dilynwyr-yn-unig.",
"compose_form.lock_disclaimer.lock": "wedi ei gloi",
"compose_form.placeholder": "Beth sydd ar eich meddwl?",
- "compose_form.poll.add_option": "Add a choice",
- "compose_form.poll.duration": "Poll duration",
- "compose_form.poll.option_placeholder": "Choice {number}",
- "compose_form.poll.remove_option": "Remove this choice",
+ "compose_form.poll.add_option": "Ychwanegu Dewisiad",
+ "compose_form.poll.duration": "Cyfnod pleidlais",
+ "compose_form.poll.option_placeholder": "Dewisiad {number}",
+ "compose_form.poll.remove_option": "Tynnu'r dewisiad",
"compose_form.publish": "Tŵt",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Marcio cyfryngau fel eu bod yn sensitif",
"compose_form.sensitive.marked": "Cyfryngau wedi'u marcio'n sensitif",
"compose_form.sensitive.unmarked": "Nid yw'r cyfryngau wedi'u marcio'n sensitif",
"compose_form.spoiler.marked": "Testun wedi ei guddio gan rybudd",
"compose_form.spoiler.unmarked": "Nid yw'r testun wedi ei guddio",
"compose_form.spoiler_placeholder": "Ysgrifenwch eich rhybudd yma",
"confirmation_modal.cancel": "Canslo",
- "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.block_and_report": "Rhwystro ac Adrodd",
"confirmations.block.confirm": "Blocio",
"confirmations.block.message": "Ydych chi'n sicr eich bod eisiau blocio {name}?",
"confirmations.delete.confirm": "Dileu",
@@ -109,7 +109,7 @@
"emoji_button.food": "Bwyd a Diod",
"emoji_button.label": "Mewnosodwch emoji",
"emoji_button.nature": "Natur",
- "emoji_button.not_found": "Dim emojo!! (╯°□°)╯︵ ┻━┻",
+ "emoji_button.not_found": "Dim emojau!! (╯°□°)╯︵ ┻━┻",
"emoji_button.objects": "Gwrthrychau",
"emoji_button.people": "Pobl",
"emoji_button.recent": "Defnyddir yn aml",
@@ -117,8 +117,8 @@
"emoji_button.search_results": "Canlyniadau chwilio",
"emoji_button.symbols": "Symbolau",
"emoji_button.travel": "Teithio & Llefydd",
- "empty_column.account_timeline": "No toots here!",
- "empty_column.account_unavailable": "Profile unavailable",
+ "empty_column.account_timeline": "Dim tŵtiau fama!",
+ "empty_column.account_unavailable": "Proffil ddim ar gael",
"empty_column.blocks": "Nid ydych wedi blocio unrhyw ddefnyddwyr eto.",
"empty_column.community": "Mae'r ffrwd lleol yn wag. Ysgrifenwch rhywbeth yn gyhoeddus i gael dechrau arni!",
"empty_column.direct": "Nid oes gennych unrhyw negeseuon preifat eto. Pan y byddwch yn anfon neu derbyn un, mi fydd yn ymddangos yma.",
@@ -147,8 +147,8 @@
"hashtag.column_header.tag_mode.all": "a {additional}",
"hashtag.column_header.tag_mode.any": "neu {additional}",
"hashtag.column_header.tag_mode.none": "heb {additional}",
- "hashtag.column_settings.select.no_options_message": "No suggestions found",
- "hashtag.column_settings.select.placeholder": "Enter hashtags…",
+ "hashtag.column_settings.select.no_options_message": "Dim awgrymiadau i'w weld",
+ "hashtag.column_settings.select.placeholder": "Mewnbynnu hashnodau…",
"hashtag.column_settings.tag_mode.all": "Pob un o'r rhain",
"hashtag.column_settings.tag_mode.any": "Unrhyw un o'r rhain",
"hashtag.column_settings.tag_mode.none": "Dim o'r rhain",
@@ -156,26 +156,26 @@
"home.column_settings.basic": "Syml",
"home.column_settings.show_reblogs": "Dangos bŵstiau",
"home.column_settings.show_replies": "Dangos ymatebion",
- "intervals.full.days": "{number, plural, one {# day} other {# days}}",
- "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
- "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
+ "intervals.full.days": "{number, plural, one {# ddydd} other {# o ddyddiau}}",
+ "intervals.full.hours": "{number, plural, one {# awr} other {# o oriau}}",
+ "intervals.full.minutes": "{number, plural, one {# funud} other {# o funudau}}",
"introduction.federation.action": "Nesaf",
"introduction.federation.federated.headline": "Ffederasiwn",
- "introduction.federation.federated.text": "Public posts from other servers of the fediverse will appear in the federated timeline.",
- "introduction.federation.home.headline": "Home",
- "introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
- "introduction.federation.local.headline": "Local",
- "introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
+ "introduction.federation.federated.text": "Bydd pyst cyhoeddus o gweinyddion arall yn y Ffedysawd yn cael ai arddangos yn ffrwd y ffederasiwn.",
+ "introduction.federation.home.headline": "Hafan",
+ "introduction.federation.home.text": "Bydd pyst o bobl rydych yn ei ddilyn yn dangos yn eich ffrwd gatref. Gallwch dilyn unrhyw un ar unrhyw gweinydd!",
+ "introduction.federation.local.headline": "Lleol",
+ "introduction.federation.local.text": "Bydd pyst gyhoeddus o bobl ar yr un gweinydd a chi yn cael ei arddangos yn y ffrwd lleol.",
"introduction.interactions.action": "Gorffen tiwtorial!",
"introduction.interactions.favourite.headline": "Ffefryn",
- "introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
+ "introduction.interactions.favourite.text": "Gallwch cadw tŵt am hwyrach, a gadael i'r awdur gwybod roeddech yn ei hoffi, trwy ei hoffi.",
"introduction.interactions.reblog.headline": "Hwb",
- "introduction.interactions.reblog.text": "You can share other people's toots with your followers by boosting them.",
+ "introduction.interactions.reblog.text": "Gallwch rhannu tŵtiau pobl eraill gyda'ch dilynwyr trwy eu bŵstio.",
"introduction.interactions.reply.headline": "Ateb",
- "introduction.interactions.reply.text": "You can reply to other people's and your own toots, which will chain them together in a conversation.",
+ "introduction.interactions.reply.text": "Gallwch ateb i dŵtiau pobl eraill a thŵtiau eich hun, a fydd yn eu cadwyno at ei gilydd mewn sgwrs.",
"introduction.welcome.action": "Awn ni!",
"introduction.welcome.headline": "Camau cyntaf",
- "introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
+ "introduction.welcome.text": "Croeso i'r ffedysawd! Mewn ychydig o funudau, byddwch yn gallu darlledu negeseuon a siarad i'ch ffrindiau ar draws amrywiaeth eang o weinyddion. Ond mae'r gweinydd hyn, {domain}, yn arbennig - mae o'n gweinyddu eich proffil, fellu cofiwch ei enw.",
"keyboard_shortcuts.back": "i lywio nôl",
"keyboard_shortcuts.blocked": "i agor rhestr defnyddwyr a flociwyd",
"keyboard_shortcuts.boost": "i fŵstio",
@@ -190,7 +190,7 @@
"keyboard_shortcuts.federated": "i agor ffrwd y ffederasiwn",
"keyboard_shortcuts.heading": "Llwybrau byr allweddell",
"keyboard_shortcuts.home": "i agor ffrwd cartref",
- "keyboard_shortcuts.hotkey": "Hotkey",
+ "keyboard_shortcuts.hotkey": "Bysell brys",
"keyboard_shortcuts.legend": "i ddangos yr arwr yma",
"keyboard_shortcuts.local": "i agor ffrwd lleol",
"keyboard_shortcuts.mention": "i grybwyll yr awdur",
@@ -204,19 +204,19 @@
"keyboard_shortcuts.search": "i ffocysu chwilio",
"keyboard_shortcuts.start": "i agor colofn \"dechrau arni\"",
"keyboard_shortcuts.toggle_hidden": "i ddangos/cuddio testun tu ôl i CW",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "i ddangos/gyddio cyfryngau",
"keyboard_shortcuts.toot": "i ddechrau tŵt newydd sbon",
"keyboard_shortcuts.unfocus": "i ddad-ffocysu ardal cyfansoddi testun/chwilio",
"keyboard_shortcuts.up": "i symud yn uwch yn y rhestr",
"lightbox.close": "Cau",
"lightbox.next": "Nesaf",
"lightbox.previous": "Blaenorol",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Gweld cyd-destyn",
"lists.account.add": "Ychwanegwch at restr",
"lists.account.remove": "Dileu o'r rhestr",
"lists.delete": "Dileu rhestr",
"lists.edit": "Golygwch rhestr",
- "lists.edit.submit": "Change title",
+ "lists.edit.submit": "Newid teitl",
"lists.new.create": "Ychwanegu rhestr",
"lists.new.title_placeholder": "Teitl rhestr newydd",
"lists.search": "Chwilio ymysg pobl yr ydych yn ei ddilyn",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Ffefrynnau",
"navigation_bar.filters": "Geiriau a dawelwyd",
"navigation_bar.follow_requests": "Ceisiadau dilyn",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Dilynion a ddilynwyr",
"navigation_bar.info": "Ynghylch yr achos hwn",
"navigation_bar.keyboard_shortcuts": "Bysellau brys",
"navigation_bar.lists": "Rhestrau",
@@ -246,13 +246,13 @@
"navigation_bar.personal": "Personol",
"navigation_bar.pins": "Tŵtiau wedi eu pinio",
"navigation_bar.preferences": "Dewisiadau",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Cyfeiriadur Proffil",
"navigation_bar.public_timeline": "Ffrwd y ffederasiwn",
"navigation_bar.security": "Diogelwch",
"notification.favourite": "hoffodd {name} eich tŵt",
"notification.follow": "dilynodd {name} chi",
"notification.mention": "Soniodd {name} amdanoch chi",
- "notification.poll": "A poll you have voted in has ended",
+ "notification.poll": "Mae pleidlais rydych wedi pleidleisio ynddi wedi dod i ben",
"notification.reblog": "Hysbysebodd {name} eich tŵt",
"notifications.clear": "Clirio hysbysiadau",
"notifications.clear_confirmation": "Ydych chi'n sicr eich bod am glirio'ch holl hysbysiadau am byth?",
@@ -263,7 +263,7 @@
"notifications.column_settings.filter_bar.show": "Dangos",
"notifications.column_settings.follow": "Dilynwyr newydd:",
"notifications.column_settings.mention": "Crybwylliadau:",
- "notifications.column_settings.poll": "Poll results:",
+ "notifications.column_settings.poll": "Canlyniadau pleidlais:",
"notifications.column_settings.push": "Hysbysiadau push",
"notifications.column_settings.reblog": "Hybiadau:",
"notifications.column_settings.show": "Dangos yn y golofn",
@@ -273,14 +273,14 @@
"notifications.filter.favourites": "Ffefrynnau",
"notifications.filter.follows": "Yn dilyn",
"notifications.filter.mentions": "Crybwylliadau",
- "notifications.filter.polls": "Poll results",
+ "notifications.filter.polls": "Canlyniadau pleidlais",
"notifications.group": "{count} o hysbysiadau",
- "poll.closed": "Closed",
- "poll.refresh": "Refresh",
- "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
- "poll.vote": "Vote",
- "poll_button.add_poll": "Add a poll",
- "poll_button.remove_poll": "Remove poll",
+ "poll.closed": "Ar gau",
+ "poll.refresh": "Adnewyddu",
+ "poll.total_votes": "{count, plural, one {# bleidlais} other {# o bleidleisiau}}",
+ "poll.vote": "Pleidleisio",
+ "poll_button.add_poll": "Ychwanegu pleidlais",
+ "poll_button.remove_poll": "Tynnu pleidlais",
"privacy.change": "Addasu preifatrwdd y tŵt",
"privacy.direct.long": "Cyhoeddi i'r defnyddwyr sy'n cael eu crybwyll yn unig",
"privacy.direct.short": "Uniongyrchol",
@@ -292,11 +292,11 @@
"privacy.unlisted.short": "Heb ei restru",
"regeneration_indicator.label": "Llwytho…",
"regeneration_indicator.sublabel": "Mae eich ffrwd cartref yn cael ei baratoi!",
- "relative_time.days": "{number}d",
- "relative_time.hours": "{number}h",
+ "relative_time.days": "{number}dydd",
+ "relative_time.hours": "{number}awr",
"relative_time.just_now": "nawr",
- "relative_time.minutes": "{number}m",
- "relative_time.seconds": "{number}s",
+ "relative_time.minutes": "{number}munud",
+ "relative_time.seconds": "{number}eiliad",
"reply_indicator.cancel": "Canslo",
"report.forward": "Ymlaen i {target}",
"report.forward_hint": "Mae'r cyfrif o weinydd arall. Anfon copi anhysbys o'r adroddiad yno hefyd?",
@@ -314,13 +314,13 @@
"search_results.accounts": "Pobl",
"search_results.hashtags": "Hanshnodau",
"search_results.statuses": "Tŵtiau",
- "search_results.total": "{count, number} {count, plural, one {result} arall {results}}",
- "status.admin_account": "Open moderation interface for @{name}",
- "status.admin_status": "Open this tŵt in the moderation interface",
+ "search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "status.admin_account": "Agor rhyngwyneb goruwchwylio ar gyfer @{name}",
+ "status.admin_status": "Agor y tŵt yn y rhyngwyneb goruwchwylio",
"status.block": "Blocio @{name}",
"status.cancel_reblog_private": "Dadfŵstio",
"status.cannot_reblog": "Ni ellir sbarduno'r tŵt hwn",
- "status.copy": "Copy link to status",
+ "status.copy": "Copïo cysylltiad i'r tŵt",
"status.delete": "Dileu",
"status.detailed_status": "Golwg manwl o'r sgwrs",
"status.direct": "Neges breifat @{name}",
@@ -361,17 +361,17 @@
"tabs_bar.local_timeline": "Lleol",
"tabs_bar.notifications": "Hysbysiadau",
"tabs_bar.search": "Chwilio",
- "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
- "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
- "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
- "time_remaining.moments": "Moments remaining",
- "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
+ "time_remaining.days": "{number, plural, one {# ddydd} other {# o ddyddiau}} ar ôl",
+ "time_remaining.hours": "{number, plural, one {# awr} other {# o oriau}} ar ôl",
+ "time_remaining.minutes": "{number, plural, one {# funud} other {# o funudau}} ar ôl",
+ "time_remaining.moments": "Munudau ar ôl",
+ "time_remaining.seconds": "{number, plural, one {# eiliad} other {# o eiliadau}} ar ôl",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} yn siarad",
"ui.beforeunload": "Mi fyddwch yn colli eich drafft os gadewch Mastodon.",
"upload_area.title": "Llusgwch & gollwing i uwchlwytho",
"upload_button.label": "Ychwanegwch gyfryngau (JPEG, PNG, GIF, WebM, MP4, MOV)",
- "upload_error.limit": "File upload limit exceeded.",
- "upload_error.poll": "File upload not allowed with polls.",
+ "upload_error.limit": "Wedi mynd heibio'r uchafswm terfyn uwchlwytho.",
+ "upload_error.poll": "Nid oes modd uwchlwytho ffeiliau â phleidleisiau.",
"upload_form.description": "Disgrifio i'r rheini a nam ar ei golwg",
"upload_form.focus": "Newid rhagolwg",
"upload_form.undo": "Dileu",
diff --git a/app/javascript/mastodon/locales/de.json b/app/javascript/mastodon/locales/de.json
index b658641b8f..5c63af3b20 100644
--- a/app/javascript/mastodon/locales/de.json
+++ b/app/javascript/mastodon/locales/de.json
@@ -9,7 +9,7 @@
"account.edit_profile": "Profil bearbeiten",
"account.endorse": "Auf Profil hervorheben",
"account.follow": "Folgen",
- "account.followers": "Folgende",
+ "account.followers": "Folger_innen",
"account.followers.empty": "Diesem Profil folgt noch niemand.",
"account.follows": "Folgt",
"account.follows.empty": "Dieses Profil folgt noch niemandem.",
@@ -37,7 +37,7 @@
"account.unmute_notifications": "Benachrichtigungen von @{name} einschalten",
"alert.unexpected.message": "Ein unerwarteter Fehler ist aufgetreten.",
"alert.unexpected.title": "Hoppla!",
- "boost_modal.combo": "Du kannst {combo} drücken, um dies beim nächsten Mal zu überspringen",
+ "boost_modal.combo": "Drücke {combo}, um dieses Fenster zu überspringen",
"bundle_column_error.body": "Etwas ist beim Laden schiefgelaufen.",
"bundle_column_error.retry": "Erneut versuchen",
"bundle_column_error.title": "Netzwerkfehler",
@@ -55,7 +55,7 @@
"column.mutes": "Stummgeschaltete Profile",
"column.notifications": "Mitteilungen",
"column.pins": "Angeheftete Beiträge",
- "column.public": "Gesamtes bekanntes Netz",
+ "column.public": "Föderierte Zeitleiste",
"column_back_button.label": "Zurück",
"column_header.hide_settings": "Einstellungen verbergen",
"column_header.moveLeft_settings": "Spalte nach links verschieben",
@@ -67,14 +67,14 @@
"community.column_settings.media_only": "Nur Medien",
"compose_form.direct_message_warning": "Dieser Beitrag wird nur für die erwähnten Nutzer sichtbar sein.",
"compose_form.direct_message_warning_learn_more": "Mehr erfahren",
- "compose_form.hashtag_warning": "Dieser Beitrag wird nicht unter einen dieser Hashtags sichtbar sein, solange er ungelistet ist. Bei einer Suche kann er nicht gefunden werden.",
+ "compose_form.hashtag_warning": "Dieser Beitrag wird nicht durch Hashtags entdeckbar sein, weil er ungelistet ist. Nur öffentliche Beiträge tauchen in Hashtag-Zeitleisten auf.",
"compose_form.lock_disclaimer": "Dein Profil ist nicht {locked}. Wer dir folgen will, kann das jederzeit tun und dann auch deine privaten Beiträge sehen.",
"compose_form.lock_disclaimer.lock": "gesperrt",
"compose_form.placeholder": "Was gibt's Neues?",
- "compose_form.poll.add_option": "Eine Auswahl hinzufügen",
+ "compose_form.poll.add_option": "Eine Wahl hinzufügen",
"compose_form.poll.duration": "Umfragedauer",
- "compose_form.poll.option_placeholder": "Auswahl {number}",
- "compose_form.poll.remove_option": "Auswahl entfernen",
+ "compose_form.poll.option_placeholder": "Wahl {number}",
+ "compose_form.poll.remove_option": "Wahl entfernen",
"compose_form.publish": "Tröt",
"compose_form.publish_loud": "{publish}!",
"compose_form.sensitive.hide": "Medien als heikel markieren",
@@ -92,11 +92,11 @@
"confirmations.delete_list.confirm": "Löschen",
"confirmations.delete_list.message": "Bist du dir sicher, dass du diese Liste permanent löschen möchtest?",
"confirmations.domain_block.confirm": "Die ganze Domain verbergen",
- "confirmations.domain_block.message": "Bist du dir wirklich sicher, dass du die ganze Domain {domain} blockieren willst? In den meisten Fällen reichen ein paar gezielte Blockierungen oder Stummschaltungen aus. Du wirst den Inhalt von dieser Domain nicht in irgendwelchen öffentlichen Timelines oder den Benachrichtigungen finden. Deine Follower von dieser Domain werden entfernt.",
+ "confirmations.domain_block.message": "Bist du dir wirklich sicher, dass du die ganze Domain {domain} blockieren willst? In den meisten Fällen reichen ein paar gezielte Blockierungen oder Stummschaltungen aus. Nach der Blockierung wirst du nichts mehr von dieser Domain in öffentlichen Zeitleisten oder Benachrichtigungen sehen. Deine Folger_innen von dieser Domain werden auch entfernt.",
"confirmations.mute.confirm": "Stummschalten",
"confirmations.mute.message": "Bist du dir sicher, dass du {name} stummschalten möchtest?",
"confirmations.redraft.confirm": "Löschen und neu erstellen",
- "confirmations.redraft.message": "Bist du dir sicher, dass du diesen Beitrag löschen und neu machen möchtest? Favoriten und Boosts werden verloren gehen und Antworten zu diesem Beitrag werden verwaist sein.",
+ "confirmations.redraft.message": "Bist du dir sicher, dass du diesen Beitrag löschen und neu erstellen möchtest? Favorisierungen, geteilte Beiträge und Antworten werden verloren gehen.",
"confirmations.reply.confirm": "Antworten",
"confirmations.reply.message": "Wenn du jetzt antwortest wird es die gesamte Nachricht verwerfen, die du gerade schreibst. Möchtest du wirklich fortfahren?",
"confirmations.unfollow.confirm": "Entfolgen",
@@ -150,9 +150,9 @@
"hashtag.column_settings.select.no_options_message": "Keine Vorschläge gefunden",
"hashtag.column_settings.select.placeholder": "Hashtags eintragen…",
"hashtag.column_settings.tag_mode.all": "All diese",
- "hashtag.column_settings.tag_mode.any": "Eine von diesen",
- "hashtag.column_settings.tag_mode.none": "Keine von diesen",
- "hashtag.column_settings.tag_toggle": "Zusätzliche Tags für diese Spalte einfügen",
+ "hashtag.column_settings.tag_mode.any": "Eins von diesen",
+ "hashtag.column_settings.tag_mode.none": "Keins von diesen",
+ "hashtag.column_settings.tag_toggle": "Zusätzliche Hashtags für diese Spalte einfügen",
"home.column_settings.basic": "Einfach",
"home.column_settings.show_reblogs": "Geteilte Beiträge anzeigen",
"home.column_settings.show_replies": "Antworten anzeigen",
@@ -161,33 +161,33 @@
"intervals.full.minutes": "{number, plural, one {# Minute} other {# Minuten}}",
"introduction.federation.action": "Weiter",
"introduction.federation.federated.headline": "Föderiert",
- "introduction.federation.federated.text": "Öffentliche Beiträge von anderen Servern im Fediverse erscheinen in der föderierten Zeitleiste.",
+ "introduction.federation.federated.text": "Öffentliche Beiträge von anderen Servern im Fediversum erscheinen in der föderierten Zeitleiste.",
"introduction.federation.home.headline": "Startseite",
- "introduction.federation.home.text": "Beiträge von Leuten, denen du folgst, erscheinen in deiner Start-Zeitleiste. Du kannst Menschen auf beliebigen Servern folgen!",
+ "introduction.federation.home.text": "Beiträge von Leuten, denen du folgst, erscheinen auf deiner Startseite. Du kannst Menschen auf beliebigen Servern folgen!",
"introduction.federation.local.headline": "Lokal",
"introduction.federation.local.text": "Öffentliche Beiträge von Leuten auf demselben Server wie du erscheinen in der lokalen Zeitleiste.",
"introduction.interactions.action": "Tutorial beenden!",
"introduction.interactions.favourite.headline": "Favorisieren",
- "introduction.interactions.favourite.text": "Du kannst Beitrage für später speichern und ihre AutorInnen wissen lassen, dass sie dir gefallen haben, indem du sie favorisierst.",
+ "introduction.interactions.favourite.text": "Du kannst Beitrage für später speichern und ihre Autor_innen wissen lassen, dass sie dir gefallen haben, indem du sie favorisierst.",
"introduction.interactions.reblog.headline": "Teilen",
- "introduction.interactions.reblog.text": "Du kannst Beiträge anderer mit deinen Followern teilen, indem du sie boostest.",
+ "introduction.interactions.reblog.text": "Du kannst Beiträge anderer mit deinen Followern teilen, indem du sie teilst.",
"introduction.interactions.reply.headline": "Antworten",
- "introduction.interactions.reply.text": "Du kannst auf die Beiträge anderer antworten und die Beiträge werden dann in einer Unterhaltung zusammengefasst.",
+ "introduction.interactions.reply.text": "Du kannst auf die Beiträge anderer antworten. Diese Beiträge werden dann in einer Konversation zusammengefasst.",
"introduction.welcome.action": "Lass uns loslegen!",
"introduction.welcome.headline": "Erste Schritte",
- "introduction.welcome.text": "Willkommen im Fediverse! In wenigen Momenten wirst du in der Lage sein Nachrichten zu versenden und mit deinen Freunden über Server hinweg in Kontakt zu treten. Aber dieser Server, {domain}, ist sehr speziell — er hostet dein Profil, also merke dir den Namen.",
+ "introduction.welcome.text": "Willkommen im Fediversum! In wenigen Momenten wirst du in der Lage sein Nachrichten zu versenden und mit deinen Freunden von anderen Servern in Kontakt zu treten. Aber dieser Server, {domain}, ist für dich sehr speziell — er hostet dein Profil, also merke dir die Domain.",
"keyboard_shortcuts.back": "zurück navigieren",
"keyboard_shortcuts.blocked": "Liste blockierter Profile öffnen",
"keyboard_shortcuts.boost": "teilen",
- "keyboard_shortcuts.column": "einen Status in einer der Spalten fokussieren",
+ "keyboard_shortcuts.column": "einen Beitrag in einer der Spalten fokussieren",
"keyboard_shortcuts.compose": "fokussiere das Eingabefeld",
"keyboard_shortcuts.description": "Beschreibung",
"keyboard_shortcuts.direct": "Direct-Message-Spalte öffnen",
"keyboard_shortcuts.down": "sich in der Liste hinunter bewegen",
- "keyboard_shortcuts.enter": "Status öffnen",
+ "keyboard_shortcuts.enter": "Beitrag öffnen",
"keyboard_shortcuts.favourite": "um zu favorisieren",
"keyboard_shortcuts.favourites": "Favoriten-Liste öffnen",
- "keyboard_shortcuts.federated": "Förderierte Zeitleiste öffnen",
+ "keyboard_shortcuts.federated": "Föderierte Zeitleiste öffnen",
"keyboard_shortcuts.heading": "Tastenkombinationen",
"keyboard_shortcuts.home": "Startseite öffnen",
"keyboard_shortcuts.hotkey": "Tastenkürzel",
@@ -200,12 +200,12 @@
"keyboard_shortcuts.pinned": "Liste angehefteter Beiträge öffnen",
"keyboard_shortcuts.profile": "Profil des Autors öffnen",
"keyboard_shortcuts.reply": "antworten",
- "keyboard_shortcuts.requests": "Liste der Folge-Anfragen öffnen",
+ "keyboard_shortcuts.requests": "Liste der Folge-Anfragen öffnen",
"keyboard_shortcuts.search": "Suche fokussieren",
- "keyboard_shortcuts.start": "\"Erste Schritte-Spalte öffnen",
+ "keyboard_shortcuts.start": "\"Erste Schritte\"-Spalte öffnen",
"keyboard_shortcuts.toggle_hidden": "Text hinter einer Inhaltswarnung verstecken/anzeigen",
"keyboard_shortcuts.toggle_sensitivity": "Medien hinter einer Inhaltswarnung verstecken/anzeigen",
- "keyboard_shortcuts.toot": "einen neuen Toot beginnen",
+ "keyboard_shortcuts.toot": "einen neuen Beitrag beginnen",
"keyboard_shortcuts.unfocus": "Textfeld/die Suche nicht mehr fokussieren",
"keyboard_shortcuts.up": "sich in der Liste hinauf bewegen",
"lightbox.close": "Schließen",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Favoriten",
"navigation_bar.filters": "Stummgeschaltene Wörter",
"navigation_bar.follow_requests": "Folgeanfragen",
- "navigation_bar.follows_and_followers": "Folgende und Follower",
+ "navigation_bar.follows_and_followers": "Folger_innen und Gefolgte",
"navigation_bar.info": "Über diesen Server",
"navigation_bar.keyboard_shortcuts": "Tastenkombinationen",
"navigation_bar.lists": "Listen",
@@ -261,17 +261,17 @@
"notifications.column_settings.filter_bar.advanced": "Zeige alle Kategorien an",
"notifications.column_settings.filter_bar.category": "Schnellfilterleiste",
"notifications.column_settings.filter_bar.show": "Anzeigen",
- "notifications.column_settings.follow": "Neue Folgende:",
+ "notifications.column_settings.follow": "Neue Folger_innen:",
"notifications.column_settings.mention": "Erwähnungen:",
- "notifications.column_settings.poll": "Ergebnisse der Umfrage:",
+ "notifications.column_settings.poll": "Ergebnisse von Umfragen:",
"notifications.column_settings.push": "Push-Benachrichtigungen",
"notifications.column_settings.reblog": "Geteilte Beiträge:",
"notifications.column_settings.show": "In der Spalte anzeigen",
"notifications.column_settings.sound": "Ton abspielen",
"notifications.filter.all": "Alle",
- "notifications.filter.boosts": "Erneut geteilte Beiträge",
- "notifications.filter.favourites": "Favoriten",
- "notifications.filter.follows": "Folgende",
+ "notifications.filter.boosts": "Geteilte Beiträge",
+ "notifications.filter.favourites": "Favorisierungen",
+ "notifications.filter.follows": "Folger_innen",
"notifications.filter.mentions": "Erwähnungen",
"notifications.filter.polls": "Ergebnisse der Umfrage",
"notifications.group": "{count} Benachrichtigungen",
@@ -282,16 +282,16 @@
"poll_button.add_poll": "Eine Umfrage erstellen",
"poll_button.remove_poll": "Umfrage entfernen",
"privacy.change": "Sichtbarkeit des Beitrags anpassen",
- "privacy.direct.long": "Beitrag nur an erwähnte Profile",
- "privacy.direct.short": "Direkt",
- "privacy.private.long": "Beitrag nur an Folgende",
- "privacy.private.short": "Nur Folgende",
- "privacy.public.long": "Beitrag an öffentliche Zeitleisten",
+ "privacy.direct.long": "Wird an erwähnte Profile gesendet",
+ "privacy.direct.short": "Direktnachricht",
+ "privacy.private.long": "Wird nur für deine Folger_innen sichtbar sein",
+ "privacy.private.short": "Nur für Folger_innen",
+ "privacy.public.long": "Wird in öffentlichen Zeitleisten erscheinen",
"privacy.public.short": "Öffentlich",
- "privacy.unlisted.long": "Nicht in öffentlichen Zeitleisten anzeigen",
+ "privacy.unlisted.long": "Wird in öffentlichen Zeitleisten nicht gezeigt",
"privacy.unlisted.short": "Nicht gelistet",
"regeneration_indicator.label": "Laden…",
- "regeneration_indicator.sublabel": "Deine Heimzeitleiste wird gerade vorbereitet!",
+ "regeneration_indicator.sublabel": "Deine Startseite wird gerade vorbereitet!",
"relative_time.days": "{number}d",
"relative_time.hours": "{number}h",
"relative_time.just_now": "jetzt",
@@ -306,21 +306,21 @@
"report.target": "{target} melden",
"search.placeholder": "Suche",
"search_popout.search_format": "Fortgeschrittenes Suchformat",
- "search_popout.tips.full_text": "Simpler Text gibt Beiträge, die du geschrieben, favorisiert und geteilt hast zurück. Außerdem auch Beiträge in denen du erwähnt wurdest, als auch passende Nutzernamen, Anzeigenamen oder Hashtags.",
+ "search_popout.tips.full_text": "Einfache Texteingabe gibt Beiträge, die du geschrieben, favorisiert und geteilt hast zurück. Außerdem auch Beiträge in denen du erwähnt wurdest, aber auch passende Nutzernamen, Anzeigenamen oder Hashtags.",
"search_popout.tips.hashtag": "Hashtag",
"search_popout.tips.status": "Beitrag",
- "search_popout.tips.text": "Einfacher Text gibt Anzeigenamen, Benutzernamen und Hashtags zurück",
+ "search_popout.tips.text": "Einfache Texteingabe gibt Anzeigenamen, Benutzernamen und Hashtags zurück",
"search_popout.tips.user": "Nutzer",
"search_results.accounts": "Personen",
"search_results.hashtags": "Hashtags",
"search_results.statuses": "Beiträge",
"search_results.total": "{count, number} {count, plural, one {Ergebnis} other {Ergebnisse}}",
"status.admin_account": "Öffne Moderationsoberfläche für @{name}",
- "status.admin_status": "Öffne diesen Status in der Moderationsoberfläche",
+ "status.admin_status": "Öffne Beitrag in der Moderationsoberfläche",
"status.block": "Blockiere @{name}",
"status.cancel_reblog_private": "Nicht mehr teilen",
"status.cannot_reblog": "Dieser Beitrag kann nicht geteilt werden",
- "status.copy": "Kopiere Link zum Status",
+ "status.copy": "Kopiere Link zum Beitrag",
"status.delete": "Löschen",
"status.detailed_status": "Detaillierte Ansicht der Konversation",
"status.direct": "Direktnachricht @{name}",
@@ -332,39 +332,39 @@
"status.mention": "@{name} erwähnen",
"status.more": "Mehr",
"status.mute": "@{name} stummschalten",
- "status.mute_conversation": "Thread stummschalten",
+ "status.mute_conversation": "Konversation stummschalten",
"status.open": "Diesen Beitrag öffnen",
"status.pin": "Im Profil anheften",
"status.pinned": "Angehefteter Beitrag",
"status.read_more": "Mehr lesen",
"status.reblog": "Teilen",
- "status.reblog_private": "An das eigentliche Publikum teilen",
+ "status.reblog_private": "Mit der ursprünglichen Zielgruppe teilen",
"status.reblogged_by": "{name} teilte",
- "status.reblogs.empty": "Diesen Beitrag hat noch niemand geteilt. Sobald es jemand tut, wird die Person hier angezeigt.",
+ "status.reblogs.empty": "Diesen Beitrag hat noch niemand geteilt. Sobald es jemand tut, wird diese Person hier angezeigt.",
"status.redraft": "Löschen und neu erstellen",
"status.reply": "Antworten",
- "status.replyAll": "Auf Thread antworten",
+ "status.replyAll": "Allen antworten",
"status.report": "@{name} melden",
"status.sensitive_warning": "Heikle Inhalte",
"status.share": "Teilen",
"status.show_less": "Weniger anzeigen",
- "status.show_less_all": "Zeige weniger für alles",
+ "status.show_less_all": "Alle Inhaltswarnungen zuklappen",
"status.show_more": "Mehr anzeigen",
- "status.show_more_all": "Zeige mehr für alles",
- "status.show_thread": "Zeige Thread",
- "status.unmute_conversation": "Stummschaltung von Thread aufheben",
+ "status.show_more_all": "Alle Inhaltswarnungen aufklappen",
+ "status.show_thread": "Zeige Konversation",
+ "status.unmute_conversation": "Stummschaltung von Konversation aufheben",
"status.unpin": "Vom Profil lösen",
- "suggestions.dismiss": "Hinweis ausblenden",
- "suggestions.header": "Du bist vielleicht interessiert in…",
+ "suggestions.dismiss": "Empfehlung ausblenden",
+ "suggestions.header": "Du bist vielleicht interessiert an…",
"tabs_bar.federated_timeline": "Föderation",
"tabs_bar.home": "Startseite",
"tabs_bar.local_timeline": "Lokal",
"tabs_bar.notifications": "Mitteilungen",
- "tabs_bar.search": "Suchen",
+ "tabs_bar.search": "Suche",
"time_remaining.days": "{number, plural, one {# Tag} other {# Tage}} verbleibend",
"time_remaining.hours": "{number, plural, one {# Stunde} other {# Stunden}} verbleibend",
"time_remaining.minutes": "{number, plural, one {# Minute} other {# Minuten}} verbleibend",
- "time_remaining.moments": "Momente verbleibend",
+ "time_remaining.moments": "Schließt in Kürze",
"time_remaining.seconds": "{number, plural, one {# Sekunde} other {# Sekunden}} verbleibend",
"trends.count_by_accounts": "{count} {rawCount, plural, eine {Person} other {Personen}} reden darüber",
"ui.beforeunload": "Dein Entwurf geht verloren, wenn du Mastodon verlässt.",
@@ -373,7 +373,7 @@
"upload_error.limit": "Dateiupload-Limit erreicht.",
"upload_error.poll": "Dateiuploads sind in Kombination mit Umfragen nicht erlaubt.",
"upload_form.description": "Für Menschen mit Sehbehinderung beschreiben",
- "upload_form.focus": "Thumbnail bearbeiten",
+ "upload_form.focus": "Vorschaubild bearbeiten",
"upload_form.undo": "Löschen",
"upload_progress.label": "Wird hochgeladen …",
"video.close": "Video schließen",
diff --git a/app/javascript/mastodon/locales/el.json b/app/javascript/mastodon/locales/el.json
index 314c34e6ea..ceaa2be4d4 100644
--- a/app/javascript/mastodon/locales/el.json
+++ b/app/javascript/mastodon/locales/el.json
@@ -1,5 +1,5 @@
{
- "account.add_or_remove_from_list": "Προσθήκη ή αφαίρεση από λίστες",
+ "account.add_or_remove_from_list": "Προσθήκη ή Αφαίρεση από λίστες",
"account.badges.bot": "Μποτ",
"account.block": "Απόκλεισε τον/την @{name}",
"account.block_domain": "Απόκρυψε τα πάντα από το {domain}",
@@ -15,21 +15,21 @@
"account.follows.empty": "Αυτός ο χρήστης δεν ακολουθεί κανέναν ακόμα.",
"account.follows_you": "Σε ακολουθεί",
"account.hide_reblogs": "Απόκρυψη προωθήσεων από @{name}",
- "account.link_verified_on": "Η ιδιοκτησία αυτού του συνδέσμου εκλέχθηκε την {date}",
+ "account.link_verified_on": "Η ιδιοκτησία αυτού του συνδέσμου ελέχθηκε την {date}",
"account.locked_info": "Η κατάσταση απορρήτου αυτού του λογαριασμού είναι κλειδωμένη. Ο ιδιοκτήτης επιβεβαιώνει χειροκίνητα ποιος μπορεί να τον ακολουθήσει.",
"account.media": "Πολυμέσα",
"account.mention": "Ανάφερε @{name}",
"account.moved_to": "{name} μεταφέρθηκε στο:",
- "account.mute": "Σώπασε τον/την @{name}",
- "account.mute_notifications": "Σώπασε τις ειδοποιήσεις από τον/την @{name}",
+ "account.mute": "Σώπασε @{name}",
+ "account.mute_notifications": "Σώπασε τις ειδοποιήσεις από @{name}",
"account.muted": "Αποσιωπημένος/η",
"account.posts": "Τουτ",
"account.posts_with_replies": "Τουτ και απαντήσεις",
- "account.report": "Κατάγγειλε τον/την @{name}",
+ "account.report": "Κατάγγειλε @{name}",
"account.requested": "Εκκρεμεί έγκριση. Κάνε κλικ για να ακυρώσεις το αίτημα παρακολούθησης",
"account.share": "Μοιράσου το προφίλ του/της @{name}",
"account.show_reblogs": "Δείξε τις προωθήσεις του/της @{name}",
- "account.unblock": "Ξεμπλόκαρε τον/την @{name}",
+ "account.unblock": "Ξεμπλόκαρε @{name}",
"account.unblock_domain": "Αποκάλυψε το {domain}",
"account.unendorse": "Άνευ προβολής στο προφίλ",
"account.unfollow": "Διακοπή παρακολούθησης",
@@ -77,16 +77,16 @@
"compose_form.poll.remove_option": "Αφαίρεση επιλογής",
"compose_form.publish": "Τουτ",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Σημείωσε τα πολυμέσα ως ευαίσθητα",
"compose_form.sensitive.marked": "Το πολυμέσο έχει σημειωθεί ως ευαίσθητο",
"compose_form.sensitive.unmarked": "Το πολυμέσο δεν έχει σημειωθεί ως ευαίσθητο",
"compose_form.spoiler.marked": "Κείμενο κρυμμένο πίσω από προειδοποίηση",
"compose_form.spoiler.unmarked": "Μη κρυμμένο κείμενο",
"compose_form.spoiler_placeholder": "Γράψε την προειδοποίησή σου εδώ",
"confirmation_modal.cancel": "Άκυρο",
- "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.block_and_report": "Αποκλεισμός & Καταγγελία",
"confirmations.block.confirm": "Απόκλεισε",
- "confirmations.block.message": "Σίγουρα θες να αποκλείσεις τον/την {name};",
+ "confirmations.block.message": "Σίγουρα θες να αποκλείσεις {name};",
"confirmations.delete.confirm": "Διέγραψε",
"confirmations.delete.message": "Σίγουρα θες να διαγράψεις αυτή την κατάσταση;",
"confirmations.delete_list.confirm": "Διέγραψε",
@@ -94,7 +94,7 @@
"confirmations.domain_block.confirm": "Απόκρυψη ολόκληρου του τομέα",
"confirmations.domain_block.message": "Σίγουρα θες να μπλοκάρεις ολόκληρο το {domain}; Συνήθως μερικά εστιασμένα μπλοκ ή αποσιωπήσεις επαρκούν και προτιμούνται. Δεν θα βλέπεις περιεχόμενο από αυτό τον κόμβο σε καμία δημόσια ροή, ούτε στις ειδοποιήσεις σου. Όσους ακόλουθους έχεις αυτό αυτό τον κόμβο θα αφαιρεθούν.",
"confirmations.mute.confirm": "Αποσιώπηση",
- "confirmations.mute.message": "Σίγουρα θες να αποσιωπήσεις τον/την {name};",
+ "confirmations.mute.message": "Σίγουρα θες να αποσιωπήσεις {name};",
"confirmations.redraft.confirm": "Διαγραφή & ξαναγράψιμο",
"confirmations.redraft.message": "Σίγουρα θέλεις να σβήσεις αυτή την κατάσταση και να την ξαναγράψεις; Οι αναφορές και τα αγαπημένα της θα χαθούν ενώ οι απαντήσεις προς αυτή θα μείνουν ορφανές.",
"confirmations.reply.confirm": "Απάντησε",
@@ -204,14 +204,14 @@
"keyboard_shortcuts.search": "εστίαση αναζήτησης",
"keyboard_shortcuts.start": "άνοιγμα κολώνας \"Ξεκινώντας\"",
"keyboard_shortcuts.toggle_hidden": "εμφάνιση/απόκρυψη κειμένου πίσω από την προειδοποίηση",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "εμφάνιση/απόκρυψη πολυμέσων",
"keyboard_shortcuts.toot": "δημιουργία νέου τουτ",
"keyboard_shortcuts.unfocus": "απο-εστίαση του πεδίου σύνθεσης/αναζήτησης",
"keyboard_shortcuts.up": "κίνηση προς την κορυφή της λίστας",
"lightbox.close": "Κλείσιμο",
"lightbox.next": "Επόμενο",
"lightbox.previous": "Προηγούμενο",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Εμφάνιση πλαισίου",
"lists.account.add": "Πρόσθεσε στη λίστα",
"lists.account.remove": "Βγάλε από τη λίστα",
"lists.delete": "Διαγραφή λίστας",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Αγαπημένα",
"navigation_bar.filters": "Αποσιωπημένες λέξεις",
"navigation_bar.follow_requests": "Αιτήματα ακολούθησης",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Ακολουθεί και ακολουθείται",
"navigation_bar.info": "Πληροφορίες κόμβου",
"navigation_bar.keyboard_shortcuts": "Συντομεύσεις",
"navigation_bar.lists": "Λίστες",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "Προσωπικά",
"navigation_bar.pins": "Καρφιτσωμένα τουτ",
"navigation_bar.preferences": "Προτιμήσεις",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Κατάλογος λογαριασμών",
"navigation_bar.public_timeline": "Ομοσπονδιακή ροή",
"navigation_bar.security": "Ασφάλεια",
"notification.favourite": "Ο/Η {name} σημείωσε ως αγαπημένη την κατάστασή σου",
diff --git a/app/javascript/mastodon/locales/eo.json b/app/javascript/mastodon/locales/eo.json
index dc50cd3e94..897cb63530 100644
--- a/app/javascript/mastodon/locales/eo.json
+++ b/app/javascript/mastodon/locales/eo.json
@@ -77,7 +77,7 @@
"compose_form.poll.remove_option": "Forigi ĉi tiu elekton",
"compose_form.publish": "Hup",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Marki aŭdovidaĵojn kiel tiklaj",
"compose_form.sensitive.marked": "Aŭdovidaĵo markita tikla",
"compose_form.sensitive.unmarked": "Aŭdovidaĵo ne markita tikla",
"compose_form.spoiler.marked": "Teksto kaŝita malantaŭ averto",
@@ -118,7 +118,7 @@
"emoji_button.symbols": "Simboloj",
"emoji_button.travel": "Vojaĝoj kaj lokoj",
"empty_column.account_timeline": "Neniu mesaĝo ĉi tie!",
- "empty_column.account_unavailable": "Profile unavailable",
+ "empty_column.account_unavailable": "Profilo ne disponebla",
"empty_column.blocks": "Vi ankoraŭ ne blokis uzanton.",
"empty_column.community": "La loka tempolinio estas malplena. Skribu ion por plenigi ĝin!",
"empty_column.direct": "Vi ankoraŭ ne havas rektan mesaĝon. Kiam vi sendos aŭ ricevos iun, ĝi aperos ĉi tie.",
@@ -204,14 +204,14 @@
"keyboard_shortcuts.search": "por fokusigi la serĉilon",
"keyboard_shortcuts.start": "por malfermi la kolumnon «por komenci»",
"keyboard_shortcuts.toggle_hidden": "por montri/kaŝi tekston malantaŭ enhava averto",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "por montri/kaŝi aŭdovidaĵojn",
"keyboard_shortcuts.toot": "por komenci tute novan mesaĝon",
"keyboard_shortcuts.unfocus": "por malfokusigi la tekstujon aŭ la serĉilon",
"keyboard_shortcuts.up": "por iri supren en la listo",
"lightbox.close": "Fermi",
"lightbox.next": "Sekva",
"lightbox.previous": "Antaŭa",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Vidi kontekston",
"lists.account.add": "Aldoni al la listo",
"lists.account.remove": "Forigi de la listo",
"lists.delete": "Forigi la liston",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Stelumoj",
"navigation_bar.filters": "Silentigitaj vortoj",
"navigation_bar.follow_requests": "Petoj de sekvado",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Sekvatoj kaj sekvantoj",
"navigation_bar.info": "Pri ĉi tiu servilo",
"navigation_bar.keyboard_shortcuts": "Rapidklavoj",
"navigation_bar.lists": "Listoj",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "Persone",
"navigation_bar.pins": "Alpinglitaj mesaĝoj",
"navigation_bar.preferences": "Preferoj",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Profilujo",
"navigation_bar.public_timeline": "Fratara tempolinio",
"navigation_bar.security": "Sekureco",
"notification.favourite": "{name} stelumis vian mesaĝon",
diff --git a/app/javascript/mastodon/locales/es.json b/app/javascript/mastodon/locales/es.json
index 1962d9447f..fc9e7bb16e 100644
--- a/app/javascript/mastodon/locales/es.json
+++ b/app/javascript/mastodon/locales/es.json
@@ -1,5 +1,5 @@
{
- "account.add_or_remove_from_list": "Add or Remove from lists",
+ "account.add_or_remove_from_list": "Agregar o eliminar de las listas",
"account.badges.bot": "Bot",
"account.block": "Bloquear",
"account.block_domain": "Ocultar todo de {domain}",
@@ -15,8 +15,8 @@
"account.follows.empty": "Este usuario todavía no sigue a nadie.",
"account.follows_you": "Te sigue",
"account.hide_reblogs": "Ocultar retoots de @{name}",
- "account.link_verified_on": "Ownership of this link was checked on {date}",
- "account.locked_info": "This account privacy status is set to locked. The owner manually reviews who can follow them.",
+ "account.link_verified_on": "El proprietario de este link fue verificado el {date}",
+ "account.locked_info": "El estado de privacidad de esta cuenta està configurado como bloqueado. El proprietario debe revisar manualmente quien puede seguirle.",
"account.media": "Media",
"account.mention": "Mencionar a @{name}",
"account.moved_to": "{name} se ha mudado a:",
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/eu.json b/app/javascript/mastodon/locales/eu.json
index 4f66e6b39d..5e37f5862c 100644
--- a/app/javascript/mastodon/locales/eu.json
+++ b/app/javascript/mastodon/locales/eu.json
@@ -1,6 +1,6 @@
{
"account.add_or_remove_from_list": "Gehitu edo kendu zerrendetatik",
- "account.badges.bot": "Bot",
+ "account.badges.bot": "Bot-a",
"account.block": "Blokeatu @{name}",
"account.block_domain": "Ezkutatu {domain} domeinuko guztia",
"account.blocked": "Blokeatuta",
@@ -17,7 +17,7 @@
"account.hide_reblogs": "Ezkutatu @{name}(r)en bultzadak",
"account.link_verified_on": "Esteka honen jabetzaren egiaztaketa data: {date}",
"account.locked_info": "Kontu honen pribatutasun egoera blokeatuta gisa ezarri da. Jabeak eskuz erabakitzen du nork jarraitu diezaioken.",
- "account.media": "Media",
+ "account.media": "Multimedia",
"account.mention": "Aipatu @{name}",
"account.moved_to": "{name} hona lekualdatu da:",
"account.mute": "Mututu @{name}",
@@ -40,7 +40,7 @@
"boost_modal.combo": "{combo} sakatu dezakezu hurrengoan hau saltatzeko",
"bundle_column_error.body": "Zerbait okerra gertatu da osagai hau kargatzean.",
"bundle_column_error.retry": "Saiatu berriro",
- "bundle_column_error.title": "Network error",
+ "bundle_column_error.title": "Sareko errorea",
"bundle_modal_error.close": "Itxi",
"bundle_modal_error.message": "Zerbait okerra gertatu da osagai hau kargatzean.",
"bundle_modal_error.retry": "Saiatu berriro",
@@ -71,21 +71,21 @@
"compose_form.lock_disclaimer": "Zure kontua ez dago {locked}. Edonork jarraitu zaitzake zure jarraitzaileentzako soilik diren mezuak ikusteko.",
"compose_form.lock_disclaimer.lock": "giltzapetuta",
"compose_form.placeholder": "Zer duzu buruan?",
- "compose_form.poll.add_option": "Add a choice",
- "compose_form.poll.duration": "Poll duration",
- "compose_form.poll.option_placeholder": "Choice {number}",
- "compose_form.poll.remove_option": "Remove this choice",
+ "compose_form.poll.add_option": "Gehitu aukera bat",
+ "compose_form.poll.duration": "Inkestaren iraupena",
+ "compose_form.poll.option_placeholder": "{number}. aukera",
+ "compose_form.poll.remove_option": "Kendu aukera hau",
"compose_form.publish": "Toot",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Markatu multimedia hunkigarri gisa",
"compose_form.sensitive.marked": "Multimedia edukia hunkigarri gisa markatu da",
"compose_form.sensitive.unmarked": "Multimedia edukia ez da hunkigarri gisa markatu",
"compose_form.spoiler.marked": "Testua abisu batek ezkutatzen du",
"compose_form.spoiler.unmarked": "Testua ez dago ezkutatuta",
"compose_form.spoiler_placeholder": "Idatzi zure abisua hemen",
"confirmation_modal.cancel": "Utzi",
- "confirmations.block.block_and_report": "Block & Report",
- "confirmations.block.confirm": "Block",
+ "confirmations.block.block_and_report": "Blokeatu eta salatu",
+ "confirmations.block.confirm": "Blokeatu",
"confirmations.block.message": "Ziur {name} blokeatu nahi duzula?",
"confirmations.delete.confirm": "Ezabatu",
"confirmations.delete.message": "Ziur mezu hau ezabatu nahi duzula?",
@@ -118,7 +118,7 @@
"emoji_button.symbols": "Sinboloak",
"emoji_button.travel": "Bidaiak eta tokiak",
"empty_column.account_timeline": "Ez dago toot-ik hemen!",
- "empty_column.account_unavailable": "Profile unavailable",
+ "empty_column.account_unavailable": "Profila ez dago eskuragarri",
"empty_column.blocks": "Ez duzu erabiltzailerik blokeatu oraindik.",
"empty_column.community": "Denbora-lerro lokala hutsik dago. Idatzi zerbait publikoki pilota biraka jartzeko!",
"empty_column.direct": "Ez duzu mezu zuzenik oraindik. Baten bat bidali edo jasotzen duzunean, hemen agertuko da.",
@@ -147,8 +147,8 @@
"hashtag.column_header.tag_mode.all": "eta {osagarria}",
"hashtag.column_header.tag_mode.any": "edo {osagarria}",
"hashtag.column_header.tag_mode.none": "gabe {osagarria}",
- "hashtag.column_settings.select.no_options_message": "No suggestions found",
- "hashtag.column_settings.select.placeholder": "Enter hashtags…",
+ "hashtag.column_settings.select.no_options_message": "Ez da proposamenik aurkitu",
+ "hashtag.column_settings.select.placeholder": "Sartu traolak…",
"hashtag.column_settings.tag_mode.all": "Hauetako guztiak",
"hashtag.column_settings.tag_mode.any": "Hautako edozein",
"hashtag.column_settings.tag_mode.none": "Hauetako bat ere ez",
@@ -156,15 +156,15 @@
"home.column_settings.basic": "Oinarrizkoa",
"home.column_settings.show_reblogs": "Erakutsi bultzadak",
"home.column_settings.show_replies": "Erakutsi erantzunak",
- "intervals.full.days": "{number, plural, one {# day} other {# days}}",
- "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
- "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
+ "intervals.full.days": "{number, plural, one {egun #} other {# egun}}",
+ "intervals.full.hours": "{number, plural, one {ordu #} other {# ordu}}",
+ "intervals.full.minutes": "{number, plural, one {minutu #} other {# minutu}}",
"introduction.federation.action": "Hurrengoa",
- "introduction.federation.federated.headline": "Federated",
+ "introduction.federation.federated.headline": "Federatua",
"introduction.federation.federated.text": "Fedibertsoko beste zerbitzarietako bidalketa publikoak federatutako denbora-lerroan agertuko dira.",
- "introduction.federation.home.headline": "Home",
+ "introduction.federation.home.headline": "Hasiera",
"introduction.federation.home.text": "Jarraitzen dituzun horien mezuak zure hasierako jarioan agertuko dira. Edozein zerbitzariko edonor jarraitu dezakezu!",
- "introduction.federation.local.headline": "Local",
+ "introduction.federation.local.headline": "Lokala",
"introduction.federation.local.text": "Zure zerbitzari berean dauden horien mezu publikoak denbora-lerro lokalean agertuko dira.",
"introduction.interactions.action": "Amaitu tutoriala!",
"introduction.interactions.favourite.headline": "Gogokoa",
@@ -181,10 +181,10 @@
"keyboard_shortcuts.boost": "bultzada ematea",
"keyboard_shortcuts.column": "mezu bat zutabe batean fokatzea",
"keyboard_shortcuts.compose": "testua konposatzeko arean fokatzea",
- "keyboard_shortcuts.description": "Description",
+ "keyboard_shortcuts.description": "Deskripzioa",
"keyboard_shortcuts.direct": "mezu zuzenen zutabea irekitzeko",
"keyboard_shortcuts.down": "zerrendan behera mugitzea",
- "keyboard_shortcuts.enter": "to open status",
+ "keyboard_shortcuts.enter": "mezua irekitzeko",
"keyboard_shortcuts.favourite": "gogoko egitea",
"keyboard_shortcuts.favourites": "gogokoen zerrenda irekitzeko",
"keyboard_shortcuts.federated": "federatutako denbora-lerroa irekitzeko",
@@ -204,19 +204,19 @@
"keyboard_shortcuts.search": "bilaketan fokua jartzea",
"keyboard_shortcuts.start": "\"Menua\" zutabea irekitzeko",
"keyboard_shortcuts.toggle_hidden": "testua erakustea/ezkutatzea abisu baten atzean",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "multimedia erakutsi/ezkutatzeko",
"keyboard_shortcuts.toot": "toot berria hastea",
"keyboard_shortcuts.unfocus": "testua konposatzeko area / bilaketatik fokua kentzea",
"keyboard_shortcuts.up": "zerrendan gora mugitzea",
"lightbox.close": "Itxi",
"lightbox.next": "Hurrengoa",
"lightbox.previous": "Aurrekoa",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Ikusi testuingurua",
"lists.account.add": "Gehitu zerrendara",
"lists.account.remove": "Kendu zerrendatik",
"lists.delete": "Ezabatu zerrenda",
"lists.edit": "Editatu zerrenda",
- "lists.edit.submit": "Change title",
+ "lists.edit.submit": "Aldatu izenburua",
"lists.new.create": "Gehitu zerrenda",
"lists.new.title_placeholder": "Zerrenda berriaren izena",
"lists.search": "Bilatu jarraitzen dituzun pertsonen artean",
@@ -237,22 +237,22 @@
"navigation_bar.favourites": "Gogokoak",
"navigation_bar.filters": "Mutututako hitzak",
"navigation_bar.follow_requests": "Jarraitzeko eskariak",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Jarraitutakoak eta jarraitzaileak",
"navigation_bar.info": "Zerbitzari honi buruz",
"navigation_bar.keyboard_shortcuts": "Laster-teklak",
"navigation_bar.lists": "Zerrendak",
"navigation_bar.logout": "Amaitu saioa",
"navigation_bar.mutes": "Mutututako erabiltzaileak",
- "navigation_bar.personal": "Personal",
+ "navigation_bar.personal": "Pertsonala",
"navigation_bar.pins": "Finkatutako toot-ak",
"navigation_bar.preferences": "Hobespenak",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Profilen direktorioa",
"navigation_bar.public_timeline": "Federatutako denbora-lerroa",
"navigation_bar.security": "Segurtasuna",
"notification.favourite": "{name}(e)k zure mezua gogoko du",
"notification.follow": "{name}(e)k jarraitzen zaitu",
"notification.mention": "{name}(e)k aipatu zaitu",
- "notification.poll": "A poll you have voted in has ended",
+ "notification.poll": "Zuk erantzun duzun inkesta bat bukatu da",
"notification.reblog": "{name}(e)k bultzada eman dio zure mezuari",
"notifications.clear": "Garbitu jakinarazpenak",
"notifications.clear_confirmation": "Ziur zure jakinarazpen guztiak behin betirako garbitu nahi dituzula?",
@@ -263,7 +263,7 @@
"notifications.column_settings.filter_bar.show": "Erakutsi",
"notifications.column_settings.follow": "Jarraitzaile berriak:",
"notifications.column_settings.mention": "Aipamenak:",
- "notifications.column_settings.poll": "Poll results:",
+ "notifications.column_settings.poll": "Inkestaren emaitzak:",
"notifications.column_settings.push": "Push jakinarazpenak",
"notifications.column_settings.reblog": "Bultzadak:",
"notifications.column_settings.show": "Erakutsi zutabean",
@@ -273,14 +273,14 @@
"notifications.filter.favourites": "Gogokoak",
"notifications.filter.follows": "Jarraipenak",
"notifications.filter.mentions": "Aipamenak",
- "notifications.filter.polls": "Poll results",
+ "notifications.filter.polls": "Inkestaren emaitza",
"notifications.group": "{count} jakinarazpen",
- "poll.closed": "Closed",
- "poll.refresh": "Refresh",
- "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
- "poll.vote": "Vote",
- "poll_button.add_poll": "Add a poll",
- "poll_button.remove_poll": "Remove poll",
+ "poll.closed": "Itxita",
+ "poll.refresh": "Berritu",
+ "poll.total_votes": "{count, plural, one {boto #} other {# boto}}",
+ "poll.vote": "Bozkatu",
+ "poll_button.add_poll": "Gehitu inkesta bat",
+ "poll_button.remove_poll": "Kendu inkesta",
"privacy.change": "Doitu mezuaren pribatutasuna",
"privacy.direct.long": "Bidali aipatutako erabiltzaileei besterik ez",
"privacy.direct.short": "Zuzena",
@@ -302,22 +302,22 @@
"report.forward_hint": "Kontu hau beste zerbitzari batekoa da. Bidali txostenaren kopia anonimo hara ere?",
"report.hint": "Txostena zure zerbitzariaren moderatzaileei bidaliko zaie. Kontu hau zergatik salatzen duzun behean azaldu dezakezu:",
"report.placeholder": "Iruzkin gehigarriak",
- "report.submit": "Submit",
+ "report.submit": "Bidali",
"report.target": "{target} salatzen",
"search.placeholder": "Bilatu",
"search_popout.search_format": "Bilaketa aurreratuaren formatua",
"search_popout.tips.full_text": "Testu hutsarekin zuk idatzitako mezuak, gogokoak, bultzadak edo aipamenak aurkitu ditzakezu, bat datozen erabiltzaile-izenak, pantaila-izenak, eta traolak.",
"search_popout.tips.hashtag": "traola",
- "search_popout.tips.status": "status",
+ "search_popout.tips.status": "mezua",
"search_popout.tips.text": "Testu hutsak pantaila-izenak, erabiltzaile-izenak eta traolak bilatzen ditu",
"search_popout.tips.user": "erabiltzailea",
"search_results.accounts": "Jendea",
"search_results.hashtags": "Traolak",
"search_results.statuses": "Toot-ak",
- "search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "search_results.total": "{count, number} {count, plural, one {emaitza} other {emaitzak}}",
"status.admin_account": "Ireki @{name} erabiltzailearen moderazio interfazea",
"status.admin_status": "Ireki mezu hau moderazio interfazean",
- "status.block": "Block @{name}",
+ "status.block": "Blokeatu @{name}",
"status.cancel_reblog_private": "Kendu bultzada",
"status.cannot_reblog": "Mezu honi ezin zaio bultzada eman",
"status.copy": "Kopiatu mezuaren esteka",
@@ -361,17 +361,17 @@
"tabs_bar.local_timeline": "Lokala",
"tabs_bar.notifications": "Jakinarazpenak",
"tabs_bar.search": "Bilatu",
- "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
- "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
- "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
- "time_remaining.moments": "Moments remaining",
- "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
+ "time_remaining.days": "{number, plural, one {egun #} other {# egun}} amaitzeko",
+ "time_remaining.hours": "{number, plural, one {ordu #} other {# ordu}} amaitzeko",
+ "time_remaining.minutes": "{number, plural, one {minutu #} other {# minutu}} amaitzeko",
+ "time_remaining.moments": "Amaitzekotan",
+ "time_remaining.seconds": "{number, plural, one {segundo #} other {# segundo}} amaitzeko",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} hitz egiten",
"ui.beforeunload": "Zure zirriborroa galduko da Mastodon uzten baduzu.",
"upload_area.title": "Arrastatu eta jaregin igotzeko",
"upload_button.label": "Gehitu multimedia (JPEG, PNG, GIF, WebM, MP4, MOV)",
"upload_error.limit": "Fitxategi igoera muga gaindituta.",
- "upload_error.poll": "File upload not allowed with polls.",
+ "upload_error.poll": "Ez da inkestetan fitxategiak igotzea onartzen.",
"upload_form.description": "Deskribatu ikusmen arazoak dituztenentzat",
"upload_form.focus": "Aldatu aurrebista",
"upload_form.undo": "Ezabatu",
@@ -379,10 +379,10 @@
"video.close": "Itxi bideoa",
"video.exit_fullscreen": "Irten pantaila osotik",
"video.expand": "Hedatu bideoa",
- "video.fullscreen": "Full screen",
+ "video.fullscreen": "Pantaila osoa",
"video.hide": "Ezkutatu bideoa",
"video.mute": "Mututu soinua",
- "video.pause": "Pause",
+ "video.pause": "Pausatu",
"video.play": "Jo",
"video.unmute": "Desmututu soinua"
}
diff --git a/app/javascript/mastodon/locales/fi.json b/app/javascript/mastodon/locales/fi.json
index f17a967b51..4eca05ca56 100644
--- a/app/javascript/mastodon/locales/fi.json
+++ b/app/javascript/mastodon/locales/fi.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/fr.json b/app/javascript/mastodon/locales/fr.json
index fe97bc9745..06bb70e028 100644
--- a/app/javascript/mastodon/locales/fr.json
+++ b/app/javascript/mastodon/locales/fr.json
@@ -1,6 +1,6 @@
{
"account.add_or_remove_from_list": "Ajouter ou retirer des listes",
- "account.badges.bot": "Bot",
+ "account.badges.bot": "Robot",
"account.block": "Bloquer @{name}",
"account.block_domain": "Tout masquer venant de {domain}",
"account.blocked": "Bloqué",
@@ -84,7 +84,7 @@
"compose_form.spoiler.unmarked": "Le texte n’est pas caché",
"compose_form.spoiler_placeholder": "Écrivez ici votre avertissement",
"confirmation_modal.cancel": "Annuler",
- "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.block_and_report": "Bloquer et signaler",
"confirmations.block.confirm": "Bloquer",
"confirmations.block.message": "Confirmez-vous le blocage de {name} ?",
"confirmations.delete.confirm": "Supprimer",
@@ -204,7 +204,7 @@
"keyboard_shortcuts.search": "pour cibler la recherche",
"keyboard_shortcuts.start": "pour ouvrir la colonne \"pour commencer\"",
"keyboard_shortcuts.toggle_hidden": "pour afficher/cacher un texte derrière CW",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "pour afficher/cacher les médias",
"keyboard_shortcuts.toot": "pour démarrer un tout nouveau pouet",
"keyboard_shortcuts.unfocus": "pour quitter la zone de composition/recherche",
"keyboard_shortcuts.up": "pour remonter dans la liste",
diff --git a/app/javascript/mastodon/locales/gl.json b/app/javascript/mastodon/locales/gl.json
index 7cf7e40267..9b19d6f113 100644
--- a/app/javascript/mastodon/locales/gl.json
+++ b/app/javascript/mastodon/locales/gl.json
@@ -13,7 +13,7 @@
"account.followers.empty": "Ninguén está a seguir esta usuaria por agora.",
"account.follows": "Seguindo",
"account.follows.empty": "Esta usuaria aínda non segue a ninguén.",
- "account.follows_you": "Séguena",
+ "account.follows_you": "Séguete",
"account.hide_reblogs": "Ocultar repeticións de @{name}",
"account.link_verified_on": "A propiedade de esta ligazón foi comprobada en {date}",
"account.locked_info": "O estado da intimidade de esta conta estableceuse en pechado. A persoa dona da conta revisa quen pode seguila.",
@@ -71,25 +71,25 @@
"compose_form.lock_disclaimer": "A súa conta non está {locked}. Calquera pode seguila para ver as súas mensaxes só-para-seguidoras.",
"compose_form.lock_disclaimer.lock": "bloqueado",
"compose_form.placeholder": "Qué contas?",
- "compose_form.poll.add_option": "Add a choice",
- "compose_form.poll.duration": "Poll duration",
- "compose_form.poll.option_placeholder": "Choice {number}",
- "compose_form.poll.remove_option": "Remove this choice",
+ "compose_form.poll.add_option": "Engadir unha opción",
+ "compose_form.poll.duration": "Duración da sondaxe",
+ "compose_form.poll.option_placeholder": "Opción {number}",
+ "compose_form.poll.remove_option": "Eliminar esta opción",
"compose_form.publish": "Toot",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Marcar medios como sensibles",
"compose_form.sensitive.marked": "Medios marcados como sensibles",
"compose_form.sensitive.unmarked": "Os medios non están marcados como sensibles",
"compose_form.spoiler.marked": "O texto está agochado tras un aviso",
"compose_form.spoiler.unmarked": "O texto non está agochado",
"compose_form.spoiler_placeholder": "Escriba o aviso aquí",
"confirmation_modal.cancel": "Cancelar",
- "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.block_and_report": "Bloquear e Informar",
"confirmations.block.confirm": "Bloquear",
"confirmations.block.message": "Está segura de querer bloquear a {name}?",
"confirmations.delete.confirm": "Borrar",
"confirmations.delete.message": "Está segura de que quere eliminar este estado?",
- "confirmations.delete_list.confirm": "Delete",
+ "confirmations.delete_list.confirm": "Eliminar",
"confirmations.delete_list.message": "Estás seguro de que queres eliminar permanentemente esta lista?",
"confirmations.domain_block.confirm": "Agochar un dominio completo",
"confirmations.domain_block.message": "Realmente está segura de que quere bloquear por completo o dominio {domain}? Normalmente é suficiente, e preferible, bloquear de xeito selectivo varios elementos. Non verá contidos de ese dominio en ningunha liña temporal ou nas notificacións. As súas seguidoras en ese dominio serán eliminadas.",
@@ -138,7 +138,7 @@
"follow_request.reject": "Rexeitar",
"getting_started.developers": "Desenvolvedoras",
"getting_started.directory": "Directorio do perfil",
- "getting_started.documentation": "Documentation",
+ "getting_started.documentation": "Documentación",
"getting_started.heading": "Comezando",
"getting_started.invite": "Convide a xente",
"getting_started.open_source_notice": "Mastodon é software de código aberto. Pode contribuír ou informar de fallos en GitHub en {github}.",
@@ -147,8 +147,8 @@
"hashtag.column_header.tag_mode.all": "e {additional}",
"hashtag.column_header.tag_mode.any": "ou {additional}",
"hashtag.column_header.tag_mode.none": "sen {additional}",
- "hashtag.column_settings.select.no_options_message": "No suggestions found",
- "hashtag.column_settings.select.placeholder": "Enter hashtags…",
+ "hashtag.column_settings.select.no_options_message": "Non se atopan suxestións",
+ "hashtag.column_settings.select.placeholder": "Introducir etiquetas…",
"hashtag.column_settings.tag_mode.all": "Todos estos",
"hashtag.column_settings.tag_mode.any": "Calquera de estos",
"hashtag.column_settings.tag_mode.none": "Ningún de estos",
@@ -156,13 +156,13 @@
"home.column_settings.basic": "Básico",
"home.column_settings.show_reblogs": "Mostrar repeticións",
"home.column_settings.show_replies": "Mostrar respostas",
- "intervals.full.days": "{number, plural, one {# day} other {# days}}",
- "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
+ "intervals.full.days": "{number, plural,one {# día} other {# días}}",
+ "intervals.full.hours": "{number, plural, one {# hora} other {# horas}}",
"intervals.full.minutes": "{number, plural, one {# minuto} other {# minutos}}",
"introduction.federation.action": "Seguinte",
- "introduction.federation.federated.headline": "Federated",
+ "introduction.federation.federated.headline": "Federado",
"introduction.federation.federated.text": "Publicacións públicas desde outros servidores do fediverso aparecerán na liña temporal federada.",
- "introduction.federation.home.headline": "Home",
+ "introduction.federation.home.headline": "Inicio",
"introduction.federation.home.text": "Publicacións de xente que vostede segue aparecerán no TL de Inicio. Pode seguir a calquera en calquer servidor!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Publicacións públicas de xente no seu mesmo servidor aparecerán na liña temporal local.",
@@ -204,19 +204,19 @@
"keyboard_shortcuts.search": "para centrar a busca",
"keyboard_shortcuts.start": "abrir columna \"comezando\"",
"keyboard_shortcuts.toggle_hidden": "mostrar/agochar un texto detrás do AC",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "mostrar/ocultar medios",
"keyboard_shortcuts.toot": "escribir un toot novo",
"keyboard_shortcuts.unfocus": "quitar o foco do área de escritura/busca",
"keyboard_shortcuts.up": "ir hacia arriba na lista",
"lightbox.close": "Fechar",
"lightbox.next": "Seguinte",
"lightbox.previous": "Anterior",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Ver contexto",
"lists.account.add": "Engadir á lista",
"lists.account.remove": "Eliminar da lista",
- "lists.delete": "Delete list",
+ "lists.delete": "Eliminar lista",
"lists.edit": "Editar lista",
- "lists.edit.submit": "Change title",
+ "lists.edit.submit": "Cambiar título",
"lists.new.create": "Engadir lista",
"lists.new.title_placeholder": "Novo título da lista",
"lists.search": "Procurar entre a xente que segues",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Favoritas",
"navigation_bar.filters": "Palabras acaladas",
"navigation_bar.follow_requests": "Peticións de seguimento",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Seguindo e seguidoras",
"navigation_bar.info": "Sobre este servidor",
"navigation_bar.keyboard_shortcuts": "Atallos",
"navigation_bar.lists": "Listas",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "Persoal",
"navigation_bar.pins": "Mensaxes fixadas",
"navigation_bar.preferences": "Preferencias",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Directorio de perfil",
"navigation_bar.public_timeline": "Liña temporal federada",
"navigation_bar.security": "Seguridade",
"notification.favourite": "{name} marcou como favorito o seu estado",
@@ -275,12 +275,12 @@
"notifications.filter.mentions": "Mencións",
"notifications.filter.polls": "Resultados da sondaxe",
"notifications.group": "{count} notificacións",
- "poll.closed": "Closed",
- "poll.refresh": "Refresh",
- "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
+ "poll.closed": "Pechado",
+ "poll.refresh": "Actualizar",
+ "poll.total_votes": "{count, plural, one {# voto} outros {# votos}}",
"poll.vote": "Votar",
- "poll_button.add_poll": "Add a poll",
- "poll_button.remove_poll": "Remove poll",
+ "poll_button.add_poll": "Engadir sondaxe",
+ "poll_button.remove_poll": "Eliminar sondaxe",
"privacy.change": "Axustar a intimidade do estado",
"privacy.direct.long": "Enviar exclusivamente as usuarias mencionadas",
"privacy.direct.short": "Directa",
@@ -317,10 +317,10 @@
"search_results.total": "{count, number} {count,plural,one {result} outros {results}}",
"status.admin_account": "Abrir interface de moderación para @{name}",
"status.admin_status": "Abrir este estado na interface de moderación",
- "status.block": "Block @{name}",
+ "status.block": "Bloquear @{name}",
"status.cancel_reblog_private": "Non promover",
"status.cannot_reblog": "Esta mensaxe non pode ser promovida",
- "status.copy": "Copy link to status",
+ "status.copy": "Copiar ligazón ao estado",
"status.delete": "Eliminar",
"status.detailed_status": "Vista detallada da conversa",
"status.direct": "Mensaxe directa @{name}",
@@ -361,17 +361,17 @@
"tabs_bar.local_timeline": "Local",
"tabs_bar.notifications": "Notificacións",
"tabs_bar.search": "Buscar",
- "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
- "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
- "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
- "time_remaining.moments": "Moments remaining",
- "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
+ "time_remaining.days": "{number, plural, one {# dia} other {# días}} restantes",
+ "time_remaining.hours": "{number, plural, one {# hora} other {# horas}} restantes",
+ "time_remaining.minutes": "{number, plural, one {# minuto} other {# minutos}} restantes",
+ "time_remaining.moments": "Está rematando",
+ "time_remaining.seconds": "{number, plural, one {# segundo} other {# segundos}} restantes",
"trends.count_by_accounts": "{count} {rawCount, plural, one {person} outras {people}} conversando",
"ui.beforeunload": "O borrador perderase se sae de Mastodon.",
"upload_area.title": "Arrastre e solte para subir",
"upload_button.label": "Engadir medios (JPEG, PNG, GIF, WebM, MP4, MOV)",
- "upload_error.limit": "File upload limit exceeded.",
- "upload_error.poll": "File upload not allowed with polls.",
+ "upload_error.limit": "Excedeu o límite de subida de ficheiros.",
+ "upload_error.poll": "Non se poden subir ficheiros nas sondaxes.",
"upload_form.description": "Describa para deficientes visuais",
"upload_form.focus": "Cambiar vista previa",
"upload_form.undo": "Eliminar",
diff --git a/app/javascript/mastodon/locales/he.json b/app/javascript/mastodon/locales/he.json
index b6fc8c6ab1..248be3c7b5 100644
--- a/app/javascript/mastodon/locales/he.json
+++ b/app/javascript/mastodon/locales/he.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/hr.json b/app/javascript/mastodon/locales/hr.json
index 9f0ad1985b..6f9b5343af 100644
--- a/app/javascript/mastodon/locales/hr.json
+++ b/app/javascript/mastodon/locales/hr.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/hu.json b/app/javascript/mastodon/locales/hu.json
index 9fc9444a7c..7be8b7d677 100644
--- a/app/javascript/mastodon/locales/hu.json
+++ b/app/javascript/mastodon/locales/hu.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/hy.json b/app/javascript/mastodon/locales/hy.json
index 74079ba181..b2dc16a484 100644
--- a/app/javascript/mastodon/locales/hy.json
+++ b/app/javascript/mastodon/locales/hy.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/id.json b/app/javascript/mastodon/locales/id.json
index a97f0bd860..07ce0eb985 100644
--- a/app/javascript/mastodon/locales/id.json
+++ b/app/javascript/mastodon/locales/id.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/io.json b/app/javascript/mastodon/locales/io.json
index 00936134a6..c3f8707d13 100644
--- a/app/javascript/mastodon/locales/io.json
+++ b/app/javascript/mastodon/locales/io.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/ja.json b/app/javascript/mastodon/locales/ja.json
index d63b20c895..bdc1f98fb1 100644
--- a/app/javascript/mastodon/locales/ja.json
+++ b/app/javascript/mastodon/locales/ja.json
@@ -250,7 +250,7 @@
"navigation_bar.personal": "個人用",
"navigation_bar.pins": "固定したトゥート",
"navigation_bar.preferences": "ユーザー設定",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "ディレクトリ",
"navigation_bar.public_timeline": "連合タイムライン",
"navigation_bar.misc": "その他",
"navigation_bar.security": "セキュリティ",
diff --git a/app/javascript/mastodon/locales/ka.json b/app/javascript/mastodon/locales/ka.json
index d33de2352f..ff7059aea2 100644
--- a/app/javascript/mastodon/locales/ka.json
+++ b/app/javascript/mastodon/locales/ka.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/ko.json b/app/javascript/mastodon/locales/ko.json
index 42c166fb59..656a36bce2 100644
--- a/app/javascript/mastodon/locales/ko.json
+++ b/app/javascript/mastodon/locales/ko.json
@@ -77,7 +77,7 @@
"compose_form.poll.remove_option": "이 항목 삭제",
"compose_form.publish": "툿",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "미디어를 민감함으로 설정하기",
"compose_form.sensitive.marked": "미디어가 열람주의로 설정되어 있습니다",
"compose_form.sensitive.unmarked": "미디어가 열람주의로 설정 되어 있지 않습니다",
"compose_form.spoiler.marked": "열람주의가 설정되어 있습니다",
@@ -211,7 +211,7 @@
"lightbox.close": "닫기",
"lightbox.next": "다음",
"lightbox.previous": "이전",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "게시물 보기",
"lists.account.add": "리스트에 추가",
"lists.account.remove": "리스트에서 제거",
"lists.delete": "리스트 삭제",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "개인용",
"navigation_bar.pins": "고정된 툿",
"navigation_bar.preferences": "사용자 설정",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "프로필 디렉토리",
"navigation_bar.public_timeline": "연합 타임라인",
"navigation_bar.security": "보안",
"notification.favourite": "{name}님이 즐겨찾기 했습니다",
diff --git a/app/javascript/mastodon/locales/lt.json b/app/javascript/mastodon/locales/lt.json
new file mode 100644
index 0000000000..ac58514d42
--- /dev/null
+++ b/app/javascript/mastodon/locales/lt.json
@@ -0,0 +1,388 @@
+{
+ "account.add_or_remove_from_list": "Add or Remove from lists",
+ "account.badges.bot": "Bot",
+ "account.block": "Block @{name}",
+ "account.block_domain": "Hide everything from {domain}",
+ "account.blocked": "Blocked",
+ "account.direct": "Direct message @{name}",
+ "account.domain_blocked": "Domain hidden",
+ "account.edit_profile": "Edit profile",
+ "account.endorse": "Feature on profile",
+ "account.follow": "Follow",
+ "account.followers": "Followers",
+ "account.followers.empty": "No one follows this user yet.",
+ "account.follows": "Follows",
+ "account.follows.empty": "This user doesn't follow anyone yet.",
+ "account.follows_you": "Follows you",
+ "account.hide_reblogs": "Hide boosts from @{name}",
+ "account.link_verified_on": "Ownership of this link was checked on {date}",
+ "account.locked_info": "This account privacy status is set to locked. The owner manually reviews who can follow them.",
+ "account.media": "Media",
+ "account.mention": "Mention @{name}",
+ "account.moved_to": "{name} has moved to:",
+ "account.mute": "Mute @{name}",
+ "account.mute_notifications": "Mute notifications from @{name}",
+ "account.muted": "Muted",
+ "account.posts": "Toots",
+ "account.posts_with_replies": "Toots and replies",
+ "account.report": "Report @{name}",
+ "account.requested": "Awaiting approval. Click to cancel follow request",
+ "account.share": "Share @{name}'s profile",
+ "account.show_reblogs": "Show boosts from @{name}",
+ "account.unblock": "Unblock @{name}",
+ "account.unblock_domain": "Unhide {domain}",
+ "account.unendorse": "Don't feature on profile",
+ "account.unfollow": "Unfollow",
+ "account.unmute": "Unmute @{name}",
+ "account.unmute_notifications": "Unmute notifications from @{name}",
+ "alert.unexpected.message": "An unexpected error occurred.",
+ "alert.unexpected.title": "Oops!",
+ "boost_modal.combo": "You can press {combo} to skip this next time",
+ "bundle_column_error.body": "Something went wrong while loading this component.",
+ "bundle_column_error.retry": "Try again",
+ "bundle_column_error.title": "Network error",
+ "bundle_modal_error.close": "Close",
+ "bundle_modal_error.message": "Something went wrong while loading this component.",
+ "bundle_modal_error.retry": "Try again",
+ "column.blocks": "Blocked users",
+ "column.community": "Local timeline",
+ "column.direct": "Direct messages",
+ "column.domain_blocks": "Hidden domains",
+ "column.favourites": "Favourites",
+ "column.follow_requests": "Follow requests",
+ "column.home": "Home",
+ "column.lists": "Lists",
+ "column.mutes": "Muted users",
+ "column.notifications": "Notifications",
+ "column.pins": "Pinned toot",
+ "column.public": "Federated timeline",
+ "column_back_button.label": "Back",
+ "column_header.hide_settings": "Hide settings",
+ "column_header.moveLeft_settings": "Move column to the left",
+ "column_header.moveRight_settings": "Move column to the right",
+ "column_header.pin": "Pin",
+ "column_header.show_settings": "Show settings",
+ "column_header.unpin": "Unpin",
+ "column_subheading.settings": "Settings",
+ "community.column_settings.media_only": "Media Only",
+ "compose_form.direct_message_warning": "This toot will only be sent to all the mentioned users.",
+ "compose_form.direct_message_warning_learn_more": "Learn more",
+ "compose_form.hashtag_warning": "This toot won't be listed under any hashtag as it is unlisted. Only public toots can be searched by hashtag.",
+ "compose_form.lock_disclaimer": "Your account is not {locked}. Anyone can follow you to view your follower-only posts.",
+ "compose_form.lock_disclaimer.lock": "locked",
+ "compose_form.placeholder": "What is on your mind?",
+ "compose_form.poll.add_option": "Add a choice",
+ "compose_form.poll.duration": "Poll duration",
+ "compose_form.poll.option_placeholder": "Choice {number}",
+ "compose_form.poll.remove_option": "Remove this choice",
+ "compose_form.publish": "Toot",
+ "compose_form.publish_loud": "{publish}!",
+ "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.marked": "Media is marked as sensitive",
+ "compose_form.sensitive.unmarked": "Media is not marked as sensitive",
+ "compose_form.spoiler.marked": "Text is hidden behind warning",
+ "compose_form.spoiler.unmarked": "Text is not hidden",
+ "compose_form.spoiler_placeholder": "Write your warning here",
+ "confirmation_modal.cancel": "Cancel",
+ "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.confirm": "Block",
+ "confirmations.block.message": "Are you sure you want to block {name}?",
+ "confirmations.delete.confirm": "Delete",
+ "confirmations.delete.message": "Are you sure you want to delete this status?",
+ "confirmations.delete_list.confirm": "Delete",
+ "confirmations.delete_list.message": "Are you sure you want to permanently delete this list?",
+ "confirmations.domain_block.confirm": "Hide entire domain",
+ "confirmations.domain_block.message": "Are you really, really sure you want to block the entire {domain}? In most cases a few targeted blocks or mutes are sufficient and preferable. You will not see content from that domain in any public timelines or your notifications. Your followers from that domain will be removed.",
+ "confirmations.mute.confirm": "Mute",
+ "confirmations.mute.message": "Are you sure you want to mute {name}?",
+ "confirmations.redraft.confirm": "Delete & redraft",
+ "confirmations.redraft.message": "Are you sure you want to delete this status and re-draft it? Favourites and boosts will be lost, and replies to the original post will be orphaned.",
+ "confirmations.reply.confirm": "Reply",
+ "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
+ "confirmations.unfollow.confirm": "Unfollow",
+ "confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
+ "embed.instructions": "Embed this status on your website by copying the code below.",
+ "embed.preview": "Here is what it will look like:",
+ "emoji_button.activity": "Activity",
+ "emoji_button.custom": "Custom",
+ "emoji_button.flags": "Flags",
+ "emoji_button.food": "Food & Drink",
+ "emoji_button.label": "Insert emoji",
+ "emoji_button.nature": "Nature",
+ "emoji_button.not_found": "No emojos!! (╯°□°)╯︵ ┻━┻",
+ "emoji_button.objects": "Objects",
+ "emoji_button.people": "People",
+ "emoji_button.recent": "Frequently used",
+ "emoji_button.search": "Search...",
+ "emoji_button.search_results": "Search results",
+ "emoji_button.symbols": "Symbols",
+ "emoji_button.travel": "Travel & Places",
+ "empty_column.account_timeline": "No toots here!",
+ "empty_column.account_unavailable": "Profile unavailable",
+ "empty_column.blocks": "You haven't blocked any users yet.",
+ "empty_column.community": "The local timeline is empty. Write something publicly to get the ball rolling!",
+ "empty_column.direct": "You don't have any direct messages yet. When you send or receive one, it will show up here.",
+ "empty_column.domain_blocks": "There are no hidden domains yet.",
+ "empty_column.favourited_statuses": "You don't have any favourite toots yet. When you favourite one, it will show up here.",
+ "empty_column.favourites": "No one has favourited this toot yet. When someone does, they will show up here.",
+ "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
+ "empty_column.hashtag": "There is nothing in this hashtag yet.",
+ "empty_column.home": "Your home timeline is empty! Visit {public} or use search to get started and meet other users.",
+ "empty_column.home.public_timeline": "the public timeline",
+ "empty_column.list": "There is nothing in this list yet. When members of this list post new statuses, they will appear here.",
+ "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
+ "empty_column.mutes": "You haven't muted any users yet.",
+ "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
+ "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other servers to fill it up",
+ "follow_request.authorize": "Authorize",
+ "follow_request.reject": "Reject",
+ "getting_started.developers": "Developers",
+ "getting_started.directory": "Profile directory",
+ "getting_started.documentation": "Documentation",
+ "getting_started.heading": "Getting started",
+ "getting_started.invite": "Invite people",
+ "getting_started.open_source_notice": "Mastodon is open source software. You can contribute or report issues on GitHub at {github}.",
+ "getting_started.security": "Security",
+ "getting_started.terms": "Terms of service",
+ "hashtag.column_header.tag_mode.all": "and {additional}",
+ "hashtag.column_header.tag_mode.any": "or {additional}",
+ "hashtag.column_header.tag_mode.none": "without {additional}",
+ "hashtag.column_settings.select.no_options_message": "No suggestions found",
+ "hashtag.column_settings.select.placeholder": "Enter hashtags…",
+ "hashtag.column_settings.tag_mode.all": "All of these",
+ "hashtag.column_settings.tag_mode.any": "Any of these",
+ "hashtag.column_settings.tag_mode.none": "None of these",
+ "hashtag.column_settings.tag_toggle": "Include additional tags in this column",
+ "home.column_settings.basic": "Basic",
+ "home.column_settings.show_reblogs": "Show boosts",
+ "home.column_settings.show_replies": "Show replies",
+ "intervals.full.days": "{number, plural, one {# day} other {# days}}",
+ "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
+ "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
+ "introduction.federation.action": "Next",
+ "introduction.federation.federated.headline": "Federated",
+ "introduction.federation.federated.text": "Public posts from other servers of the fediverse will appear in the federated timeline.",
+ "introduction.federation.home.headline": "Home",
+ "introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
+ "introduction.federation.local.headline": "Local",
+ "introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
+ "introduction.interactions.action": "Finish toot-orial!",
+ "introduction.interactions.favourite.headline": "Favourite",
+ "introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
+ "introduction.interactions.reblog.headline": "Boost",
+ "introduction.interactions.reblog.text": "You can share other people's toots with your followers by boosting them.",
+ "introduction.interactions.reply.headline": "Reply",
+ "introduction.interactions.reply.text": "You can reply to other people's and your own toots, which will chain them together in a conversation.",
+ "introduction.welcome.action": "Let's go!",
+ "introduction.welcome.headline": "First steps",
+ "introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
+ "keyboard_shortcuts.back": "to navigate back",
+ "keyboard_shortcuts.blocked": "to open blocked users list",
+ "keyboard_shortcuts.boost": "to boost",
+ "keyboard_shortcuts.column": "to focus a status in one of the columns",
+ "keyboard_shortcuts.compose": "to focus the compose textarea",
+ "keyboard_shortcuts.description": "Description",
+ "keyboard_shortcuts.direct": "to open direct messages column",
+ "keyboard_shortcuts.down": "to move down in the list",
+ "keyboard_shortcuts.enter": "to open status",
+ "keyboard_shortcuts.favourite": "to favourite",
+ "keyboard_shortcuts.favourites": "to open favourites list",
+ "keyboard_shortcuts.federated": "to open federated timeline",
+ "keyboard_shortcuts.heading": "Keyboard Shortcuts",
+ "keyboard_shortcuts.home": "to open home timeline",
+ "keyboard_shortcuts.hotkey": "Hotkey",
+ "keyboard_shortcuts.legend": "to display this legend",
+ "keyboard_shortcuts.local": "to open local timeline",
+ "keyboard_shortcuts.mention": "to mention author",
+ "keyboard_shortcuts.muted": "to open muted users list",
+ "keyboard_shortcuts.my_profile": "to open your profile",
+ "keyboard_shortcuts.notifications": "to open notifications column",
+ "keyboard_shortcuts.pinned": "to open pinned toots list",
+ "keyboard_shortcuts.profile": "to open author's profile",
+ "keyboard_shortcuts.reply": "to reply",
+ "keyboard_shortcuts.requests": "to open follow requests list",
+ "keyboard_shortcuts.search": "to focus search",
+ "keyboard_shortcuts.start": "to open \"get started\" column",
+ "keyboard_shortcuts.toggle_hidden": "to show/hide text behind CW",
+ "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toot": "to start a brand new toot",
+ "keyboard_shortcuts.unfocus": "to un-focus compose textarea/search",
+ "keyboard_shortcuts.up": "to move up in the list",
+ "lightbox.close": "Close",
+ "lightbox.next": "Next",
+ "lightbox.previous": "Previous",
+ "lightbox.view_context": "View context",
+ "lists.account.add": "Add to list",
+ "lists.account.remove": "Remove from list",
+ "lists.delete": "Delete list",
+ "lists.edit": "Edit list",
+ "lists.edit.submit": "Change title",
+ "lists.new.create": "Add list",
+ "lists.new.title_placeholder": "New list title",
+ "lists.search": "Search among people you follow",
+ "lists.subheading": "Your lists",
+ "loading_indicator.label": "Loading...",
+ "media_gallery.toggle_visible": "Toggle visibility",
+ "missing_indicator.label": "Not found",
+ "missing_indicator.sublabel": "This resource could not be found",
+ "mute_modal.hide_notifications": "Hide notifications from this user?",
+ "navigation_bar.apps": "Mobile apps",
+ "navigation_bar.blocks": "Blocked users",
+ "navigation_bar.community_timeline": "Local timeline",
+ "navigation_bar.compose": "Compose new toot",
+ "navigation_bar.direct": "Direct messages",
+ "navigation_bar.discover": "Discover",
+ "navigation_bar.domain_blocks": "Hidden domains",
+ "navigation_bar.edit_profile": "Edit profile",
+ "navigation_bar.favourites": "Favourites",
+ "navigation_bar.filters": "Muted words",
+ "navigation_bar.follow_requests": "Follow requests",
+ "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.info": "About this server",
+ "navigation_bar.keyboard_shortcuts": "Hotkeys",
+ "navigation_bar.lists": "Lists",
+ "navigation_bar.logout": "Logout",
+ "navigation_bar.mutes": "Muted users",
+ "navigation_bar.personal": "Personal",
+ "navigation_bar.pins": "Pinned toots",
+ "navigation_bar.preferences": "Preferences",
+ "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.public_timeline": "Federated timeline",
+ "navigation_bar.security": "Security",
+ "notification.favourite": "{name} favourited your status",
+ "notification.follow": "{name} followed you",
+ "notification.mention": "{name} mentioned you",
+ "notification.poll": "A poll you have voted in has ended",
+ "notification.reblog": "{name} boosted your status",
+ "notifications.clear": "Clear notifications",
+ "notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?",
+ "notifications.column_settings.alert": "Desktop notifications",
+ "notifications.column_settings.favourite": "Favourites:",
+ "notifications.column_settings.filter_bar.advanced": "Display all categories",
+ "notifications.column_settings.filter_bar.category": "Quick filter bar",
+ "notifications.column_settings.filter_bar.show": "Show",
+ "notifications.column_settings.follow": "New followers:",
+ "notifications.column_settings.mention": "Mentions:",
+ "notifications.column_settings.poll": "Poll results:",
+ "notifications.column_settings.push": "Push notifications",
+ "notifications.column_settings.reblog": "Boosts:",
+ "notifications.column_settings.show": "Show in column",
+ "notifications.column_settings.sound": "Play sound",
+ "notifications.filter.all": "All",
+ "notifications.filter.boosts": "Boosts",
+ "notifications.filter.favourites": "Favourites",
+ "notifications.filter.follows": "Follows",
+ "notifications.filter.mentions": "Mentions",
+ "notifications.filter.polls": "Poll results",
+ "notifications.group": "{count} notifications",
+ "poll.closed": "Closed",
+ "poll.refresh": "Refresh",
+ "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
+ "poll.vote": "Vote",
+ "poll_button.add_poll": "Add a poll",
+ "poll_button.remove_poll": "Remove poll",
+ "privacy.change": "Adjust status privacy",
+ "privacy.direct.long": "Post to mentioned users only",
+ "privacy.direct.short": "Direct",
+ "privacy.private.long": "Post to followers only",
+ "privacy.private.short": "Followers-only",
+ "privacy.public.long": "Post to public timelines",
+ "privacy.public.short": "Public",
+ "privacy.unlisted.long": "Do not show in public timelines",
+ "privacy.unlisted.short": "Unlisted",
+ "regeneration_indicator.label": "Loading…",
+ "regeneration_indicator.sublabel": "Your home feed is being prepared!",
+ "relative_time.days": "{number}d",
+ "relative_time.hours": "{number}h",
+ "relative_time.just_now": "now",
+ "relative_time.minutes": "{number}m",
+ "relative_time.seconds": "{number}s",
+ "reply_indicator.cancel": "Cancel",
+ "report.forward": "Forward to {target}",
+ "report.forward_hint": "The account is from another server. Send an anonymized copy of the report there as well?",
+ "report.hint": "The report will be sent to your server moderators. You can provide an explanation of why you are reporting this account below:",
+ "report.placeholder": "Additional comments",
+ "report.submit": "Submit",
+ "report.target": "Report {target}",
+ "search.placeholder": "Search",
+ "search_popout.search_format": "Advanced search format",
+ "search_popout.tips.full_text": "Simple text returns statuses you have written, favourited, boosted, or have been mentioned in, as well as matching usernames, display names, and hashtags.",
+ "search_popout.tips.hashtag": "hashtag",
+ "search_popout.tips.status": "status",
+ "search_popout.tips.text": "Simple text returns matching display names, usernames and hashtags",
+ "search_popout.tips.user": "user",
+ "search_results.accounts": "People",
+ "search_results.hashtags": "Hashtags",
+ "search_results.statuses": "Toots",
+ "search_results.total": "{count, number} {count, plural, one {result} other {results}}",
+ "status.admin_account": "Open moderation interface for @{name}",
+ "status.admin_status": "Open this status in the moderation interface",
+ "status.block": "Block @{name}",
+ "status.cancel_reblog_private": "Unboost",
+ "status.cannot_reblog": "This post cannot be boosted",
+ "status.copy": "Copy link to status",
+ "status.delete": "Delete",
+ "status.detailed_status": "Detailed conversation view",
+ "status.direct": "Direct message @{name}",
+ "status.embed": "Embed",
+ "status.favourite": "Favourite",
+ "status.filtered": "Filtered",
+ "status.load_more": "Load more",
+ "status.media_hidden": "Media hidden",
+ "status.mention": "Mention @{name}",
+ "status.more": "More",
+ "status.mute": "Mute @{name}",
+ "status.mute_conversation": "Mute conversation",
+ "status.open": "Expand this status",
+ "status.pin": "Pin on profile",
+ "status.pinned": "Pinned toot",
+ "status.read_more": "Read more",
+ "status.reblog": "Boost",
+ "status.reblog_private": "Boost to original audience",
+ "status.reblogged_by": "{name} boosted",
+ "status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
+ "status.redraft": "Delete & re-draft",
+ "status.reply": "Reply",
+ "status.replyAll": "Reply to thread",
+ "status.report": "Report @{name}",
+ "status.sensitive_warning": "Sensitive content",
+ "status.share": "Share",
+ "status.show_less": "Show less",
+ "status.show_less_all": "Show less for all",
+ "status.show_more": "Show more",
+ "status.show_more_all": "Show more for all",
+ "status.show_thread": "Show thread",
+ "status.unmute_conversation": "Unmute conversation",
+ "status.unpin": "Unpin from profile",
+ "suggestions.dismiss": "Dismiss suggestion",
+ "suggestions.header": "You might be interested in…",
+ "tabs_bar.federated_timeline": "Federated",
+ "tabs_bar.home": "Home",
+ "tabs_bar.local_timeline": "Local",
+ "tabs_bar.notifications": "Notifications",
+ "tabs_bar.search": "Search",
+ "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
+ "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
+ "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
+ "time_remaining.moments": "Moments remaining",
+ "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
+ "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
+ "ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
+ "upload_area.title": "Drag & drop to upload",
+ "upload_button.label": "Add media (JPEG, PNG, GIF, WebM, MP4, MOV)",
+ "upload_error.limit": "File upload limit exceeded.",
+ "upload_error.poll": "File upload not allowed with polls.",
+ "upload_form.description": "Describe for the visually impaired",
+ "upload_form.focus": "Crop",
+ "upload_form.undo": "Delete",
+ "upload_progress.label": "Uploading...",
+ "video.close": "Close video",
+ "video.exit_fullscreen": "Exit full screen",
+ "video.expand": "Expand video",
+ "video.fullscreen": "Full screen",
+ "video.hide": "Hide video",
+ "video.mute": "Mute sound",
+ "video.pause": "Pause",
+ "video.play": "Play",
+ "video.unmute": "Unmute sound"
+}
diff --git a/app/javascript/mastodon/locales/lv.json b/app/javascript/mastodon/locales/lv.json
index 8c864f910f..647e23a691 100644
--- a/app/javascript/mastodon/locales/lv.json
+++ b/app/javascript/mastodon/locales/lv.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/ms.json b/app/javascript/mastodon/locales/ms.json
index 19312633a0..d7c5099636 100644
--- a/app/javascript/mastodon/locales/ms.json
+++ b/app/javascript/mastodon/locales/ms.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/nl.json b/app/javascript/mastodon/locales/nl.json
index 60d24273d5..4bcab5ba00 100644
--- a/app/javascript/mastodon/locales/nl.json
+++ b/app/javascript/mastodon/locales/nl.json
@@ -162,14 +162,14 @@
"introduction.federation.action": "Volgende",
"introduction.federation.federated.headline": "Globaal",
"introduction.federation.federated.text": "Openbare toots van mensen op andere servers in de fediverse verschijnen op de globale tijdlijn.",
- "introduction.federation.home.headline": "Home",
+ "introduction.federation.home.headline": "Start",
"introduction.federation.home.text": "Toots van mensen die jij volgt verschijnen onder start. Je kunt iedereen op elke server volgen!",
- "introduction.federation.local.headline": "Local",
+ "introduction.federation.local.headline": "Lokaal",
"introduction.federation.local.text": "Openbare toots van mensen die ook op jouw server zitten verschijnen op de lokale tijdlijn.",
"introduction.interactions.action": "Introductie beëindigen!",
"introduction.interactions.favourite.headline": "Favorieten",
"introduction.interactions.favourite.text": "Je kunt door een toot aan jouw favorieten toe te voegen, deze voor later bewaren en de auteur laten weten dat je de toot leuk vind.",
- "introduction.interactions.reblog.headline": "Boost",
+ "introduction.interactions.reblog.headline": "Boosten",
"introduction.interactions.reblog.text": "Je kunt toots van andere mensen met jouw volgers delen door deze te boosten.",
"introduction.interactions.reply.headline": "Reageren",
"introduction.interactions.reply.text": "Je kunt op toots van andere mensen en op die van jezelf reageren, waardoor er een gesprek ontstaat.",
@@ -204,14 +204,14 @@
"keyboard_shortcuts.search": "om het zoekvak te focussen",
"keyboard_shortcuts.start": "om de \"Aan de slag\"-kolom te tonen",
"keyboard_shortcuts.toggle_hidden": "om tekst achter een waarschuwing (CW) te tonen/verbergen",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "om media te tonen/verbergen",
"keyboard_shortcuts.toot": "om een nieuwe toot te starten",
"keyboard_shortcuts.unfocus": "om het tekst- en zoekvak te ontfocussen",
"keyboard_shortcuts.up": "om omhoog te bewegen in de lijst",
"lightbox.close": "Sluiten",
"lightbox.next": "Volgende",
"lightbox.previous": "Vorige",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Context tonen",
"lists.account.add": "Aan lijst toevoegen",
"lists.account.remove": "Uit lijst verwijderen",
"lists.delete": "Lijst verwijderen",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Favorieten",
"navigation_bar.filters": "Filters",
"navigation_bar.follow_requests": "Volgverzoeken",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Volgers en gevolgden",
"navigation_bar.info": "Over deze server",
"navigation_bar.keyboard_shortcuts": "Sneltoetsen",
"navigation_bar.lists": "Lijsten",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "Persoonlijk",
"navigation_bar.pins": "Vastgezette toots",
"navigation_bar.preferences": "Instellingen",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Gebruikersgids",
"navigation_bar.public_timeline": "Globale tijdlijn",
"navigation_bar.security": "Beveiliging",
"notification.favourite": "{name} voegde jouw toot als favoriet toe",
@@ -293,7 +293,7 @@
"regeneration_indicator.label": "Aan het laden…",
"regeneration_indicator.sublabel": "Jouw tijdlijn wordt aangemaakt!",
"relative_time.days": "{number}d",
- "relative_time.hours": "{number}h",
+ "relative_time.hours": "{number}u",
"relative_time.just_now": "nu",
"relative_time.minutes": "{number}m",
"relative_time.seconds": "{number}s",
@@ -324,7 +324,7 @@
"status.delete": "Verwijderen",
"status.detailed_status": "Uitgebreide gespreksweergave",
"status.direct": "Directe toot @{name}",
- "status.embed": "Embed",
+ "status.embed": "Insluiten",
"status.favourite": "Favoriet",
"status.filtered": "Gefilterd",
"status.load_more": "Meer laden",
@@ -337,7 +337,7 @@
"status.pin": "Aan profielpagina vastmaken",
"status.pinned": "Vastgemaakte toot",
"status.read_more": "Meer lezen",
- "status.reblog": "Boost",
+ "status.reblog": "Boosten",
"status.reblog_private": "Boost naar oorspronkelijke ontvangers",
"status.reblogged_by": "{name} boostte",
"status.reblogs.empty": "Niemand heeft deze toot nog geboost. Wanneer iemand dit doet, valt dat hier te zien.",
diff --git a/app/javascript/mastodon/locales/no.json b/app/javascript/mastodon/locales/no.json
index ee7b504f96..2ba8236e27 100644
--- a/app/javascript/mastodon/locales/no.json
+++ b/app/javascript/mastodon/locales/no.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/pl.json b/app/javascript/mastodon/locales/pl.json
index 3bb490050c..d101c21aac 100644
--- a/app/javascript/mastodon/locales/pl.json
+++ b/app/javascript/mastodon/locales/pl.json
@@ -81,14 +81,14 @@
"compose_form.poll.remove_option": "Usuń tę opcję",
"compose_form.publish": "Wyślij",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Oznacz multimedia jako wrażliwe",
"compose_form.sensitive.marked": "Zawartość multimedia jest oznaczona jako wrażliwa",
"compose_form.sensitive.unmarked": "Zawartość multimedialna nie jest oznaczona jako wrażliwa",
"compose_form.spoiler.marked": "Tekst jest ukryty za ostrzeżeniem",
"compose_form.spoiler.unmarked": "Tekst nie jest ukryty",
"compose_form.spoiler_placeholder": "Wprowadź swoje ostrzeżenie o zawartości",
"confirmation_modal.cancel": "Anuluj",
- "confirmations.block.block_and_report": "Block & Report",
+ "confirmations.block.block_and_report": "Zablokuj i zgłoś",
"confirmations.block.confirm": "Zablokuj",
"confirmations.block.message": "Czy na pewno chcesz zablokować {name}?",
"confirmations.delete.confirm": "Usuń",
@@ -122,7 +122,7 @@
"emoji_button.symbols": "Symbole",
"emoji_button.travel": "Podróże i miejsca",
"empty_column.account_timeline": "Brak wpisów tutaj!",
- "empty_column.account_unavailable": "Profile unavailable",
+ "empty_column.account_unavailable": "Profil niedostępny",
"empty_column.blocks": "Nie zablokowałeś(-aś) jeszcze żadnego użytkownika.",
"empty_column.community": "Lokalna oś czasu jest pusta. Napisz coś publicznie, aby zagaić!",
"empty_column.direct": "Nie masz żadnych wiadomości bezpośrednich. Kiedy dostaniesz lub wyślesz jakąś, pojawi się ona tutaj.",
@@ -208,14 +208,14 @@
"keyboard_shortcuts.search": "aby przejść do pola wyszukiwania",
"keyboard_shortcuts.start": "aby otworzyć kolumnę „Rozpocznij”",
"keyboard_shortcuts.toggle_hidden": "aby wyświetlić lub ukryć wpis spod CW",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "by pokazać/ukryć multimedia",
"keyboard_shortcuts.toot": "aby utworzyć nowy wpis",
"keyboard_shortcuts.unfocus": "aby opuścić pole wyszukiwania/pisania",
"keyboard_shortcuts.up": "aby przejść na górę listy",
"lightbox.close": "Zamknij",
"lightbox.next": "Następne",
"lightbox.previous": "Poprzednie",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Pokaż kontekst",
"lists.account.add": "Dodaj do listy",
"lists.account.remove": "Usunąć z listy",
"lists.delete": "Usuń listę",
@@ -241,7 +241,7 @@
"navigation_bar.favourites": "Ulubione",
"navigation_bar.filters": "Wyciszone słowa",
"navigation_bar.follow_requests": "Prośby o śledzenie",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Śledzeni i śledzący",
"navigation_bar.info": "Szczegółowe informacje",
"navigation_bar.keyboard_shortcuts": "Skróty klawiszowe",
"navigation_bar.lists": "Listy",
@@ -251,7 +251,7 @@
"navigation_bar.personal": "Osobiste",
"navigation_bar.pins": "Przypięte wpisy",
"navigation_bar.preferences": "Preferencje",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Katalog profilów",
"navigation_bar.public_timeline": "Globalna oś czasu",
"navigation_bar.security": "Bezpieczeństwo",
"notification.favourite": "{name} dodał(a) Twój wpis do ulubionych",
@@ -278,7 +278,7 @@
"notifications.filter.favourites": "Ulubione",
"notifications.filter.follows": "Śledzenia",
"notifications.filter.mentions": "Wspomienia",
- "notifications.filter.polls": "Poll results",
+ "notifications.filter.polls": "Wyniki głosowania",
"notifications.group": "{count, number} {count, plural, one {powiadomienie} few {powiadomienia} many {powiadomień} more {powiadomień}}",
"poll.closed": "Zamknięte",
"poll.refresh": "Odśwież",
@@ -312,7 +312,7 @@
"search.placeholder": "Szukaj",
"search_popout.search_format": "Zaawansowane wyszukiwanie",
"search_popout.tips.full_text": "Pozwala na wyszukiwanie wpisów które napisałeś(-aś), dodałeś(-aś) do ulubionych lub podbiłeś(-aś), w których o Tobie wspomniano, oraz pasujące nazwy użytkowników, pełne nazwy i hashtagi.",
- "search_popout.tips.hashtag": "hashtag",
+ "search_popout.tips.hashtag": "hasztag",
"search_popout.tips.status": "wpis",
"search_popout.tips.text": "Proste wyszukiwanie pasujących pseudonimów, nazw użytkowników i hashtagów",
"search_popout.tips.user": "użytkownik",
@@ -376,7 +376,7 @@
"upload_area.title": "Przeciągnij i upuść aby wysłać",
"upload_button.label": "Dodaj zawartość multimedialną (JPEG, PNG, GIF, WebM, MP4, MOV)",
"upload_error.limit": "Przekroczono limit plików do wysłania.",
- "upload_error.poll": "File upload not allowed with polls.",
+ "upload_error.poll": "Dołączanie plików nie dozwolone z głosowaniami.",
"upload_form.description": "Wprowadź opis dla niewidomych i niedowidzących",
"upload_form.focus": "Dopasuj podgląd",
"upload_form.undo": "Usuń",
diff --git a/app/javascript/mastodon/locales/ru.json b/app/javascript/mastodon/locales/ru.json
index 2b98ba96bb..d720b62729 100644
--- a/app/javascript/mastodon/locales/ru.json
+++ b/app/javascript/mastodon/locales/ru.json
@@ -14,7 +14,7 @@
"account.follows": "Подписки",
"account.follows.empty": "Этот пользователь ни на кого не подписан.",
"account.follows_you": "Подписан(а) на Вас",
- "account.hide_reblogs": "Скрыть продвижения от @{name}",
+ "account.hide_reblogs": "Скрыть реблоги от @{name}",
"account.link_verified_on": "Владение этой ссылкой было проверено {date}",
"account.locked_info": "Это закрытый аккаунт. Его владелец вручную одобряет подписчиков.",
"account.media": "Медиа",
@@ -77,7 +77,7 @@
"compose_form.poll.remove_option": "Удалить этот вариант",
"compose_form.publish": "Трубить",
"compose_form.publish_loud": "{publish}!",
- "compose_form.sensitive.hide": "Mark media as sensitive",
+ "compose_form.sensitive.hide": "Пометить медиафайл как чувствительный",
"compose_form.sensitive.marked": "Медиафайлы не отмечены как чувствительные",
"compose_form.sensitive.unmarked": "Медиафайлы не отмечены как чувствительные",
"compose_form.spoiler.marked": "Текст скрыт за предупреждением",
@@ -204,14 +204,14 @@
"keyboard_shortcuts.search": "перейти к поиску",
"keyboard_shortcuts.start": "перейти к разделу \"добро пожаловать\"",
"keyboard_shortcuts.toggle_hidden": "показать/скрыть текст за предупреждением",
- "keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
+ "keyboard_shortcuts.toggle_sensitivity": "показать/скрыть медиафайлы",
"keyboard_shortcuts.toot": "начать писать новый пост",
"keyboard_shortcuts.unfocus": "убрать фокус с поля ввода/поиска",
"keyboard_shortcuts.up": "вверх по списку",
"lightbox.close": "Закрыть",
"lightbox.next": "Далее",
"lightbox.previous": "Назад",
- "lightbox.view_context": "View context",
+ "lightbox.view_context": "Контекст",
"lists.account.add": "Добавить в список",
"lists.account.remove": "Убрать из списка",
"lists.delete": "Удалить список",
@@ -237,7 +237,7 @@
"navigation_bar.favourites": "Понравившееся",
"navigation_bar.filters": "Заглушенные слова",
"navigation_bar.follow_requests": "Запросы на подписку",
- "navigation_bar.follows_and_followers": "Follows and followers",
+ "navigation_bar.follows_and_followers": "Подписки и подписчики",
"navigation_bar.info": "Об узле",
"navigation_bar.keyboard_shortcuts": "Сочетания клавиш",
"navigation_bar.lists": "Списки",
@@ -246,7 +246,7 @@
"navigation_bar.personal": "Личное",
"navigation_bar.pins": "Закреплённые посты",
"navigation_bar.preferences": "Опции",
- "navigation_bar.profile_directory": "Profile directory",
+ "navigation_bar.profile_directory": "Каталог профилей",
"navigation_bar.public_timeline": "Глобальная лента",
"navigation_bar.security": "Безопасность",
"notification.favourite": "{name} понравился Ваш статус",
diff --git a/app/javascript/mastodon/locales/sl.json b/app/javascript/mastodon/locales/sl.json
index 1f7082d82c..736d7da369 100644
--- a/app/javascript/mastodon/locales/sl.json
+++ b/app/javascript/mastodon/locales/sl.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/sq.json b/app/javascript/mastodon/locales/sq.json
index 5dc6d1ceb6..13ce4e9789 100644
--- a/app/javascript/mastodon/locales/sq.json
+++ b/app/javascript/mastodon/locales/sq.json
@@ -67,7 +67,7 @@
"community.column_settings.media_only": "Vetëm Media",
"compose_form.direct_message_warning": "Ky mesazh do t’u dërgohet përdoruesve të përmendur.",
"compose_form.direct_message_warning_learn_more": "Mësoni më tepër",
- "compose_form.hashtag_warning": "Ky mesazh s’do të paraqitet nën ndonjë hashtag, ngaqë s’i është caktuar ndonjë. Vetëm mesazhet publike mund të kërkohen sipas hashtagësh.",
+ "compose_form.hashtag_warning": "Ky mesazh s’do të paraqitet nën ndonjë hashtag, ngaqë s’i është caktuar ndonjë. Vetëm mesazhet publike mund të kërkohen sipas hashtagësh.",
"compose_form.lock_disclaimer": "Llogaria juaj s’është {locked}. Mund ta ndjekë cilido, për të parë postimet tuaja vetëm për ndjekësit.",
"compose_form.lock_disclaimer.lock": "e bllokuar",
"compose_form.placeholder": "Ç’bluani në mendje?",
@@ -253,7 +253,7 @@
"notification.follow": "{name} zuri t’ju ndjekë",
"notification.mention": "{name} ju ka përmendur",
"notification.poll": "A poll you have voted in has ended",
- "notification.reblog": "përforcoi gjendjen tuaj",
+ "notification.reblog": "{name} përforcoi gjendjen tuaj",
"notifications.clear": "Pastroji njoftimet",
"notifications.clear_confirmation": "Jeni i sigurt se doni të pastrohen përgjithmonë krejt njoftimet tuaja?",
"notifications.column_settings.alert": "Njoftime desktopi",
@@ -274,7 +274,7 @@
"notifications.filter.follows": "Ndjekje",
"notifications.filter.mentions": "Përmendje",
"notifications.filter.polls": "Poll results",
- "notifications.group": "%(count)s njoftime",
+ "notifications.group": "{count}s njoftime",
"poll.closed": "Closed",
"poll.refresh": "Refresh",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
diff --git a/app/javascript/mastodon/locales/sr-Latn.json b/app/javascript/mastodon/locales/sr-Latn.json
index 1e5e89919d..8f8ca7c303 100644
--- a/app/javascript/mastodon/locales/sr-Latn.json
+++ b/app/javascript/mastodon/locales/sr-Latn.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/sr.json b/app/javascript/mastodon/locales/sr.json
index 845abe7b28..8ef18a7743 100644
--- a/app/javascript/mastodon/locales/sr.json
+++ b/app/javascript/mastodon/locales/sr.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/sv.json b/app/javascript/mastodon/locales/sv.json
index 44d0c3d30a..ab12be885f 100644
--- a/app/javascript/mastodon/locales/sv.json
+++ b/app/javascript/mastodon/locales/sv.json
@@ -1,5 +1,5 @@
{
- "account.add_or_remove_from_list": "Add or Remove from lists",
+ "account.add_or_remove_from_list": "Lägg till eller ta bort från listor",
"account.badges.bot": "Robot",
"account.block": "Blockera @{name}",
"account.block_domain": "Dölj allt från {domain}",
@@ -10,7 +10,7 @@
"account.endorse": "Feature on profile",
"account.follow": "Följ",
"account.followers": "Följare",
- "account.followers.empty": "No one follows this user yet.",
+ "account.followers.empty": "Ingen följer denna användaren än.",
"account.follows": "Följer",
"account.follows.empty": "This user doesn't follow anyone yet.",
"account.follows_you": "Följer dig",
@@ -36,7 +36,7 @@
"account.unmute": "Ta bort tystad @{name}",
"account.unmute_notifications": "Återaktivera notifikationer från @{name}",
"alert.unexpected.message": "Ett oväntat fel uppstod.",
- "alert.unexpected.title": "Oops!",
+ "alert.unexpected.title": "Whups!",
"boost_modal.combo": "Du kan trycka {combo} för att slippa denna nästa gång",
"bundle_column_error.body": "Något gick fel när du laddade denna komponent.",
"bundle_column_error.retry": "Försök igen",
@@ -151,7 +151,7 @@
"hashtag.column_settings.select.placeholder": "Enter hashtags…",
"hashtag.column_settings.tag_mode.all": "All of these",
"hashtag.column_settings.tag_mode.any": "Any of these",
- "hashtag.column_settings.tag_mode.none": "None of these",
+ "hashtag.column_settings.tag_mode.none": "Ingen av dessa",
"hashtag.column_settings.tag_toggle": "Include additional tags in this column",
"home.column_settings.basic": "Grundläggande",
"home.column_settings.show_reblogs": "Visa knuffar",
@@ -159,14 +159,14 @@
"intervals.full.days": "{number, plural, one {# day} other {# days}}",
"intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
"intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
- "introduction.federation.action": "Next",
+ "introduction.federation.action": "Nästa",
"introduction.federation.federated.headline": "Federated",
"introduction.federation.federated.text": "Public posts from other servers of the fediverse will appear in the federated timeline.",
"introduction.federation.home.headline": "Home",
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
@@ -216,7 +216,7 @@
"lists.account.remove": "Ta bort från lista",
"lists.delete": "Radera lista",
"lists.edit": "Redigera lista",
- "lists.edit.submit": "Change title",
+ "lists.edit.submit": "Ändra titel",
"lists.new.create": "Lägg till lista",
"lists.new.title_placeholder": "Ny listrubrik",
"lists.search": "Sök bland personer du följer",
@@ -226,7 +226,7 @@
"missing_indicator.label": "Hittades inte",
"missing_indicator.sublabel": "Den här resursen kunde inte hittas",
"mute_modal.hide_notifications": "Dölj notifikationer från denna användare?",
- "navigation_bar.apps": "Mobile apps",
+ "navigation_bar.apps": "Mobilappar",
"navigation_bar.blocks": "Blockerade användare",
"navigation_bar.community_timeline": "Lokal tidslinje",
"navigation_bar.compose": "Compose new toot",
@@ -270,15 +270,15 @@
"notifications.column_settings.sound": "Spela upp ljud",
"notifications.filter.all": "All",
"notifications.filter.boosts": "Boosts",
- "notifications.filter.favourites": "Favourites",
+ "notifications.filter.favourites": "Favoriter",
"notifications.filter.follows": "Follows",
"notifications.filter.mentions": "Mentions",
"notifications.filter.polls": "Poll results",
"notifications.group": "{count} aviseringar",
"poll.closed": "Closed",
- "poll.refresh": "Refresh",
+ "poll.refresh": "Ladda om",
"poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
- "poll.vote": "Vote",
+ "poll.vote": "Rösta",
"poll_button.add_poll": "Add a poll",
"poll_button.remove_poll": "Remove poll",
"privacy.change": "Justera sekretess",
@@ -336,7 +336,7 @@
"status.open": "Utvidga denna status",
"status.pin": "Fäst i profil",
"status.pinned": "Fäst toot",
- "status.read_more": "Read more",
+ "status.read_more": "Läs mer",
"status.reblog": "Knuff",
"status.reblog_private": "Knuffa till de ursprungliga åhörarna",
"status.reblogged_by": "{name} knuffade",
@@ -351,7 +351,7 @@
"status.show_less_all": "Visa mindre för alla",
"status.show_more": "Visa mer",
"status.show_more_all": "Visa mer för alla",
- "status.show_thread": "Show thread",
+ "status.show_thread": "Visa tråd",
"status.unmute_conversation": "Öppna konversation",
"status.unpin": "Ångra fäst i profil",
"suggestions.dismiss": "Dismiss suggestion",
diff --git a/app/javascript/mastodon/locales/ta.json b/app/javascript/mastodon/locales/ta.json
index 19312633a0..637ca884a3 100644
--- a/app/javascript/mastodon/locales/ta.json
+++ b/app/javascript/mastodon/locales/ta.json
@@ -1,388 +1,388 @@
{
- "account.add_or_remove_from_list": "Add or Remove from lists",
- "account.badges.bot": "Bot",
+ "account.add_or_remove_from_list": "பட்டியல்களில் இருந்து சேர் அல்லது நீக்குக",
+ "account.badges.bot": "பாட்",
"account.block": "Block @{name}",
- "account.block_domain": "Hide everything from {domain}",
- "account.blocked": "Blocked",
- "account.direct": "Direct message @{name}",
- "account.domain_blocked": "Domain hidden",
- "account.edit_profile": "Edit profile",
- "account.endorse": "Feature on profile",
- "account.follow": "Follow",
- "account.followers": "Followers",
- "account.followers.empty": "No one follows this user yet.",
- "account.follows": "Follows",
- "account.follows.empty": "This user doesn't follow anyone yet.",
- "account.follows_you": "Follows you",
- "account.hide_reblogs": "Hide boosts from @{name}",
- "account.link_verified_on": "Ownership of this link was checked on {date}",
- "account.locked_info": "This account privacy status is set to locked. The owner manually reviews who can follow them.",
+ "account.block_domain": "எல்லாவற்றையும் மறைக்க {domain}",
+ "account.blocked": "தடைமுட்டுகள்",
+ "account.direct": "நேரடி செய்தி @{name}",
+ "account.domain_blocked": "டொமைன் மறைக்கப்பட்டது",
+ "account.edit_profile": "சுயவிவரத்தைத் திருத்தவும்",
+ "account.endorse": "சுயவிவரத்தில் அம்சம்",
+ "account.follow": "பின்பற்று",
+ "account.followers": "பின்பற்றுபவர்கள்",
+ "account.followers.empty": "இதுவரை யாரும் இந்த பயனரைப் பின்தொடரவில்லை.",
+ "account.follows": "பின்பற்று",
+ "account.follows.empty": "இந்த பயனர் இதுவரை யாரையும் பின்தொடரவில்லை.",
+ "account.follows_you": "நீ பின் தொடர்கிறாய்",
+ "account.hide_reblogs": "இருந்து ஊக்கியாக மறை @{name}",
+ "account.link_verified_on": "இந்த இணைப்பை உரிமையாளர் சரிபார்க்கப்பட்டது {date}",
+ "account.locked_info": "இந்தக் கணக்கு தனியுரிமை நிலை பூட்டப்பட்டுள்ளது. அவர்களைப் பின்தொடர்பவர் யார் என்பதை உரிமையாளர் கைமுறையாக மதிப்பாய்வு செய்கிறார்.",
"account.media": "Media",
- "account.mention": "Mention @{name}",
- "account.moved_to": "{name} has moved to:",
- "account.mute": "Mute @{name}",
- "account.mute_notifications": "Mute notifications from @{name}",
- "account.muted": "Muted",
+ "account.mention": "குறிப்பிடு @{name}",
+ "account.moved_to": "{name} நகர்த்தப்பட்டது:",
+ "account.mute": "ஊமையான @{name}",
+ "account.mute_notifications": "அறிவிப்புகளை முடக்கு @{name}",
+ "account.muted": "முடக்கியது",
"account.posts": "Toots",
- "account.posts_with_replies": "Toots and replies",
+ "account.posts_with_replies": "Toots மற்றும் பதில்கள்",
"account.report": "Report @{name}",
- "account.requested": "Awaiting approval. Click to cancel follow request",
- "account.share": "Share @{name}'s profile",
- "account.show_reblogs": "Show boosts from @{name}",
- "account.unblock": "Unblock @{name}",
- "account.unblock_domain": "Unhide {domain}",
- "account.unendorse": "Don't feature on profile",
- "account.unfollow": "Unfollow",
- "account.unmute": "Unmute @{name}",
- "account.unmute_notifications": "Unmute notifications from @{name}",
- "alert.unexpected.message": "An unexpected error occurred.",
- "alert.unexpected.title": "Oops!",
- "boost_modal.combo": "You can press {combo} to skip this next time",
- "bundle_column_error.body": "Something went wrong while loading this component.",
- "bundle_column_error.retry": "Try again",
+ "account.requested": "ஒப்புதலுக்காக காத்திருக்கிறது. கோரிக்கையை ரத்துசெய்ய கிளிக் செய்க",
+ "account.share": "பங்கிடு @{name}'s மனித முகத்தின்",
+ "account.show_reblogs": "காட்டு boosts இருந்து @{name}",
+ "account.unblock": "விடுவி @{name}",
+ "account.unblock_domain": "காண்பி {domain}",
+ "account.unendorse": "சுயவிவரத்தில் அம்சம் இல்லை",
+ "account.unfollow": "பின்தொடராட்",
+ "account.unmute": "தடுப்புநீக்கு @{name}",
+ "account.unmute_notifications": "அறிவிப்புகளை அகற்றவும் @{name}",
+ "alert.unexpected.message": "எதிர் பாராத பிழை ஏற்பட்டு விட்டது.",
+ "alert.unexpected.title": "அச்சச்சோ!",
+ "boost_modal.combo": "நீங்கள் அழுத்தவும் {combo} அடுத்த முறை தவிர்க்கவும்",
+ "bundle_column_error.body": "இந்த கூறுகளை ஏற்றும்போது ஏதோ தவறு ஏற்பட்டது.",
+ "bundle_column_error.retry": "மீண்டும் முயற்சி செய்",
"bundle_column_error.title": "Network error",
- "bundle_modal_error.close": "Close",
- "bundle_modal_error.message": "Something went wrong while loading this component.",
- "bundle_modal_error.retry": "Try again",
- "column.blocks": "Blocked users",
- "column.community": "Local timeline",
- "column.direct": "Direct messages",
- "column.domain_blocks": "Hidden domains",
- "column.favourites": "Favourites",
- "column.follow_requests": "Follow requests",
+ "bundle_modal_error.close": "நெருக்கமாக",
+ "bundle_modal_error.message": "இந்த கூறுகளை ஏற்றும்போது ஏதோ தவறு ஏற்பட்டது.",
+ "bundle_modal_error.retry": "மீண்டும் முயற்சி செய்",
+ "column.blocks": "தடுக்கப்பட்ட பயனர்கள்",
+ "column.community": "உள்ளூர் காலக்கெடு",
+ "column.direct": "நேரடி செய்திகள்",
+ "column.domain_blocks": "மறைந்த களங்கள்",
+ "column.favourites": "விருப்பத்துக்குகந்த",
+ "column.follow_requests": "கோரிக்கைகளை பின்பற்றவும்",
"column.home": "Home",
- "column.lists": "Lists",
- "column.mutes": "Muted users",
+ "column.lists": "குதிரை வீர்ர்கள்",
+ "column.mutes": "முடக்கப்பட்ட பயனர்கள்",
"column.notifications": "Notifications",
"column.pins": "Pinned toot",
- "column.public": "Federated timeline",
- "column_back_button.label": "Back",
- "column_header.hide_settings": "Hide settings",
- "column_header.moveLeft_settings": "Move column to the left",
- "column_header.moveRight_settings": "Move column to the right",
- "column_header.pin": "Pin",
- "column_header.show_settings": "Show settings",
- "column_header.unpin": "Unpin",
- "column_subheading.settings": "Settings",
- "community.column_settings.media_only": "Media Only",
+ "column.public": "கூட்டாட்சி காலக்கெடு",
+ "column_back_button.label": "ஆதரி",
+ "column_header.hide_settings": "அமைப்புகளை மறை",
+ "column_header.moveLeft_settings": "நெடுவரிசையை இடதுபுறமாக நகர்த்தவும்",
+ "column_header.moveRight_settings": "நெடுவரிசை வலது புறமாக நகர்த்து",
+ "column_header.pin": "குண்டூசி",
+ "column_header.show_settings": "அமைப்புகளைக் காட்டு",
+ "column_header.unpin": "பொருத்தப்படாத",
+ "column_subheading.settings": "அமைப்புகள்",
+ "community.column_settings.media_only": "மீடியா மட்டுமே",
"compose_form.direct_message_warning": "This toot will only be sent to all the mentioned users.",
- "compose_form.direct_message_warning_learn_more": "Learn more",
- "compose_form.hashtag_warning": "This toot won't be listed under any hashtag as it is unlisted. Only public toots can be searched by hashtag.",
- "compose_form.lock_disclaimer": "Your account is not {locked}. Anyone can follow you to view your follower-only posts.",
- "compose_form.lock_disclaimer.lock": "locked",
+ "compose_form.direct_message_warning_learn_more": "மேலும் அறிக",
+ "compose_form.hashtag_warning": "இந்த toot பட்டியலிடப்படாதது போல எந்த ஹேஸ்டேக்கின் கீழ் பட்டியலிடப்படாது. ஹேஸ்டேக் மூலம் பொது டோட்டல்கள் மட்டுமே தேட முடியும்.",
+ "compose_form.lock_disclaimer": "உங்கள் கணக்கு அல்ல {locked}. உங்களுடைய பின்தொடர்பவர் மட்டும் இடுகைகளை யாராவது காணலாம்.",
+ "compose_form.lock_disclaimer.lock": "தாழிடு",
"compose_form.placeholder": "What is on your mind?",
- "compose_form.poll.add_option": "Add a choice",
- "compose_form.poll.duration": "Poll duration",
- "compose_form.poll.option_placeholder": "Choice {number}",
- "compose_form.poll.remove_option": "Remove this choice",
+ "compose_form.poll.add_option": "ஒரு விருப்பத்தைச் சேர்க்கவும்",
+ "compose_form.poll.duration": "வாக்கெடுப்பு காலம்",
+ "compose_form.poll.option_placeholder": "தேர்ந்தெடுப்ப {number}",
+ "compose_form.poll.remove_option": "இந்த விருப்பத்தை அகற்றவும்",
"compose_form.publish": "Toot",
"compose_form.publish_loud": "{publish}!",
"compose_form.sensitive.hide": "Mark media as sensitive",
- "compose_form.sensitive.marked": "Media is marked as sensitive",
- "compose_form.sensitive.unmarked": "Media is not marked as sensitive",
- "compose_form.spoiler.marked": "Text is hidden behind warning",
- "compose_form.spoiler.unmarked": "Text is not hidden",
- "compose_form.spoiler_placeholder": "Write your warning here",
- "confirmation_modal.cancel": "Cancel",
+ "compose_form.sensitive.marked": "ஊடகம் உணர்திறன் என குறிக்கப்பட்டுள்ளது",
+ "compose_form.sensitive.unmarked": "ஊடகம் உணர்திறன் என குறிக்கப்படவில்லை",
+ "compose_form.spoiler.marked": "எச்சரிக்கை பின்னால் உரை மறைக்கப்பட்டுள்ளது",
+ "compose_form.spoiler.unmarked": "உரை மறைக்கப்படவில்லை",
+ "compose_form.spoiler_placeholder": "இங்கே உங்கள் எச்சரிக்கையை எழுதுங்கள்",
+ "confirmation_modal.cancel": "எதிராணை",
"confirmations.block.block_and_report": "Block & Report",
"confirmations.block.confirm": "Block",
- "confirmations.block.message": "Are you sure you want to block {name}?",
+ "confirmations.block.message": "நீங்கள் நிச்சயமாக தடைசெய்ய விரும்புகிறீர்களா {name}?",
"confirmations.delete.confirm": "Delete",
- "confirmations.delete.message": "Are you sure you want to delete this status?",
+ "confirmations.delete.message": "இந்த நிலையை நிச்சயமாக நீக்க விரும்புகிறீர்களா?",
"confirmations.delete_list.confirm": "Delete",
- "confirmations.delete_list.message": "Are you sure you want to permanently delete this list?",
- "confirmations.domain_block.confirm": "Hide entire domain",
- "confirmations.domain_block.message": "Are you really, really sure you want to block the entire {domain}? In most cases a few targeted blocks or mutes are sufficient and preferable. You will not see content from that domain in any public timelines or your notifications. Your followers from that domain will be removed.",
- "confirmations.mute.confirm": "Mute",
- "confirmations.mute.message": "Are you sure you want to mute {name}?",
- "confirmations.redraft.confirm": "Delete & redraft",
- "confirmations.redraft.message": "Are you sure you want to delete this status and re-draft it? Favourites and boosts will be lost, and replies to the original post will be orphaned.",
- "confirmations.reply.confirm": "Reply",
- "confirmations.reply.message": "Replying now will overwrite the message you are currently composing. Are you sure you want to proceed?",
- "confirmations.unfollow.confirm": "Unfollow",
- "confirmations.unfollow.message": "Are you sure you want to unfollow {name}?",
- "embed.instructions": "Embed this status on your website by copying the code below.",
- "embed.preview": "Here is what it will look like:",
- "emoji_button.activity": "Activity",
- "emoji_button.custom": "Custom",
- "emoji_button.flags": "Flags",
- "emoji_button.food": "Food & Drink",
+ "confirmations.delete_list.message": "இந்த பட்டியலில் நிரந்தரமாக நீக்க விரும்புகிறீர்களா?",
+ "confirmations.domain_block.confirm": "முழு டொமைனை மறை",
+ "confirmations.domain_block.message": "நீங்கள் உண்மையில், நிச்சயமாக நீங்கள் முழு தடுக்க வேண்டும் நிச்சயமாக {domain}? பெரும்பாலான சந்தர்ப்பங்களில் ஒரு சில இலக்குகள் அல்லது மியூட்கள் போதுமானவை மற்றும் சிறந்தவை. எந்த பொது நேரத்திலும் அல்லது உங்கள் அறிவிப்புகளிலும் அந்தக் களத்திலிருந்து உள்ளடக்கத்தை நீங்கள் பார்க்க மாட்டீர்கள். அந்த களத்தில் இருந்து உங்கள் ஆதரவாளர்கள் அகற்றப்படுவார்கள்.",
+ "confirmations.mute.confirm": "ஊமையான",
+ "confirmations.mute.message": "நிச்சயமாக நீங்கள் முடக்க விரும்புகிறீர்களா {name}?",
+ "confirmations.redraft.confirm": "நீக்கு & redraft",
+ "confirmations.redraft.message": "நிச்சயமாக இந்த நிலையை நீக்கி, அதை மறுபடியும் உருவாக்க வேண்டுமா? பிடித்தவை மற்றும் ஊக்கங்கள் இழக்கப்படும், மற்றும் அசல் இடுகையில் பதில்கள் அனாதையான இருக்கும்.",
+ "confirmations.reply.confirm": "பதில்",
+ "confirmations.reply.message": "இப்போது பதில், தற்போது நீங்கள் உருவாக்கும் செய்தி மேலெழுதப்படும். நீங்கள் தொடர விரும்புகிறீர்களா?",
+ "confirmations.unfollow.confirm": "பின்தொடராட்",
+ "confirmations.unfollow.message": "நிச்சயமாக நீங்கள் பின்தொடர விரும்புகிறீர்களா {name}?",
+ "embed.instructions": "கீழே உள்ள குறியீட்டை நகலெடுப்பதன் மூலம் உங்கள் இணையதளத்தில் இந்த நிலையை உட்பொதிக்கவும்.",
+ "embed.preview": "இது போன்ற தோற்றத்தை இங்கு காணலாம்:",
+ "emoji_button.activity": "நடவடிக்கை",
+ "emoji_button.custom": "வழக்கம்",
+ "emoji_button.flags": "கொடி",
+ "emoji_button.food": "உணவு மற்றும் பானம்",
"emoji_button.label": "Insert emoji",
- "emoji_button.nature": "Nature",
- "emoji_button.not_found": "No emojos!! (╯°□°)╯︵ ┻━┻",
- "emoji_button.objects": "Objects",
+ "emoji_button.nature": "இயற்கை",
+ "emoji_button.not_found": "எமோஜோஸ் இல்லை! (╯°□°)╯︵ ┻━┻",
+ "emoji_button.objects": "மறுப்ப கூறு",
"emoji_button.people": "People",
- "emoji_button.recent": "Frequently used",
- "emoji_button.search": "Search...",
- "emoji_button.search_results": "Search results",
+ "emoji_button.recent": "அடிக்கடி பயன்படுத்தப்படும்",
+ "emoji_button.search": "தேடல்...",
+ "emoji_button.search_results": "தேடல் முடிவுகள்",
"emoji_button.symbols": "Symbols",
- "emoji_button.travel": "Travel & Places",
- "empty_column.account_timeline": "No toots here!",
- "empty_column.account_unavailable": "Profile unavailable",
- "empty_column.blocks": "You haven't blocked any users yet.",
- "empty_column.community": "The local timeline is empty. Write something publicly to get the ball rolling!",
- "empty_column.direct": "You don't have any direct messages yet. When you send or receive one, it will show up here.",
- "empty_column.domain_blocks": "There are no hidden domains yet.",
- "empty_column.favourited_statuses": "You don't have any favourite toots yet. When you favourite one, it will show up here.",
- "empty_column.favourites": "No one has favourited this toot yet. When someone does, they will show up here.",
- "empty_column.follow_requests": "You don't have any follow requests yet. When you receive one, it will show up here.",
- "empty_column.hashtag": "There is nothing in this hashtag yet.",
- "empty_column.home": "Your home timeline is empty! Visit {public} or use search to get started and meet other users.",
- "empty_column.home.public_timeline": "the public timeline",
- "empty_column.list": "There is nothing in this list yet. When members of this list post new statuses, they will appear here.",
- "empty_column.lists": "You don't have any lists yet. When you create one, it will show up here.",
- "empty_column.mutes": "You haven't muted any users yet.",
- "empty_column.notifications": "You don't have any notifications yet. Interact with others to start the conversation.",
- "empty_column.public": "There is nothing here! Write something publicly, or manually follow users from other instances to fill it up",
- "follow_request.authorize": "Authorize",
- "follow_request.reject": "Reject",
- "getting_started.developers": "Developers",
- "getting_started.directory": "Profile directory",
+ "emoji_button.travel": "சுற்றுலா மற்றும் இடங்கள்",
+ "empty_column.account_timeline": "இல்லை toots இங்கே!",
+ "empty_column.account_unavailable": "சுயவிவரம் கிடைக்கவில்லை",
+ "empty_column.blocks": "இதுவரை எந்த பயனர்களும் தடுக்கவில்லை.",
+ "empty_column.community": "உள்ளூர் காலக்கெடு காலியாக உள்ளது. பந்தை உருட்டிக்கொள்வதற்கு பகிரங்கமாக ஒன்றை எழுதுங்கள்!",
+ "empty_column.direct": "உங்களிடம் நேரடியான செய்திகள் எதுவும் இல்லை. நீங்கள் ஒன்றை அனுப்பி அல்லது பெறும் போது, அது இங்கே காண்பிக்கும்.",
+ "empty_column.domain_blocks": "இன்னும் மறைந்த களங்கள் இல்லை.",
+ "empty_column.favourited_statuses": "இதுவரை உங்களுக்கு பிடித்த டோட்டுகள் இல்லை. உங்களுக்கு பிடித்த ஒரு போது, அது இங்கே காண்பிக்கும்.",
+ "empty_column.favourites": "இதுவரை யாரும் இந்தத் தட்டுக்கு ஆதரவில்லை. யாராவது செய்தால், அவர்கள் இங்கே காண்பார்கள்.",
+ "empty_column.follow_requests": "உங்களுக்கு இன்னும் எந்தவொரு கோரிக்கைகளும் இல்லை. நீங்கள் ஒன்றைப் பெற்றுக்கொண்டால், அது இங்கே காண்பிக்கும்.",
+ "empty_column.hashtag": "இன்னும் இந்த ஹேஸ்டேக்கில் எதுவும் இல்லை.",
+ "empty_column.home": "உங்கள் வீட்டுக் காலம் காலியாக உள்ளது! வருகை {public} அல்லது தொடங்குவதற்கு தேடலைப் பயன்படுத்தலாம் மற்றும் பிற பயனர்களை சந்திக்கவும்.",
+ "empty_column.home.public_timeline": "பொது காலக்கெடு",
+ "empty_column.list": "இந்த பட்டியலில் இதுவரை எதுவும் இல்லை. இந்த பட்டியலின் உறுப்பினர்கள் புதிய நிலைகளை இடுகையிடுகையில், அவை இங்கே தோன்றும்.",
+ "empty_column.lists": "உங்களுக்கு இதுவரை எந்த பட்டியலும் இல்லை. நீங்கள் ஒன்றை உருவாக்கினால், அது இங்கே காண்பிக்கும்.",
+ "empty_column.mutes": "நீங்கள் இதுவரை எந்த பயனர்களையும் முடக்கியிருக்கவில்லை.",
+ "empty_column.notifications": "உங்களிடம் எந்த அறிவிப்புகளும் இல்லை. உரையாடலைத் தொடங்க பிறருடன் தொடர்புகொள்ளவும்.",
+ "empty_column.public": "இங்கே எதுவும் இல்லை! பகிரங்கமாக ஒன்றை எழுதவும் அல்லது மற்ற நிகழ்வுகளிலிருந்து பயனர்களை அதை நிரப்புவதற்கு கைமுறையாக பின்பற்றவும்",
+ "follow_request.authorize": "அதிகாரமளி",
+ "follow_request.reject": "விலக்கு",
+ "getting_started.developers": "உருவாக்குநர்கள்",
+ "getting_started.directory": "சுயவிவர அடைவு",
"getting_started.documentation": "Documentation",
- "getting_started.heading": "Getting started",
- "getting_started.invite": "Invite people",
- "getting_started.open_source_notice": "Mastodon is open source software. You can contribute or report issues on GitHub at {github}.",
- "getting_started.security": "Security",
- "getting_started.terms": "Terms of service",
- "hashtag.column_header.tag_mode.all": "and {additional}",
- "hashtag.column_header.tag_mode.any": "or {additional}",
- "hashtag.column_header.tag_mode.none": "without {additional}",
- "hashtag.column_settings.select.no_options_message": "No suggestions found",
- "hashtag.column_settings.select.placeholder": "Enter hashtags…",
- "hashtag.column_settings.tag_mode.all": "All of these",
- "hashtag.column_settings.tag_mode.any": "Any of these",
- "hashtag.column_settings.tag_mode.none": "None of these",
- "hashtag.column_settings.tag_toggle": "Include additional tags in this column",
- "home.column_settings.basic": "Basic",
- "home.column_settings.show_reblogs": "Show boosts",
- "home.column_settings.show_replies": "Show replies",
- "intervals.full.days": "{number, plural, one {# day} other {# days}}",
- "intervals.full.hours": "{number, plural, one {# hour} other {# hours}}",
- "intervals.full.minutes": "{number, plural, one {# minute} other {# minutes}}",
- "introduction.federation.action": "Next",
+ "getting_started.heading": "தொடங்குதல்",
+ "getting_started.invite": "நபர்களை அழைக்கவும்",
+ "getting_started.open_source_notice": "Mastodon திறந்த மூல மென்பொருள். GitHub இல் நீங்கள் பங்களிக்கவோ அல்லது புகார் அளிக்கவோ முடியும் {github}.",
+ "getting_started.security": "பத்திரம்",
+ "getting_started.terms": "சேவை விதிமுறைகள்",
+ "hashtag.column_header.tag_mode.all": "மற்றும் {additional}",
+ "hashtag.column_header.tag_mode.any": "அல்லது {additional}",
+ "hashtag.column_header.tag_mode.none": "இல்லாமல் {additional}",
+ "hashtag.column_settings.select.no_options_message": "பரிந்துரைகள் எதுவும் இல்லை",
+ "hashtag.column_settings.select.placeholder": "ஹாஷ்டேகுகளை உள்ளிடவும் …",
+ "hashtag.column_settings.tag_mode.all": "இவை அனைத்தும்",
+ "hashtag.column_settings.tag_mode.any": "இவை எதையும்",
+ "hashtag.column_settings.tag_mode.none": "இவற்றில் ஏதுமில்லை",
+ "hashtag.column_settings.tag_toggle": "இந்த நெடுவரிசையில் கூடுதல் குறிச்சொற்களை சேர்க்கவும்",
+ "home.column_settings.basic": "அடிப்படையான",
+ "home.column_settings.show_reblogs": "காட்டு boosts",
+ "home.column_settings.show_replies": "பதில்களைக் காண்பி",
+ "intervals.full.days": "{number, plural, one {# day} மற்ற {# days}}",
+ "intervals.full.hours": "{number, plural, one {# hour} மற்ற {# hours}}",
+ "intervals.full.minutes": "{number, plural, one {# minute} மற்ற {# minutes}}",
+ "introduction.federation.action": "அடுத்த",
"introduction.federation.federated.headline": "Federated",
- "introduction.federation.federated.text": "Public posts from other servers of the fediverse will appear in the federated timeline.",
+ "introduction.federation.federated.text": "கூட்டமைப்பின் பிற சேவையகங்களிலிருந்து பொது பதிவுகள் கூட்டப்பட்ட காலக்கெடுவில் தோன்றும்.",
"introduction.federation.home.headline": "Home",
- "introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
+ "introduction.federation.home.text": "நீங்கள் பின்பற்றும் நபர்களின் இடுகைகள் உங்கள் வீட்டு ஊட்டத்தில் தோன்றும். நீங்கள் எந்த சர்வரில் யாரையும் பின்பற்ற முடியும்!",
"introduction.federation.local.headline": "Local",
- "introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
- "introduction.interactions.favourite.headline": "Favourite",
- "introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
- "introduction.interactions.reblog.headline": "Boost",
- "introduction.interactions.reblog.text": "You can share other people's toots with your followers by boosting them.",
- "introduction.interactions.reply.headline": "Reply",
- "introduction.interactions.reply.text": "You can reply to other people's and your own toots, which will chain them together in a conversation.",
- "introduction.welcome.action": "Let's go!",
- "introduction.welcome.headline": "First steps",
- "introduction.welcome.text": "Welcome to the fediverse! In a few moments, you'll be able to broadcast messages and talk to your friends across a wide variety of servers. But this server, {domain}, is special—it hosts your profile, so remember its name.",
- "keyboard_shortcuts.back": "to navigate back",
- "keyboard_shortcuts.blocked": "to open blocked users list",
- "keyboard_shortcuts.boost": "to boost",
- "keyboard_shortcuts.column": "to focus a status in one of the columns",
- "keyboard_shortcuts.compose": "to focus the compose textarea",
+ "introduction.federation.local.text": "உள்ளூர் சேவையகத்தில் தோன்றும் அதே சர்வரில் உள்ளவர்களின் பொது இடுகைகள்.",
+ "introduction.interactions.action": "பயிற்சி முடிக்க!",
+ "introduction.interactions.favourite.headline": "விருப்பத்துக்குகந்த",
+ "introduction.interactions.favourite.text": "நீங்கள் ஒரு காப்பாற்ற முடியும் toot பின்னர், மற்றும் ஆசிரியர் அதை நீங்கள் பிடித்திருக்கிறது என்று, அதை பிடித்திருக்கிறது என்று தெரியப்படுத்துங்கள்.",
+ "introduction.interactions.reblog.headline": "மதிப்பை உயர்த்து",
+ "introduction.interactions.reblog.text": "மற்றவர்களின் பகிர்ந்து கொள்ளலாம் toots உங்கள் ஆதரவாளர்களுடன் அவர்களை அதிகரிக்கும்.",
+ "introduction.interactions.reply.headline": "மறுமொழி கூறு",
+ "introduction.interactions.reply.text": "நீங்கள் மற்றவர்களுக்கும் உங்கள் சொந்த டோட்ட்களிற்கும் பதிலளிப்பீர்கள், இது ஒரு உரையாடலில் சங்கிலி ஒன்றாகச் சேரும்.",
+ "introduction.welcome.action": "போகலாம்!",
+ "introduction.welcome.headline": "முதல் படிகள்",
+ "introduction.welcome.text": "கூட்டாளிக்கு வருக! ஒரு சில நிமிடங்களில், பலவிதமான சேவையகங்களில் செய்திகளை உரையாட மற்றும் உங்கள் நண்பர்களிடம் பேச முடியும். ஆனால் இந்த சர்வர், {domain}, சிறப்பு - இது உங்கள் சுயவிவரத்தை வழங்குகிறது, எனவே அதன் பெயரை நினைவில் கொள்ளுங்கள்.",
+ "keyboard_shortcuts.back": "மீண்டும் செல்லவும்",
+ "keyboard_shortcuts.blocked": "தடுக்கப்பட்ட பயனர்களின் பட்டியலைத் திறக்க",
+ "keyboard_shortcuts.boost": "அதிகரிக்கும்",
+ "keyboard_shortcuts.column": "நெடுவரிசைகளில் ஒன்றில் நிலைக்கு கவனம் செலுத்த வேண்டும்",
+ "keyboard_shortcuts.compose": "தொகு உரைப்பகுதியை கவனத்தில் கொள்ளவும்",
"keyboard_shortcuts.description": "Description",
- "keyboard_shortcuts.direct": "to open direct messages column",
- "keyboard_shortcuts.down": "to move down in the list",
+ "keyboard_shortcuts.direct": "நேரடி செய்திகள் பத்தி திறக்க",
+ "keyboard_shortcuts.down": "பட்டியலில் கீழே நகர்த்த",
"keyboard_shortcuts.enter": "to open status",
- "keyboard_shortcuts.favourite": "to favourite",
- "keyboard_shortcuts.favourites": "to open favourites list",
- "keyboard_shortcuts.federated": "to open federated timeline",
+ "keyboard_shortcuts.favourite": "பிடித்தது",
+ "keyboard_shortcuts.favourites": "பிடித்தவை பட்டியலை திறக்க",
+ "keyboard_shortcuts.federated": "ஒருங்கிணைந்த நேரத்தை திறக்க",
"keyboard_shortcuts.heading": "Keyboard Shortcuts",
- "keyboard_shortcuts.home": "to open home timeline",
- "keyboard_shortcuts.hotkey": "Hotkey",
- "keyboard_shortcuts.legend": "to display this legend",
- "keyboard_shortcuts.local": "to open local timeline",
- "keyboard_shortcuts.mention": "to mention author",
- "keyboard_shortcuts.muted": "to open muted users list",
- "keyboard_shortcuts.my_profile": "to open your profile",
- "keyboard_shortcuts.notifications": "to open notifications column",
- "keyboard_shortcuts.pinned": "to open pinned toots list",
- "keyboard_shortcuts.profile": "to open author's profile",
- "keyboard_shortcuts.reply": "to reply",
- "keyboard_shortcuts.requests": "to open follow requests list",
- "keyboard_shortcuts.search": "to focus search",
- "keyboard_shortcuts.start": "to open \"get started\" column",
- "keyboard_shortcuts.toggle_hidden": "to show/hide text behind CW",
+ "keyboard_shortcuts.home": "வீட்டு நேரத்தை திறக்க",
+ "keyboard_shortcuts.hotkey": "ஹாட் கீ",
+ "keyboard_shortcuts.legend": "இந்த புராணத்தை காட்சிப்படுத்த",
+ "keyboard_shortcuts.local": "உள்ளூர் காலவரிசை திறக்க",
+ "keyboard_shortcuts.mention": "எழுத்தாளர் குறிப்பிட வேண்டும்",
+ "keyboard_shortcuts.muted": "முடக்கப்பட்ட பயனர்களின் பட்டியலைத் திறக்க",
+ "keyboard_shortcuts.my_profile": "உங்கள் சுயவிவரத்தை திறக்க",
+ "keyboard_shortcuts.notifications": "அறிவிப்பு நெடுவரிசையைத் திறக்க",
+ "keyboard_shortcuts.pinned": "திறக்க பொருத்தப்பட்டன toots பட்டியல்",
+ "keyboard_shortcuts.profile": "ஆசிரியரின் சுயவிவரத்தைத் திறக்க",
+ "keyboard_shortcuts.reply": "பதிலளிக்க",
+ "keyboard_shortcuts.requests": "கோரிக்கைகள் பட்டியலைத் திறக்க",
+ "keyboard_shortcuts.search": "தேடல் கவனம் செலுத்த",
+ "keyboard_shortcuts.start": "'தொடங்குவதற்கு' நெடுவரிசை திறக்க",
+ "keyboard_shortcuts.toggle_hidden": "CW க்கு பின்னால் உரையை மறைக்க / மறைக்க",
"keyboard_shortcuts.toggle_sensitivity": "to show/hide media",
- "keyboard_shortcuts.toot": "to start a brand new toot",
- "keyboard_shortcuts.unfocus": "to un-focus compose textarea/search",
- "keyboard_shortcuts.up": "to move up in the list",
- "lightbox.close": "Close",
- "lightbox.next": "Next",
- "lightbox.previous": "Previous",
+ "keyboard_shortcuts.toot": "தொடங்க ஒரு புதிய toot",
+ "keyboard_shortcuts.unfocus": "உரை பகுதியை / தேடலை கவனம் செலுத்த வேண்டும்",
+ "keyboard_shortcuts.up": "பட்டியலில் மேலே செல்ல",
+ "lightbox.close": "நெருக்கமாக",
+ "lightbox.next": "அடுத்த",
+ "lightbox.previous": "சென்ற",
"lightbox.view_context": "View context",
- "lists.account.add": "Add to list",
- "lists.account.remove": "Remove from list",
+ "lists.account.add": "பட்டியலில் சேர்",
+ "lists.account.remove": "பட்டியலில் இருந்து அகற்று",
"lists.delete": "Delete list",
- "lists.edit": "Edit list",
- "lists.edit.submit": "Change title",
- "lists.new.create": "Add list",
- "lists.new.title_placeholder": "New list title",
- "lists.search": "Search among people you follow",
- "lists.subheading": "Your lists",
- "loading_indicator.label": "Loading...",
- "media_gallery.toggle_visible": "Toggle visibility",
- "missing_indicator.label": "Not found",
- "missing_indicator.sublabel": "This resource could not be found",
- "mute_modal.hide_notifications": "Hide notifications from this user?",
- "navigation_bar.apps": "Mobile apps",
- "navigation_bar.blocks": "Blocked users",
- "navigation_bar.community_timeline": "Local timeline",
- "navigation_bar.compose": "Compose new toot",
- "navigation_bar.direct": "Direct messages",
- "navigation_bar.discover": "Discover",
- "navigation_bar.domain_blocks": "Hidden domains",
- "navigation_bar.edit_profile": "Edit profile",
- "navigation_bar.favourites": "Favourites",
- "navigation_bar.filters": "Muted words",
- "navigation_bar.follow_requests": "Follow requests",
+ "lists.edit": "பட்டியலை திருத்து",
+ "lists.edit.submit": "தலைப்பு மாற்றவும்",
+ "lists.new.create": "பட்டியலில் சேர்",
+ "lists.new.title_placeholder": "புதிய பட்டியல் தலைப்பு",
+ "lists.search": "நீங்கள் பின்தொடரும் நபர்கள் மத்தியில் தேடுதல்",
+ "lists.subheading": "உங்கள் பட்டியல்கள்",
+ "loading_indicator.label": "ஏற்றுதல்...",
+ "media_gallery.toggle_visible": "நிலைமாற்று தெரியும்",
+ "missing_indicator.label": "கிடைக்கவில்லை",
+ "missing_indicator.sublabel": "இந்த ஆதாரத்தை காண முடியவில்லை",
+ "mute_modal.hide_notifications": "இந்த பயனரின் அறிவிப்புகளை மறைக்கவா?",
+ "navigation_bar.apps": "மொபைல் பயன்பாடுகள்",
+ "navigation_bar.blocks": "தடுக்கப்பட்ட பயனர்கள்",
+ "navigation_bar.community_timeline": "உள்ளூர் காலக்கெடு",
+ "navigation_bar.compose": "புதியவற்றை எழுதுக toot",
+ "navigation_bar.direct": "நேரடி செய்திகள்",
+ "navigation_bar.discover": "கண்டு பிடி",
+ "navigation_bar.domain_blocks": "மறைந்த களங்கள்",
+ "navigation_bar.edit_profile": "சுயவிவரத்தைத் திருத்தவும்",
+ "navigation_bar.favourites": "விருப்பத்துக்குகந்த",
+ "navigation_bar.filters": "முடக்கப்பட்ட வார்த்தைகள்",
+ "navigation_bar.follow_requests": "கோரிக்கைகளை பின்பற்றவும்",
"navigation_bar.follows_and_followers": "Follows and followers",
- "navigation_bar.info": "About this instance",
- "navigation_bar.keyboard_shortcuts": "Hotkeys",
- "navigation_bar.lists": "Lists",
- "navigation_bar.logout": "Logout",
- "navigation_bar.mutes": "Muted users",
+ "navigation_bar.info": "இந்த நிகழ்வு பற்றி",
+ "navigation_bar.keyboard_shortcuts": "சுருக்குவிசைகள்",
+ "navigation_bar.lists": "குதிரை வீர்ர்கள்",
+ "navigation_bar.logout": "விடு பதிகை",
+ "navigation_bar.mutes": "முடக்கப்பட்ட பயனர்கள்",
"navigation_bar.personal": "Personal",
- "navigation_bar.pins": "Pinned toots",
- "navigation_bar.preferences": "Preferences",
+ "navigation_bar.pins": "பொருத்தப்பட்டன toots",
+ "navigation_bar.preferences": "விருப்பங்கள்",
"navigation_bar.profile_directory": "Profile directory",
- "navigation_bar.public_timeline": "Federated timeline",
- "navigation_bar.security": "Security",
- "notification.favourite": "{name} favourited your status",
- "notification.follow": "{name} followed you",
- "notification.mention": "{name} mentioned you",
- "notification.poll": "A poll you have voted in has ended",
- "notification.reblog": "{name} boosted your status",
- "notifications.clear": "Clear notifications",
- "notifications.clear_confirmation": "Are you sure you want to permanently clear all your notifications?",
- "notifications.column_settings.alert": "Desktop notifications",
- "notifications.column_settings.favourite": "Favourites:",
- "notifications.column_settings.filter_bar.advanced": "Display all categories",
- "notifications.column_settings.filter_bar.category": "Quick filter bar",
- "notifications.column_settings.filter_bar.show": "Show",
- "notifications.column_settings.follow": "New followers:",
- "notifications.column_settings.mention": "Mentions:",
- "notifications.column_settings.poll": "Poll results:",
+ "navigation_bar.public_timeline": "கூட்டாட்சி காலக்கெடு",
+ "navigation_bar.security": "பத்திரம்",
+ "notification.favourite": "{name} ஆர்வம் கொண்டவர், உங்கள் நிலை",
+ "notification.follow": "{name} நீங்கள் தொடர்ந்து வந்தீர்கள்",
+ "notification.mention": "{name} நீங்கள் குறிப்பிட்டுள்ளீர்கள்",
+ "notification.poll": "நீங்கள் வாக்களித்த வாக்கெடுப்பு முடிவடைந்தது",
+ "notification.reblog": "{name} உங்கள் நிலை அதிகரித்தது",
+ "notifications.clear": "அறிவிப்புகளை அழிக்கவும்",
+ "notifications.clear_confirmation": "உங்கள் எல்லா அறிவிப்புகளையும் நிரந்தரமாக அழிக்க விரும்புகிறீர்களா?",
+ "notifications.column_settings.alert": "டெஸ்க்டாப் அறிவிப்புகள்",
+ "notifications.column_settings.favourite": "பிடித்தவை:",
+ "notifications.column_settings.filter_bar.advanced": "எல்லா வகைகளையும் காட்டு",
+ "notifications.column_settings.filter_bar.category": "விரைவு வடிகட்டி பட்டை",
+ "notifications.column_settings.filter_bar.show": "காட்டு",
+ "notifications.column_settings.follow": "புதிய பின்பற்றுபவர்கள்:",
+ "notifications.column_settings.mention": "குறிப்பிடுகிறது:",
+ "notifications.column_settings.poll": "கருத்துக்கணிப்பு முடிவுகள்:",
"notifications.column_settings.push": "Push notifications",
- "notifications.column_settings.reblog": "Boosts:",
- "notifications.column_settings.show": "Show in column",
- "notifications.column_settings.sound": "Play sound",
- "notifications.filter.all": "All",
- "notifications.filter.boosts": "Boosts",
- "notifications.filter.favourites": "Favourites",
- "notifications.filter.follows": "Follows",
- "notifications.filter.mentions": "Mentions",
- "notifications.filter.polls": "Poll results",
+ "notifications.column_settings.reblog": "மதிப்பை உயர்த்து:",
+ "notifications.column_settings.show": "பத்தியில் காண்பி",
+ "notifications.column_settings.sound": "ஒலி விளையாட",
+ "notifications.filter.all": "எல்லா",
+ "notifications.filter.boosts": "மதிப்பை உயர்த்து",
+ "notifications.filter.favourites": "விருப்பத்துக்குகந்த",
+ "notifications.filter.follows": "பின்பற்று",
+ "notifications.filter.mentions": "குறிப்பிடுகிறார்",
+ "notifications.filter.polls": "கருத்துக்கணிப்பு முடிவுகள்",
"notifications.group": "{count} notifications",
- "poll.closed": "Closed",
- "poll.refresh": "Refresh",
- "poll.total_votes": "{count, plural, one {# vote} other {# votes}}",
- "poll.vote": "Vote",
- "poll_button.add_poll": "Add a poll",
- "poll_button.remove_poll": "Remove poll",
- "privacy.change": "Adjust status privacy",
- "privacy.direct.long": "Post to mentioned users only",
- "privacy.direct.short": "Direct",
- "privacy.private.long": "Post to followers only",
- "privacy.private.short": "Followers-only",
- "privacy.public.long": "Post to public timelines",
+ "poll.closed": "மூடிய",
+ "poll.refresh": "பத்துயிர்ப்ப?ட்டு",
+ "poll.total_votes": "{count, plural, one {# vote} மற்ற {# votes}}",
+ "poll.vote": "வாக்களி",
+ "poll_button.add_poll": "வாக்கெடுப்பைச் சேர்க்கவும்",
+ "poll_button.remove_poll": "வாக்கெடுப்பை அகற்று",
+ "privacy.change": "நிலை தனியுரிமை",
+ "privacy.direct.long": "குறிப்பிடப்பட்ட பயனர்களுக்கு மட்டுமே இடுகையிடவும்",
+ "privacy.direct.short": "நடத்து",
+ "privacy.private.long": "பின்தொடர்பவர்களுக்கு மட்டுமே இடுகை",
+ "privacy.private.short": "பின்பற்றுபவர்கள் மட்டும்",
+ "privacy.public.long": "பொது நேரங்களுக்கான இடுகை",
"privacy.public.short": "Public",
"privacy.unlisted.long": "Do not show in public timelines",
- "privacy.unlisted.short": "Unlisted",
- "regeneration_indicator.label": "Loading…",
- "regeneration_indicator.sublabel": "Your home feed is being prepared!",
+ "privacy.unlisted.short": "பட்டியலிடப்படாத",
+ "regeneration_indicator.label": "சுமையேற்றம்…",
+ "regeneration_indicator.sublabel": "உங்கள் வீட்டு ஊட்டம் தயார் செய்யப்படுகிறது!",
"relative_time.days": "{number}d",
"relative_time.hours": "{number}h",
- "relative_time.just_now": "now",
+ "relative_time.just_now": "இப்பொழுது",
"relative_time.minutes": "{number}m",
"relative_time.seconds": "{number}s",
- "reply_indicator.cancel": "Cancel",
- "report.forward": "Forward to {target}",
- "report.forward_hint": "The account is from another server. Send an anonymized copy of the report there as well?",
- "report.hint": "The report will be sent to your instance moderators. You can provide an explanation of why you are reporting this account below:",
- "report.placeholder": "Additional comments",
+ "reply_indicator.cancel": "எதிராணை",
+ "report.forward": "முன்னோக்கி {target}",
+ "report.forward_hint": "கணக்கு மற்றொரு சேவையகத்திலிருந்து வருகிறது. அறிக்கையின் அநாமதேய பிரதி ஒன்றை அனுப்பவும்.?",
+ "report.hint": "அறிக்கை உங்கள் மாதிரியாக மாற்றியமைக்கப்படும். கீழே உள்ள கணக்கை நீங்கள் ஏன் புகாரளிக்கிறீர்கள் என்பதற்கான விளக்கத்தை வழங்கலாம்:",
+ "report.placeholder": "கூடுதல் கருத்துரைகள்",
"report.submit": "Submit",
"report.target": "Report {target}",
- "search.placeholder": "Search",
- "search_popout.search_format": "Advanced search format",
- "search_popout.tips.full_text": "Simple text returns statuses you have written, favourited, boosted, or have been mentioned in, as well as matching usernames, display names, and hashtags.",
- "search_popout.tips.hashtag": "hashtag",
+ "search.placeholder": "தேடு",
+ "search_popout.search_format": "மேம்பட்ட தேடல் வடிவம்",
+ "search_popout.tips.full_text": "எளிமையான உரை நீங்கள் எழுதப்பட்ட, புகழ், அதிகரித்தது, அல்லது குறிப்பிட்டுள்ள, அதே போல் பயனர் பெயர்கள், காட்சி பெயர்கள், மற்றும் ஹேஸ்டேகைகளை கொண்டுள்ளது என்று நிலைகளை கொடுக்கிறது.",
+ "search_popout.tips.hashtag": "ஹேஸ்டேக்",
"search_popout.tips.status": "status",
- "search_popout.tips.text": "Simple text returns matching display names, usernames and hashtags",
+ "search_popout.tips.text": "எளிய உரை காட்சி பெயர்கள், பயனர்பெயர்கள் மற்றும் ஹாஷ்டேட்களுடன் பொருந்துகிறது",
"search_popout.tips.user": "user",
"search_results.accounts": "People",
- "search_results.hashtags": "Hashtags",
+ "search_results.hashtags": "ஹாஷ்டேக்குகளைச்",
"search_results.statuses": "Toots",
- "search_results.total": "{count, number} {count, plural, one {result} other {results}}",
- "status.admin_account": "Open moderation interface for @{name}",
- "status.admin_status": "Open this status in the moderation interface",
+ "search_results.total": "{count, number} {count, plural, one {result} மற்ற {results}}",
+ "status.admin_account": "மிதமான இடைமுகத்தை திறக்க @{name}",
+ "status.admin_status": "மிதமான இடைமுகத்தில் இந்த நிலையை திறக்கவும்",
"status.block": "Block @{name}",
- "status.cancel_reblog_private": "Unboost",
- "status.cannot_reblog": "This post cannot be boosted",
- "status.copy": "Copy link to status",
+ "status.cancel_reblog_private": "இல்லை பூஸ்ட்",
+ "status.cannot_reblog": "இந்த இடுகை அதிகரிக்க முடியாது",
+ "status.copy": "நிலைக்கு இணைப்பை நகலெடு",
"status.delete": "Delete",
- "status.detailed_status": "Detailed conversation view",
- "status.direct": "Direct message @{name}",
- "status.embed": "Embed",
- "status.favourite": "Favourite",
- "status.filtered": "Filtered",
- "status.load_more": "Load more",
- "status.media_hidden": "Media hidden",
- "status.mention": "Mention @{name}",
- "status.more": "More",
- "status.mute": "Mute @{name}",
- "status.mute_conversation": "Mute conversation",
- "status.open": "Expand this status",
- "status.pin": "Pin on profile",
- "status.pinned": "Pinned toot",
- "status.read_more": "Read more",
- "status.reblog": "Boost",
- "status.reblog_private": "Boost to original audience",
- "status.reblogged_by": "{name} boosted",
- "status.reblogs.empty": "No one has boosted this toot yet. When someone does, they will show up here.",
- "status.redraft": "Delete & re-draft",
- "status.reply": "Reply",
- "status.replyAll": "Reply to thread",
+ "status.detailed_status": "விரிவான உரையாடல் காட்சி",
+ "status.direct": "நேரடி செய்தி @{name}",
+ "status.embed": "கிடத்து",
+ "status.favourite": "விருப்பத்துக்குகந்த",
+ "status.filtered": "வடிகட்டு",
+ "status.load_more": "அதிகமாய் ஏற்று",
+ "status.media_hidden": "மீடியா மறைக்கப்பட்டது",
+ "status.mention": "குறிப்பிடு @{name}",
+ "status.more": "அதிக",
+ "status.mute": "ஊமையான @{name}",
+ "status.mute_conversation": "ஒலிதடு உரையாடல்",
+ "status.open": "இந்த நிலையை விரிவாக்கு",
+ "status.pin": "சுயவிவரத்தில் முள்",
+ "status.pinned": "பொருத்தப்பட்டன toot",
+ "status.read_more": "மேலும் வாசிக்க",
+ "status.reblog": "மதிப்பை உயர்த்து",
+ "status.reblog_private": "Boost அசல் பார்வையாளர்களுக்கு",
+ "status.reblogged_by": "{name} மதிப்பை உயர்த்து",
+ "status.reblogs.empty": "இதுவரை யாரும் இந்த மோதலை அதிகரிக்கவில்லை. யாராவது செய்தால், அவர்கள் இங்கே காண்பார்கள்.",
+ "status.redraft": "நீக்கு மற்றும் மீண்டும் வரைவு",
+ "status.reply": "பதில்",
+ "status.replyAll": "நூலுக்கு பதிலளிக்கவும்",
"status.report": "Report @{name}",
- "status.sensitive_warning": "Sensitive content",
- "status.share": "Share",
- "status.show_less": "Show less",
- "status.show_less_all": "Show less for all",
- "status.show_more": "Show more",
- "status.show_more_all": "Show more for all",
- "status.show_thread": "Show thread",
- "status.unmute_conversation": "Unmute conversation",
- "status.unpin": "Unpin from profile",
- "suggestions.dismiss": "Dismiss suggestion",
- "suggestions.header": "You might be interested in…",
+ "status.sensitive_warning": "உணர்திறன் உள்ளடக்கம்",
+ "status.share": "பங்கிடு",
+ "status.show_less": "குறைவாகக் காண்பி",
+ "status.show_less_all": "அனைத்தையும் குறைவாக காட்டு",
+ "status.show_more": "மேலும் காட்ட",
+ "status.show_more_all": "அனைவருக்கும் மேலும் காட்டு",
+ "status.show_thread": "நூல் காட்டு",
+ "status.unmute_conversation": "ஊமையாக உரையாடல் இல்லை",
+ "status.unpin": "சுயவிவரத்திலிருந்து நீக்கவும்",
+ "suggestions.dismiss": "பரிந்துரை விலக்க",
+ "suggestions.header": "நீங்கள் ஆர்வமாக இருக்கலாம் …",
"tabs_bar.federated_timeline": "Federated",
"tabs_bar.home": "Home",
"tabs_bar.local_timeline": "Local",
"tabs_bar.notifications": "Notifications",
- "tabs_bar.search": "Search",
- "time_remaining.days": "{number, plural, one {# day} other {# days}} left",
- "time_remaining.hours": "{number, plural, one {# hour} other {# hours}} left",
- "time_remaining.minutes": "{number, plural, one {# minute} other {# minutes}} left",
- "time_remaining.moments": "Moments remaining",
- "time_remaining.seconds": "{number, plural, one {# second} other {# seconds}} left",
- "trends.count_by_accounts": "{count} {rawCount, plural, one {person} other {people}} talking",
- "ui.beforeunload": "Your draft will be lost if you leave Mastodon.",
- "upload_area.title": "Drag & drop to upload",
- "upload_button.label": "Add media (JPEG, PNG, GIF, WebM, MP4, MOV)",
- "upload_error.limit": "File upload limit exceeded.",
- "upload_error.poll": "File upload not allowed with polls.",
- "upload_form.description": "Describe for the visually impaired",
- "upload_form.focus": "Crop",
+ "tabs_bar.search": "தேடு",
+ "time_remaining.days": "{number, plural, one {# day} மற்ற {# days}} left",
+ "time_remaining.hours": "{number, plural, one {# hour} மற்ற {# hours}} left",
+ "time_remaining.minutes": "{number, plural, one {# minute} மற்ற {# minutes}} left",
+ "time_remaining.moments": "தருணங்கள் மீதமுள்ளன",
+ "time_remaining.seconds": "{number, plural, one {# second} மற்ற {# seconds}} left",
+ "trends.count_by_accounts": "{count} {rawCount, plural, one {person} மற்ற {people}} உரையாடு",
+ "ui.beforeunload": "நீங்கள் வெளியே சென்றால் உங்கள் வரைவு இழக்கப்படும் மஸ்தோடோன்.",
+ "upload_area.title": "பதிவேற்ற & இழுக்கவும்",
+ "upload_button.label": "மீடியாவைச் சேர்க்கவும் (JPEG, PNG, GIF, WebM, MP4, MOV)",
+ "upload_error.limit": "கோப்பு பதிவேற்ற வரம்பு மீறப்பட்டது.",
+ "upload_error.poll": "கோப்பு பதிவேற்றம் அனுமதிக்கப்படவில்லை.",
+ "upload_form.description": "பார்வையற்ற விவரிக்கவும்",
+ "upload_form.focus": "மாற்றம் முன்னோட்டம்",
"upload_form.undo": "Delete",
- "upload_progress.label": "Uploading...",
- "video.close": "Close video",
- "video.exit_fullscreen": "Exit full screen",
- "video.expand": "Expand video",
+ "upload_progress.label": "ஏற்றுகிறது ...",
+ "video.close": "வீடியோவை மூடு",
+ "video.exit_fullscreen": "முழு திரையில் இருந்து வெளியேறவும்",
+ "video.expand": "வீடியோவை விரிவாக்கு",
"video.fullscreen": "Full screen",
- "video.hide": "Hide video",
- "video.mute": "Mute sound",
+ "video.hide": "வீடியோவை மறை",
+ "video.mute": "ஒலி முடக்கவும்",
"video.pause": "Pause",
- "video.play": "Play",
- "video.unmute": "Unmute sound"
+ "video.play": "விளையாடு",
+ "video.unmute": "ஒலி மெளனமாக இல்லை"
}
diff --git a/app/javascript/mastodon/locales/th.json b/app/javascript/mastodon/locales/th.json
index 95ecdc0c84..bd042c1d11 100644
--- a/app/javascript/mastodon/locales/th.json
+++ b/app/javascript/mastodon/locales/th.json
@@ -16,7 +16,7 @@
"account.follows_you": "ติดตามคุณ",
"account.hide_reblogs": "ซ่อนการดันจาก @{name}",
"account.link_verified_on": "ตรวจสอบความเป็นเจ้าของของลิงก์นี้เมื่อ {date}",
- "account.locked_info": "This account privacy status is set to locked. The owner manually reviews who can follow them.",
+ "account.locked_info": "บัญชีนี้ถูกล็อคไว้ เจ้าของจะต้องรับรองการติดตามของคุณด้วย",
"account.media": "สื่อ",
"account.mention": "กล่าวถึง @{name}",
"account.moved_to": "{name} ได้ย้ายไปยัง:",
@@ -37,7 +37,7 @@
"account.unmute_notifications": "เลิกปิดเสียงการแจ้งเตือนจาก @{name}",
"alert.unexpected.message": "เกิดข้อผิดพลาดที่ไม่คาดคิด",
"alert.unexpected.title": "อุปส์!",
- "boost_modal.combo": "You can press {combo} to skip this next time",
+ "boost_modal.combo": "กด {combo} เพื่อข้าม",
"bundle_column_error.body": "มีบางอย่างผิดพลาดขณะโหลดส่วนประกอบนี้",
"bundle_column_error.retry": "ลองอีกครั้ง",
"bundle_column_error.title": "ข้อผิดพลาดเครือข่าย",
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/uk.json b/app/javascript/mastodon/locales/uk.json
index 8aca4c1e79..124b9fb076 100644
--- a/app/javascript/mastodon/locales/uk.json
+++ b/app/javascript/mastodon/locales/uk.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/mastodon/locales/whitelist_lt.json b/app/javascript/mastodon/locales/whitelist_lt.json
new file mode 100644
index 0000000000..0d4f101c7a
--- /dev/null
+++ b/app/javascript/mastodon/locales/whitelist_lt.json
@@ -0,0 +1,2 @@
+[
+]
diff --git a/app/javascript/mastodon/locales/zh-CN.json b/app/javascript/mastodon/locales/zh-CN.json
index b4143c70c5..785419eae6 100644
--- a/app/javascript/mastodon/locales/zh-CN.json
+++ b/app/javascript/mastodon/locales/zh-CN.json
@@ -345,7 +345,6 @@
"status.reply": "回复",
"status.replyAll": "回复所有人",
"status.report": "举报 @{name}",
- "status.sensitive_toggle": "点击显示",
"status.sensitive_warning": "敏感内容",
"status.share": "分享",
"status.show_less": "隐藏内容",
diff --git a/app/javascript/mastodon/locales/zh-HK.json b/app/javascript/mastodon/locales/zh-HK.json
index d7303b91b5..2cfc11703d 100644
--- a/app/javascript/mastodon/locales/zh-HK.json
+++ b/app/javascript/mastodon/locales/zh-HK.json
@@ -166,7 +166,7 @@
"introduction.federation.home.text": "Posts from people you follow will appear in your home feed. You can follow anyone on any server!",
"introduction.federation.local.headline": "Local",
"introduction.federation.local.text": "Public posts from people on the same server as you will appear in the local timeline.",
- "introduction.interactions.action": "Finish tutorial!",
+ "introduction.interactions.action": "Finish toot-orial!",
"introduction.interactions.favourite.headline": "Favourite",
"introduction.interactions.favourite.text": "You can save a toot for later, and let the author know that you liked it, by favouriting it.",
"introduction.interactions.reblog.headline": "Boost",
diff --git a/app/javascript/styles/mastodon/components.scss b/app/javascript/styles/mastodon/components.scss
index 8450f13d98..597a8d1dca 100644
--- a/app/javascript/styles/mastodon/components.scss
+++ b/app/javascript/styles/mastodon/components.scss
@@ -337,7 +337,6 @@
position: absolute;
top: 5px;
right: 5px;
- z-index: 1;
}
.compose-form__autosuggest-wrapper {
@@ -413,15 +412,6 @@
height: 0;
}
- .emoji-picker-wrapper {
- position: relative;
- height: 0;
-
- &.emoji-picker-wrapper--hidden {
- display: none;
- }
- }
-
.autosuggest-textarea__suggestions {
box-sizing: border-box;
display: none;
@@ -1965,11 +1955,6 @@ a.account__display-name {
font-size: 16px;
}
- &.active {
- border-bottom: 2px solid $highlight-text-color;
- color: $highlight-text-color;
- }
-
&:hover,
&:focus,
&:active {
@@ -1979,6 +1964,11 @@ a.account__display-name {
}
}
+ &.active {
+ border-bottom: 2px solid $highlight-text-color;
+ color: $highlight-text-color;
+ }
+
span {
margin-left: 5px;
display: none;
diff --git a/app/views/oauth/authorizations/show.html.haml b/app/views/oauth/authorizations/show.html.haml
index ad52360074..c3c9960d8a 100644
--- a/app/views/oauth/authorizations/show.html.haml
+++ b/app/views/oauth/authorizations/show.html.haml
@@ -1,4 +1,7 @@
.form-container
- .flash-message
+ .flash-message.simple_form
%p= t('doorkeeper.authorizations.show.title')
- %input{ type: 'text', class: 'oauth-code', readonly: true, value: params[:code], onClick: 'select()' }
+ .input-copy
+ .input-copy__wrapper
+ %input{ type: 'text', class: 'oauth-code', spellcheck: 'false', readonly: true, value: params[:code] }
+ %button{ type: :button }= t('generic.copy')
diff --git a/config/locales/activerecord.ar.yml b/config/locales/activerecord.ar.yml
index 68c7fe9396..2b39ee1562 100644
--- a/config/locales/activerecord.ar.yml
+++ b/config/locales/activerecord.ar.yml
@@ -1,6 +1,10 @@
---
ar:
activerecord:
+ attributes:
+ poll:
+ expires_at: آخر أجل
+ options: الخيارات
errors:
models:
account:
diff --git a/config/locales/activerecord.bg.yml b/config/locales/activerecord.bg.yml
new file mode 100644
index 0000000000..d0e375da96
--- /dev/null
+++ b/config/locales/activerecord.bg.yml
@@ -0,0 +1 @@
+bg:
diff --git a/config/locales/activerecord.bn.yml b/config/locales/activerecord.bn.yml
new file mode 100644
index 0000000000..152c698290
--- /dev/null
+++ b/config/locales/activerecord.bn.yml
@@ -0,0 +1 @@
+bn:
diff --git a/config/locales/activerecord.ca.yml b/config/locales/activerecord.ca.yml
index 19e39b5e77..2795a6b338 100644
--- a/config/locales/activerecord.ca.yml
+++ b/config/locales/activerecord.ca.yml
@@ -2,8 +2,9 @@
ca:
activerecord:
attributes:
- status:
- owned_poll: Enquesta
+ poll:
+ expires_at: Data límit
+ options: Opcions
errors:
models:
account:
diff --git a/config/locales/activerecord.da.yml b/config/locales/activerecord.da.yml
index 8e9db715bf..5e7266ef10 100644
--- a/config/locales/activerecord.da.yml
+++ b/config/locales/activerecord.da.yml
@@ -1,9 +1,6 @@
---
da:
activerecord:
- attributes:
- status:
- owned_poll: Afstemning
errors:
models:
account:
diff --git a/config/locales/activerecord.de.yml b/config/locales/activerecord.de.yml
index ce465545b7..46a48d234b 100644
--- a/config/locales/activerecord.de.yml
+++ b/config/locales/activerecord.de.yml
@@ -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
diff --git a/config/locales/activerecord.el.yml b/config/locales/activerecord.el.yml
index abeca78ac6..36e5f508d4 100644
--- a/config/locales/activerecord.el.yml
+++ b/config/locales/activerecord.el.yml
@@ -5,8 +5,6 @@ el:
poll:
expires_at: Προθεσμία
options: Επιλογές
- status:
- owned_poll: Ψηφοφορία
errors:
models:
account:
diff --git a/config/locales/activerecord.eo.yml b/config/locales/activerecord.eo.yml
new file mode 100644
index 0000000000..f8a3cf18bf
--- /dev/null
+++ b/config/locales/activerecord.eo.yml
@@ -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
diff --git a/config/locales/activerecord.es.yml b/config/locales/activerecord.es.yml
index d18b168347..f40e6c3613 100644
--- a/config/locales/activerecord.es.yml
+++ b/config/locales/activerecord.es.yml
@@ -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:
diff --git a/config/locales/activerecord.eu.yml b/config/locales/activerecord.eu.yml
index 64c8bc04e6..235738f228 100644
--- a/config/locales/activerecord.eu.yml
+++ b/config/locales/activerecord.eu.yml
@@ -1,6 +1,10 @@
---
eu:
activerecord:
+ attributes:
+ poll:
+ expires_at: Epemuga
+ options: Aukerak
errors:
models:
account:
diff --git a/config/locales/activerecord.fa.yml b/config/locales/activerecord.fa.yml
index 0cc6c12d74..1cd50eec79 100644
--- a/config/locales/activerecord.fa.yml
+++ b/config/locales/activerecord.fa.yml
@@ -1,9 +1,6 @@
---
fa:
activerecord:
- attributes:
- status:
- owned_poll: رأیگیری
errors:
models:
account:
diff --git a/config/locales/activerecord.fi.yml b/config/locales/activerecord.fi.yml
new file mode 100644
index 0000000000..23c538b193
--- /dev/null
+++ b/config/locales/activerecord.fi.yml
@@ -0,0 +1 @@
+fi:
diff --git a/config/locales/activerecord.gl.yml b/config/locales/activerecord.gl.yml
index 3792f34761..0bc27502ca 100644
--- a/config/locales/activerecord.gl.yml
+++ b/config/locales/activerecord.gl.yml
@@ -5,8 +5,6 @@ gl:
poll:
expires_at: Caducidade
options: Opcións
- status:
- owned_poll: Sondaxe
errors:
models:
account:
diff --git a/config/locales/activerecord.hr.yml b/config/locales/activerecord.hr.yml
new file mode 100644
index 0000000000..f67f33c7e0
--- /dev/null
+++ b/config/locales/activerecord.hr.yml
@@ -0,0 +1 @@
+hr:
diff --git a/config/locales/activerecord.hu.yml b/config/locales/activerecord.hu.yml
new file mode 100644
index 0000000000..52314c50c9
--- /dev/null
+++ b/config/locales/activerecord.hu.yml
@@ -0,0 +1 @@
+hu:
diff --git a/config/locales/activerecord.hy.yml b/config/locales/activerecord.hy.yml
new file mode 100644
index 0000000000..c406540162
--- /dev/null
+++ b/config/locales/activerecord.hy.yml
@@ -0,0 +1 @@
+hy:
diff --git a/config/locales/activerecord.io.yml b/config/locales/activerecord.io.yml
new file mode 100644
index 0000000000..c63dc0e8d9
--- /dev/null
+++ b/config/locales/activerecord.io.yml
@@ -0,0 +1 @@
+io:
diff --git a/config/locales/activerecord.ja.yml b/config/locales/activerecord.ja.yml
index ce147819a5..8b0eefb122 100644
--- a/config/locales/activerecord.ja.yml
+++ b/config/locales/activerecord.ja.yml
@@ -5,8 +5,6 @@ ja:
poll:
expires_at: 期限
options: 項目
- user:
- email: メールアドレス
errors:
models:
account:
diff --git a/config/locales/activerecord.ko.yml b/config/locales/activerecord.ko.yml
new file mode 100644
index 0000000000..3c081269a6
--- /dev/null
+++ b/config/locales/activerecord.ko.yml
@@ -0,0 +1,17 @@
+---
+ko:
+ activerecord:
+ attributes:
+ poll:
+ expires_at: 마감 기한
+ options: 선택
+ errors:
+ models:
+ account:
+ attributes:
+ username:
+ invalid: 영문자, 숫자, _만 사용 가능
+ status:
+ attributes:
+ reblog:
+ taken: 이미 게시물이 존재합니다
diff --git a/config/locales/activerecord.lt.yml b/config/locales/activerecord.lt.yml
new file mode 100644
index 0000000000..6c5cb837ac
--- /dev/null
+++ b/config/locales/activerecord.lt.yml
@@ -0,0 +1 @@
+lt:
diff --git a/config/locales/activerecord.lv.yml b/config/locales/activerecord.lv.yml
new file mode 100644
index 0000000000..1be0eabc09
--- /dev/null
+++ b/config/locales/activerecord.lv.yml
@@ -0,0 +1 @@
+lv:
diff --git a/config/locales/activerecord.ms.yml b/config/locales/activerecord.ms.yml
new file mode 100644
index 0000000000..2925688a03
--- /dev/null
+++ b/config/locales/activerecord.ms.yml
@@ -0,0 +1 @@
+ms:
diff --git a/config/locales/activerecord.nl.yml b/config/locales/activerecord.nl.yml
index 31348b18f5..a9bcb33fa8 100644
--- a/config/locales/activerecord.nl.yml
+++ b/config/locales/activerecord.nl.yml
@@ -5,8 +5,6 @@ nl:
poll:
expires_at: Deadline
options: Keuzes
- status:
- owned_poll: Poll
errors:
models:
account:
diff --git a/config/locales/activerecord.pl.yml b/config/locales/activerecord.pl.yml
index bd8e40a6a7..f10420ec72 100644
--- a/config/locales/activerecord.pl.yml
+++ b/config/locales/activerecord.pl.yml
@@ -2,8 +2,9 @@
pl:
activerecord:
attributes:
- user:
- email: adres e-mail
+ poll:
+ expires_at: Ostateczny termin
+ options: Opcje
errors:
models:
account:
diff --git a/config/locales/activerecord.ro.yml b/config/locales/activerecord.ro.yml
new file mode 100644
index 0000000000..79dbaa871c
--- /dev/null
+++ b/config/locales/activerecord.ro.yml
@@ -0,0 +1 @@
+ro:
diff --git a/config/locales/activerecord.sk.yml b/config/locales/activerecord.sk.yml
index 26f6c97377..eb8d75d48d 100644
--- a/config/locales/activerecord.sk.yml
+++ b/config/locales/activerecord.sk.yml
@@ -5,8 +5,6 @@ sk:
poll:
expires_at: Trvá do
options: Voľby
- status:
- owned_poll: Anketa
errors:
models:
account:
diff --git a/config/locales/activerecord.ta.yml b/config/locales/activerecord.ta.yml
new file mode 100644
index 0000000000..4320953ce2
--- /dev/null
+++ b/config/locales/activerecord.ta.yml
@@ -0,0 +1 @@
+ta:
diff --git a/config/locales/activerecord.te.yml b/config/locales/activerecord.te.yml
new file mode 100644
index 0000000000..34c54f18f6
--- /dev/null
+++ b/config/locales/activerecord.te.yml
@@ -0,0 +1 @@
+te:
diff --git a/config/locales/activerecord.zh-TW.yml b/config/locales/activerecord.zh-TW.yml
new file mode 100644
index 0000000000..cb82c05261
--- /dev/null
+++ b/config/locales/activerecord.zh-TW.yml
@@ -0,0 +1 @@
+zh-TW:
diff --git a/config/locales/ar.yml b/config/locales/ar.yml
index 0d961e4861..8da2de5ec2 100644
--- a/config/locales/ar.yml
+++ b/config/locales/ar.yml
@@ -2,22 +2,27 @@
ar:
about:
about_hashtag_html: هذه تبويقات متاحة للجمهور تحتوي على الكلمات الدلالية #%{hashtag}. يمكنك التفاعل معها إن كان لديك حساب في أي مكان على الفديفرس.
- 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: |
مكان جيد للقواعد
لم يتم بعد إدخال الوصف الطويل.
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: متابِعون
@@ -54,7 +60,7 @@ ar:
media: الوسائط
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: أوافق على قواعد الخادم و شروط الخدمة
confirm_email: تأكيد عنوان البريد الإلكتروني
delete_account: حذف حساب
delete_account_html: إن كنت ترغب في حذف حسابك يُمكنك المواصلة هنا. سوف يُطلَبُ منك التأكيد قبل الحذف.
@@ -507,23 +536,25 @@ ar:
invalid_reset_password_token: رمز إعادة تعيين كلمة المرور غير صالح أو منتهي الصلاحية. يرجى طلب واحد جديد.
login: تسجيل الدخول
logout: خروج
- migrate_account: الإنتقال إلى حساب آخر
+ migrate_account: الانتقال إلى حساب آخر
migrate_account_html: إن كنت ترغب في تحويل هذا الحساب نحو حساب آخَر، يُمكِنُك إعداده هنا.
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: عرض الملف الشخصي للمستخدم
@@ -566,19 +597,21 @@ ar:
'404': إنّ الصفحة التي تبحث عنها لا وجود لها أصلا.
'410': إنّ الصفحة التي تبحث عنها لم تعد موجودة.
'422':
- content: فشل التحقق الآمن. ربما منعتَ كعكات الكوكيز ؟
+ content: فشل التحقق الآمن. ربما منعتَ كعكات الكوكيز؟
title: فشِل التحقق الآمن
'429': طلبات كثيرة جدا
'500':
content: نحن متأسفون، لقد حدث خطأ ما مِن جانبنا.
title: هذه الصفحة خاطئة
noscript_html: يرجى تفعيل الجافا سكريبت لاستخدام تطبيق الويب لماستدون، أو عِوض ذلك قوموا بتجريب إحدى التطبيقات الأصلية الدّاعمة لماستدون على منصّتكم.
+ existing_username_validator:
+ not_found_multiple: تعذر العثور على %{usernames}
exports:
archive_takeout:
date: التاريخ
download: تنزيل نسخة لحسابك
hint_html: بإمكانك طلب نسخة كاملة لـ كافة تبويقاتك و الوسائط التي قمت بنشرها. البيانات المُصدَّرة ستكون محفوظة على شكل نسق 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,15 +739,15 @@ 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:
@@ -723,26 +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:
other: إعدادات أخرى
+ 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: أليس عندك حساب بعدُ ؟ يُمْكنك التسجيل مِن هنا
proceed: أكمل المتابعة
- prompt: 'إنك بصدد متابعة :'
+ prompt: 'إنك بصدد متابعة:'
remote_interaction:
favourite:
proceed: المواصلة إلى المفضلة
@@ -770,7 +835,7 @@ ar:
generic: متصفح مجهول
ie: إنترنت إكسبلورر
micro_messenger: مايكرو ميسنجر
- nokia: متصفح Nokia S40 Ovi
+ nokia: متصفح Nokia S40 Ovi
opera: أوبرا
otter: أوتر
phantom_js: فانتوم جي آس
@@ -780,7 +845,7 @@ ar:
weibo: وايبو
current_session: الجلسة الحالية
description: "%{browser} على %{platform}"
- explanation: ها هي قائمة مُتصفِّحات الويب التي تستخدِم حاليًا حساب ماستدون الخاص بك.
+ explanation: ها هي قائمة مُتصفِّحات الويب التي تستخدِم حاليًا حساب ماستدون الخاص بك.
ip: عنوان الإيبي
platforms:
adobe_air: أدوبي إيير
@@ -799,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}'
@@ -837,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: يمكن للجميع رؤيته
@@ -861,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: في حال تفعيل المصادقة بخطوتين ، فتسجيل الدخول يتطلب منك أن يكون بحوزتك هاتفك النقال قصد توليد الرمز الذي سيتم إدخاله.
@@ -875,17 +946,17 @@ ar:
enable: تفعيل
enabled: نظام المصادقة بخطوتين مُفعَّل
enabled_success: تم تفعيل المصادقة بخطوتين بنجاح
- generate_recovery_codes: توليد رموز الإسترجاع
+ generate_recovery_codes: توليد رموز الاسترجاع
instructions_html: "قم بمسح رمز الكيو آر عبر Google Authenticator أو أي تطبيق TOTP على جهازك. من الآن فصاعدا سوف يقوم ذاك التطبيق بتوليد رموز يجب عليك إدخالها عند تسجيل الدخول."
- 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:
@@ -900,12 +971,12 @@ 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: تعديل التفضيلات
@@ -914,13 +985,13 @@ ar:
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: التحقق
diff --git a/config/locales/ast.yml b/config/locales/ast.yml
index a2df72ba61..ec545ca578 100644
--- a/config/locales/ast.yml
+++ b/config/locales/ast.yml
@@ -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 configuralo equí.
- 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,10 +220,6 @@ 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
remote_follow:
@@ -255,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
diff --git a/config/locales/bg.yml b/config/locales/bg.yml
index 57aa6f87e0..e11340542f 100644
--- a/config/locales/bg.yml
+++ b/config/locales/bg.yml
@@ -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: Назад
diff --git a/config/locales/bn.yml b/config/locales/bn.yml
index b4eb012f5a..b3eb0bd624 100644
--- a/config/locales/bn.yml
+++ b/config/locales/bn.yml
@@ -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: সত্যতা নির্ধারণ
diff --git a/config/locales/ca.yml b/config/locales/ca.yml
index 5663afeab5..a5d96cc1ca 100644
--- a/config/locales/ca.yml
+++ b/config/locales/ca.yml
@@ -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
@@ -210,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}"
@@ -533,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 configurar aquí.
+ migrate_account_html: Si vols redirigir aquest compte a un altre diferent, el pots configurar aquí.
or_log_in_with: O inicia sessió amb
providers:
cas: CAS
@@ -563,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"
@@ -766,7 +766,6 @@ ca:
quadrillion: Q
thousand: m
trillion: T
- unit: " "
pagination:
newer: Més recent
next: Endavant
@@ -776,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
@@ -933,10 +932,10 @@ ca:
Quina informació recollim?
- - Informació bàsica del compte: 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.
- - Publicacions, seguiment i altra informació pública: 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.
- - Toots directes i per a només seguidors: 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ó. Tingues en compte que els operadors del servidor i qualsevol servidor receptor poden visualitzar aquests missatges i els destinataris poden fer una captura de pantalla, copiar-los o tornar-los a compartir. No comparteixis cap informació perillosa a Mastodon.
- - IPs i altres metadades: 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.
+ - Informació bàsica del compte: 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.
+ - Publicacions, seguiment i altra informació pública: 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.
+ - Toots directes i per a només seguidors: 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ó. Tingues en compte que els operadors del servidor i qualsevol servidor receptor poden visualitzar aquests missatges i els destinataris poden fer una captura de pantalla, copiar-los o tornar-los a compartir. No comparteixis cap informació perillosa a Mastodon.
+ - IPs i altres metadades: 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.
@@ -946,9 +945,9 @@ ca:
Qualsevol de la informació que recopilem de tu es pot utilitzar de la manera següent:
- - 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.
- - 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.
- - 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.
+ - 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.
+ - 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.
+ - 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.
@@ -964,8 +963,8 @@ ca:
Farem un esforç de bona fe per:
- - 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.
- - Conservar les adreces IP associades als usuaris registrats no més de 12 mesos.
+ - 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.
+ - Conservar les adreces IP associades als usuaris registrats no més de 12 mesos.
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.
@@ -1006,7 +1005,7 @@ ca:
Si decidim canviar la nostra política de privadesa, publicarem aquests canvis en aquesta pàgina.
- Aquest document és CC-BY-SA. Actualitzat per darrera vegada el 7 de Març del 2018.
+ Aquest document és CC-BY-SA. Actualitzat per darrera vegada el 7 de Març del 2018.
Originalment adaptat des del Discourse privacy policy.
title: "%{instance} Condicions del servei i política de privadesa"
diff --git a/config/locales/co.yml b/config/locales/co.yml
index 8b2a5fa5b9..b3d14fdb53 100644
--- a/config/locales/co.yml
+++ b/config/locales/co.yml
@@ -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
@@ -259,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
@@ -558,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
@@ -766,7 +766,6 @@ co:
quadrillion: P
thousand: K
trillion: T
- unit: ''
pagination:
newer: Più ricente
next: Dopu
@@ -933,10 +932,10 @@ co:
Quelles informations collectons-nous ?
- - Informations de base sur votre compte : 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.
+ - Informations de base sur votre compte : 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.
- Posts, liste d’abonnements et autres informations publiques : 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.
- - Posts directs et abonné·e·s uniquement : 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. 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 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. Ne partager aucune information sensible à l’aide de Mastodon.
- - IP et autres métadonnées : 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.
+ - Posts directs et abonné·e·s uniquement : 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. 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 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. Ne partager aucune information sensible à l’aide de Mastodon.
+ - IP et autres métadonnées : 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.
@@ -946,9 +945,9 @@ co:
Toutes les informations que nous collectons sur vous peuvent être utilisées d’une des manières suivantes :
- - 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é.
- - 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.
- - 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.
+ - 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é.
+ - 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.
+ - 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.
@@ -964,8 +963,8 @@ co:
Nous ferons un effort de bonne foi :
- - 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.
- - Pour ne pas conserver plus de 12 mois les adresses IP associées aux utilisateur·ice·s enregistré·e·s.
+ - 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.
+ - Pour ne pas conserver plus de 12 mois les adresses IP associées aux utilisateur·ice·s enregistré·e·s.
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.
diff --git a/config/locales/cs.yml b/config/locales/cs.yml
index b9cc3ee7c9..5747547389 100644
--- a/config/locales/cs.yml
+++ b/config/locales/cs.yml
@@ -30,14 +30,16 @@ cs:
server_stats: 'Statistika serveru:'
source_code: Zdrojový kód
status_count_after:
- few: tooty
- one: toot
- other: tootů
+ few: příspěvky
+ many: příspěvků
+ one: příspěvek
+ other: příspěvků
status_count_before: Kteří napsali
tagline: Sledujte své přátele a objevujte nové
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
@@ -296,6 +300,7 @@ 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:
@@ -322,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:
@@ -593,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:
@@ -657,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:
@@ -709,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
@@ -738,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…
@@ -777,7 +788,6 @@ cs:
quadrillion: bld
thousand: tis
trillion: bil
- unit: ''
pagination:
newer: Novější
next: Další
@@ -860,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
@@ -902,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
@@ -925,6 +938,7 @@ cs:
poll:
total_votes:
few: "%{count} hlasy"
+ many: "%{count} hlasů"
one: "%{count} hlas"
other: "%{count} hlasů"
vote: Hlasovat
@@ -948,10 +962,10 @@ cs:
Jaké informace sbíráme?
- - Základní informace o účtu: 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ě.
- - Příspěvky, sledující a další veřejné informace: 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á.
- - Příspěvky přímé a pouze pro sledující: 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. 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 a příjemci mohou vytvořit jejich snímek, zkopírovat je, nebo je jinak sdílet. Nesdílejte přes Mastodon jakékoliv nebezpečné informace.
- - IP adresy a další metadata: 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.
+ - Základní informace o účtu: 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ě.
+ - Příspěvky, sledující a další veřejné informace: 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á.
+ - Příspěvky přímé a pouze pro sledující: 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. 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 a příjemci mohou vytvořit jejich snímek, zkopírovat je, nebo je jinak sdílet. Nesdílejte přes Mastodon jakékoliv nebezpečné informace.
+ - IP adresy a další metadata: 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.
@@ -961,9 +975,9 @@ cs:
Jakékoliv informace, které sbíráme, mohou být použity následujícími způsoby:
- - 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.
- - 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ů.
- - 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.
+ - 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.
+ - 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ů.
+ - 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.
@@ -979,8 +993,8 @@ cs:
Budeme se upřímně snažit:
- - 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í.
- - Uchovávat IP adresy související s registrovanými uživateli maximálně 12 měsíců.
+ - 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í.
+ - Uchovávat IP adresy související s registrovanými uživateli maximálně 12 měsíců.
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í.
diff --git a/config/locales/cy.yml b/config/locales/cy.yml
index 3893d597ff..adf6bc1d0a 100644
--- a/config/locales/cy.yml
+++ b/config/locales/cy.yml
@@ -4,20 +4,30 @@ cy:
about_hashtag_html: Dyma dŵtiau cyhoeddus wedi eu tagio gyda #%{hashtag}. 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: |
Lle da ar gyfer rheolau
Nid yw'r disgrifiad estynedig wedi ei osod eto.
+ 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,15 +143,18 @@ 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
@@ -145,6 +162,8 @@ cy:
public: Cyhoeddus
push_subscription_expires: Tanysgrifiad PuSH 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 ddadblocio 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 Tawelu yn gwneud twtiau y cyfrif yn anweledig i unrhyw un nad yw'n dilyn y cyfrif. Mae Atal yn cael gwared ar holl gynnwys, cyfryngau a data proffil y cyfrif. Defnyddiwch Dim 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 rheolau'r gweinydd a'r telerau gwasanaeth
confirm_email: Cadarnhau e-bost
delete_account: Dileu cyfrif
delete_account_html: Os hoffech chi ddileu eich cyfrif, mae modd parhau yma. 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:
@@ -566,13 +609,6 @@ cy:
explanation: Darganfod defnyddwyr yn seiliedig ar eu diddordebau
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"
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 +621,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 apiau cynhenid 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 +664,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 +676,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 +750,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,19 +798,44 @@ 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:
other: Arall
+ 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
@@ -761,40 +850,14 @@ cy:
activity: Gweithgaredd ddiwethaf
browser: Porwr
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Porwr anhysbys
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Porwr Nokia S40 Ovi
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
qq: Porwr QQ
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Sesiwn cyfredol
description: "%{browser} ar %{platform}"
explanation: Dyma'r porwyr gwê sydd wedi mewngofnodi i'ch cyfrif Mastododon ar hyn o bryd.
- 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: platfform anhysbys
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Diddymu
revoke_success: Sesiwn wedi ei ddiddymu yn llwyddiannus
title: Sesiynau
@@ -846,7 +909,6 @@ cy:
reblog: Ni ellir pinio bŵstiau
show_more: Dangos mwy
sign_in_to_participate: Mengofnodwch i gymryd rhan yn y sgwrs
- title: '%{name}: "%{quote}"'
visibilities:
private: Dilynwyr yn unig
private_long: Dangos i ddilynwyr yn unig
@@ -864,10 +926,10 @@ cy:
Pa wybodaeth ydyn ni'n ei gasglu?
- - Gwybodaeth cyfrif sylfaenol: 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.
- - Postio, dilyn a gwybodaeth gyhoeddus arall: 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.
- - Negeseuon uniongyrchol a dilynwyr yn unig: 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. Cofiwch gall gweithredwyr y gweinydd ac unrhyw weinydd derbyn weld unrhyw negeseuon o'r fath, ac fe all y derbynwyr gymryd sgrinlin, copïo neu drwy ddulliau eraill rannu rhain. Peidiwch a rhannu unrhyw wybodaeth beryglus dros Mastodon.
- - IPs a mathau eraill o metadata: 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.
+ - Gwybodaeth cyfrif sylfaenol: 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.
+ - Postio, dilyn a gwybodaeth gyhoeddus arall: 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.
+ - Negeseuon uniongyrchol a dilynwyr yn unig: 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. Cofiwch gall gweithredwyr y gweinydd ac unrhyw weinydd derbyn weld unrhyw negeseuon o'r fath, ac fe all y derbynwyr gymryd sgrinlin, copïo neu drwy ddulliau eraill rannu rhain. Peidiwch a rhannu unrhyw wybodaeth beryglus dros Mastodon.
+ - IPs a mathau eraill o metadata: 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.
@@ -877,9 +939,9 @@ cy:
Gall unrhyw wybodaeth yr ydym yn ei gasglu oddi wrthych gael ei ddefnyddio yn y ffyrdd canlynol:
- - 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.
- - 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.
- - 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.
+ - 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.
+ - 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.
+ - 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.
@@ -895,8 +957,8 @@ cy:
Gwnawn ymdrech ewyllys da i:
- - 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.
- - Gadw cyfeiriadau IP a chysylltiad i ddefnyddwyr cofrestredig am ddim mwy na 12 mis.
+ - 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.
+ - Gadw cyfeiriadau IP a chysylltiad i ddefnyddwyr cofrestredig am ddim mwy na 12 mis.
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.
@@ -942,13 +1004,9 @@ cy:
Cafodd ei addasu yn wreiddiol o'rPolisi preifatrwydd disgwrs.
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:
- default: "%b %d, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Mewnbynwch y côd a grewyd gan eich ap dilysu i gadarnhau
description_html: Os ydych yn galluogi awdurdodi dau-gam, bydd mewngofnodi yn gofyn i chi fod a'ch ffôn gerllaw er mwyn cynhyrchu tocyn i chi gael mewnbynnu.
diff --git a/config/locales/da.yml b/config/locales/da.yml
index d0190d4a20..da6ab10545 100644
--- a/config/locales/da.yml
+++ b/config/locales/da.yml
@@ -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 gøre det her.
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
@@ -647,7 +622,6 @@ da:
unfollowed: Følger ikke længere
sessions:
activity: Sidste aktivitet
- browser: Browser
browsers:
alipay: Ali-pay
blackberry: Blackberry OS
@@ -669,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
@@ -704,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:
@@ -722,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
@@ -741,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 to-faktor godkendelse, 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.
diff --git a/config/locales/de.yml b/config/locales/de.yml
index c63b314424..cfdaacab06 100644
--- a/config/locales/de.yml
+++ b/config/locales/de.yml
@@ -1,51 +1,51 @@
---
de:
about:
- about_hashtag_html: Dies sind öffentliche Beiträge, die mit #%{hashtag} 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 #%{hashtag} 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: |
- Ein guter Platz für Regeln
- Die erweiterte Beschreibung wurde noch nicht aufgesetzt.
- 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"
+ Ein hervorragender Ort für Regeln
+ Die erweiterte Beschreibung wurde von dem Administrator noch nicht eingestellt.
+ 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,25 +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
@@ -192,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:
@@ -230,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
@@ -243,28 +243,28 @@ 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
@@ -284,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
@@ -311,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
@@ -350,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!
@@ -375,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
@@ -401,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
@@ -432,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
@@ -443,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:
@@ -466,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:
@@ -479,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
@@ -511,7 +511,7 @@ de:
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
@@ -553,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:
@@ -565,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"
@@ -581,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:
@@ -714,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:'
@@ -766,7 +766,6 @@ de:
quadrillion: Q
thousand: K
trillion: T
- unit: ''
pagination:
newer: Neuer
next: Vorwärts
@@ -869,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
@@ -884,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:
@@ -898,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
@@ -926,17 +925,17 @@ de:
stream_entries:
pinned: Angehefteter Beitrag
reblogged: teilte
- sensitive_content: Sensible Inhalte
+ sensitive_content: Heikle Inhalte
terms:
body_html: |
Datenschutzerklärung
Welche Informationen sammeln wir?
- - Grundlegende Kontoinformationen: 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.
- - Beiträge, Folge- und andere öffentliche Informationen: 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.
- - Direkte und "Nur Folgende"-Beiträge: 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. Bitte beachte, dass die Betreiber des Server und jedes empfangenden Servers solche Nachrichten anschauen könnten und dass Empfänger von diesen eine Bildschirmkopie erstellen könnten, sie kopieren oder anderweitig weiterverteilen könnten. Teile nicht irgendwelche gefährlichen Informationen über Mastodon.
- - Internet Protocol-Adressen (IP-Adressen) und andere Metadaten: 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.
+ - Grundlegende Kontoinformationen: 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.
+ - Beiträge, Folge- und andere öffentliche Informationen: 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.
+ - Direkte und "Nur Folgende"-Beiträge: 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. Bitte beachte, dass die Betreiber des Server und jedes empfangenden Servers solche Nachrichten anschauen könnten und dass Empfänger von diesen eine Bildschirmkopie erstellen könnten, sie kopieren oder anderweitig weiterverteilen könnten. Teile nicht irgendwelche gefährlichen Informationen über Mastodon.
+ - Internet Protocol-Adressen (IP-Adressen) und andere Metadaten: 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.
@@ -946,9 +945,9 @@ de:
Jede der von dir gesammelten Information kann in den folgenden Weisen verwendet werden:
- - 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.
- - Um Moderation der Community zu ermöglichen, zum Beispiel beim Vergleichen deiner IP-Adresse mit anderen bekannten, um Verbotsumgehung oder andere Vergehen festzustellen.
- - 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.
+ - 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.
+ - Um Moderation der Community zu ermöglichen, zum Beispiel beim Vergleichen deiner IP-Adresse mit anderen bekannten, um Verbotsumgehung oder andere Vergehen festzustellen.
+ - 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.
@@ -964,8 +963,8 @@ de:
Wir werden mit bestem Wissen und Gewissen:
- - Serverprotokolle, die IP-Adressen von allen deinen Anfragen an diesen Server, falls solche Protokolle behalten werden, für nicht mehr als 90 Tage behalten.
- - registrierten Benutzer:innen zugeordnete IP-Adressen nicht länger als 12 Monate behalten.
+ - Serverprotokolle, die IP-Adressen von allen deinen Anfragen an diesen Server, falls solche Protokolle behalten werden, für nicht mehr als 90 Tage behalten.
+ - registrierten Benutzer:innen zugeordnete IP-Adressen nicht länger als 12 Monate behalten.
Du kannst ein Archiv deines Inhalts anfordern und herunterladen, inkludierend deiner Beiträge, Medienanhänge, Profilbilder und Headerbilder.
@@ -1022,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 Zwei-Faktor-Authentisierung (2FA) aktivierst, wirst du dein Telefon zum Anmelden benötigen. Darauf werden Tokens erzeugt, die du bei der Anmeldung eingeben musst.
+ description_html: Wenn du Zwei-Faktor-Authentifizierung (2FA) 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
diff --git a/config/locales/devise.ar.yml b/config/locales/devise.ar.yml
index 927eeee5a1..92e2135ba7 100644
--- a/config/locales/devise.ar.yml
+++ b/config/locales/devise.ar.yml
@@ -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: ندعوك إلى الإطلاع على القواعد الخاصة بمثيل الخادوم هذا and و شروط الخدمة الخاصة بنا.
- subject: 'ماستدون : تعليمات التأكيد لمثيل الخادوم %{instance}'
+ subject: 'ماستدون: تعليمات التأكيد لمثيل الخادوم %{instance}'
title: للتحقق من عنوان البريد الإلكتروني
email_changed:
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:
@@ -84,4 +85,4 @@ ar:
one: 'خطأ واحد منع هذا %{resource} من الحفظ:'
other: "%{count} أخطاء منعت هذا %{resource} من الحفظ:"
two: 'أخطاء منعت هذا %{resource} من الحفظ:'
- zero: 'أخطاء منعت هذا %{resource} من الحفظ:'
+ zero: "%{count} أخطاء منعت هذا %{resource} من الحفظ:"
diff --git a/config/locales/devise.bn.yml b/config/locales/devise.bn.yml
new file mode 100644
index 0000000000..152c698290
--- /dev/null
+++ b/config/locales/devise.bn.yml
@@ -0,0 +1 @@
+bn:
diff --git a/config/locales/devise.ca.yml b/config/locales/devise.ca.yml
index aea361d0de..7f2df1f995 100644
--- a/config/locales/devise.ca.yml
+++ b/config/locales/devise.ca.yml
@@ -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.
diff --git a/config/locales/devise.cs.yml b/config/locales/devise.cs.yml
index bc9340605d..94c41ed986 100644
--- a/config/locales/devise.cs.yml
+++ b/config/locales/devise.cs.yml
@@ -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}:"
diff --git a/config/locales/devise.eo.yml b/config/locales/devise.eo.yml
index b638153093..d7b7b2d6c6 100644
--- a/config/locales/devise.eo.yml
+++ b/config/locales/devise.eo.yml
@@ -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 la regulojn de la servilo kaj niajn uzkondiĉojn.
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.
diff --git a/config/locales/devise.es.yml b/config/locales/devise.es.yml
index ecb97fd132..8210415f21 100644
--- a/config/locales/devise.es.yml
+++ b/config/locales/devise.es.yml
@@ -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 las reglas de la instancia y nuestros términos de servicio.
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.
diff --git a/config/locales/devise.eu.yml b/config/locales/devise.eu.yml
index 65046dc0f5..3526f2ab53 100644
--- a/config/locales/devise.eu.yml
+++ b/config/locales/devise.eu.yml
@@ -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 zerbitzariaren arauak eta zerbitzuaren erabilera baldintzak.
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.
diff --git a/config/locales/devise.he.yml b/config/locales/devise.he.yml
index 3d8f7fa59b..be8af6f9e7 100644
--- a/config/locales/devise.he.yml
+++ b/config/locales/devise.he.yml
@@ -56,6 +56,3 @@ he:
expired: פג תוקפו. נא לבקש חדש
not_found: לא נמצא
not_locked: לא היה נעול
- not_saved:
- one: 'שגיאה אחת מנעה את שמירת %{resource} זה:'
- other: "%{count} שגיאות מנעו את שמירת %{resource} זה:"
diff --git a/config/locales/devise.hr.yml b/config/locales/devise.hr.yml
index 2a859054a6..e0c569ceed 100644
--- a/config/locales/devise.hr.yml
+++ b/config/locales/devise.hr.yml
@@ -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:"
diff --git a/config/locales/devise.hy.yml b/config/locales/devise.hy.yml
new file mode 100644
index 0000000000..c406540162
--- /dev/null
+++ b/config/locales/devise.hy.yml
@@ -0,0 +1 @@
+hy:
diff --git a/config/locales/devise.id.yml b/config/locales/devise.id.yml
index 47fac413fc..5fa9020911 100644
--- a/config/locales/devise.id.yml
+++ b/config/locales/devise.id.yml
@@ -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:"
diff --git a/config/locales/devise.ja.yml b/config/locales/devise.ja.yml
index eed45efb7e..dc147be624 100644
--- a/config/locales/devise.ja.yml
+++ b/config/locales/devise.ja.yml
@@ -82,5 +82,4 @@ ja:
not_found: 見つかりません
not_locked: ロックされていません
not_saved:
- one: エラーが発生したため、%{resource}の保存に失敗しました。
other: "%{count}個のエラーが発生したため、%{resource}の保存に失敗しました:"
diff --git a/config/locales/devise.ko.yml b/config/locales/devise.ko.yml
index 33ca8f8426..f48531246e 100644
--- a/config/locales/devise.ko.yml
+++ b/config/locales/devise.ko.yml
@@ -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}가 저장 될 수 없습니다:"
diff --git a/config/locales/devise.lt.yml b/config/locales/devise.lt.yml
new file mode 100644
index 0000000000..6c5cb837ac
--- /dev/null
+++ b/config/locales/devise.lt.yml
@@ -0,0 +1 @@
+lt:
diff --git a/config/locales/devise.lv.yml b/config/locales/devise.lv.yml
new file mode 100644
index 0000000000..1be0eabc09
--- /dev/null
+++ b/config/locales/devise.lv.yml
@@ -0,0 +1 @@
+lv:
diff --git a/config/locales/devise.ms.yml b/config/locales/devise.ms.yml
new file mode 100644
index 0000000000..2925688a03
--- /dev/null
+++ b/config/locales/devise.ms.yml
@@ -0,0 +1 @@
+ms:
diff --git a/config/locales/devise.nl.yml b/config/locales/devise.nl.yml
index 96d14d9d20..51a95403fd 100644
--- a/config/locales/devise.nl.yml
+++ b/config/locales/devise.nl.yml
@@ -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."
diff --git a/config/locales/devise.ro.yml b/config/locales/devise.ro.yml
new file mode 100644
index 0000000000..79dbaa871c
--- /dev/null
+++ b/config/locales/devise.ro.yml
@@ -0,0 +1 @@
+ro:
diff --git a/config/locales/devise.sk.yml b/config/locales/devise.sk.yml
index 5ce04ba7aa..8842abe615 100644
--- a/config/locales/devise.sk.yml
+++ b/config/locales/devise.sk.yml
@@ -80,7 +80,3 @@ sk:
expired: vypŕšal, prosím, vyžiadaj si nový
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:"
diff --git a/config/locales/devise.sr-Latn.yml b/config/locales/devise.sr-Latn.yml
index 21ddbd7267..c2c5f7c76f 100644
--- a/config/locales/devise.sr-Latn.yml
+++ b/config/locales/devise.sr-Latn.yml
@@ -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:"
diff --git a/config/locales/devise.sr.yml b/config/locales/devise.sr.yml
index 475d1e2a54..baffc27018 100644
--- a/config/locales/devise.sr.yml
+++ b/config/locales/devise.sr.yml
@@ -80,6 +80,5 @@ sr:
not_locked: није закључан
not_saved:
few: "%{count} грешке спречавају %{resource}a:"
- many: "%{count} грешака спречавају %{resource}a:"
one: '1 грешка спречава %{resource}а:'
other: "%{count} грешака спречавају %{resource}a:"
diff --git a/config/locales/devise.ta.yml b/config/locales/devise.ta.yml
new file mode 100644
index 0000000000..4320953ce2
--- /dev/null
+++ b/config/locales/devise.ta.yml
@@ -0,0 +1 @@
+ta:
diff --git a/config/locales/devise.te.yml b/config/locales/devise.te.yml
new file mode 100644
index 0000000000..34c54f18f6
--- /dev/null
+++ b/config/locales/devise.te.yml
@@ -0,0 +1 @@
+te:
diff --git a/config/locales/devise.th.yml b/config/locales/devise.th.yml
index e20df69af4..c6c75b98f4 100644
--- a/config/locales/devise.th.yml
+++ b/config/locales/devise.th.yml
@@ -2,60 +2,17 @@
th:
devise:
confirmations:
- confirmed: Your email address has been successfully 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.
- mailer:
- confirmation_instructions:
- subject: 'Mastodon: Confirmation instructions for %{instance}'
- password_change:
- subject: 'Mastodon: Password changed'
- 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.
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.
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:"
diff --git a/config/locales/devise.zh-CN.yml b/config/locales/devise.zh-CN.yml
index b155152500..22fa130f60 100644
--- a/config/locales/devise.zh-CN.yml
+++ b/config/locales/devise.zh-CN.yml
@@ -82,5 +82,4 @@ zh-CN:
not_found: 找不到
not_locked: 未被锁定
not_saved:
- one: 一个错误导致这个%{resource}保存失败:
other: 发生 %{count} 个错误,导致%{resource}保存失败:
diff --git a/config/locales/devise.zh-HK.yml b/config/locales/devise.zh-HK.yml
index b7d88ef941..ceae8b238a 100644
--- a/config/locales/devise.zh-HK.yml
+++ b/config/locales/devise.zh-HK.yml
@@ -78,5 +78,4 @@ zh-HK:
not_found: 找不到
not_locked: 並未被鎖定
not_saved:
- one: 1 個錯誤令 %{resource} 無法被儲存︰
other: "%{count} 個錯誤令 %{resource} 無法被儲存︰"
diff --git a/config/locales/devise.zh-TW.yml b/config/locales/devise.zh-TW.yml
index 0ade1e60ab..cb989630ee 100644
--- a/config/locales/devise.zh-TW.yml
+++ b/config/locales/devise.zh-TW.yml
@@ -82,5 +82,4 @@ zh-TW:
not_found: 找不到
not_locked: 並未被鎖定
not_saved:
- one: 因 1 個錯誤導致 %{resource} 無法儲存:
other: 因 %{count} 錯誤導致 %{resource} 無法儲存:
diff --git a/config/locales/doorkeeper.ar.yml b/config/locales/doorkeeper.ar.yml
index 200d340a88..75d66086f9 100644
--- a/config/locales/doorkeeper.ar.yml
+++ b/config/locales/doorkeeper.ar.yml
@@ -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: هذا النوع من منح التصريح غير معتمد في خادم الترخيص.
diff --git a/config/locales/doorkeeper.bg.yml b/config/locales/doorkeeper.bg.yml
index 24de4aee0a..f36187e123 100644
--- a/config/locales/doorkeeper.bg.yml
+++ b/config/locales/doorkeeper.bg.yml
@@ -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:
diff --git a/config/locales/doorkeeper.bn.yml b/config/locales/doorkeeper.bn.yml
new file mode 100644
index 0000000000..152c698290
--- /dev/null
+++ b/config/locales/doorkeeper.bn.yml
@@ -0,0 +1 @@
+bn:
diff --git a/config/locales/doorkeeper.ca.yml b/config/locales/doorkeeper.ca.yml
index 8366912dc8..dfa46551fc 100644
--- a/config/locales/doorkeeper.ca.yml
+++ b/config/locales/doorkeeper.ca.yml
@@ -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
@@ -117,4 +117,26 @@ ca:
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
diff --git a/config/locales/doorkeeper.cy.yml b/config/locales/doorkeeper.cy.yml
index 87d7a86603..f51e1b464f 100644
--- a/config/locales/doorkeeper.cy.yml
+++ b/config/locales/doorkeeper.cy.yml
@@ -72,7 +72,6 @@ cy:
index:
application: Rhaglen
created_at: Awdurdodedig
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Rhinweddau
title: Eich rhaglenni awdurdodedig
errors:
diff --git a/config/locales/doorkeeper.da.yml b/config/locales/doorkeeper.da.yml
index df964e4b1f..b0f50a8931 100644
--- a/config/locales/doorkeeper.da.yml
+++ b/config/locales/doorkeeper.da.yml
@@ -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:
diff --git a/config/locales/doorkeeper.de.yml b/config/locales/doorkeeper.de.yml
index bf4b06e7c2..771b892518 100644
--- a/config/locales/doorkeeper.de.yml
+++ b/config/locales/doorkeeper.de.yml
@@ -71,7 +71,7 @@ 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
diff --git a/config/locales/doorkeeper.es.yml b/config/locales/doorkeeper.es.yml
index 937ecd32ab..752387d870 100644
--- a/config/locales/doorkeeper.es.yml
+++ b/config/locales/doorkeeper.es.yml
@@ -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
diff --git a/config/locales/doorkeeper.fa.yml b/config/locales/doorkeeper.fa.yml
index e191265540..b677c33467 100644
--- a/config/locales/doorkeeper.fa.yml
+++ b/config/locales/doorkeeper.fa.yml
@@ -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:
diff --git a/config/locales/doorkeeper.fi.yml b/config/locales/doorkeeper.fi.yml
index a3b878b65d..10613d435d 100644
--- a/config/locales/doorkeeper.fi.yml
+++ b/config/locales/doorkeeper.fi.yml
@@ -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:
diff --git a/config/locales/doorkeeper.fr.yml b/config/locales/doorkeeper.fr.yml
index eae691659f..3525617680 100644
--- a/config/locales/doorkeeper.fr.yml
+++ b/config/locales/doorkeeper.fr.yml
@@ -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:
diff --git a/config/locales/doorkeeper.he.yml b/config/locales/doorkeeper.he.yml
index d797b0ac9e..78bb0a1426 100644
--- a/config/locales/doorkeeper.he.yml
+++ b/config/locales/doorkeeper.he.yml
@@ -72,7 +72,6 @@ he:
index:
application: ישום
created_at: מאושר
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: תחומים
title: ישומיך המאושרים
errors:
diff --git a/config/locales/doorkeeper.hr.yml b/config/locales/doorkeeper.hr.yml
index e0240938ea..221ec27e94 100644
--- a/config/locales/doorkeeper.hr.yml
+++ b/config/locales/doorkeeper.hr.yml
@@ -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:
diff --git a/config/locales/doorkeeper.hu.yml b/config/locales/doorkeeper.hu.yml
index fa706e100b..da57aaf9b0 100644
--- a/config/locales/doorkeeper.hu.yml
+++ b/config/locales/doorkeeper.hu.yml
@@ -36,7 +36,6 @@ hu:
scopes: A nézeteket szóközzel válaszd el. Hagyd üresen az alapértelmezett nézetekhez.
index:
application: Alkalmazás
- callback_url: Callback URL
delete: Eltávolítás
name: Név
new: Új alkalmazás
@@ -62,8 +61,6 @@ hu:
able_to: Képes lesz
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.
authorized_applications:
buttons:
revoke: Visszavonás
@@ -72,7 +69,6 @@ hu:
index:
application: Alkalmazás
created_at: Készítve
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Hatáskör
title: Engedélyezett alkalmazásaid
errors:
diff --git a/config/locales/doorkeeper.hy.yml b/config/locales/doorkeeper.hy.yml
new file mode 100644
index 0000000000..c406540162
--- /dev/null
+++ b/config/locales/doorkeeper.hy.yml
@@ -0,0 +1 @@
+hy:
diff --git a/config/locales/doorkeeper.id.yml b/config/locales/doorkeeper.id.yml
index 0a99b86c08..3f9dee2ac8 100644
--- a/config/locales/doorkeeper.id.yml
+++ b/config/locales/doorkeeper.id.yml
@@ -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:
diff --git a/config/locales/doorkeeper.io.yml b/config/locales/doorkeeper.io.yml
index 28466d3aef..ff1fdf9c25 100644
--- a/config/locales/doorkeeper.io.yml
+++ b/config/locales/doorkeeper.io.yml
@@ -31,82 +31,14 @@ io:
help:
native_redirect_uri: Uzez %{native_redirect_uri} por lokala probi
redirect_uri: Uzez un lineo por singla URI
- scopes: Separate scopes with spaces. Leave blank to use the default scopes.
index:
- callback_url: Callback URL
- name: Name
new: New Application
- title: Your applications
new:
title: New Application
show:
- actions: Actions
application_id: Application Id
callback_urls: Callback urls
- scopes: Scopes
secret: Secret
- title: 'Application: %{name}'
- authorizations:
- buttons:
- authorize: Authorize
- deny: Deny
- error:
- title: An error has occurred
- new:
- able_to: It will be able to
- prompt: Application %{client_name} requests access to your account
- title: Authorization required
- show:
- title: Copy this authorization code and paste it to the application.
- authorized_applications:
- buttons:
- revoke: Revoke
- confirmations:
- revoke: Are you sure?
- index:
- application: Application
- created_at: Authorized
- date_format: "%Y-%m-%d %H:%M:%S"
- scopes: Scopes
- title: Your authorized applications
- errors:
- messages:
- access_denied: The resource owner or authorization server denied the request.
- 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: The access token expired
- revoked: The access token was revoked
- unknown: The access token is invalid
- resource_owner_authenticator_not_configured: Resource Owner find failed due to Doorkeeper.configure.resource_owner_authenticator being unconfiged.
- server_error: The authorization server encountered an unexpected condition which prevented it from fulfilling the request.
- temporarily_unavailable: The authorization server is currently unable to handle the request due to a temporary overloading or maintenance of the server.
- 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:
- notice: Application created.
- destroy:
- notice: Application deleted.
- update:
- notice: Application updated.
- authorized_applications:
- destroy:
- notice: Application revoked.
- layouts:
- admin:
- nav:
- applications: Applications
- oauth2_provider: OAuth2 Provider
- application:
- title: OAuth authorization required
scopes:
follow: follow, block, unblock and unfollow accounts
read: read your account's data
diff --git a/config/locales/doorkeeper.it.yml b/config/locales/doorkeeper.it.yml
index a76130bb94..f6bd8b4bc9 100644
--- a/config/locales/doorkeeper.it.yml
+++ b/config/locales/doorkeeper.it.yml
@@ -36,11 +36,9 @@ it:
scopes: Dividi gli scopes con spazi. Lascia vuoto per utilizzare gli scopes di default.
index:
application: Applicazione
- callback_url: Callback URL
delete: Elimina
name: Nome
new: Nuova applicazione
- scopes: Scopes
show: Mostra
title: Le tue applicazioni
new:
diff --git a/config/locales/doorkeeper.ka.yml b/config/locales/doorkeeper.ka.yml
index e462e66f15..f4178a7523 100644
--- a/config/locales/doorkeeper.ka.yml
+++ b/config/locales/doorkeeper.ka.yml
@@ -72,7 +72,6 @@ ka:
index:
application: აპლიკაცია
created_at: ავტორიზებული
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: ფარგლები
title: თქვენი ავტორიზებული აპლიკაციები
errors:
diff --git a/config/locales/doorkeeper.kk.yml b/config/locales/doorkeeper.kk.yml
index 409435802c..97897cdcbe 100644
--- a/config/locales/doorkeeper.kk.yml
+++ b/config/locales/doorkeeper.kk.yml
@@ -72,7 +72,6 @@ kk:
index:
application: Қосымша
created_at: Авторизацияланды
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Scopеs
title: Your authorized applicаtions
errors:
diff --git a/config/locales/doorkeeper.ko.yml b/config/locales/doorkeeper.ko.yml
new file mode 100644
index 0000000000..76e725debc
--- /dev/null
+++ b/config/locales/doorkeeper.ko.yml
@@ -0,0 +1,131 @@
+---
+ko:
+ activerecord:
+ attributes:
+ doorkeeper/application:
+ name: 애플리케이션 이름
+ redirect_uri: 리디렉션 URI
+ scopes: 범위
+ website: 애플리케이션 웹사이트
+ errors:
+ models:
+ doorkeeper/application:
+ attributes:
+ redirect_uri:
+ fragment_present: fragment를 포함할 수 없습니다
+ invalid_uri: 올바른 URI여야 합니다.
+ relative_uri: 절대경로 URI여야 합니다
+ secured_uri: HTTPS/SSL URI여야 합니다.
+ doorkeeper:
+ applications:
+ buttons:
+ authorize: 승인
+ cancel: 취소
+ destroy: 제거
+ edit: 수정
+ submit: 제출
+ confirmations:
+ destroy: 확실합니까?
+ edit:
+ title: 애플리케이션 수정
+ form:
+ error: 이런! 에러를 확인하세요
+ help:
+ native_redirect_uri: "%{native_redirect_uri}를 이용해 로컬 테스트를 할 수 있습니다"
+ redirect_uri: 한 줄에 하나의 URI를 작성하세요
+ scopes: 스페이스로 범위를 구분하세요. 빈 칸으로 놔두면 기본 범위를 사용합니다.
+ index:
+ application: 애플리케이션
+ callback_url: 콜백 URL
+ delete: 삭제
+ name: 이름
+ new: 새 애플리케이션
+ scopes: 범위
+ show: 표시
+ title: 당신의 애플리케이션들
+ new:
+ title: 새 애플리케이션
+ show:
+ actions: 동작
+ application_id: 클라이언트 키
+ callback_urls: 콜백 URL
+ scopes: 범위
+ secret: 클라이언트 비밀키
+ title: '애플리케이션: %{name}'
+ authorizations:
+ buttons:
+ authorize: 승인
+ deny: 거부
+ error:
+ title: 에러가 발생하였습니다
+ new:
+ able_to: 다음과 같은 행동들이 가능합니다
+ prompt: "%{client_name}이 당신의 계정에 접근 권한을 요청합니다"
+ title: 승인 필요
+ show:
+ title: 이 승인 코드를 복사하여 애플리케이션에 붙여넣으세요
+ authorized_applications:
+ buttons:
+ revoke: 취소
+ confirmations:
+ revoke: 확실합니까?
+ index:
+ application: 애플리케이션
+ created_at: 승인 됨
+ date_format: "%Y-%m-%d %H:%M:%S"
+ scopes: 범위
+ title: 당신의 승인 된 애플리케이션들
+ errors:
+ messages:
+ access_denied: 리소스 소유자 또는 권한 부여 서버가 요청을 거부했습니다.
+ invalid_redirect_uri: 리디렉션 URI가 올바르지 않습니다
+ invalid_request: 요청에 필요한 매개변수가 없거나, 지원 되지 않는 매개변수가 있거나, 형식이 잘못되었습니다.
+ invalid_token:
+ expired: 액세스 토큰이 만료되었습니다.
+ revoked: 액세스 토큰이 취소되었습니다.
+ unknown: 액세스 토큰이 잘못되었습니다.
+ flash:
+ applications:
+ create:
+ notice: 애플리케이션이 생성 되었습니다.
+ destroy:
+ notice: 애플리케이션이 삭제 되었습니다.
+ update:
+ notice: 애플리케이션이 갱신 되었습니다.
+ authorized_applications:
+ destroy:
+ notice: 애플리케이션이 취소 되었습니다.
+ layouts:
+ admin:
+ nav:
+ applications: 애플리케이션
+ oauth2_provider: OAuth2 제공자
+ application:
+ title: OAuth 인증이 필요합니다
+ scopes:
+ follow: 계정의 관계를 수정
+ push: 푸시 알림을 받기
+ read: 계정의 모든 데이터를 읽기
+ read:accounts: 계정의 정보를 보기
+ read:blocks: 차단을 보기
+ read:favourites: 관심글을 보기
+ read:filters: 필터를 보기
+ read:follows: 팔로우를 보기
+ read:lists: 리스트를 보기
+ read:mutes: 뮤트를 보기
+ read:notifications: 알림 보기
+ read:reports: 신고 보기
+ read:search: 당신의 권한으로 검색
+ read:statuses: 게시물 모두 보기
+ write: 계정 정보 수정
+ write:accounts: 프로필 수정
+ write:blocks: 계정이나 도메인 차단
+ write:favourites: 관심글 지정
+ write:filters: 필터 만들기
+ write:follows: 사람을 팔로우
+ write:lists: 리스트 만들기
+ write:media: 미디어 파일 업로드
+ write:mutes: 사람이나 대화 뮤트
+ write:notifications: 알림 모두 지우기
+ write:reports: 다른 사람을 신고
+ write:statuses: 게시물 게시
diff --git a/config/locales/doorkeeper.lt.yml b/config/locales/doorkeeper.lt.yml
new file mode 100644
index 0000000000..6c5cb837ac
--- /dev/null
+++ b/config/locales/doorkeeper.lt.yml
@@ -0,0 +1 @@
+lt:
diff --git a/config/locales/doorkeeper.lv.yml b/config/locales/doorkeeper.lv.yml
new file mode 100644
index 0000000000..1be0eabc09
--- /dev/null
+++ b/config/locales/doorkeeper.lv.yml
@@ -0,0 +1 @@
+lv:
diff --git a/config/locales/doorkeeper.ms.yml b/config/locales/doorkeeper.ms.yml
new file mode 100644
index 0000000000..2925688a03
--- /dev/null
+++ b/config/locales/doorkeeper.ms.yml
@@ -0,0 +1 @@
+ms:
diff --git a/config/locales/doorkeeper.nl.yml b/config/locales/doorkeeper.nl.yml
index bf6d46f4b0..aa37ea190a 100644
--- a/config/locales/doorkeeper.nl.yml
+++ b/config/locales/doorkeeper.nl.yml
@@ -110,7 +110,6 @@ nl:
admin:
nav:
applications: Toepassingen
- home: Home
oauth2_provider: OAuth2-provider
application:
title: OAuth-autorisatie vereist
diff --git a/config/locales/doorkeeper.no.yml b/config/locales/doorkeeper.no.yml
index 56c15fab7c..263fef15eb 100644
--- a/config/locales/doorkeeper.no.yml
+++ b/config/locales/doorkeeper.no.yml
@@ -72,7 +72,6 @@
index:
application: Applikasjon
created_at: Autorisert
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Omfang
title: Dine autoriserte applikasjoner
errors:
diff --git a/config/locales/doorkeeper.pt.yml b/config/locales/doorkeeper.pt.yml
index e76cd01fd5..f21e84d17f 100644
--- a/config/locales/doorkeeper.pt.yml
+++ b/config/locales/doorkeeper.pt.yml
@@ -72,7 +72,6 @@ pt:
index:
application: Aplicação
created_at: Criada em
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Autorizações
title: As tuas aplicações autorizadas
errors:
diff --git a/config/locales/doorkeeper.ro.yml b/config/locales/doorkeeper.ro.yml
index fea4baf60d..79dbaa871c 100644
--- a/config/locales/doorkeeper.ro.yml
+++ b/config/locales/doorkeeper.ro.yml
@@ -1,3 +1 @@
----
ro:
- doorkeeper: {}
diff --git a/config/locales/doorkeeper.ru.yml b/config/locales/doorkeeper.ru.yml
index f373175595..ebe90a1893 100644
--- a/config/locales/doorkeeper.ru.yml
+++ b/config/locales/doorkeeper.ru.yml
@@ -63,7 +63,7 @@ ru:
prompt: Приложение %{client_name} запрашивает доступ к Вашему аккаунту
title: Требуется авторизация
show:
- title: Copy this authorization code and paste it to the application.
+ title: Скопируйте этот код авторизации и вставьте его в приложении.
authorized_applications:
buttons:
revoke: Отозвать авторизацию
diff --git a/config/locales/doorkeeper.sk.yml b/config/locales/doorkeeper.sk.yml
index 98597ca8ba..f54eb6d48d 100644
--- a/config/locales/doorkeeper.sk.yml
+++ b/config/locales/doorkeeper.sk.yml
@@ -72,7 +72,6 @@ sk:
index:
application: Aplikácia
created_at: Autorizované
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Oprávnenia
title: Vaše autorizované aplikácie
errors:
diff --git a/config/locales/doorkeeper.sv.yml b/config/locales/doorkeeper.sv.yml
index 25440cbb0b..4fd246eff2 100644
--- a/config/locales/doorkeeper.sv.yml
+++ b/config/locales/doorkeeper.sv.yml
@@ -72,7 +72,6 @@ sv:
index:
application: Applikation
created_at: Auktoriserad
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: Omfattning
title: Dina behöriga ansökningar
errors:
diff --git a/config/locales/doorkeeper.ta.yml b/config/locales/doorkeeper.ta.yml
new file mode 100644
index 0000000000..4320953ce2
--- /dev/null
+++ b/config/locales/doorkeeper.ta.yml
@@ -0,0 +1 @@
+ta:
diff --git a/config/locales/doorkeeper.te.yml b/config/locales/doorkeeper.te.yml
new file mode 100644
index 0000000000..34c54f18f6
--- /dev/null
+++ b/config/locales/doorkeeper.te.yml
@@ -0,0 +1 @@
+te:
diff --git a/config/locales/doorkeeper.th.yml b/config/locales/doorkeeper.th.yml
index 60edae1e4c..4b7c9383e8 100644
--- a/config/locales/doorkeeper.th.yml
+++ b/config/locales/doorkeeper.th.yml
@@ -10,103 +10,38 @@ th:
doorkeeper/application:
attributes:
redirect_uri:
- fragment_present: cannot contain a fragment.
invalid_uri: ต้องใช้ URI ที่ถูกต้อง.
relative_uri: ต้องเป็น absolute URI.
secured_uri: ต้องใช้ HTTPS/SSL URI.
doorkeeper:
applications:
buttons:
- authorize: Authorize
cancel: ยกเลิก
destroy: ทำลาย
edit: แก้ไข
- submit: Submit
confirmations:
destroy: แน่ใจนะ?
edit:
title: แก้ไข แอ๊ฟพลิเคชั่น
- form:
- error: Whoops! Check your form for possible errors
help:
native_redirect_uri: ใช้ %{native_redirect_uri} สำหรับการทดสอบ
redirect_uri: ใช้บรรทัดละหนึ่ง URI
- scopes: Separate scopes with spaces. Leave blank to use the default scopes.
index:
- callback_url: Callback URL
name: ชื่อ
new: New Application
- title: Your applications
new:
title: New Application
show:
- actions: Actions
application_id: Application Id
callback_urls: Callback urls
- scopes: Scopes
secret: Secret
- title: 'Application: %{name}'
authorizations:
buttons:
authorize: อนุญาติ
deny: ไม่อนุญาติ
- error:
- title: An error has occurred
- new:
- able_to: It will be able to
- prompt: Application %{client_name} requests access to your account
- title: Authorization required
- show:
- title: Copy this authorization code and paste it to the application.
authorized_applications:
buttons:
revoke: ยกเลิกการอนุญาติ
- confirmations:
- revoke: Are you sure?
- index:
- application: Application
- created_at: Authorized
- date_format: "%Y-%m-%d %H:%M:%S"
- scopes: Scopes
- title: Your authorized applications
- errors:
- messages:
- access_denied: The resource owner or authorization server denied the request.
- 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: The access token expired
- revoked: The access token was revoked
- unknown: The access token is invalid
- resource_owner_authenticator_not_configured: Resource Owner find failed due to Doorkeeper.configure.resource_owner_authenticator being unconfiged.
- server_error: The authorization server encountered an unexpected condition which prevented it from fulfilling the request.
- temporarily_unavailable: The authorization server is currently unable to handle the request due to a temporary overloading or maintenance of the server.
- 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:
- notice: Application created.
- destroy:
- notice: Application deleted.
- update:
- notice: Application updated.
- authorized_applications:
- destroy:
- notice: Application revoked.
- layouts:
- admin:
- nav:
- applications: Applications
- oauth2_provider: OAuth2 Provider
- application:
- title: OAuth authorization required
scopes:
follow: follow, block, unblock and unfollow accounts
read: read your account's data
diff --git a/config/locales/doorkeeper.uk.yml b/config/locales/doorkeeper.uk.yml
index 205ad026f1..305a5c1d6f 100644
--- a/config/locales/doorkeeper.uk.yml
+++ b/config/locales/doorkeeper.uk.yml
@@ -58,8 +58,6 @@ uk:
able_to: Він зможе
prompt: Податок %{client_name} просить доступу до вашого акаунту
title: Необхідна авторизація
- show:
- title: Copy this authorization code and paste it to the application.
authorized_applications:
buttons:
revoke: Відкликати авторизацію
diff --git a/config/locales/doorkeeper.zh-CN.yml b/config/locales/doorkeeper.zh-CN.yml
index 5c606e4702..1cce6adc2b 100644
--- a/config/locales/doorkeeper.zh-CN.yml
+++ b/config/locales/doorkeeper.zh-CN.yml
@@ -72,7 +72,6 @@ zh-CN:
index:
application: 应用
created_at: 授权时间
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: 权限范围
title: 已授权的应用列表
errors:
diff --git a/config/locales/doorkeeper.zh-HK.yml b/config/locales/doorkeeper.zh-HK.yml
index 19ed76d1a5..d9c91caf08 100644
--- a/config/locales/doorkeeper.zh-HK.yml
+++ b/config/locales/doorkeeper.zh-HK.yml
@@ -72,7 +72,6 @@ zh-HK:
index:
application: 應用程式
created_at: 授權日期
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: 權限範圍
title: 已獲你授權的程用程式
errors:
diff --git a/config/locales/doorkeeper.zh-TW.yml b/config/locales/doorkeeper.zh-TW.yml
index 690fc4513e..41dd172640 100644
--- a/config/locales/doorkeeper.zh-TW.yml
+++ b/config/locales/doorkeeper.zh-TW.yml
@@ -72,7 +72,6 @@ zh-TW:
index:
application: 應用程式
created_at: 授權時間
- date_format: "%Y-%m-%d %H:%M:%S"
scopes: 權限範圍
title: 已授權的應用程式
errors:
diff --git a/config/locales/el.yml b/config/locales/el.yml
index eadbca8a99..a08ec71416 100644
--- a/config/locales/el.yml
+++ b/config/locales/el.yml
@@ -41,7 +41,7 @@ el:
user_count_before: Σπίτι για
what_is_mastodon: Τι είναι το Mastodon;
accounts:
- choices_html: 'Επιλογές του/της %{name}:'
+ choices_html: 'Επιλογές από %{name}:'
follow: Ακολούθησε
followers:
one: Ακόλουθος
@@ -68,6 +68,7 @@ el:
admin: Διαχειριστής
bot: Μποτ (αυτόματος λογαριασμός)
moderator: Μεσολαβητής
+ unavailable: Το προφίλ δεν είναι διαθέσιμο
unfollow: Διακοπή παρακολούθησης
admin:
account_actions:
@@ -80,6 +81,7 @@ el:
destroyed_msg: Επιτυχής καταστροφή σημειώματος μεσολάβησης!
accounts:
approve: Έγκριση
+ approve_all: Έγκριση όλων
are_you_sure: Σίγουρα;
avatar: Αβατάρ
by_domain: Τομέας
@@ -132,6 +134,7 @@ el:
moderation_notes: Σημειώσεις μεσολάβησης
most_recent_activity: Πιο πρόσφατη δραστηριότητα
most_recent_ip: Πιο πρόσφατη IP
+ no_account_selected: Κανείς λογαριασμός δεν ενημερώθηκε αφού κανείς δεν ήταν επιλεγμένος
no_limits_imposed: Χωρίς όρια
not_subscribed: Άνευ συνδρομής
outbox_url: URL εξερχομένων
@@ -144,6 +147,7 @@ el:
push_subscription_expires: Η εγγραφή PuSH λήγει
redownload: Ανανέωση αβατάρ
reject: Απόρριψη
+ reject_all: Απόρριψη όλων
remove_avatar: Απομακρυσμένο αβατάρ
remove_header: Αφαίρεση επικεφαλίδας
resend_confirmation:
@@ -170,6 +174,7 @@ el:
statuses: Καταστάσεις
subscribe: Εγγραφή
suspended: Σε αναστολή
+ time_in_queue: Σε αναμονή για %{time}
title: Λογαριασμοί
unconfirmed_email: Ανεπιβεβαίωτο email
undo_silenced: Αναίρεση αποσιώπησης
@@ -245,6 +250,7 @@ el:
feature_profile_directory: Κατάλογος χρηστών
feature_registrations: Εγγραφές
feature_relay: Ανταποκριτής ομοσπονδίας
+ feature_timeline_preview: Προεπισκόπιση ροής
features: Λειτουργίες
hidden_service: Ομοσπονδία με κρυμμένες υπηρεσίες
open_reports: ανοιχτές καταγγελίες
@@ -264,6 +270,7 @@ el:
created_msg: Ο αποκλεισμός τομέα είναι υπό επεξεργασία
destroyed_msg: Ο αποκλεισμός τομέα άρθηκε
domain: Τομέας
+ existing_domain_block_html: Έχεις ήδη επιβάλλει αυστηρότερους περιορισμούς στο %{name}, πρώτα θα πρέπει να τους αναιρέσεις.
new:
create: Δημιουργία αποκλεισμού
hint: Ο αποκλεισμός τομέα δεν θα αποτρέψει νέες καταχωρίσεις λογαριασμών στην βάση δεδομένων, αλλά θα εφαρμόσει αναδρομικά και αυτόματα συγκεκριμένες πολιτικές μεσολάβησης σε αυτούς τους λογαριασμούς.
@@ -329,6 +336,8 @@ el:
expired: Ληγμένες
title: Φίλτρο
title: Προσκλήσεις
+ pending_accounts:
+ title: Λογαριασμοί σε αναμονή (%{count})
relays:
add_new: Πρόσθεσε νέο ανταποκριτή (relay)
delete: Διαγραφή
@@ -465,7 +474,7 @@ el:
confirmed: Επιβεβαιωμένες
expires_in: Λήγει σε
last_delivery: Τελευταία παράδοση
- title: WebSub
+ title: Πρωτόκολλο WebSub
topic: Θέμα
tags:
accounts: Λογαριασμοί
@@ -490,6 +499,12 @@ el:
body: Ο/Η %{reporter} κατήγγειλε τον/την %{target}
body_remote: Κάποιος/α από τον τομέα %{domain} κατήγγειλε τον/την %{target}
subject: Νέα καταγγελία για %{instance} (#%{id})
+ appearance:
+ advanced_web_interface: Προηγμένη λειτουργία χρήσης
+ advanced_web_interface_hint: 'Αν θέλεις να χρησιμοποιήσεις ολόκληρο το πλάτος της οθόνης σου, η προηγμένη λειτουργία χρήσης σου επιτρέπει να ορίσεις πολλαπλές κολώνες ώστε να βλέπεις ταυτόχρονα όση πληροφορία θέλεις: Την αρχική ροή, τις ειδοποιήσεις, την ομοσπονδιακή ροή και όσες λίστες και ταμπέλες θέλεις.'
+ animations_and_accessibility: Κίνηση και προσβασιμότητα
+ confirmation_dialogs: Ερωτήσεις επιβεβαίωσης
+ sensitive_content: Ευαίσθητο περιεχόμενο
application_mailer:
notification_preferences: Αλλαγή προτιμήσεων email
salutation: "%{name},"
@@ -522,7 +537,7 @@ el:
or_log_in_with: Ή συνδέσου με
providers:
cas: Υπηρεσία Κεντρικής Πιστοποίησης (CAS)
- saml: SAML
+ saml: Πρωτόκολλο SAML
register: Εγγραφή
registration_closed: Το %{instance} δεν δέχεται νέα μέλη
resend_confirmation: Στείλε ξανά τις οδηγίες επιβεβαίωσης
@@ -631,6 +646,7 @@ el:
all: Όλα
changes_saved_msg: Οι αλλαγές αποθηκεύτηκαν!
copy: Αντιγραφή
+ order_by: Ταξινόμηση κατά
save_changes: Αποθήκευσε τις αλλαγές
validation_errors:
one: Κάτι δεν είναι εντάξει ακόμα! Για κοίταξε το παρακάτω σφάλμα
@@ -646,10 +662,13 @@ el:
keybase:
invalid_token: Τα κλειδιά Keybase είναι κατακερματισμένες υπογραφές και πρέπει να έχουν μήκος 66 δεκαεξαδικών χαρακτήρων
verification_failed: Το Keybase δεν δέχτηκε αυτό το κλειδί ως υπογραφή του χρήστη %{kb_username}. Παρακαλούμε δοκίμασε μέσω Keybase.
+ wrong_user: Δεν επιτρέπεται να δημιουργηθεί ένα αποδεικτικό για %{proving} υπό τη σύνδεση ως %{current}. Συνδέσου ως %{proving} και δοκίμασε ξανά.
explanation_html: Εδώ μπορείς να συνδέσεις κρυπτογραφικά τις υπόλοιπες ταυτοτητές σου, όπως για παράδειγμα ένα προφίλ στο Keybase. Αυτό επιτρέπει σε άλλους ανθρώπους να σου στέλνουν κρυπτογραφημένα μηνύματα και να μπορούν να εμπιστευτούν το περιεχόμενο που τους στέλνεις εσύ.
i_am_html: Είμαι ο/η %{username} στην υπηρεσία %{service}.
identity: Ταυτότητα
inactive: Ανενεργή
+ publicize_checkbox: 'Και κάνε τουτ αυτό:'
+ publicize_toot: 'Αποδείχτηκε! Λέγομαι %{username} στο %{service}: %{url}'
status: Κατάσταση επαλήθευσης
view_proof: Εμφάνιση απόδειξης
imports:
@@ -765,9 +784,13 @@ el:
too_many_options: δεν μπορεί να έχει περισσότερες από %{max} επιλογές
preferences:
other: Άλλο
+ posting_defaults: Προεπιλογές δημοσίευσης
+ public_timelines: Δημόσιες ροές
relationships:
activity: Δραστηριότητα λογαριασμού
dormant: Αδρανής
+ last_active: Τελευταία δραστηριότητα
+ most_recent: Πιο πρόσφατα
moved: Μετακόμισε
mutual: Αμοιβαίος
primary: Βασικός
@@ -843,6 +866,9 @@ el:
revoke_success: Η σύνδεση ανακλήθηκε επιτυχώς
title: Σύνδεση
settings:
+ account: Λογαριασμός
+ account_settings: Ρυθμίσεις λογαριασμού
+ appearance: Εμφάνιση
authorized_apps: Εγκεκριμένες εφαρμογές
back: Πίσω στο Mastodon
delete: Διαγραφή λογαριασμού
@@ -852,9 +878,11 @@ el:
featured_tags: Χαρακτηριστικές ταμπέλες
identity_proofs: Αποδείξεις ταυτοτήτων
import: Εισαγωγή
+ import_and_export: Εισαγωγή & Εξαγωγή
migrate: Μετακόμιση λογαριασμού
notifications: Ειδοποιήσεις
preferences: Προτιμήσεις
+ profile: Προφίλ
relationships: Ακολουθεί και ακολουθείται
two_factor_authentication: Πιστοποίηση 2 παραγόντων (2FA)
statuses:
@@ -904,10 +932,10 @@ el:
Ποιες πληροφορίες συλλέγουμε;
- - Βασικά στοιχεία λογαριασμού: Όταν εγγραφείς σε αυτό τον διακομιστή, μπορεί να σου ζητηθεί όνομα χρήστη, διεύθυνση email και ένας κωδικός. Μπορεί επίσης να εισάγεις επιπλέον πληροφορίες λογαριασμού όπως ένα όνομα λογαριασμού και σύντομο βιογραφικό και να ανεβάσεις εικόνα προφίλ και επικεφαλίδας. Το όνομα χρήστη, το όνομα λογαριασμού, το βιογραφικό και οι εικόνες προφίλ και επικεφαλίδας είναι πάντα δημόσια εμφανείς.
- - Δημοσιεύσεις, ακόλουθοι και λοιπά δημόσια στοιχεία: Η λίστα των ανθρώπων που ακολουθείς εμφανίζεται δημόσια, το ίδιο και οι ακόλουθοί σου. Όταν υποβάλλεις ένα μήνυμα, η ημερομηνία και ώρα αποθηκεύονται καθώς και η εφαρμογή που χρησιμοποίησες για την υποβολή του. Τα μηνύματα μπορεί να περιέχουν συνημμένα πολυμέσα όπως εικόνες και βίντεο. Τα δημόσια και τα μη καταχωρημένα μηνύματα είναι δημόσια διαθέσιμα. Όταν προβάλεις μια δημοσίευση στο προφίλ σου, είναι και αυτό δημόσια διαθέσιμο. Οι δημοσιεύσεις σου παραδίδονται στους ακολούθους σου, σε κάποιες περιπτώσεις αυτό σημαίνει ότι παραδίδονται σε διαφορετικούς διακομιστές (servers) και αντίγραφά τους αποθηκεύονται σε αυτούς. Παρομοίως, όταν διαγράψεις δημοσιεύσεις, αυτό μεταφέρεται στους ακόλουθους σου. Η αναδημοσίευση και η σημείωση ως αγαπημένης μιας δημοσίευσης είναι πάντα δημόσια.
- - Προσωπικές δημοσιεύσεις και προς ακόλουθους: Όλες οι δημοσιεύσεις αποθηκεύονται και επεξεργάζονται στον διακομιστή. Οι δημοσιεύσεις προς τους ακόλουθους παραδίδονται στους ακόλουθους σου και σε όσους χρήστες αναφέρονται σε αυτές. Σε κάποιες περιπτώσεις αυτό σημαίνει πως παραδίδονται σε διαφορετικούς διακομιστές και αντίγραφά τους αποθηκεύονται σε αυτούς. Καταβάλουμε ειλικρινή προσπάθεια περιορισμού πρόσβασης σε αυτές τις δημοσιεύσεις μόνο σε εγκεκριμένα άτομα, όμως διαφορετικοί διακομιστές μπορεί να μην το πετυχαίνουν αυτό. Για αυτό, είναι σημαντικό να ελέγχεις τους διακομιστές στους οποίους ανήκουν οι ακόλουθοί σου. Μπορείς να ενεργοποιήσεις την επιλογή χειροκίνητης αποδοχής ή απόρριψης των νέων ακόλουθών σου στις ρυθμίσεις. Παρακαλούμε έχε υπόψιν σου πως οι διαχειριστές του διακομιστή και των αποδεκτών διακομιστών πιθανόν να κοιτάνε αυτά τα μηνύματα, και πως οι τελικοί αποδέκτες μπορούν να αποθηκεύσουν την οθόνη, το μήνυμα ή να το αναμεταδώσουν με άλλους τρόπους. Μην μοιράζεσαι επικύνδυνες πληροφορίες μέσω του Mastodon.
- - Διευθύνσεις IP και άλλα metadata: Όταν συνδέεσαι, καταγράφουμε την διεύθυνση IP σου, καθώς και το όνομα της εφαρμογής του φυλλομετρητή σου (browser). Όλες οι τρέχουσες συνδέσεις στον λογαριασμό σου είναι διαθέσιμες προς ανασκόπηση στις ρυθμίσεις. Η πιο πρόσφατη διεύθυνση IP αποθηκεύεται για μέχρι 12 μήνες. Επίσης μπορεί να διατηρήσουμε ιστορικό του διακομιστή (log files) που να περιέχει την διεύθυνση ΙΡ κάθε κλήσης προς τον διακομιστή μας.
+ - Βασικά στοιχεία λογαριασμού: Όταν εγγραφείς σε αυτό τον διακομιστή, μπορεί να σου ζητηθεί όνομα χρήστη, διεύθυνση email και ένας κωδικός. Μπορεί επίσης να εισάγεις επιπλέον πληροφορίες λογαριασμού όπως ένα όνομα λογαριασμού και σύντομο βιογραφικό και να ανεβάσεις εικόνα προφίλ και επικεφαλίδας. Το όνομα χρήστη, το όνομα λογαριασμού, το βιογραφικό και οι εικόνες προφίλ και επικεφαλίδας είναι πάντα δημόσια εμφανείς.
+ - Δημοσιεύσεις, ακόλουθοι και λοιπά δημόσια στοιχεία: Η λίστα των ανθρώπων που ακολουθείς εμφανίζεται δημόσια, το ίδιο και οι ακόλουθοί σου. Όταν υποβάλλεις ένα μήνυμα, η ημερομηνία και ώρα αποθηκεύονται καθώς και η εφαρμογή που χρησιμοποίησες για την υποβολή του. Τα μηνύματα μπορεί να περιέχουν συνημμένα πολυμέσα όπως εικόνες και βίντεο. Τα δημόσια και τα μη καταχωρημένα μηνύματα είναι δημόσια διαθέσιμα. Όταν προβάλεις μια δημοσίευση στο προφίλ σου, είναι και αυτό δημόσια διαθέσιμο. Οι δημοσιεύσεις σου παραδίδονται στους ακολούθους σου, σε κάποιες περιπτώσεις αυτό σημαίνει ότι παραδίδονται σε διαφορετικούς διακομιστές (servers) και αντίγραφά τους αποθηκεύονται σε αυτούς. Παρομοίως, όταν διαγράψεις δημοσιεύσεις, αυτό μεταφέρεται στους ακόλουθους σου. Η αναδημοσίευση και η σημείωση ως αγαπημένης μιας δημοσίευσης είναι πάντα δημόσια.
+ - Προσωπικές δημοσιεύσεις και προς ακόλουθους: Όλες οι δημοσιεύσεις αποθηκεύονται και επεξεργάζονται στον διακομιστή. Οι δημοσιεύσεις προς τους ακόλουθους παραδίδονται στους ακόλουθους σου και σε όσους χρήστες αναφέρονται σε αυτές. Σε κάποιες περιπτώσεις αυτό σημαίνει πως παραδίδονται σε διαφορετικούς διακομιστές και αντίγραφά τους αποθηκεύονται σε αυτούς. Καταβάλουμε ειλικρινή προσπάθεια περιορισμού πρόσβασης σε αυτές τις δημοσιεύσεις μόνο σε εγκεκριμένα άτομα, όμως διαφορετικοί διακομιστές μπορεί να μην το πετυχαίνουν αυτό. Για αυτό, είναι σημαντικό να ελέγχεις τους διακομιστές στους οποίους ανήκουν οι ακόλουθοί σου. Μπορείς να ενεργοποιήσεις την επιλογή χειροκίνητης αποδοχής ή απόρριψης των νέων ακόλουθών σου στις ρυθμίσεις. Παρακαλούμε έχε υπόψιν σου πως οι διαχειριστές του διακομιστή και των αποδεκτών διακομιστών πιθανόν να κοιτάνε αυτά τα μηνύματα, και πως οι τελικοί αποδέκτες μπορούν να αποθηκεύσουν την οθόνη, το μήνυμα ή να το αναμεταδώσουν με άλλους τρόπους. Μην μοιράζεσαι επικύνδυνες πληροφορίες μέσω του Mastodon.
+ - Διευθύνσεις IP και άλλα metadata: Όταν συνδέεσαι, καταγράφουμε την διεύθυνση IP σου, καθώς και το όνομα της εφαρμογής του φυλλομετρητή σου (browser). Όλες οι τρέχουσες συνδέσεις στον λογαριασμό σου είναι διαθέσιμες προς ανασκόπηση στις ρυθμίσεις. Η πιο πρόσφατη διεύθυνση IP αποθηκεύεται για μέχρι 12 μήνες. Επίσης μπορεί να διατηρήσουμε ιστορικό του διακομιστή (log files) που να περιέχει την διεύθυνση ΙΡ κάθε κλήσης προς τον διακομιστή μας.
@@ -917,9 +945,9 @@ el:
Οι πληροφορίες σου που συλλέγουμε μπορεί να χρησιμοποιηθούν με τους ακόλουθους τρόπους:
- - Για να παρέχουμε την βασική λειτουργικότητα του Mastodon. Μπορείς να αλληλεπιδράσεις με τις δημοσιεύσεις άλλων και να κάνεις τις δικές σου μόνο αφού συνδεθείς. Για παράδειγμα, μπορείς να ακολουθήσεις άλλους χρήστες για να βλέπεις τις συνολικές δημοσιεύσεις τους στη δική σου, προσωπική αρχική ροή.
- - Για να διευκολύνουμε τη διαχείριση της κοινότητας, για παράδειγμα συγκρίνοντας τη δική σου διεύθυνση IP με άλλες γνωστές διευθύνσεις για να καθορίσουμε περιπτώσεις αποφυγής αποκλεισμού ή άλλων παραβάσεων.
- - Η διεύθυνση email που δίνεις μπορεί να χρησιμοποιηθεί για να σου στείλουμε πληροφορίες, ειδοποιήσεις για αλληλεπιδράσεις άλλων χρηστών με τις δημοσιεύσεις σου και να ανταποκριθούμε σε ερωτήματά σου.
+ - Για να παρέχουμε την βασική λειτουργικότητα του Mastodon. Μπορείς να αλληλεπιδράσεις με τις δημοσιεύσεις άλλων και να κάνεις τις δικές σου μόνο αφού συνδεθείς. Για παράδειγμα, μπορείς να ακολουθήσεις άλλους χρήστες για να βλέπεις τις συνολικές δημοσιεύσεις τους στη δική σου, προσωπική αρχική ροή.
+ - Για να διευκολύνουμε τη διαχείριση της κοινότητας, για παράδειγμα συγκρίνοντας τη δική σου διεύθυνση IP με άλλες γνωστές διευθύνσεις για να καθορίσουμε περιπτώσεις αποφυγής αποκλεισμού ή άλλων παραβάσεων.
+ - Η διεύθυνση email που δίνεις μπορεί να χρησιμοποιηθεί για να σου στείλουμε πληροφορίες, ειδοποιήσεις για αλληλεπιδράσεις άλλων χρηστών με τις δημοσιεύσεις σου και να ανταποκριθούμε σε ερωτήματά σου.
@@ -935,8 +963,8 @@ el:
Καταβάλουμε κάθε δυνατή προσπάθεια να:
- - Διατηρήσουμε αρχεία ενεργειών των διακομιστών (servers) για όλα τα αιτήματα σε αυτόν τον διακομιστή, και αυτά τα αρχεία διατηρούνται για μέγιστο χρόνο 90 ημερών.
- - Διατηρήσουμε τις διευθύνσεις IP που σχετίζονται με εγγεγραμμένους χρήστες για μέγιστο χρόνο 12 μηνών.
+ - Διατηρήσουμε αρχεία ενεργειών των διακομιστών (servers) για όλα τα αιτήματα σε αυτόν τον διακομιστή, και αυτά τα αρχεία διατηρούνται για μέγιστο χρόνο 90 ημερών.
+ - Διατηρήσουμε τις διευθύνσεις IP που σχετίζονται με εγγεγραμμένους χρήστες για μέγιστο χρόνο 12 μηνών.
Μπορείς να αιτηθείς και να αποθηκεύσεις τοπικά ένα αρχείο του περιεχομένου σου που περιλαμβάνει τις δημοσιεύσεις, τα συνημμένα πολυμέσα, την εικόνα προφίλ και την εικόνα επικεφαλίδας.
diff --git a/config/locales/eo.yml b/config/locales/eo.yml
index 0e3c45341b..c71b42fdd8 100644
--- a/config/locales/eo.yml
+++ b/config/locales/eo.yml
@@ -1,7 +1,7 @@
---
eo:
about:
- about_hashtag_html: Ĉi tiuj estas la publikaj mesaĝoj markitaj per #%{hashtag}. Vi povas interagi kun ili se vi havas konton ie ajn en la fediverse.
+ about_hashtag_html: Ĉi tiuj estas la publikaj fajfoj markitaj per #%{hashtag}. Vi povas interagi kun ili se vi havas konton ie ajn en la fediverse.
about_mastodon_html: Mastodon estas socia reto bazita sur malfermitaj retaj protokoloj kaj sur libera malfermitkoda programo. Ĝi estas sencentra kiel retmesaĝoj.
about_this: Pri
active_count_after: aktiva
@@ -68,6 +68,7 @@ eo:
admin: Administranto
bot: Roboto
moderator: Kontrolanto
+ unavailable: Profilo ne disponebla
unfollow: Ne plu sekvi
admin:
account_actions:
@@ -80,6 +81,7 @@ eo:
destroyed_msg: Kontrola noto sukcese detruita!
accounts:
approve: Aprobi
+ approve_all: Aprobi ĉiujn
are_you_sure: Ĉu vi certas?
avatar: Profilbildo
by_domain: Domajno
@@ -132,6 +134,7 @@ eo:
moderation_notes: Kontrolaj notoj
most_recent_activity: Lasta ago
most_recent_ip: Lasta IP
+ no_account_selected: Neniu konto estis ŝanĝita ĉar neniu estis selektita
no_limits_imposed: Neniu limito trudita
not_subscribed: Ne abonita
outbox_url: Elira URL
@@ -144,6 +147,7 @@ eo:
push_subscription_expires: Eksvalidiĝo de la abono al PuSH
redownload: Aktualigi profilon
reject: Malakcepti
+ reject_all: Malaprobi ĉiujn
remove_avatar: Forigi profilbildon
remove_header: Forigi kapan bildon
resend_confirmation:
@@ -491,6 +495,10 @@ eo:
body: "%{reporter} signalis %{target}"
body_remote: Iu de %{domain} signalis %{target}
subject: Nova signalo por %{instance} (#%{id})
+ appearance:
+ advanced_web_interface: Altnivela retpaĝa interfaco
+ confirmation_dialogs: Konfirmaj dialogoj
+ sensitive_content: Tikla enhavo
application_mailer:
notification_preferences: Ŝanĝi retmesaĝajn preferojn
salutation: "%{name},"
@@ -655,8 +663,8 @@ eo:
i_am_html: Mi estas %{username} en %{service}.
identity: Identeco
inactive: Malaktiva
- publicize_checkbox: 'And toot this:'
- publicize_toot: 'It is proven! I am %{username} on %{service}: %{url}'
+ publicize_checkbox: 'Kaj fajfi ĉi tio:'
+ publicize_toot: 'I estas pruvita! Mi estas %{username} sur %{service}: %{url}'
status: Confirmo statuso
view_proof: Vidi pruvo
imports:
@@ -754,7 +762,6 @@ eo:
quadrillion: Dd
thousand: m
trillion: Dn
- unit: " "
pagination:
newer: Pli nova
next: Sekva
@@ -774,18 +781,14 @@ eo:
preferences:
other: Aliaj aferoj
relationships:
- activity: Account activity
- dormant: Dormant
- last_active: Last active
- most_recent: Most recent
- moved: Moved
- mutual: Mutual
- primary: Primary
- relationship: Relationship
- remove_selected_domains: Remove all followers from the selected domains
- remove_selected_followers: Remove selected followers
- remove_selected_follows: Unfollow selected users
- status: Account status
+ dormant: Dormanta
+ last_active: Lasta aktiva
+ most_recent: Plej lasta
+ moved: Moviĝita
+ mutual: Reciproka
+ primary: Primara
+ relationship: Rilato
+ status: Statuso de la konto
remote_follow:
acct: Enmetu vian uzantnomo@domajno de kie vi volas agi
missing_resource: La URL de plusendado ne estis trovita
@@ -853,6 +856,9 @@ eo:
revoke_success: Seanco sukcese malvalidigita
title: Seancoj
settings:
+ account: Konto
+ account_settings: Agordoj de konto
+ appearance: Apero
authorized_apps: Rajtigitaj aplikaĵoj
back: Reveni al Mastodon
delete: Konta forigo
@@ -860,12 +866,14 @@ eo:
edit_profile: Redakti profilon
export: Eksporti datumojn
featured_tags: Elstarigitaj kradvortoj
- identity_proofs: Identity proofs
+ identity_proofs: Pruvo de identeco
import: Importi
+ import_and_export: Alporto kaj elporto
migrate: Konta migrado
notifications: Sciigoj
preferences: Preferoj
- relationships: Follows and followers
+ profile: Profilo
+ relationships: Sekvatoj kaj sekvantoj
two_factor_authentication: Dufaktora aŭtentigo
statuses:
attached:
@@ -896,7 +904,7 @@ eo:
vote: Voĉdoni
show_more: Montri pli
sign_in_to_participate: Ensaluti por partopreni en la konversacio
- title: '%{name}: "%{quote}"'
+ title: "%{name}: “%{quote}”"
visibilities:
private: Montri nur al sekvantoj
private_long: Montri nur al sekvantoj
diff --git a/config/locales/es.yml b/config/locales/es.yml
index ed04e7101c..4a919f52bd 100644
--- a/config/locales/es.yml
+++ b/config/locales/es.yml
@@ -5,24 +5,28 @@ es:
about_mastodon_html: Mastodon es un servidor de red social libre y de código abierto. Una alternativa descentralizada a plataformas comerciales, que evita el riesgo de que una única compañía monopolice tu comunicación. Cualquiera puede ejecutar Mastodon y participar sin problemas en la red social.
about_this: Acerca de esta instancia
administered_by: 'Administrado por:'
- api: API
apps: Aplicaciones móviles
contact: Contacto
contact_missing: No especificado
- contact_unavailable: N/A
+ discover_users: Descubrir usuarios
documentation: Documentación
extended_description_html: |
Un buen lugar para las reglas
La descripción extendida no se ha colocado aún.
+ federation_hint_html: Con una cuenta en %{instance} usted podrá seguir a las personas en cualquier servidor de Mastodon y más allá.
generic_description: "%{domain} es un servidor en la red"
+ get_apps: Probar una aplicación móvil
hosted_on: Mastodon hosteado en %{domain}
learn_more: Aprende más
privacy_policy: Política de privacidad
+ see_whats_happening: Ver lo que está pasando
+ server_stats: 'Datos del servidor:'
source_code: Código fuente
status_count_after:
one: estado
other: estados
status_count_before: Qué han escrito
+ tagline: Seguir a amigos existentes y descubre nuevos
terms: Condiciones de servicio
user_count_after:
one: usuario
@@ -39,7 +43,6 @@ es:
joined: Se unió el %{date}
last_active: última conexión
link_verified_on: La propiedad de este vínculo fue verificada el %{date}
- media: Media
moved_html: "%{name} se ha trasladado a %{new_profile_link}:"
network_hidden: Esta información no está disponible
nothing_here: "¡No hay nada aquí!"
@@ -55,11 +58,12 @@ es:
reserved_username: El nombre de usuario está reservado
roles:
admin: Administrador
- bot: Bot
moderator: Moderador
+ unavailable: Perfil no disponible
unfollow: Dejar de seguir
admin:
account_actions:
+ action: Realizar acción
title: Moderar %{acct}
account_moderation_notes:
create: Crear
@@ -67,8 +71,9 @@ es:
delete: Borrar
destroyed_msg: "¡Nota de moderación destruida con éxito!"
accounts:
+ approve: Aprobar
+ approve_all: Aprobar todos
are_you_sure: "¿Estás seguro?"
- avatar: Avatar
by_domain: Dominio
change_email:
changed_msg: "¡El correo electrónico se ha actualizado correctamente!"
@@ -99,10 +104,8 @@ es:
header: Cabecera
inbox_url: URL de la bandeja de entrada
invited_by: Invitado por
- ip: IP
location:
all: Todos
- local: Local
remote: Remoto
title: Localización
login_status: Estado del login
@@ -117,9 +120,11 @@ es:
moderation_notes: Notas de moderación
most_recent_activity: Actividad más reciente
most_recent_ip: IP más reciente
+ no_account_selected: Ninguna cuenta se cambió como ninguna fue seleccionada
no_limits_imposed: Sin límites impuestos
not_subscribed: No se está suscrito
outbox_url: URL de bandeja de salida
+ pending: Revisión pendiente
perform_full_suspension: Suspender
profile_url: URL del perfil
promote: Promocionar
@@ -127,6 +132,8 @@ es:
public: Público
push_subscription_expires: Expiración de la suscripción PuSH
redownload: Refrescar avatar
+ reject: Rechazar
+ reject_all: Rechazar todos
remove_avatar: Eliminar el avatar
resend_confirmation:
already_confirmed: Este usuario ya está confirmado
@@ -158,12 +165,14 @@ es:
undo_suspension: Des-suspender
unsubscribe: Desuscribir
username: Nombre de usuario
+ warn: Adevertir
web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} se ha asignado la denuncia %{target} a sí mismo"
change_email_user: "%{name} ha cambiado la dirección de correo del usuario %{target}"
confirm_user: "%{name} confirmó la dirección de correo del usuario %{target}"
+ create_account_warning: "%{name} envió una advertencia a %{target}"
create_custom_emoji: "%{name} subió un nuevo emoji %{target}"
create_domain_block: "%{name} bloqueó el dominio %{target}"
create_email_domain_block: "%{name} puso en lista negra el dominio de correos %{target}"
@@ -202,7 +211,6 @@ es:
destroyed_msg: "¡Emojo destruido con éxito!"
disable: Deshabilitar
disabled_msg: Se deshabilitó con éxito ese emoji
- emoji: Emoji
enable: Habilitar
enabled_msg: Se habilitó con éxito ese emoji
image_hint: PNG de hasta 50KB
@@ -222,6 +230,7 @@ es:
config: Configuración
feature_deletions: Borrados de cuenta
feature_invites: Enlaces de invitación
+ feature_profile_directory: Directorio de perfil
feature_registrations: Registros
feature_relay: Relés de federación
features: Características
@@ -243,6 +252,7 @@ es:
created_msg: El bloque de dominio está siendo procesado
destroyed_msg: El bloque de dominio se deshizo
domain: Dominio
+ existing_domain_block_html: Ya ha impuesto límites más estrictos a %{name}, necesita desbloquearlo primero.
new:
create: Crear bloque
hint: El bloque de dominio no prevendrá la creación de entradas de cuenta en la base de datos, pero aplicará retroactiva y automáticamente métodos de moderación específica en dichas cuentas.
@@ -413,17 +423,21 @@ es:
confirmed: Confirmado
expires_in: Expira en
last_delivery: Última entrega
- title: WebSub
topic: Tópico
title: Administración
+ warning_presets:
+ add_new: Añadir nuevo
+ delete: Borrar
+ edit: Editar
admin_mailer:
+ new_pending_account:
+ body: Los detalles de la nueva cuenta están abajos. Puedes aprobar o rechazar esta aplicación.
new_report:
body: "%{reporter} ha reportado a %{target}"
body_remote: Alguien de %{domain} a reportado a %{target}
subject: Nuevo reporte para la %{instance} (#%{id})
application_mailer:
notification_preferences: Cambiar preferencias de correo electrónico
- salutation: "%{name},"
settings: 'Cambiar preferencias de correo: %{link}'
view: 'Vista:'
view_profile: Ver perfil
@@ -438,6 +452,7 @@ es:
your_token: Tu token de acceso
auth:
change_password: Contraseña
+ checkbox_agreement_html: Acepto las reglas del servidor y términos de servicio
confirm_email: Confirmar email
delete_account: Borrar cuenta
delete_account_html: Si desea eliminar su cuenta, puede proceder aquí. Será pedido de una confirmación.
@@ -449,10 +464,8 @@ es:
migrate_account: Mudarse a otra cuenta
migrate_account_html: Si deseas redireccionar esta cuenta a otra distinta, puedes configurarlo aquí.
or_log_in_with: O inicia sesión con
- providers:
- cas: CAS
- saml: SAML
register: Registrarse
+ registration_closed: "%{instance} no está aceptando nuevos miembros"
resend_confirmation: Volver a enviar el correo de confirmación
reset_password: Restablecer contraseña
security: Cambiar contraseña
@@ -470,18 +483,10 @@ es:
title: Seguir a %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
about_x_months: "%{count}m"
- about_x_years: "%{count}y"
- almost_x_years: "%{count}y"
half_a_minute: Justo ahora
- less_than_x_minutes: "%{count}m"
less_than_x_seconds: Justo ahora
- over_x_years: "%{count}y"
- x_days: "%{count}d"
- x_minutes: "%{count}m"
x_months: "%{count}m"
- x_seconds: "%{count}s"
deletes:
bad_password_msg: "¡Buen intento, hackers! Contraseña incorrecta"
confirm_password: Ingresa tu contraseña actual para demostrar tu identidad
@@ -490,6 +495,12 @@ es:
success_msg: Tu cuenta se eliminó con éxito
warning_html: Se garantiza únicamente la eliminación del contenido de esta instancia. El contenido que se haya compartido extensamente dejará sus huellas. Los servidores fuera de línea y los que se hayan desuscrito de tus actualizaciones ya no actualizarán sus bases de datos.
warning_title: Disponibilidad diseminada del contenido
+ directories:
+ explore_mastodon: Explorar %{title}
+ how_to_enable: Usted no está registrado por el directorio. Puede registrar por abajo. ¡Utilice hashtags en su bio para aparecer bajo hashtags específicos!
+ people:
+ one: "%{count} persona"
+ other: "%{count} personas"
errors:
'403': No tienes permiso para acceder a esta página.
'404': La página que estabas buscando no existe.
@@ -502,6 +513,9 @@ es:
content: Lo sentimos, algo ha funcionado mal por nuestra parte.
title: Esta página no es correcta
noscript_html: Para usar la aplicación web de Mastodon, por favor activa Javascript. Alternativamente, prueba alguna de las aplicaciones nativas para Mastodon para tu plataforma.
+ existing_username_validator:
+ not_found: no pudo encontrar un usuario local con ese nombre de usuario
+ not_found_multiple: no pudo encontrar %{usernames}
exports:
archive_takeout:
date: Fecha
@@ -511,10 +525,13 @@ es:
request: Solicitar tu archivo
size: Tamaño
blocks: Personas que has bloqueado
- csv: CSV
follows: Personas que sigues
mutes: Tienes en silencio
storage: Almacenamiento
+ featured_tags:
+ add_new: Añadir nuevo
+ errors:
+ limit: Ya has alcanzado la cantidad máxima de hashtags
filters:
contexts:
home: Timeline propio
@@ -542,6 +559,13 @@ es:
validation_errors:
one: "¡Algo no está bien! Por favor, revisa el error"
other: "¡Algo no está bien! Por favor, revise %{count} errores más abajo"
+ identity_proofs:
+ authorize_connection_prompt: "¿Autorizar esta conexión criptográfica?"
+ errors:
+ failed: La conexión criptográfica falló. Por favor, inténtalo de nuevo desde %{provider}.
+ keybase:
+ invalid_token: Los tokens de Keybase son hashes de firmas y deben tener 66 caracteres hex
+ verification_failed: Keybase no reconoce este token como una firma del usuario de Keybase %{kb_username}. Por favor, inténtelo de nuevo desde Keybase.
imports:
preface: Puedes importar ciertos datos, como todas las personas que estás siguiendo o bloqueando en tu cuenta en esta instancia, desde archivos exportados de otra instancia.
success: Sus datos se han cargado correctamente y serán procesados en brevedad
@@ -621,23 +645,11 @@ es:
body: "%{name} ha retooteado tu estado:"
subject: "%{name} ha retooteado tu estado"
title: Nueva difusión
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: " "
pagination:
newer: Más nuevo
next: Próximo
older: Más antiguo
prev: Anterior
- truncate: "…"
preferences:
other: Otros
remote_follow:
@@ -647,47 +659,18 @@ es:
proceed: Proceder a seguir
prompt: 'Vas a seguir a:'
remote_unfollow:
- error: Error
title: Título
unfollowed: Ha dejado de seguirse
sessions:
activity: Última actividad
browser: Navegador
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Desconocido
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- 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}"
explanation: Estos son los navegadores web conectados actualmente en tu cuenta de Mastodon.
- 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: Desconocido
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Revocar
revoke_success: Sesión revocada exitosamente
title: Sesiones
@@ -727,7 +710,6 @@ es:
reblog: Un boost no puede fijarse
show_more: Mostrar más
sign_in_to_participate: Regístrate para participar en la conversación
- title: '%{name}: "%{quote}"'
visibilities:
private: Sólo mostrar a seguidores
private_long: Solo mostrar a tus seguidores
@@ -748,7 +730,6 @@ es:
time:
formats:
default: "%d de %b del %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Ingresa el código generado por tu aplicación de autenticación para confirmar
description_html: Si habilitas la autenticación de dos factores, se requerirá estar en posesión de su teléfono, lo que generará tokens para que usted pueda iniciar sesión.
@@ -785,7 +766,6 @@ es:
tip_following: Sigues a tus administradores de servidor por defecto. Para encontrar más gente interesante, revisa las lineas de tiempo local y federada.
tip_local_timeline: La linea de tiempo local is una vista de la gente en %{instance}. Estos son tus vecinos inmediatos!
tip_mobile_webapp: Si el navegador de tu dispositivo móvil ofrece agregar Mastodon a tu página de inicio, puedes recibir notificaciones. Actúa como una aplicación nativa en muchas formas!
- tips: Tips
title: Te damos la bienvenida a bordo, %{name}!
users:
follow_limit_reached: No puedes seguir a más de %{limit} personas
diff --git a/config/locales/eu.yml b/config/locales/eu.yml
index c5171ae7b2..d83deb2146 100644
--- a/config/locales/eu.yml
+++ b/config/locales/eu.yml
@@ -4,25 +4,36 @@ eu:
about_hashtag_html: Hauek #%{hashtag} traola duten toot publikoak dira. Fedibertsoko edozein kontu baduzu harremanetan jarri zaitezke.
about_mastodon_html: Mastodon web protokolo ireki eta libreak darabiltzan gizarte sare bat da. E-mail sarea bezala deszentralizatua da.
about_this: Honi buruz
+ active_count_after: aktiboa
+ active_footnote: Hilabeteko erabiltzaile aktiboak (HEA)
administered_by: 'Administratzailea(k):'
api: APIa
apps: Aplikazio mugikorrak
+ apps_platforms: Erabili Mastodon, iOS, Android eta beste plataformetatik
+ browse_directory: Arakatu profilen direktorio bat eta iragazi interesen arabera
+ browse_public_posts: Arakatu Mastodoneko mezu publikoen zuzeneko jario bat
contact: Kontaktua
contact_missing: Ezarri gabe
contact_unavailable: E/E
+ discover_users: Aurkitu erabiltzaileak
documentation: Dokumentazioa
extended_description_html: |
Arauentzako toki egoki bat
Azalpen luzea ez da ezarri oraindik.
+ federation_hint_html: "%{instance} instantzian kontu bat izanda edozein Mastodon zerbitzariko jendea jarraitu ahal izango duzu, eta harago ere."
generic_description: "%{domain} sareko zerbitzari bat da"
+ get_apps: Probatu mugikorrerako aplikazio bat
hosted_on: Mastodon %{domain} domeinuan ostatatua
learn_more: Ikasi gehiago
privacy_policy: Pribatutasun politika
+ see_whats_happening: Ikusi zer gertatzen ari den
+ server_stats: 'Zerbitzariaren estatistikak:'
source_code: Iturburu kodea
status_count_after:
one: mezu
other: mezu
status_count_before: Hauek
+ tagline: Jarraitu lagunak eta egin berriak
terms: Erabilera baldintzak
user_count_after:
one: erabiltzaile
@@ -49,7 +60,7 @@ eu:
following: Onetsi nahi duzun pertsona aurretik jarraitu behar duzu
posts:
one: Toot
- other: Toot
+ other: Tootak
posts_tab_heading: Tootak
posts_with_replies: Toot eta erantzunak
reserved_username: Erabiltzaile-izena erreserbatuta dago
@@ -57,6 +68,7 @@ eu:
admin: Administratzailea
bot: Bot-a
moderator: Moderatzailea
+ unavailable: Profila ez dago eskuragarri
unfollow: Utzi jarraitzeari
admin:
account_actions:
@@ -68,6 +80,8 @@ eu:
delete: Ezabatu
destroyed_msg: Moderazio ohara ongi suntsitu da!
accounts:
+ approve: Onartu
+ approve_all: Onartu denak
are_you_sure: Ziur zaude?
avatar: Abatarra
by_domain: Domeinua
@@ -100,7 +114,7 @@ eu:
header: Goiburua
inbox_url: Sarrera ontziaren URL-a
invited_by: 'Honek gonbidatua:'
- ip: IP
+ ip: IP-a
joined: Elkartuta
location:
all: Denak
@@ -113,15 +127,18 @@ eu:
moderation:
active: Aktiboa
all: Denak
+ pending: Zain
silenced: Isilarazita
suspended: Kanporatua
title: Moderazioa
moderation_notes: Moderazio oharrak
most_recent_activity: Azken jarduera
most_recent_ip: Azken IP-a
+ no_account_selected: Ez da konturik aldatu ez delako bata bera hautatu
no_limits_imposed: Ez da mugarik ezarri
not_subscribed: Harpidetu gabe
outbox_url: Irteera ontziaren URL-a
+ pending: Berrikusketa egiteke
perform_full_suspension: Kanporatu
profile_url: Profilaren URL-a
promote: Sustatu
@@ -129,6 +146,8 @@ eu:
public: Publikoa
push_subscription_expires: Push harpidetzaren iraugitzea
redownload: Freskatu profila
+ reject: Ukatu
+ reject_all: Ukatu denak
remove_avatar: Kendu abatarra
remove_header: Kendu goiburua
resend_confirmation:
@@ -155,6 +174,7 @@ eu:
statuses: Mezuak
subscribe: Harpidetu
suspended: Kanporatuta
+ time_in_queue: Kolan zain %{time}
title: Kontuak
unconfirmed_email: Baieztatu gabeko e-mail helbidea
undo_silenced: Utzi isilarazteari
@@ -162,7 +182,7 @@ eu:
unsubscribe: Kendu harpidetza
username: Erabiltzaile-izena
warn: Abisatu
- web: Web
+ web: Weba
action_logs:
actions:
assigned_to_self_report: "%{name}(e)k %{target} salaketa bere buruari esleitu dio"
@@ -207,7 +227,7 @@ eu:
destroyed_msg: Emoji-a ongi suntsitu da!
disable: Desgaitu
disabled_msg: Emoji-a ongi desgaitu da
- emoji: Emoji
+ emoji: Emojia
enable: Gaitu
enabled_msg: Emoji hori ongi gaitu da
image_hint: PNG gehienez 50KB
@@ -230,13 +250,14 @@ eu:
feature_profile_directory: Profil-direktorioa
feature_registrations: Izen emateak
feature_relay: Federazio haria
+ feature_timeline_preview: Denbora-lerroaren aurrebista
features: Ezaugarriak
hidden_service: Federazioa ezkutuko zerbitzuekin
open_reports: salaketa irekiak
recent_users: Azken erabiltzaileak
search: Testu osoko bilaketa
single_user_mode: Erabiltzaile bakarreko modua
- software: Software
+ software: Softwarea
space: Espazio erabilera
title: Kontrol panela
total_users: erabiltzaile guztira
@@ -249,6 +270,7 @@ eu:
created_msg: Domeinuaren blokeoa orain prozesatzen ari da
destroyed_msg: Domeinuaren blokeoa desegin da
domain: Domeinua
+ existing_domain_block_html: '%{name} domeinuan muga zorrotzagoak ezarri dituzu jada, aurretik desblokeatu beharko duzu.'
new:
create: Sortu blokeoa
hint: Domeinuaren blokeoak ez du eragotziko kontuen sarrerak sortzea datu-basean, baina automatikoki ezarriko zaizkie moderazio metodo bereziak iraganeko mezuetan ere.
@@ -291,6 +313,7 @@ eu:
back_to_account: Itzuli kontura
title: "%{acct} kontuaren jarraitzaileak"
instances:
+ by_domain: Domeinua
delivery_available: Bidalketa eskuragarri dago
known_accounts:
one: Kontu ezagun %{count}
@@ -313,6 +336,8 @@ eu:
expired: Iraungitua
title: Iragazi
title: Gonbidapenak
+ pending_accounts:
+ title: Zain dauden kontuak (%{count})
relays:
add_new: Gehitu hari berria
delete: Ezabatu
@@ -399,6 +424,12 @@ eu:
min_invite_role:
disabled: Inor ez
title: Baimendu hauen gobidapenak
+ registrations_mode:
+ modes:
+ approved: Izena emateko onarpena behar da
+ none: Ezin du inork izena eman
+ open: Edonork eman dezake izena
+ title: Erregistratzeko modua
show_known_fediverse_at_about_page:
desc_html: Txandakatzean, fedibertsu ezagun osoko toot-ak bistaratuko ditu aurrebistan. Bestela, toot lokalak besterik ez ditu erakutsiko.
title: Erakutsi fedibertsu ezagun osoko denbora-lerroa aurrebistan
@@ -461,10 +492,19 @@ eu:
edit_preset: Editatu abisu aurre-ezarpena
title: Kudeatu abisu aurre-ezarpenak
admin_mailer:
+ new_pending_account:
+ body: Kontu berriaren xehetasunak azpian daude. Eskaera hau onartu edo ukatu dezakezu.
+ subject: Kontu berria berrikusteko %{instance} instantzian (%{username})
new_report:
body: "%{reporter}(e)k %{target} salatu du"
body_remote: "%{domain} domeinuko norbaitek %{target} salatu du"
subject: Salaketa berria %{instance} instantzian (#%{id})
+ appearance:
+ advanced_web_interface: Web interfaze aurreratua
+ advanced_web_interface_hint: 'Pantaila bere zabalera osoan erabili nahi baduzu, web interfaze aurreratuak hainbat zutabe desberdin konfiguratzea ahalbidetzen dizu, aldi berean nahi beste informazio ikusteko: Hasiera, jakinarazpenak, federatutako denbora-lerroa, edo nahi beste zerrenda eta traola.'
+ animations_and_accessibility: Animazioak eta irisgarritasuna
+ confirmation_dialogs: Berrespen dialogoak
+ sensitive_content: Eduki hunkigarria
application_mailer:
notification_preferences: Aldatu e-mail hobespenak
salutation: "%{name},"
@@ -481,7 +521,9 @@ eu:
warning: Kontuz datu hauekin, ez partekatu inoiz inorekin!
your_token: Zure sarbide token-a
auth:
+ apply_for_account: Eskatu gonbidapen bat
change_password: Pasahitza
+ checkbox_agreement_html: Zerbitzariaren arauak eta erabilera baldintzak onartzen ditut
confirm_email: Berretsi e-mail helbidea
delete_account: Ezabatu kontua
delete_account_html: Kontua ezabatu nahi baduzu, jarraitu hemen. Berrestea eskatuko zaizu.
@@ -497,10 +539,12 @@ eu:
cas: CAS
saml: SAML
register: Eman izena
+ registration_closed: "%{instance} instantziak ez ditu kide berriak onartzen"
resend_confirmation: Birbidali berresteko argibideak
reset_password: Berrezarri pasahitza
security: Segurtasuna
set_new_password: Ezarri pasahitza berria
+ trouble_logging_in: Arazoak saioa hasteko?
authorize_follow:
already_following: Kontu hau aurretik jarraitzen duzu
error: Zoritxarrez, urruneko kontua bilatzean errore bat gertatu da
@@ -514,7 +558,7 @@ eu:
title: Jarraitu %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
+ about_x_hours: "%{count}o"
about_x_months: "%{count} hilabete"
about_x_years: "%{count} urte"
almost_x_years: "%{count} urte"
@@ -556,6 +600,9 @@ eu:
content: Sentitzen dugu, zerbait okerra gertatu da gure aldean.
title: Orri hau ez da zuzena
noscript_html: Mastodon web aplikazioa erabiltzeko, gaitu JavaScript. Bestela, probatu Mastodon plataformarako aplikazio natiboren bat.
+ existing_username_validator:
+ not_found: ezin izan da izen hori duen kide lokalik aurkitu
+ not_found_multiple: ezin izan dira aurkitu %{usernames}
exports:
archive_takeout:
date: Data
@@ -596,12 +643,34 @@ eu:
more: Gehiago…
resources: Baliabideak
generic:
+ all: Denak
changes_saved_msg: Aldaketak ongi gorde dira!
copy: Kopiatu
+ order_by: Ordenatze-irizpidea
save_changes: Gorde aldaketak
validation_errors:
one: Zerbait ez dabil ongi! Egiaztatu beheko errorea mesedez
other: Zerbait ez dabil ongi! Egiaztatu beheko %{count} erroreak mesedez
+ html_validator:
+ invalid_markup: 'HTML markaketa baliogabea du: %{error}'
+ identity_proofs:
+ active: Aktiboa
+ authorize: Bai, baimendu
+ authorize_connection_prompt: Baimendu zifratutako konexio hau?
+ errors:
+ failed: Zifratutako konexioak huts egin du. Saiatu berriro %{provider} hornitzailetik.
+ keybase:
+ invalid_token: Keybase-ko token-ak sinaduren hash-ak dira eta 66 hex karakterekoak izan beha dira
+ verification_failed: Keybase-k ez du token hau Keybase-ko %{kb_username} erabiltzailearen sinaduratzat onartzen. Saiatu berriro Keybase-tik.
+ wrong_user: Ezin izan da %{proving} erabiltzailearentzat froga sortu %{current} gisa saioa hasita. Hasi saioa %{proving} erabilita eta saiatu berriro.
+ explanation_html: Hemen modu zifratuan konektatu ditzakezu zure beste identitateak, esaterako Keybase profila. Honek beste jendeak zuri zifratutako mezuak bidaltzea ahalbidetzen du, eta zuk beraiei bidalitako edukia fidagarritzat jotzea.
+ i_am_html: "%{username} erabiltzailea naiz %{service} zerbitzuan."
+ identity: Identitatea
+ inactive: Ez aktiboa
+ publicize_checkbox: 'Eta bidali toot hau:'
+ publicize_toot: 'Frogatua dago! %{username} erabiltzailea naiz %{service} zerbitzuan: %{url}'
+ status: Egiaztatze egoera
+ view_proof: Ikusi froga
imports:
modes:
merge: Bateratu
@@ -697,15 +766,39 @@ eu:
quadrillion: Q
thousand: K
trillion: T
- unit: "."
pagination:
newer: Berriagoa
next: Hurrengoa
older: Zaharragoa
prev: Aurrekoa
truncate: "…"
+ polls:
+ errors:
+ already_voted: Inkesta honetan dagoeneko bozkatu duzu
+ duplicate_options: bikoiztutako elementuak ditu
+ duration_too_long: etorkizunean urrunegi dago
+ duration_too_short: goizegi da
+ expired: Inkesta amaitu da jada
+ over_character_limit: bakoitzak gehienez %{max} karaktere izan ditzake
+ too_few_options: elementu bat baino gehiago izan behar du
+ too_many_options: ezin ditu %{max} elementu baino gehiago izan
preferences:
other: Beste bat
+ posting_defaults: Bidalketarako lehenetsitakoak
+ public_timelines: Denbora-lerro publikoak
+ relationships:
+ activity: Kontuaren aktibitatea
+ dormant: Ez aktiboa
+ last_active: Azkenekoz aktiboa
+ most_recent: Azkenak
+ moved: Lekuz aldatua
+ mutual: Alde bikoa
+ primary: Primarioa
+ relationship: Erlazioa
+ remove_selected_domains: Kendu hautatutako domeinuetako jarraitzaile guztiak
+ remove_selected_followers: Kendu hautatutako jarraitzaileak
+ remove_selected_follows: Utzi hautatutako erabiltzaileak jarraitzeari
+ status: Kontuaren egoera
remote_follow:
acct: Sartu jarraitzeko erabili nahi duzun erabiltzaile@domeinua
missing_resource: Ezin izan da zure konturako behar den birbideratze URL-a
@@ -755,7 +848,7 @@ eu:
current_session: Uneko saioa
description: "%{browser} - %{platform}"
explanation: Zure Mastodon kontuan saioa hasita duten nabigatzaileak daude.
- ip: IP
+ ip: IP-a
platforms:
adobe_air: Adobe Air
android: Android
@@ -773,6 +866,9 @@ eu:
revoke_success: Saioa ongi indargabetu da
title: Saioak
settings:
+ account: Kontua
+ account_settings: Kontuaren ezarpenak
+ appearance: Itxura
authorized_apps: Baimendutako aplikazioak
back: Itzuli Mastodon-era
delete: Kontuaren ezabaketa
@@ -780,10 +876,14 @@ eu:
edit_profile: Aldatu profila
export: Datuen esportazioa
featured_tags: Nabarmendutako traolak
+ identity_proofs: Identitate frogak
import: Inportazioa
+ import_and_export: Inportatu eta esportatu
migrate: Kontuaren migrazioa
notifications: Jakinarazpenak
preferences: Hobespenak
+ profile: Profila
+ relationships: Jarraitutakoak eta jarraitzaileak
two_factor_authentication: Bi faktoreetako autentifikazioa
statuses:
attached:
@@ -807,6 +907,11 @@ eu:
ownership: Ezin duzu beste norbaiten toot bat finkatu
private: Ezin dira publikoak ez diren toot-ak finkatu
reblog: Bultzada bat ezin da finkatu
+ poll:
+ total_votes:
+ one: Boto %{count}
+ other: "%{count} boto"
+ vote: Bozkatu
show_more: Erakutsi gehiago
sign_in_to_participate: Eman izena elkarrizketan parte hartzeko
title: '%{name}: "%{quote}"'
@@ -827,10 +932,10 @@ eu:
Zer informazio biltzen dugu?
- - Kontuaren oinarrizko informazioa: Zerbitzari honetan izena ematen baduzu, erabiltzaile-izena, e-mail helbidea eta pasahitza sartzea galdetu dakizuke. Profilean bestelako informazioa sartu dezakezu esaterako pantaila.-izena eta biografia, eta profileko eta goiburuko irudiak igo ditzakezu. Erabiltzaile-izena, pantaiula-izena, biografia, profileko irudia eta goiburuko irudia beti dira publikoak.
- - Mezuak, jarraitzea eta beste informazioa: Jarraitzen duzun jendearen zerrenda publikoa da, baita zure jarraitzaileena. Mezu bat bidaltzean, data eta ordua eta mezua bidaltzeko erabilitako aplikazioa gordetzen dira. Mezuen eranskinak izan ditzakete, esaterako irudiak eta bideoak. Mezu publikoak eta zerrendatu gabeak publikoki ikusi daitezke. Zure profilean mezu bat sustatzen duzunean, informazio hori ere publikoki eskuragarri dago. Zure mezuak zure jarraitzaileei bidaltzen zaie, kasu batzuetan honek esan nahi du beste zerbitzari batzuetara bidaltzen dela eta han kopiak gordetzen dituzte. Mezuak ezabatzen dituzunean, hau zure jarraitzaileei bidaltzen zaie ere, beste mezu batzuk zabaltzea edo gogoko izatea beti da informazio publikoa.
- - Mezu zuzenak eta soilik jarraitzaileentzako mezuak: Mezu guztiak zerbitzarian gorde eta prozesatzen dira. Soilik jarraitzaileentzako diren mezuak zure jarraitzaileei bidaltzen zaie eta bertan aipatutako erabiltzaileei, mezu zuzenak soilik aipatutako erabiltzaileei bidaltzen zaie. Honek esan nahi du kasu batzuetan beste zerbitzari batzuetara bidaltzen dela mezua eta han kopiak gordetzen direla. Borondate oneko ahalegin bat egiten dugu mezuok soilik baimena duten pertsonek ikus ditzaten, baina beste zerbitzariek agian ez. Hortaz, zure jarraitzaileen zerbitzaria zein den egiaztatzea garrantzitsua da. Jarraitzaileak eskuz onartu eta ukatzeko aukera aldatu dezakezu. Kontuan izan zerbitzariaren operadoreak eta mezua jasotzen duen edozein zerbitzarik operadoreek mezuok ikus ditzaketela eta edonork atera dezakeela pantaila argazki bat, kopiatu edo beste modu batean partekatu.Ez partekatu informazio arriskutsua Mastodon bidez.
- - IP-ak eta bestelako meta-datuak: Saioa hasten duzunean, zure IP helbidea gordetzen dugu, eta erabiltzen duzun nabigatzaile edo aplikazioa. Hasitako saio guztiak zuk ikusteko mopduan daude eta ezarpenetan indargabetu ditzakezu. Erabilitako azken IP helbidea 12 hilabetez gordetzen da. Gure zerbitzariak jasotako eskari guztiak eta IP-a duten zerbitzariko egunkariak gorde genitzake.
+ - Kontuaren oinarrizko informazioa: Zerbitzari honetan izena ematen baduzu, erabiltzaile-izena, e-mail helbidea eta pasahitza sartzea galdetu dakizuke. Profilean bestelako informazioa sartu dezakezu esaterako pantaila.-izena eta biografia, eta profileko eta goiburuko irudiak igo ditzakezu. Erabiltzaile-izena, pantaiula-izena, biografia, profileko irudia eta goiburuko irudia beti dira publikoak.
+ - Mezuak, jarraitzea eta beste informazioa: Jarraitzen duzun jendearen zerrenda publikoa da, baita zure jarraitzaileena. Mezu bat bidaltzean, data eta ordua eta mezua bidaltzeko erabilitako aplikazioa gordetzen dira. Mezuen eranskinak izan ditzakete, esaterako irudiak eta bideoak. Mezu publikoak eta zerrendatu gabeak publikoki ikusi daitezke. Zure profilean mezu bat sustatzen duzunean, informazio hori ere publikoki eskuragarri dago. Zure mezuak zure jarraitzaileei bidaltzen zaie, kasu batzuetan honek esan nahi du beste zerbitzari batzuetara bidaltzen dela eta han kopiak gordetzen dituzte. Mezuak ezabatzen dituzunean, hau zure jarraitzaileei bidaltzen zaie ere, beste mezu batzuk zabaltzea edo gogoko izatea beti da informazio publikoa.
+ - Mezu zuzenak eta soilik jarraitzaileentzako mezuak: Mezu guztiak zerbitzarian gorde eta prozesatzen dira. Soilik jarraitzaileentzako diren mezuak zure jarraitzaileei bidaltzen zaie eta bertan aipatutako erabiltzaileei, mezu zuzenak soilik aipatutako erabiltzaileei bidaltzen zaie. Honek esan nahi du kasu batzuetan beste zerbitzari batzuetara bidaltzen dela mezua eta han kopiak gordetzen direla. Borondate oneko ahalegin bat egiten dugu mezuok soilik baimena duten pertsonek ikus ditzaten, baina beste zerbitzariek agian ez. Hortaz, zure jarraitzaileen zerbitzaria zein den egiaztatzea garrantzitsua da. Jarraitzaileak eskuz onartu eta ukatzeko aukera aldatu dezakezu. Kontuan izan zerbitzariaren operadoreak eta mezua jasotzen duen edozein zerbitzarik operadoreek mezuok ikus ditzaketela eta edonork atera dezakeela pantaila argazki bat, kopiatu edo beste modu batean partekatu.Ez partekatu informazio arriskutsua Mastodon bidez.
+ - IP-ak eta bestelako meta-datuak: Saioa hasten duzunean, zure IP helbidea gordetzen dugu, eta erabiltzen duzun nabigatzaile edo aplikazioa. Hasitako saio guztiak zuk ikusteko mopduan daude eta ezarpenetan indargabetu ditzakezu. Erabilitako azken IP helbidea 12 hilabetez gordetzen da. Gure zerbitzariak jasotako eskari guztiak eta IP-a duten zerbitzariko egunkariak gorde genitzake.
@@ -840,9 +945,9 @@ eu:
Biltzen dugun informazio guztia honela erabiltzen da:
- - Mastodon zerbitzuko funtzio nagusietarako. Beste pertsonen edukiarekin harremanetan sartzeko edo zure edukia argitaratzeko saioa hasi behar duzu. Adibidez, beste pertsona batzuk jarraitu ditzakezu zure denbora-lerro pertsonalizatu bat izateko.
- - Komunitatearen moderazioari laguntzeko, esaterako zure IP-a ezagutzen ditugun beste batzuekin alderatu dezakegu, debekuak ekiditea edo bestelako arau-urraketak eragozteko.
- - Emandako e-mail helbidea informazioa bidaltzeko erabili genezake, beste pertsonek zure edukiekin harremanetan jartzean jakinarazteko, edo mezu bat bidaltzen dizutenean, galderak erantzutean eta bestelako eskari eta galderetarako.
+ - Mastodon zerbitzuko funtzio nagusietarako. Beste pertsonen edukiarekin harremanetan sartzeko edo zure edukia argitaratzeko saioa hasi behar duzu. Adibidez, beste pertsona batzuk jarraitu ditzakezu zure denbora-lerro pertsonalizatu bat izateko.
+ - Komunitatearen moderazioari laguntzeko, esaterako zure IP-a ezagutzen ditugun beste batzuekin alderatu dezakegu, debekuak ekiditea edo bestelako arau-urraketak eragozteko.
+ - Emandako e-mail helbidea informazioa bidaltzeko erabili genezake, beste pertsonek zure edukiekin harremanetan jartzean jakinarazteko, edo mezu bat bidaltzen dizutenean, galderak erantzutean eta bestelako eskari eta galderetarako.
@@ -858,8 +963,8 @@ eu:
Borondate oneko ahalegina egingo dugu honetarako:
- - Zerbitzari honetara egindako eskari guztien egunkaria IP helbidearekin, 90 egunez gehienez.
- - Izena eman duten erabiltzaileen eskariekin lotutako IP helbideak, 12 hilabetez gehienez..
+ - Zerbitzari honetara egindako eskari guztien egunkaria IP helbidearekin, 90 egunez gehienez.
+ - Izena eman duten erabiltzaileen eskariekin lotutako IP helbideak, 12 hilabetez gehienez..
Zure edukiaren kopia duen artxibo bat eskatu eta deskargatu dezakezu, bertan mezuak multimedia eranskinak, profileko irudia eta goiburuko irudia daude.
@@ -911,7 +1016,7 @@ eu:
time:
formats:
default: "%Y(e)ko %b %d, %H:%M"
- month: "%b %Y"
+ month: "%Y(e)ko %b"
two_factor_authentication:
code_hint: Sartu zure autentifikazio aplikazioak sortutako kodea berresteko
description_html: "Bi faktoreetako autentifikazioa gaitzen baduzu, saioa hasteko telefonoa eskura izan beharko duzu, honek zuk sartu behar dituzun kodeak sortuko dituelako."
diff --git a/config/locales/fa.yml b/config/locales/fa.yml
index 247e2e9d75..948347f3c3 100644
--- a/config/locales/fa.yml
+++ b/config/locales/fa.yml
@@ -113,7 +113,6 @@ fa:
header: زمینه
inbox_url: نشانی صندوق ورودی
invited_by: دعوتشده از طرف
- ip: IP
joined: عضویت از
location:
all: همه
@@ -470,7 +469,6 @@ fa:
confirmed: تأییدشده
expires_in: مهلت انقضا
last_delivery: آخرین ارسال
- title: WebSub
topic: موضوع
tags:
accounts: حسابها
@@ -531,9 +529,6 @@ fa:
migrate_account: نقل مکان به یک حساب دیگر
migrate_account_html: اگر میخواهید این حساب را به حساب دیگری منتقل کنید، اینجا را کلیک کنید.
or_log_in_with: یا ورود به وسیلهٔ
- providers:
- cas: CAS
- saml: SAML
register: عضو شوید
registration_closed: سرور %{instance} عضو تازهای نمیپذیرد
resend_confirmation: راهنمایی برای تأیید را دوباره بفرست
@@ -608,7 +603,6 @@ fa:
request: درخواست بایگانی دادههایتان
size: اندازه
blocks: حسابهای مسدودشده
- csv: CSV
domain_blocks: دامینهای مسدودشده
follows: حسابهای پیگرفته
lists: فهرستها
@@ -752,23 +746,11 @@ fa:
body: "%{name} نوشتهٔ شما را بازبوقید:"
subject: "%{name} نوشتهٔ شما را بازبوقید"
title: بازبوق تازه
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: تازهتر
next: بعدی
older: قدیمیتر
prev: قبلی
- truncate: "…"
polls:
errors:
already_voted: شما قبلاً در این نظرسنجی رأی دادهاید
@@ -823,40 +805,12 @@ fa:
activity: آخرین فعالیت
browser: مرورگر
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: مرورگر ناشناخته
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: نشست فعلی
description: "%{browser} روی %{platform}"
explanation: مرورگرهای زیر هماینک به حساب شما وارد شدهاند.
- 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: سیستم ناشناخته
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: لغو کردن
revoke_success: نشست با موفقیت لغو شد
title: نشستها
@@ -909,7 +863,6 @@ fa:
vote: رأی
show_more: نمایش
sign_in_to_participate: برای شرکت در گفتگو وارد حساب خود شوید
- title: '%{name}: "%{quote}"'
visibilities:
private: خصوصی
private_long: تنها پیگیران شما میبینند
@@ -927,10 +880,10 @@ fa:
What information do we collect?
- - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
- - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
- - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
- - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
+ - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
+ - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
+ - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
+ - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
@@ -940,9 +893,9 @@ fa:
Any of the information we collect from you may be used in the following ways:
- - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
- - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
- - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
+ - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
+ - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
+ - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
@@ -958,8 +911,8 @@ fa:
We will make a good faith effort to:
- - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
- - Retain the IP addresses associated with registered users no more than 12 months.
+ - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
+ - Retain the IP addresses associated with registered users no more than 12 months.
You can request and download an archive of your content, including your posts, media attachments, profile picture, and header image.
@@ -1011,7 +964,6 @@ fa:
time:
formats:
default: "%d %b %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: برای تأیید، کدی را که برنامهٔ تأییدکننده ساخته است وارد کنید
description_html: اگر ورود دومرحلهای را فعال کنید، برای ورود به سیستم به تلفن خود نیاز خواهید داشت تا برایتان یک کد موقتی بسازد.
diff --git a/config/locales/fi.yml b/config/locales/fi.yml
index 1072952eaa..e0dc0f756e 100644
--- a/config/locales/fi.yml
+++ b/config/locales/fi.yml
@@ -5,7 +5,6 @@ fi:
about_mastodon_html: Mastodon on sosiaalinen verkosto. Se on toteutettu avoimilla verkkoprotokollilla ja vapailla, avoimen lähdekoodin ohjelmistoilla, ja se toimii hajautetusti samaan tapaan kuin sähköposti.
about_this: Tietoja tästä palvelimesta
administered_by: 'Ylläpitäjä:'
- api: API
apps: Mobiili sovellukset
contact: Ota yhteyttä
contact_missing: Ei asetettu
@@ -39,7 +38,6 @@ fi:
joined: Liittynyt %{date}
last_active: viimeksi aktiivinen
link_verified_on: Tämän linkin omistus on tarkastettu %{date}
- media: Media
moved_html: "%{name} on muuttanut osoitteeseen %{new_profile_link}:"
network_hidden: Nämä tiedot eivät ole käytettävissä
nothing_here: Täällä ei ole mitään!
@@ -47,10 +45,6 @@ fi:
people_who_follow: Käyttäjän %{name} seuraajat
pin_errors:
following: Sinun täytyy seurata henkilöä jota haluat tukea
- posts:
- one: Toot
- other: Toots
- posts_tab_heading: Toots
posts_with_replies: Tuuttaukset ja vastaukset
reserved_username: Käyttäjänimi on varattu
roles:
@@ -93,7 +87,6 @@ fi:
followers_url: Seuraajien osoite
follows: Seuraa
inbox_url: Saapuvan postilaatikon osoite
- ip: IP
location:
all: Kaikki
local: Paikalliset
@@ -148,7 +141,6 @@ fi:
undo_suspension: Peru jäähy
unsubscribe: Lopeta tilaus
username: Käyttäjänimi
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} otti raportin %{target} tehtäväkseen"
@@ -189,7 +181,6 @@ fi:
destroyed_msg: Emojon poisto onnistui!
disable: Poista käytöstä
disabled_msg: Emojin poisto käytöstä onnistui
- emoji: Emoji
enable: Ota käyttöön
enabled_msg: Emojin käyttöönotto onnistui
image_hint: PNG enintään 50 kt
@@ -336,8 +327,6 @@ fi:
nsfw_off: NSFW POIS
nsfw_on: NSFW PÄÄLLÄ
failed_to_execute: Suoritus epäonnistui
- media:
- title: Media
no_media: Ei mediaa
title: Tilin tilat
with_media: Sisältää mediaa
@@ -346,7 +335,6 @@ fi:
confirmed: Vahvistettu
expires_in: Vanhenee
last_delivery: Viimeisin toimitus
- title: WebSub
topic: Aihe
title: Ylläpito
admin_mailer:
@@ -356,7 +344,6 @@ fi:
subject: Uusi raportti instanssista %{instance} (nro %{id})
application_mailer:
notification_preferences: Muuta sähköpostiasetuksia
- salutation: "%{name},"
settings: 'Muuta sähköpostiasetuksia: %{link}'
view: 'Näytä:'
view_profile: Näytä profiili
@@ -382,9 +369,6 @@ fi:
migrate_account: Muuta toiseen tiliin
migrate_account_html: Jos haluat ohjata tämän tilin toiseen tiliin, voit asettaa toisen tilin tästä.
or_log_in_with: Tai käytä kirjautumiseen
- providers:
- cas: CAS
- saml: SAML
register: Rekisteröidy
resend_confirmation: Lähetä vahvistusohjeet uudestaan
reset_password: Palauta salasana
@@ -444,7 +428,6 @@ fi:
request: Pyydä arkisto
size: Koko
blocks: Estot
- csv: CSV
follows: Seurattavat
mutes: Mykistetyt
storage: Media-arkisto
@@ -538,17 +521,14 @@ fi:
format: "%n %u"
units:
billion: Mrd
- million: M
quadrillion: Brd
thousand: k
trillion: B
- unit: ''
pagination:
newer: Uudemmat
next: Seuraava
older: Vanhemmat
prev: Edellinen
- truncate: "…"
preferences:
other: Muut
remote_follow:
@@ -562,40 +542,13 @@ fi:
activity: Viimeisin toiminta
browser: Selain
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Tuntematon selain
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Nokia S40 Ovi -selain
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Nykyinen istunto
description: "%{browser}, %{platform}"
explanation: Nämä verkkoselaimet ovat tällä hetkellä kirjautuneet Mastodon-tilillesi.
- 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: tuntematon järjestelmä
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Hylkää
revoke_success: Istunnon hylkäys onnistui
title: Istunnot
@@ -617,9 +570,6 @@ fi:
image:
one: "%{count} kuva"
other: "%{count} kuvaa"
- video:
- one: "%{count} video"
- other: "%{count} videota"
content_warning: 'Sisältövaroitus: %{warning}'
disallowed_hashtags:
one: 'sisälsi aihetunnisteen jota ei sallita: %{tags}'
diff --git a/config/locales/fr.yml b/config/locales/fr.yml
index e4614e50ad..5c15ab6a42 100644
--- a/config/locales/fr.yml
+++ b/config/locales/fr.yml
@@ -766,7 +766,6 @@ fr:
quadrillion: P
thousand: K
trillion: T
- unit: ''
pagination:
newer: Plus récent
next: Suivant
@@ -933,10 +932,10 @@ fr:
Quelles informations collectons-nous ?
- - Informations de base sur votre compte : 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.
+ - Informations de base sur votre compte : 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.
- Posts, liste d’abonnements et autres informations publiques : 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.
- - Posts directs et abonné·e·s uniquement : 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. 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 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. Ne partager aucune information sensible à l’aide de Mastodon.
- - IP et autres métadonnées : 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.
+ - Posts directs et abonné·e·s uniquement : 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. 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 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. Ne partager aucune information sensible à l’aide de Mastodon.
+ - IP et autres métadonnées : 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.
@@ -946,9 +945,9 @@ fr:
Toutes les informations que nous collectons sur vous peuvent être utilisées d’une des manières suivantes :
- - 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é.
- - 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.
- - 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.
+ - 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é.
+ - 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.
+ - 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.
@@ -964,8 +963,8 @@ fr:
Nous ferons un effort de bonne foi :
- - 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.
- - Pour ne pas conserver plus de 12 mois les adresses IP associées aux utilisateur·ice·s enregistré·e·s.
+ - 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.
+ - Pour ne pas conserver plus de 12 mois les adresses IP associées aux utilisateur·ice·s enregistré·e·s.
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.
diff --git a/config/locales/gl.yml b/config/locales/gl.yml
index 95066d0079..79ef993e2e 100644
--- a/config/locales/gl.yml
+++ b/config/locales/gl.yml
@@ -68,6 +68,7 @@ gl:
admin: Admin
bot: Bot
moderator: Mod
+ unavailable: Perfil non dispoñible
unfollow: Deixar de seguir
admin:
account_actions:
@@ -80,6 +81,7 @@ gl:
destroyed_msg: Nota a moderación destruída con éxito!
accounts:
approve: Aprobar
+ approve_all: Aprobar todo
are_you_sure: Está segura?
avatar: Avatar
by_domain: Dominio
@@ -101,7 +103,7 @@ gl:
display_name: Mostrar nome
domain: Dominio
edit: Editar
- email: Email
+ email: Correo-e
email_status: Estado do correo
enable: Habilitar
enabled: Habilitado
@@ -132,6 +134,7 @@ gl:
moderation_notes: Notas de moderación
most_recent_activity: Actividade máis recente
most_recent_ip: IP máis recente
+ no_account_selected: Non cambiou nada xa que non tiña nada seleccionado
no_limits_imposed: Sen límites impostos
not_subscribed: Non suscrita
outbox_url: URL caixa de saída
@@ -144,6 +147,7 @@ gl:
push_subscription_expires: A suscrición PuSH caduca
redownload: Actualizar perfil
reject: Rexeitar
+ reject_all: Rexeitar todo
remove_avatar: Eliminar avatar
remove_header: Eliminar cabeceira
resend_confirmation:
@@ -170,6 +174,7 @@ gl:
statuses: Estados
subscribe: Subscribir
suspended: Suspendida
+ time_in_queue: Agardando en cola %{time}
title: Contas
unconfirmed_email: Correo non confirmado
undo_silenced: Desfacer acalar
@@ -245,6 +250,7 @@ gl:
feature_profile_directory: Directorio do perfil
feature_registrations: Rexistros
feature_relay: Repetidores de federación
+ feature_timeline_preview: Vista previa da TL
features: Características
hidden_service: Federación con servizos ocultos
open_reports: informes abertos
@@ -264,6 +270,7 @@ gl:
created_msg: Estase a procesar o bloqueo do dominio
destroyed_msg: Desfixose a acción de bloqueo de dominio
domain: Dominio
+ existing_domain_block_html: Xa estableceu límites estrictos para %{name}, precisa desbloqueala primeiro.
new:
create: Crear bloque
hint: O bloqueo do dominio non previrá a creación de entradas de contas na base de datos, pero aplicará de xeito retroactivo e automático regras específicas de moderación sobre esas contas.
@@ -329,6 +336,8 @@ gl:
expired: Cadudado
title: Filtro
title: Convida
+ pending_accounts:
+ title: Contas pendentes (%{count})
relays:
add_new: Engadir un novo repetidor
delete: Eliminar
@@ -490,6 +499,12 @@ gl:
body: "%{reporter} informou sobre %{target}"
body_remote: Alguén desde %{domain} informou sobre %{target}
subject: Novo informe sobre %{instance} (#%{id})
+ appearance:
+ advanced_web_interface: Interface web avanzada
+ advanced_web_interface_hint: Se quere utilizar todo o ancho da súa pantalla, a interface web avanzada permítelle configurar diferentes columnas para ver tanta información como desexe. Inicio, notificacións, liña temporal federada, calquera número de listas e etiquetas.
+ animations_and_accessibility: Animacións e accesibilidade
+ confirmation_dialogs: Diálogos de confirmación
+ sensitive_content: Contido sensible
application_mailer:
notification_preferences: Cambiar os axustes de correo-e
salutation: "%{name},"
@@ -585,6 +600,9 @@ gl:
content: Sentímolo, pero algo do noso lado falloou.
title: Esta páxina non é correcta
noscript_html: Para utilizar a aplicación web de Mastodon debe habilitar JavaScript. De xeito alternativo, intente unha das apps nativas para Mastodon da súa plataforma.
+ existing_username_validator:
+ not_found: non se atopou unha usuaria local con ese alcume
+ not_found_multiple: non se atopou a %{usernames}
exports:
archive_takeout:
date: Data
@@ -628,10 +646,13 @@ gl:
all: Todo
changes_saved_msg: Cambios gardados correctamente!!
copy: Copiar
+ order_by: Ordenar por
save_changes: Gardar cambios
validation_errors:
one: Algo non está ben de todo! Por favor revise abaixo o erro
other: Algo aínda non está ben! Por favor revise os %{count} erros abaixo
+ html_validator:
+ invalid_markup: 'contén etiquetas HTML non válidas: %{error}'
identity_proofs:
active: Activo
authorize: Si, autorizar
@@ -641,10 +662,13 @@ gl:
keybase:
invalid_token: Os testemuños Keybase son hashes de firma e deben ter 66 caracteres hexadecimais
verification_failed: Keybase non recoñece este testemuño como firma da usuaria de Keybase %{kb_username}. Por favor inténteo desde Keybase.
+ wrong_user: Non se puido crear a proba para %{proving} mentras está conectada como %{current}. Conéctese como %{proving} e inténteo de novo.
explanation_html: Aquí pódese conectar criptográficamente as suas outras identidades, como a un perfil Keybase. Esto permitelle a outras persoas enviarlle mensaxes cifradas e confiar no contido que vostede lle envía.
i_am_html: Eu son %{username} en %{service}.
identity: Identidade
inactive: Inactiva
+ publicize_checkbox: 'E tootee esto:'
+ publicize_toot: 'Comprobado! Eu son %{username} en %{service}: %{url}'
status: Estado da validación
view_proof: Ver proba
imports:
@@ -742,7 +766,6 @@ gl:
quadrillion: Q
thousand: K
trillion: T
- unit: " "
pagination:
newer: Máis novo
next: Seguinte
@@ -761,9 +784,13 @@ gl:
too_many_options: non pode haber máis de %{max} opcións
preferences:
other: Outro
+ posting_defaults: Valores por omisión
+ public_timelines: Liñas temporais públicas
relationships:
activity: Actividade da conta
dormant: En repouso
+ last_active: Último activo
+ most_recent: Máis recente
moved: Movida
mutual: Mutuo
primary: Principal
@@ -839,6 +866,9 @@ gl:
revoke_success: A sesión revocouse con éxito
title: Sesións
settings:
+ account: Conta
+ account_settings: Axustes da conta
+ appearance: Aparencia
authorized_apps: Apps autorizadas
back: Voltar a Mastodon
delete: Eliminación da conta
@@ -848,9 +878,11 @@ gl:
featured_tags: Etiquetas destacadas
identity_proofs: Probas de identidade
import: Importar
+ import_and_export: Importar e exportar
migrate: Migrar conta
notifications: Notificacións
preferences: Preferencias
+ profile: Perfil
relationships: Seguindo e seguidoras
two_factor_authentication: Validar Doble Factor
statuses:
@@ -900,10 +932,10 @@ gl:
Qué información recollemos?
- - Información básica da conta: Si se rexistra en este servidor, pediráselle un nome de usuaria, un enderezo de correo electrónico e un contrasinal. De xeito adicional tamén poderá introducir información como un nome público e biografía, tamén subir unha fotografía de perfil e unha imaxe para a cabeceira. O nome de usuaria, o nome público, a biografía e as imaxes de perfil e cabeceira sempre se mostran publicamente.
- - Publicacións, seguimento e outra información pública: O listado das persoas que segue é un listado público, o mesmo acontece coas súas seguidoras. Cando evía unha mensaxe, a data e hora gárdanse así como o aplicativo que utilizou para enviar a mensaxe. As publicacións poderían conter ficheiros de medios anexos, como fotografías e vídeos. As publicacións públicas e as non listadas están dispoñibles de xeito público. Cando destaca unha publicación no seu perfil tamén é pública. As publicacións son enviadas as súas seguidoras, en algúns casos pode acontecer que estén en diferentes servidores e gárdanse copias neles. Cando elemina unha publicación tamén se envía as súas seguidoras. A acción de voltar a publicar ou marcar como favorita outra publicación sempre é pública.
- - Mensaxes directas e só para seguidoras: Todas as mensaxes gárdanse e procésanse no servidor. As mensaxes só para seguidoras son entregadas as súas seguidoras e as usuarias que son mencionadas en elas, e as mensaxes directas entréganse só as usuarias mencionadas en elas. En algúns casos esto implica que son entregadas a diferentes servidores e gárdanse copias alí. Facemos un esforzo sincero para limitar o acceso a esas publicacións só as persoas autorizadas, pero outros servidores poderían non ser tan escrupulosos. Polo tanto, é importante revisar os servidores onde se hospedan as súas seguidoras. Nos axustes pode activar a opción de aprovar ou rexeitar novas seguidoras de xeito manual. Teña en conta que a administración do servidor e todos os outros servidores implicados poden ver as mensaxes., e as destinatarias poderían facer capturas de pantalla, copiar e voltar a compartir as mensaxes. Non comparta información comprometida en Mastodon.
- - IPs e outros metadatos: Cando se conecta, gravamos o IP desde onde se conecta, así como o nome do aplicativo desde onde o fai. Todas as sesións conectadas están dispoñibles para revisar e revogar nos axustes. O último enderezo IP utilizado gárdase ate por 12 meses. Tamén poderiamos gardar informes do servidor que inclúan o enderezo IP de cada petición ao servidor.
+ - Información básica da conta: Si se rexistra en este servidor, pediráselle un nome de usuaria, un enderezo de correo electrónico e un contrasinal. De xeito adicional tamén poderá introducir información como un nome público e biografía, tamén subir unha fotografía de perfil e unha imaxe para a cabeceira. O nome de usuaria, o nome público, a biografía e as imaxes de perfil e cabeceira sempre se mostran publicamente.
+ - Publicacións, seguimento e outra información pública: O listado das persoas que segue é un listado público, o mesmo acontece coas súas seguidoras. Cando evía unha mensaxe, a data e hora gárdanse así como o aplicativo que utilizou para enviar a mensaxe. As publicacións poderían conter ficheiros de medios anexos, como fotografías e vídeos. As publicacións públicas e as non listadas están dispoñibles de xeito público. Cando destaca unha publicación no seu perfil tamén é pública. As publicacións son enviadas as súas seguidoras, en algúns casos pode acontecer que estén en diferentes servidores e gárdanse copias neles. Cando elemina unha publicación tamén se envía as súas seguidoras. A acción de voltar a publicar ou marcar como favorita outra publicación sempre é pública.
+ - Mensaxes directas e só para seguidoras: Todas as mensaxes gárdanse e procésanse no servidor. As mensaxes só para seguidoras son entregadas as súas seguidoras e as usuarias que son mencionadas en elas, e as mensaxes directas entréganse só as usuarias mencionadas en elas. En algúns casos esto implica que son entregadas a diferentes servidores e gárdanse copias alí. Facemos un esforzo sincero para limitar o acceso a esas publicacións só as persoas autorizadas, pero outros servidores poderían non ser tan escrupulosos. Polo tanto, é importante revisar os servidores onde se hospedan as súas seguidoras. Nos axustes pode activar a opción de aprovar ou rexeitar novas seguidoras de xeito manual. Teña en conta que a administración do servidor e todos os outros servidores implicados poden ver as mensaxes., e as destinatarias poderían facer capturas de pantalla, copiar e voltar a compartir as mensaxes. Non comparta información comprometida en Mastodon.
+ - IPs e outros metadatos: Cando se conecta, gravamos o IP desde onde se conecta, así como o nome do aplicativo desde onde o fai. Todas as sesións conectadas están dispoñibles para revisar e revogar nos axustes. O último enderezo IP utilizado gárdase ate por 12 meses. Tamén poderiamos gardar informes do servidor que inclúan o enderezo IP de cada petición ao servidor.
@@ -913,9 +945,9 @@ gl:
Toda a información que recollemos podería ser utilizada dos seguintes xeitos:
- - Para proporcionar a funcionabiliade básica de Mastodon. Só pode interactuar co contido de outra xente e publicar o seu propio contido si está conectada. Por exemplo, podería seguir outra xente e ver as súas publicacións combinadas nunha liña temporal inicial persoalizada.
- - Para axudar a moderar a comunidade, por exemplo comparando o seu enderezo IP con outros coñecidos para evitar esquivar os rexeitamentos ou outras infraccións.
- - O endero de correo electrónico que nos proporciona podería ser utilizado para enviarlle información, notificacións sobre outra xente que interactúa cos seus contidos ou lle envía mensaxes, e para respostar a consultas, e/ou outras cuestións ou peticións.
+ - Para proporcionar a funcionabiliade básica de Mastodon. Só pode interactuar co contido de outra xente e publicar o seu propio contido si está conectada. Por exemplo, podería seguir outra xente e ver as súas publicacións combinadas nunha liña temporal inicial persoalizada.
+ - Para axudar a moderar a comunidade, por exemplo comparando o seu enderezo IP con outros coñecidos para evitar esquivar os rexeitamentos ou outras infraccións.
+ - O endero de correo electrónico que nos proporciona podería ser utilizado para enviarlle información, notificacións sobre outra xente que interactúa cos seus contidos ou lle envía mensaxes, e para respostar a consultas, e/ou outras cuestións ou peticións.
@@ -931,8 +963,8 @@ gl:
Faremos un sincero esforzo en:
- - Protexer informes do servidor que conteñan direccións IP das peticións ao servidor, ate a data estos informes gárdanse por non máis de 90 días.
- - Reter os enderezos IP asociados con usuarias rexistradas non máis de 12 meses.
+ - Protexer informes do servidor que conteñan direccións IP das peticións ao servidor, ate a data estos informes gárdanse por non máis de 90 días.
+ - Reter os enderezos IP asociados con usuarias rexistradas non máis de 12 meses.
Pode solicitar e descargar un ficheiro cos seus contidos, incluíndo publicacións, anexos de medios, imaxes de perfil e imaxe da cabeceira.
diff --git a/config/locales/he.yml b/config/locales/he.yml
index e471c4d025..5e50f738df 100644
--- a/config/locales/he.yml
+++ b/config/locales/he.yml
@@ -4,7 +4,6 @@ he:
about_hashtag_html: אלו סטטוסים פומביים המתוייגים בתור#%{hashtag}. ניתן להגיב, להדהד או לחבב אותם אם יש לך חשבון בכל מקום בפדרציה.
about_mastodon_html: מסטודון היא רשת חברתית חופשית, מבוססת תוכנה חופשית ("קוד פתוח"). כאלטרנטיבה בלתי ריכוזית לפלטפרומות המסחריות, מסטודון מאפשרת להמנע מהסיכונים הנלווים להפקדת התקשורת שלך בידי חברה יחידה. שמת את מבטחך בשרת אחד — לא משנה במי בחרת, תמיד אפשר לדבר עם כל שאר המשתמשים. לכל מי שרוצה יש את האפשרות להקים שרת מסטודון עצמאי, ולהשתתף ברשת החברתית באופן חלק.
about_this: אודות שרת זה
- api: API
apps: יישומונים לנייד
contact: יצירת קשר
contact_missing: ללא הגדרה
@@ -17,21 +16,17 @@ he:
hosted_on: מסטודון שיושב בכתובת %{domain}
learn_more: מידע נוסף
source_code: קוד מקור
- status_count_after: הודעות
status_count_before: שכתבו
- user_count_after: משתמשים
user_count_before: ביתם של
what_is_mastodon: מה זה מסטודון?
accounts:
follow: לעקוב
- followers: עוקבים
following: נעקבים
media: מדיה
moved_html: "%{name} עבר(ה) אל %{new_profile_link}:"
nothing_here: אין פה שום דבר!
people_followed_by: הנעקבים של %{name}
people_who_follow: העוקבים של %{name}
- posts: הודעות
posts_with_replies: חצרוצים ותגובות
reserved_username: שם המשתמש שמור
roles:
@@ -146,9 +141,6 @@ he:
reject_media: חסימת קבצי מדיה
reject_media_hint: מסירה קבצי מדיה השמורים מקומית ומונעת מהורדת קבצים נוספים בעתיד. לא רלוונטי להשעיות
show:
- affected_accounts:
- one: חשבון אחד במסד הנתונים מושפע
- other: "%{count} חשהבונות במסד הנתונים מושפעים"
retroactive:
silence: הסרת השתקה מכל החשבונות על שרת זה
suspend: הסרת השעייה מכל החשבונות על שרת זה
@@ -234,18 +226,15 @@ he:
content: בדיקת אבטחה נכשלה. החסמת עוגיותיך מפנינו?
title: בדיקת בטיחות נכשלה
'429': הוחנק
+ '500':
exports:
blocks: רשימת חסימות
- csv: CSV
follows: רשימת נעקבים
mutes: רשימת השתקות
storage: אחסון מדיה
generic:
changes_saved_msg: השינויים נשמרו בהצלחה!
save_changes: שמור שינויים
- validation_errors:
- one: משהו לא לגמרי בסדר עדיין! אנא הציצו על השגיאה מטה
- other: משהו לא לגמרי בסדר עדיין! אנא הציצו על %{count} השגיאות מטה
imports:
preface: ניתן ליבא מידע מסויים כגון כל הנעקבים או המשתמשים החסומים לתוך חשבונך על שרת זה, מתוך קבצים שנוצרו על ידי יצוא משרת אחר כגון רשימת הנעקבים והחסומים שלך.
success: כל המידע יובא בהצלחה, ויעובד בזמן הקרוב
@@ -254,6 +243,14 @@ he:
following: רשימת נעקבים
muting: רשימת השתקות
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: לא ניתן להוסיף וידאו לחצרוץ שכבר מכיל תמונות
@@ -262,12 +259,6 @@ he:
digest:
body: להלן סיכום זריז של הדברים שקרו על מאז ביקורך האחרון ב-%{since}
mention: "%{name} פנה אליך ב:"
- new_followers_summary:
- one: נוסף לך עוקב! סחתיין!
- other: נוספו לך %{count} עוקבים חדשים! מעולה!
- subject:
- one: "התראה חדשה אחת מאז ביקורך האחרון \U0001F418"
- other: "%{count} התראות חדשות \U0001F418"
favourite:
body: 'חצרוצך חובב על ידי %{name}:'
subject: חצרוצך חובב על ידי %{name}
@@ -283,21 +274,9 @@ he:
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: הקודם
- truncate: "…"
remote_follow:
acct: נא להקליד שם_משתמש@קהילה מהם ברצונך לעקוב
missing_resource: לא ניתן למצוא קישורית להפניה לחשבונך
diff --git a/config/locales/hr.yml b/config/locales/hr.yml
index f9c552bce1..a4fe620553 100644
--- a/config/locales/hr.yml
+++ b/config/locales/hr.yml
@@ -5,18 +5,13 @@ hr:
about_this: O ovoj instanci
contact: Kontakt
source_code: Izvorni kod
- status_count_after: statusi
status_count_before: Tko je autor
- user_count_after: korisnici
- user_count_before: Home to
accounts:
follow: Slijedi
- followers: Sljedbenici
following: Slijedim
nothing_here: Ovdje nema ničeg!
people_followed_by: Ljudi koje %{name} slijedi
people_who_follow: Ljudi koji slijede %{name}
- posts: Postovi
unfollow: Prestani slijediti
application_mailer:
settings: 'Promijeni e-mail postavke: %{link}'
@@ -44,22 +39,24 @@ hr:
about_x_years: "%{count}g"
almost_x_years: "%{count}g"
half_a_minute: upravo
- less_than_x_minutes: "%{count}m"
less_than_x_seconds: upravo
over_x_years: "%{count}g"
- x_days: "%{count}d"
- x_minutes: "%{count}m"
x_months: "%{count}mj"
x_seconds: "%{count}sek"
+ 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: Blokirao si
- csv: CSV
follows: Slijediš
storage: Pohrana media zapisa
generic:
changes_saved_msg: Izmjene su uspješno sačuvane!
save_changes: Sačuvaj izmjene
- validation_errors: Nešto još uvijek ne štima! Vidi %{count} greške ispod
imports:
preface: Možeš uvesti određene podatke kao što su svi ljudi koje slijediš ili blokiraš u svoj račun na ovoj instanci, sa fajlova kreiranih izvozom sa druge instance.
success: Tvoji podaci su uspješno uploadani i bit će obrađeni u dogledno vrijeme
@@ -67,13 +64,18 @@ hr:
blocking: Lista blokiranih
following: Lista onih koje slijedim
muting: Lista utišanih
- upload: Upload
+ invites:
+ expires_in:
+ '1800': 30 minutes
+ '21600': 6 hours
+ '3600': 1 hour
+ '43200': 12 hours
+ '604800': 1 week
+ '86400': 1 day
notification_mailer:
digest:
body: Ovo je kratak sažetak propuštenog od tvog prošlog posjeta %{since}
mention: "%{name} te je spomenuo:"
- new_followers_summary: Imaš %{count} novih sljedbenika! Prekrašno!
- subject: "%{count} novih notifikacija od tvog prošlog posjeta \U0001F418"
favourite:
body: 'Tvoj status je %{name} označio kao omiljen:'
subject: "%{name} je označio kao omiljen tvoj status"
@@ -89,17 +91,6 @@ hr:
reblog:
body: 'Tvoj status je potaknut od %{name}:'
subject: "%{name} je potakao tvoj status"
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
next: Sljedeći
prev: Prošli
@@ -127,9 +118,6 @@ hr:
stream_entries:
reblogged: potaknut
sensitive_content: Osjetljivi sadržaj
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
description_html: Ako omogućiš dvo-faktorsku autentifikaciju, prijavljivanje će zahtjevati da kod sebe imaš svoj mobitel, koji će generirati tokene koje ćeš unijeti.
disable: Onemogući
diff --git a/config/locales/hu.yml b/config/locales/hu.yml
index 558330c5a6..cd6a1692f3 100644
--- a/config/locales/hu.yml
+++ b/config/locales/hu.yml
@@ -6,7 +6,6 @@ hu:
about_this: Rólunk
contact: Kapcsolat
contact_missing: Nincs megadva
- contact_unavailable: N/A
extended_description_html: |
Ez itt a szabályzat helye
Még nem állítottál be bővebb leírást.
@@ -14,21 +13,17 @@ hu:
hosted_on: "%{domain} Mastodon instancia"
learn_more: Tudj meg többet
source_code: Forráskód
- status_count_after: tülköt küldött
status_count_before: eddig
- user_count_after: felhasználónk
user_count_before: Összesen
what_is_mastodon: Mi a Mastodon?
accounts:
follow: Követés
- followers: Követők
following: Követed őket
media: Média
moved_html: "%{name} ide költözött: %{new_profile_link}"
nothing_here: Nincs itt semmi!
people_followed_by: "%{name} követett személyei"
people_who_follow: "%{name} követői"
- posts: Tülkök
posts_with_replies: Tülkök és válaszok
reserved_username: Ez egy már lefoglalt felhasználónév
roles:
@@ -43,7 +38,6 @@ hu:
destroyed_msg: Moderációs bejegyzés törölve!
accounts:
are_you_sure: Biztos vagy benne?
- by_domain: Domain
confirm: Megerősítés
confirmed: Megerősítve
confirming: Megerősítve
@@ -52,7 +46,6 @@ hu:
disable_two_factor_authentication: Kétlépcsős azonosítás kikapcsolása
disabled: Kikapcsolva
display_name: Megjelenített név
- domain: Domain
edit: Szerkesztés
email: E-mail
email_status: E-mail állapot
@@ -63,7 +56,6 @@ hu:
followers_url: Követők URL
follows: Követettek
inbox_url: Beérkezett üzenetek URL
- ip: IP
location:
all: Összes
local: Helyi
@@ -102,7 +94,6 @@ hu:
moderator: Moderátor
staff: Stáb
user: Felhasználó
- salmon_url: Salmon URL
search: Keresés
shared_inbox_url: Bejövő üzenetek URL keresése
show:
@@ -144,7 +135,6 @@ hu:
update_status: "%{name} frissítette %{target} felhasználó tülkjét"
title: Audit napló
custom_emojis:
- by_domain: Domain
copied_msg: Sikeresen létrehoztuk a hangulatjel helyi másolatát
copy: Másolás
copy_failed_msg: Hangulatjel helyi másolatának létrehozása sikertelen
@@ -161,7 +151,6 @@ hu:
new:
title: Új egyedi hangulatjel hozzáadása
overwrite: Felülírás
- shortcode: Shortcode
shortcode_hint: Legalább két karakter, csak betűk, számok és alsóvonás
title: Egyedi hangulatjelek
unlisted: Nincs listázva
@@ -172,7 +161,6 @@ hu:
add_new: Új hozzáadása
created_msg: A domain-tiltás feldolgozása folyamatban
destroyed_msg: A domain tiltása feloldva
- domain: Domain
new:
create: Tiltás létrehozása
hint: A domain-tiltás nem gátolja meg az új fiókok hozzáadását az abatbázishoz, de visszamenőlegesen és automatikusan aktivál bizonyos moderációs szabályokat ezen fiókok esetében.
@@ -199,7 +187,6 @@ hu:
created_msg: E-mail domain sikeresen hozzáadva a feketelistához
delete: Törlés
destroyed_msg: E-mail domain sikeresen eltávolítva a feketelistáról
- domain: Domain
new:
create: Domain hozzáadása
title: Új e-mail feketelista bejegyzés
@@ -282,11 +269,9 @@ hu:
title: Felhasználó tülkjei
with_media: Médiafájlokkal
subscriptions:
- callback_url: Callback URL
confirmed: Megerősítve
expires_in: Elévül
last_delivery: Utolsó kézbesítés
- title: WebSub
topic: Téma
title: Karbantartás
admin_mailer:
@@ -295,7 +280,6 @@ hu:
subject: 'Új jelentés az alábbi instancián: %{instance} (#%{id})'
application_mailer:
notification_preferences: E-mail beállítások módosítása
- salutation: "%{name},"
settings: 'E-mail beállítások módosítása: %{link}'
view: 'Megtekintés:'
view_profile: Profil megtekintése
@@ -369,7 +353,6 @@ hu:
noscript_html: A Mastodon webalkalmazás használatához engedélyezned kell a JavaScriptet. A másik megoldás, hogy kipróbálod az egyik, a platformodnak megfelelő alkalmazást.
exports:
blocks: Tiltólistádon
- csv: CSV
follows: Követettjeid
mutes: Némításaid
storage: Médiatároló
@@ -387,7 +370,6 @@ hu:
following: Követettjeid listája
muting: Némított felhasználók listája
upload: Feltöltés
- in_memoriam_html: In Memoriam.
invites:
delete: Visszavonás
expired: Lejárt
@@ -396,6 +378,7 @@ hu:
'21600': 6 óra
'3600': 1 óra
'43200': 12 óra
+ '604800': 1 week
'86400': 1 nap
expires_in_prompt: Soha
generate: Generálás
@@ -456,21 +439,9 @@ hu:
body: 'Az állapotod reblogolta %{name}:'
subject: "%{name} reblogolta az állapotod"
title: Új reblog
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: " "
pagination:
next: Következő
prev: Előző
- truncate: "…"
preferences:
other: Egyéb
remote_follow:
@@ -482,40 +453,13 @@ hu:
activity: Legutóbbi tevékenység
browser: Böngésző
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Ismeretlen böngésző
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Nokia S40 Ovi Böngésző
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Jelenlegi munkamenet
description: "%{browser} az alábbi platformon: %{platform}"
explanation: Jelenleg az alábbi böngészőkkel vagy bejelentkezve a fiókodba.
- 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: ismeretlen platform
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Visszavonás
revoke_success: Munkamenet sikeresen visszavonva
title: Munkamenetek
@@ -540,7 +484,6 @@ hu:
private: Csak publikus tülköt tűzhetsz ki
reblog: Reblogolt tülköt nem tudsz kitűzni
show_more: Mutass többet
- title: '%{name}: "%{quote}"'
visibilities:
private: Csak követőknek
private_long: A tülk csak követőidnek jelenik meg
diff --git a/config/locales/hy.yml b/config/locales/hy.yml
new file mode 100644
index 0000000000..86645a5746
--- /dev/null
+++ b/config/locales/hy.yml
@@ -0,0 +1,17 @@
+---
+hy:
+ 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
diff --git a/config/locales/id.yml b/config/locales/id.yml
index 4323c145fc..43721b19b9 100644
--- a/config/locales/id.yml
+++ b/config/locales/id.yml
@@ -5,7 +5,6 @@ id:
about_mastodon_html: Mastodon adalah sebuah jejaring sosial terbuka, open-sourcedesentralisasi dari platform komersial, menjauhkan anda resiko dari sebuah perusahaan yang memonopoli komunikasi anda. Pilih server yang anda percayai — apapun yang anda pilih, anda tetap dapat berinteraksi dengan semua orang. Semua orang dapat menjalankan server Mastodon sendiri dan berpartisipasi dalam jejaring sosial dengan mudah.
about_this: Tentang server ini
administered_by: 'Dikelola oleh:'
- api: API
apps: Aplikasi hp
contact: Kontak
contact_missing: Belum diset
@@ -20,25 +19,21 @@ id:
privacy_policy: Kebijakan Privasi
source_code: Kode sumber
status_count_after:
- one: status
other: status
status_count_before: Yang telah menulis
terms: Kebijakan layanan
user_count_after:
- one: pengguna
other: pengguna
user_count_before: Tempat bernaung bagi
what_is_mastodon: Apa itu Mastodon?
accounts:
follow: Ikuti
followers:
- one: Pengikut
other: Pengikut
following: Mengikuti
joined: Bergabung pada %{date}
last_active: terakhir aktif
link_verified_on: Kepemilikan tautan ini telah dicek pada %{date}
- media: Media
moved_html: "%{name} telah pindah ke %{new_profile_link}:"
network_hidden: Informasi ini tidak tersedia
nothing_here: Tidak ada apapun disini!
@@ -47,14 +42,11 @@ id:
pin_errors:
following: Anda harus mengikuti orang yang ingin anda endorse
posts:
- one: Toot
other: Toot
posts_tab_heading: Toot
posts_with_replies: Toot dan balasan
reserved_username: Nama pengguna telah dipesan
roles:
- admin: Admin
- bot: Bot
moderator: Moderator
unfollow: Berhenti mengikuti
admin:
@@ -68,8 +60,6 @@ id:
destroyed_msg: Catatan moderasi berhasil dihapus!
accounts:
are_you_sure: Anda yakin?
- avatar: Avatar
- by_domain: Domain
change_email:
changed_msg: Email akun ini berhasil diubah!
current_email: Email saat ini
@@ -85,7 +75,6 @@ id:
disable_two_factor_authentication: Nonaktifkan 2FA
disabled: Dinonaktifkan
display_name: Nama
- domain: Domain
edit: Ubah
email: E-mail
email_status: Status Email
@@ -97,12 +86,10 @@ id:
follows: Mengikut
inbox_url: URL Kotak masuk
invited_by: Diundang oleh
- ip: IP
joined: Bergabung
location:
all: Semua
local: Lokal
- remote: Remote
title: Lokasi
login_status: Status login
media_attachments: Lampiran media
@@ -132,13 +119,10 @@ id:
already_confirmed: Pengguna ini sudah dikonfirmasi
send: Kirim ulang email konfirmasi
success: Email konfirmasi berhasil dikirim!
- reset: Reset
reset_password: Reset kata sandi
resubscribe: Langganan ulang
role: Hak akses
roles:
- admin: Administrator
- moderator: Moderator
staff: Staf
user: Pengguna
salmon_url: URL Salmon
@@ -158,12 +142,10 @@ id:
unsubscribe: Berhenti langganan
username: Nama pengguna
warn: Beri Peringatan
- web: Web
domain_blocks:
add_new: Tambah
created_msg: Pemblokiran domain sedang diproses
destroyed_msg: Pemblokiran domain telah dibatalkan
- domain: Domain
new:
create: Buat pemblokiran
hint: Pemblokiran domain tidak akan menghentikan pembuatan akun dalam database, tapi kami akan memberikan moderasi otomatis pada akun-akun tersebut.
@@ -176,13 +158,11 @@ id:
reject_media_hint: Hapus file media yang tersimpan dan menolak semua unduhan nantinya. Tidak terpengaruh dengan suspen
show:
affected_accounts:
- one: Satu akun di dalam database terpengaruh
other: "%{count} akun dalam database terpengaruh"
retroactive:
silence: Hapus pendiaman terhadap akun pada domain ini
suspend: Hapus suspen terhadap akun pada domain ini
title: Hapus pemblokiran domain %{domain}
- undo: Undo
instances:
title: Server yang diketahui
reports:
@@ -193,7 +173,6 @@ id:
reported_account: Akun yang dilaporkan
reported_by: Dilaporkan oleh
resolved: Terseleseikan
- status: Status
title: Laporan
unresolved: Belum Terseleseikan
settings:
@@ -213,11 +192,9 @@ id:
site_title: Judul Situs
title: Pengaturan situs
subscriptions:
- callback_url: Callback URL
confirmed: Dikonfirmasi
expires_in: Kadaluarsa dalam
last_delivery: Terakhir dikirim
- title: WebSub
topic: Topik
title: Administrasi
application_mailer:
@@ -260,16 +237,16 @@ id:
'422':
content: Verifikasi keamanan gagal. Apa anda memblokir cookie?
title: Verifikasi keamanan gagal
+ '429': Throttled
+ '500':
exports:
blocks: Anda blokir
- csv: CSV
follows: Anda ikuti
mutes: Anda bisukan
storage: Penyimpanan media
generic:
changes_saved_msg: Perubahan berhasil disimpan!
save_changes: Simpan perubahan
- validation_errors: Ada yang tidak beres! Mohon tinjau error dibawah ini
imports:
preface: Anda bisa mengimpor data tertentu seperti orang-orang yang anda ikuti atau anda blokir di server ini, dari file yang dibuat oleh fitur expor di server lain.
success: Data anda berhasil diupload dan akan diproses sesegera mungkin
@@ -278,6 +255,14 @@ id:
following: Daftar diikuti
muting: Daftar didiamkan
upload: Unggah
+ 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: Tidak bisa melampirkan video pada status yang telah memiliki gambar
@@ -287,10 +272,8 @@ id:
body: Ini adalah ringkasan singkat yang anda lewatkan pada sejak kunjungan terakhir anda pada %{since}
mention: "%{name} menyebut anda di:"
new_followers_summary:
- one: Anda mendapatkan satu pengikut baru! Hore!
other: Anda mendapatkan %{count} pengikut baru! Luar biasa!
subject:
- one: "1 notifikasi baru sejak kunjungan terakhir anda pada \U0001F418"
other: "%{count} notifikasi baru sejak kunjungan terakhir anda pada \U0001F418"
favourite:
body: 'Status anda disukai oleh %{name}:'
@@ -307,21 +290,9 @@ id:
reblog:
body: 'Status anda di-boost oleh %{name}:'
subject: "%{name} mem-boost status anda"
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
next: Selanjutnya
prev: Sebelumnya
- truncate: "…"
remote_follow:
acct: Masukkan namapengguna@domain yang akan anda ikuti
missing_resource: Tidak dapat menemukan URL redirect dari akun anda
diff --git a/config/locales/io.yml b/config/locales/io.yml
index b5edb2aa32..559bf0f534 100644
--- a/config/locales/io.yml
+++ b/config/locales/io.yml
@@ -5,97 +5,35 @@ io:
about_this: Pri ta instaluro
contact: Kontaktar
source_code: Fontkodexo
- status_count_after: mesaji
status_count_before: Qua publikigis
- user_count_after: uzeri
user_count_before: Hemo di
accounts:
follow: Sequar
- followers: Sequanti
following: Sequati
nothing_here: Esas nulo hike!
people_followed_by: Sequati da %{name}
people_who_follow: Sequanti di %{name}
- posts: Mesaji
unfollow: Dessequar
admin:
accounts:
are_you_sure: Ka tu esas certa?
- display_name: Display name
- domain: Domain
- edit: Edit
email: E-mail
- feed_url: Feed URL
- followers: Followers
- follows: Follows
- location:
- all: All
- local: Local
- remote: Remote
- title: Location
- media_attachments: Media attachments
- moderation:
- all: All
- silenced: Silenced
- suspended: Suspended
- title: Moderation
- most_recent_activity: Most recent activity
- most_recent_ip: Most recent IP
- not_subscribed: Not subscribed
perform_full_suspension: Perform full suspension
- profile_url: Profile URL
- public: Public
- push_subscription_expires: PuSH subscription expires
- reset_password: Reset password
- salmon_url: Salmon URL
show:
created_reports: Reports created by this account
targeted_reports: Reports made about this account
- silence: Silence
- statuses: Statuses
- title: Accounts
- undo_silenced: Undo silence
- undo_suspension: Undo suspension
- username: Username
- web: Web
domain_blocks:
add_new: Add new
- created_msg: Domain block is now being processed
- destroyed_msg: Domain block has been undone
- domain: Domain
new:
- create: Create block
- hint: The domain block will not prevent creation of account entries in the database, but will retroactively and automatically apply specific moderation methods on those accounts.
severity:
desc_html: "Silence will make the account's posts invisible to anyone who isn't following them. Suspend will remove all of the account's content, media, and profile data."
- silence: Silence
- suspend: Suspend
- title: New domain block
- reject_media: Reject media files
- reject_media_hint: Removes locally stored media files and refuses to download any in the future. Irrelevant for suspensions
show:
- affected_accounts:
- one: One account in the database affected
- other: "%{count} accounts in the database affected"
retroactive:
silence: Unsilence all existing accounts from this domain
suspend: Unsuspend all existing accounts from this domain
- title: Undo domain block for %{domain}
- undo: Undo
undo: Undo
instances:
title: Known Instances
- reports:
- comment:
- none: None
- mark_as_resolved: Mark as resolved
- report: 'Report #%{id}'
- reported_account: Reported account
- reported_by: Reported by
- resolved: Resolved
- status: Status
- title: Reports
- unresolved: Unresolved
settings:
contact_information:
email: Enter a public e-mail address
@@ -103,7 +41,6 @@ io:
registrations:
closed_message:
desc_html: Displayed on frontpage when registrations are closed
You can use HTML tags
- title: Closed registration message
site_description:
desc_html: Displayed as a paragraph on the frontpage and used as a meta tag.
You can use HTML tags, in particular <a>
and <em>
.
title: Site description
@@ -112,14 +49,6 @@ io:
title: Extended site description
site_title: Site title
title: Site Settings
- subscriptions:
- callback_url: Callback URL
- confirmed: Confirmed
- expires_in: Expires in
- last_delivery: Last delivery
- title: WebSub
- topic: Topic
- title: Administration
application_mailer:
settings: 'Chanjar la retpost-mesajala preferi: %{link}'
view: 'Vidar:'
@@ -141,29 +70,18 @@ io:
title: Sequar %{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"
half_a_minute: Jus
- less_than_x_minutes: "%{count}m"
less_than_x_seconds: Jus
- over_x_years: "%{count}y"
- x_days: "%{count}d"
- x_minutes: "%{count}m"
- x_months: "%{count}mo"
- x_seconds: "%{count}s"
errors:
+ '403': You don't have permission to view this page.
'404': La pagino quan tu serchas ne existas.
'410': La pagino quan tu serchas ne plus existas.
- '422':
- content: Security verification failed. Are you blocking cookies?
- title: Security verification failed
+ '422':
+ '429': Throttled
+ '500':
exports:
blocks: Tu blokusas
- csv: CSV
follows: Tu sequas
- mutes: You mute
storage: Konservado di kontenajo
generic:
changes_saved_msg: Chanji senprobleme konservita!
@@ -177,12 +95,15 @@ io:
types:
blocking: Listo de blokusiti
following: Listo de sequati
- muting: Muting list
upload: Kargar
- media_attachments:
- validations:
- images_and_video: Cannot attach a video to a status that already contains images
- too_many: Cannot attach more than 4 files
+ invites:
+ expires_in:
+ '1800': 30 minutes
+ '21600': 6 hours
+ '3600': 1 hour
+ '43200': 12 hours
+ '604800': 1 week
+ '86400': 1 day
notification_mailer:
digest:
body: Yen mikra rezumo di to, depos ke tu laste vizitis en %{since}
@@ -208,21 +129,9 @@ io:
reblog:
body: "%{name} diskonocigis tua mesajo:"
subject: "%{name} diskonocigis tua mesajo"
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
next: Sequanta
prev: Preiranta
- truncate: "…"
remote_follow:
acct: Enpozez tua uzernomo@instaluro de ube tu volas sequar ta uzero
missing_resource: La URL di plussendado ne povis esar trovita
@@ -247,23 +156,13 @@ io:
stream_entries:
reblogged: diskonocigita
sensitive_content: Titiliva kontenajo
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
- code_hint: Enter the code generated by your authenticator app to confirm
description_html: Se tu posibligas dufaktora autentikigo, tu bezonos tua poshtelefonilo por enirar, nam ol kreos nombri, quin tu devos enskribar.
disable: Extingar
enable: Acendar
- enabled_success: Two-factor authentication successfully enabled
generate_recovery_codes: Generate Recovery Codes
instructions_html: "Skanez ta QR-kodexo per Google Authenticator o per simila apliko di tua poshtelefonilo. De lore, la apliko kreos nombri, quin tu devos enskribar."
- lost_recovery_codes: Recovery codes allow you to regain access to your account if you lose your phone. If you've lost your recovery codes, you can regenerate them here. Your old recovery codes will be invalidated.
- manual_instructions: 'If you can''t scan the QR code and need to enter it manually, here is the plain-text secret:'
- recovery_codes_regenerated: Recovery codes successfully regenerated
recovery_instructions_html: If you ever lose access to your phone, you can use one of the recovery codes below to regain access to your account. Keep the recovery codes safe, for example by printing them and storing them with other important documents.
- setup: Set up
- wrong_code: The entered code was invalid! Are server time and device time correct?
users:
invalid_email: La retpost-adreso ne esas valida
invalid_otp_token: La dufaktora autentikigila kodexo ne esas valida
diff --git a/config/locales/it.yml b/config/locales/it.yml
index 511af485ab..1d12380566 100644
--- a/config/locales/it.yml
+++ b/config/locales/it.yml
@@ -4,9 +4,11 @@ it:
about_hashtag_html: Questi sono i toot pubblici etichettati con #%{hashtag}. Puoi interagire con loro se hai un account nel fediverse.
about_mastodon_html: Mastodon è un social network gratuito e open-source. Un'alternativa decentralizzata alle piattaforme commerciali che evita che una singola compagnia monopolizzi il tuo modo di comunicare. Scegli un server di cui ti fidi — qualunque sia la tua scelta, potrai interagire con chiunque altro. Chiunque può sviluppare un suo server Mastodon e partecipare alla vita del social network.
about_this: A proposito di questo server
+ active_count_after: attivo
+ active_footnote: Utenti Attivi Mensili (MAU)
administered_by: 'Amministrato da:'
- api: API
apps: Applicazioni Mobile
+ apps_platforms: Usa Mastodon da iOS, Android e altre piattaforme
contact: Contatti
contact_missing: Non impostato
contact_unavailable: N/D
@@ -15,14 +17,13 @@ it:
Un buon posto per le regole
La descrizione estesa non è ancora stata preparata.
generic_description: "%{domain} è un server nella rete"
+ get_apps: Prova l'app per smartphone
hosted_on: Mastodon ospitato su %{domain}
learn_more: Scopri altro
privacy_policy: Politica della privacy
source_code: Codice sorgente
- status_count_after:
- one: status
- other: status
status_count_before: Che hanno pubblicato
+ tagline: Segui vecchi amici e trovane nuovi
terms: Termini di Servizio
user_count_after:
one: utente
@@ -39,7 +40,6 @@ it:
joined: Dal %{date}
last_active: ultima attività
link_verified_on: La proprietà di questo link è stata controllata il %{date}
- media: Media
moved_html: "%{name} è stato spostato su %{new_profile_link}:"
network_hidden: Questa informazione non e' disponibile
nothing_here: Qui non c'è nulla!
@@ -47,15 +47,11 @@ it:
people_who_follow: Persone che seguono %{name}
pin_errors:
following: Devi gia seguire la persona che vuoi promuovere
- posts:
- one: Toot
- other: Toot
posts_tab_heading: Toot
posts_with_replies: Toot e risposte
reserved_username: Il nome utente è gia stato preso
roles:
admin: Amministratore
- bot: Bot
moderator: Moderatore
unfollow: Non seguire più
admin:
@@ -69,7 +65,6 @@ it:
destroyed_msg: Nota di moderazione distrutta con successo!
accounts:
are_you_sure: Sei sicuro?
- avatar: Avatar
by_domain: Dominio
change_email:
changed_msg: Account email cambiato con successo!
@@ -89,7 +84,6 @@ it:
display_name: Nome visualizzato
domain: Dominio
edit: Modifica
- email: Email
email_status: Stato email
enable: Abilita
enabled: Abilitato
@@ -100,7 +94,6 @@ it:
header: Intestazione
inbox_url: URL inbox
invited_by: Invitato da
- ip: IP
joined: Unito
location:
all: Tutto
@@ -162,7 +155,6 @@ it:
unsubscribe: Annulla l'iscrizione
username: Nome utente
warn: Avverti
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} ha assegnato il rapporto %{target} a se stesso"
@@ -196,7 +188,6 @@ it:
update_custom_emoji: "%{name} ha aggiornato l'emoji %{target}"
update_status: "%{name} stato aggiornato da %{target}"
deleted_status: "(stato cancellato)"
- title: Audit log
custom_emojis:
by_domain: Dominio
copied_msg: Creata con successo una copia locale dell'emoji
@@ -207,7 +198,6 @@ it:
destroyed_msg: Emoji distrutto con successo!
disable: Disabilita
disabled_msg: Questa emoji è stata disabilitata con successo
- emoji: Emoji
enable: Abilita
enabled_msg: Questa emoji è stata abilitata con successo
image_hint: PNG fino a 50 KB
@@ -215,7 +205,6 @@ it:
new:
title: Aggiungi nuovo emoji personalizzato
overwrite: Sovrascrivi
- shortcode: Shortcode
shortcode_hint: Almeno due caratteri, solo caratteri alfanumerici e trattino basso
title: Emoji personalizzate
unlisted: Non elencato
@@ -223,7 +212,6 @@ it:
updated_msg: Emoji aggiornata con successo!
upload: Carica
dashboard:
- backlog: backlogged jobs
config: Configurazione
feature_deletions: Cancellazioni di account
feature_invites: Link di invito
@@ -236,9 +224,7 @@ it:
recent_users: Utenti Recenti
search: Ricerca testo intero
single_user_mode: Modalita utente singolo
- software: Software
space: Utilizzo dello spazio
- title: Dashboard
total_users: utenti totali
trends: Tendenze
week_interactions: interazioni per questa settimana
@@ -322,14 +308,12 @@ it:
pending: In attesa dell'approvazione del ripetitore
save_and_enable: Salva e attiva
setup: Crea una connessione con un ripetitore
- status: Status
title: Ripetitori
report_notes:
created_msg: Nota rapporto creata!
destroyed_msg: Nota rapporto cancellata!
reports:
account:
- note: note
report: rapporto
action_taken_by: Azione intrapresa da
are_you_sure: Sei sicuro?
@@ -383,7 +367,7 @@ it:
title: Mostra media sensibili nella anteprime OpenGraph
profile_directory:
desc_html: Permetti agli utenti di essere trovati
- title: Attiva directory del profilo
+ title: Attiva directory dei profili
registrations:
closed_message:
desc_html: Mostrato nella pagina iniziale quando le registrazioni sono chiuse. Puoi usare tag HTML
@@ -426,8 +410,6 @@ it:
nsfw_off: Segna come non sensibile
nsfw_on: Segna come sensibile
failed_to_execute: Impossibile eseguire
- media:
- title: Media
no_media: Nessun media
no_status_selected: Nessun status è stato modificato perché nessuno era stato selezionato
title: Gli status dell'account
@@ -440,8 +422,7 @@ it:
tags:
accounts: Account
hidden: Nascosto
- hide: Nascondi nella directory
- name: Hashtag
+ hide: Non mostrare nella directory
title: Hashtag
unhide: Mostra nella directory
visible: Visibile
@@ -454,7 +435,6 @@ it:
title: Gestisci avvisi predefiniti
application_mailer:
notification_preferences: Cambia preferenze email
- salutation: "%{name},"
settings: 'Cambia le impostazioni per le email: %{link}'
view: 'Guarda:'
view_profile: Mostra profilo
@@ -467,7 +447,6 @@ it:
token_regenerated: Token di accesso rigenerato
warning: Fa' molta attenzione con questi dati. Non fornirli mai a nessun altro!
auth:
- change_password: Password
confirm_email: Conferma email
delete_account: Elimina account
delete_account_html: Se desideri cancellare il tuo account, puoi farlo qui. Ti sarà chiesta conferma.
@@ -532,6 +511,7 @@ it:
'422':
content: Verifica di sicurezza non riuscita. Stai bloccando i cookies?
title: Verifica di sicurezza non riuscita
+ '429': Throttled
'500':
content: Siamo spiacenti, ma qualcosa non ha funzionato dal nostro lato.
title: Questa pagina non è corretta
@@ -545,7 +525,6 @@ it:
request: Richiedi il tuo archivio
size: Dimensioni
blocks: Stai bloccando
- csv: CSV
domain_blocks: Blocchi di dominio
follows: Stai seguendo
lists: Liste
@@ -594,7 +573,6 @@ it:
following: Lista dei seguaci
muting: Lista dei silenziati
upload: Carica
- in_memoriam_html: In Memoriam.
invites:
delete: Disattiva
expired: Scaduto
@@ -665,23 +643,11 @@ it:
body: 'Il tuo status è stato condiviso da %{name}:'
subject: "%{name} ha condiviso il tuo status"
title: Nuova condivisione
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: Più recente
next: Avanti
older: Più vecchio
prev: Indietro
- truncate: "…"
polls:
errors:
already_voted: Hai già votato in questo sondaggio
@@ -719,33 +685,13 @@ it:
too_soon: La data di pubblicazione deve essere nel futuro
sessions:
activity: Ultima attività
- browser: Browser
browsers:
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- firefox: Firefox
generic: Browser sconosciuto
- ie: Internet Explorer
- opera: Opera
- safari: Safari
current_session: Sessione corrente
description: "%{browser} su %{platform}"
explanation: Questi sono i browser da cui attualmente è avvenuto l'accesso al tuo account Mastodon.
- 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: piattaforma sconosciuta
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
title: Sessioni
settings:
authorized_apps: Applicazioni autorizzate
@@ -766,9 +712,6 @@ it:
image:
one: "%{count} immagine"
other: "%{count} immagini"
- video:
- one: "%{count} video"
- other: "%{count} video"
boosted_from_html: Condiviso da %{acct_link}
disallowed_hashtags:
one: 'contiene un hashtag non permesso: %{tags}'
@@ -805,9 +748,6 @@ it:
contrast: Mastodon (contrasto elevato)
default: Mastodon (scuro)
mastodon-light: Mastodon (chiaro)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
code_hint: Inserisci il codice generato dalla tua app di autenticazione
description_html: Se abiliti l'autorizzazione a due fattori, entrare nel tuo account ti richiederà di avere vicino il tuo telefono, il quale ti genererà un codice per eseguire l'accesso.
diff --git a/config/locales/ja.yml b/config/locales/ja.yml
index e411688122..895610d160 100644
--- a/config/locales/ja.yml
+++ b/config/locales/ja.yml
@@ -30,13 +30,11 @@ ja:
server_stats: 'サーバー統計:'
source_code: ソースコード
status_count_after:
- one: トゥート
other: トゥート
status_count_before: トゥート数
tagline: Follow friends and discover new ones
terms: 利用規約
user_count_after:
- one: 人
other: 人
user_count_before: ユーザー数
what_is_mastodon: Mastodon とは?
@@ -44,7 +42,6 @@ ja:
choices_html: "%{name} によるおすすめ:"
follow: フォロー
followers:
- one: フォロワー
other: フォロワー
following: フォロー中
joined: "%{date} に登録"
@@ -59,7 +56,6 @@ ja:
pin_errors:
following: おすすめしたい人はあなたが既にフォローしている必要があります
posts:
- one: トゥート
other: トゥート
posts_tab_heading: トゥート
posts_with_replies: トゥートと返信
@@ -174,6 +170,7 @@ ja:
statuses: トゥート数
subscribe: 購読する
suspended: 停止済み
+ time_in_queue: "%{time} 待ち"
title: アカウント
unconfirmed_email: 確認待ちのメールアドレス
undo_silenced: サイレンスから戻す
@@ -290,7 +287,6 @@ ja:
suspend: 停止中
show:
affected_accounts:
- one: データベース中の一つのアカウントに影響します
other: データベース中の%{count}個のアカウントに影響します
retroactive:
silence: このドメインの既存の影響するアカウントのサイレンスを戻す
@@ -315,7 +311,6 @@ ja:
by_domain: ドメイン
delivery_available: 配送可能
known_accounts:
- one: 既知のアカウント数 %{count}
other: 既知のアカウント数 %{count}
moderation:
all: すべて
@@ -498,6 +493,12 @@ ja:
body: "%{reporter} が %{target} を通報しました"
body_remote: "%{domain} の誰かが %{target} を通報しました"
subject: "%{instance} の新しい通報 (#%{id})"
+ appearance:
+ advanced_web_interface: 上級者向け UI
+ advanced_web_interface_hint: ディスプレイを幅いっぱいまで活用したい場合、上級者向け UI をおすすめします。ホーム、通知、連合タイムライン、更にはリストやハッシュタグなど、様々な異なるカラムから望む限りの情報を一度に受け取れるような設定が可能になります。
+ animations_and_accessibility: アニメーションとアクセシビリティー
+ confirmation_dialogs: 確認ダイアログ
+ sensitive_content: 閲覧注意コンテンツ
application_mailer:
notification_preferences: メール設定の変更
salutation: "%{name} さん"
@@ -579,7 +580,6 @@ ja:
explore_mastodon: "%{title}を探索"
how_to_enable: あなたはディレクトリへの掲載を選択していません。下記から選択できます。ハッシュタグカラムに掲載するにはプロフィール文にハッシュタグを使用してください。
people:
- one: "%{count} 人"
other: "%{count} 人"
errors:
'403': このページを表示する権限がありません。
@@ -643,7 +643,6 @@ ja:
save_changes: 変更を保存
use_this: これを使う
validation_errors:
- one: エラーが発生しました! 以下のエラーを確認してください
other: エラーが発生しました! 以下の%{count}個のエラーを確認してください
html_validator:
invalid_markup: '無効なHTMLマークアップが含まれています: %{error}'
@@ -694,7 +693,6 @@ ja:
generate: 作成
invited_by: '次の人に招待されました:'
max_uses:
- one: '1'
other: "%{count}"
max_uses_prompt: 無制限
prompt: リンクを生成・共有してこのサーバーへの新規登録を受け付けることができます
@@ -722,10 +720,8 @@ ja:
body: '最後のログイン(%{since})からの出来事:'
mention: "%{name} さんがあなたに返信しました:"
new_followers_summary:
- one: また、離れている間に新たなフォロワーを獲得しました!
other: また、離れている間に%{count} 人の新たなフォロワーを獲得しました!
subject:
- one: "新しい1件の通知 \U0001F418"
other: "新しい%{count}件の通知 \U0001F418"
title: 不在の間に…
favourite:
@@ -778,6 +774,8 @@ ja:
too_many_options: は%{max}個までです
preferences:
other: その他
+ posting_defaults: デフォルトの投稿設定
+ public_timelines: 公開タイムライン
relationships:
activity: 活動
dormant: 非アクティブ
@@ -860,7 +858,7 @@ ja:
settings:
account: アカウント
account_settings: セキュリティ
- appearance: プロフィールを編集
+ appearance: 外観
authorized_apps: 認証済みアプリ
back: Mastodon に戻る
delete: アカウントの削除
@@ -882,15 +880,12 @@ ja:
attached:
description: '添付: %{attached}'
image:
- one: "%{count} 枚の画像"
other: "%{count} 枚の画像"
video:
- one: "%{count} 本の動画"
other: "%{count} 本の動画"
boosted_from_html: "%{acct_link} からブースト"
content_warning: '閲覧注意: %{warning}'
disallowed_hashtags:
- one: '許可されていないハッシュタグが含まれています: %{tags}'
other: '許可されていないハッシュタグが含まれています: %{tags}'
language_detection: 自動検出
open_in_web: Webで開く
@@ -902,7 +897,6 @@ ja:
reblog: ブーストを固定することはできません
poll:
total_votes:
- one: "%{count}票"
other: "%{count}票"
vote: 投票
show_more: もっと見る
@@ -925,10 +919,10 @@ ja:
どのような情報を収集しますか?
- - 基本的なアカウント情報: 当サイトに登録すると、ユーザー名・メールアドレス・パスワードの入力を求められることがあります。また表示名や自己紹介・プロフィール画像・ヘッダー画像といった追加のプロフィールを登録できます。ユーザー名・表示名・自己紹介・プロフィール画像・ヘッダー画像は常に公開されます。
- - 投稿・フォロー・その他公開情報: フォローしているユーザーの一覧は一般公開されます。フォロワーも同様です。メッセージを投稿する際、日時だけでなく投稿に使用したアプリケーション名も記録されます。メッセージには写真や動画といった添付メディアを含むことがあります。「公開」や「未収載」の投稿は一般公開されます。プロフィールに投稿を載せるとそれもまた公開情報となります。投稿はフォロワーに配信されます。場合によっては他のサーバーに配信され、そこにコピーが保存されることを意味します。投稿を削除した場合も同様にフォロワーに配信されます。他の投稿をリブログやお気に入り登録する行動は常に公開されます。
- - 「ダイレクト」と「フォロワー限定」投稿: すべての投稿はサーバーに保存され、処理されます。「フォロワー限定」投稿はフォロワーと投稿に書かれたユーザーに配信されます。「ダイレクト」投稿は投稿に書かれたユーザーにのみ配信されます。場合によっては他のサーバーに配信され、そこにコピーが保存されることを意味します。私たちはこれらの閲覧を一部の許可された者に限定するよう誠意を持って努めます。しかし他のサーバーにおいても同様に扱われるとは限りません。したがって、相手の所属するサーバーを吟味することが重要です。設定で新しいフォロワーの承認または拒否を手動で行うよう切り替えることもできます。サーバー管理者は「ダイレクト」や「フォロワー限定」投稿も閲覧する可能性があることを忘れないでください。また受信者がスクリーンショットやコピー、もしくは共有する可能性があることを忘れないでください。いかなる危険な情報もMastodon上で共有しないでください。
- - IPアドレスやその他メタデータ: ログインする際IPアドレスだけでなくブラウザーアプリケーション名を記録します。ログインしたセッションはすべてユーザー設定で見直し、取り消すことができます。使用されている最新のIPアドレスは最大12ヵ月間保存されます。またサーバーへのIPアドレスを含むすべてのリクエストのログを保持することがあります。
+ - 基本的なアカウント情報: 当サイトに登録すると、ユーザー名・メールアドレス・パスワードの入力を求められることがあります。また表示名や自己紹介・プロフィール画像・ヘッダー画像といった追加のプロフィールを登録できます。ユーザー名・表示名・自己紹介・プロフィール画像・ヘッダー画像は常に公開されます。
+ - 投稿・フォロー・その他公開情報: フォローしているユーザーの一覧は一般公開されます。フォロワーも同様です。メッセージを投稿する際、日時だけでなく投稿に使用したアプリケーション名も記録されます。メッセージには写真や動画といった添付メディアを含むことがあります。「公開」や「未収載」の投稿は一般公開されます。プロフィールに投稿を載せるとそれもまた公開情報となります。投稿はフォロワーに配信されます。場合によっては他のサーバーに配信され、そこにコピーが保存されることを意味します。投稿を削除した場合も同様にフォロワーに配信されます。他の投稿をリブログやお気に入り登録する行動は常に公開されます。
+ - 「ダイレクト」と「フォロワー限定」投稿: すべての投稿はサーバーに保存され、処理されます。「フォロワー限定」投稿はフォロワーと投稿に書かれたユーザーに配信されます。「ダイレクト」投稿は投稿に書かれたユーザーにのみ配信されます。場合によっては他のサーバーに配信され、そこにコピーが保存されることを意味します。私たちはこれらの閲覧を一部の許可された者に限定するよう誠意を持って努めます。しかし他のサーバーにおいても同様に扱われるとは限りません。したがって、相手の所属するサーバーを吟味することが重要です。設定で新しいフォロワーの承認または拒否を手動で行うよう切り替えることもできます。サーバー管理者は「ダイレクト」や「フォロワー限定」投稿も閲覧する可能性があることを忘れないでください。また受信者がスクリーンショットやコピー、もしくは共有する可能性があることを忘れないでください。いかなる危険な情報もMastodon上で共有しないでください。
+ - IPアドレスやその他メタデータ: ログインする際IPアドレスだけでなくブラウザーアプリケーション名を記録します。ログインしたセッションはすべてユーザー設定で見直し、取り消すことができます。使用されている最新のIPアドレスは最大12ヵ月間保存されます。またサーバーへのIPアドレスを含むすべてのリクエストのログを保持することがあります。
@@ -938,9 +932,9 @@ ja:
収集した情報は次の用途に使用されることがあります:
- - Mastodonのコア機能の提供: ログインしている間にかぎり他の人たちと投稿を通じて交流することができます。例えば自分専用のホームタイムラインで投稿をまとめて読むために他の人たちをフォローできます。
- - コミュニティ維持の補助: 例えばIPアドレスを既知のものと比較し、BAN回避目的の複数登録者やその他違反者を判別します。
- - 提供されたメールアドレスはお知らせの送信・投稿に対するリアクションやメッセージ送信の通知・お問い合わせやその他要求や質問への返信に使用されることがあります。
+ - Mastodonのコア機能の提供: ログインしている間にかぎり他の人たちと投稿を通じて交流することができます。例えば自分専用のホームタイムラインで投稿をまとめて読むために他の人たちをフォローできます。
+ - コミュニティ維持の補助: 例えばIPアドレスを既知のものと比較し、BAN回避目的の複数登録者やその他違反者を判別します。
+ - 提供されたメールアドレスはお知らせの送信・投稿に対するリアクションやメッセージ送信の通知・お問い合わせやその他要求や質問への返信に使用されることがあります。
@@ -956,8 +950,8 @@ ja:
私たちは次のように誠意を持って努めます:
- - 当サイトへのIPアドレスを含むすべての要求に対するサーバーログを90日以内のできるかぎりの間保持します。
- - 登録されたユーザーに関連付けられたIPアドレスを12ヵ月以内の間保持します。
+ - 当サイトへのIPアドレスを含むすべての要求に対するサーバーログを90日以内のできるかぎりの間保持します。
+ - 登録されたユーザーに関連付けられたIPアドレスを12ヵ月以内の間保持します。
あなたは投稿・添付メディア・プロフィール画像・ヘッダー画像を含む自身のデータのアーカイブを要求し、ダウンロードすることができます。
diff --git a/config/locales/ka.yml b/config/locales/ka.yml
index ef93cc997c..53057d8603 100644
--- a/config/locales/ka.yml
+++ b/config/locales/ka.yml
@@ -19,16 +19,13 @@ ka:
learn_more: გაიგე მეტი
privacy_policy: კონფიდენციალურობის პოლიტიკა
source_code: კოდი
- status_count_after: სტატუსები
status_count_before: ვინც უავტორა
terms: მომსახურების პირობები
- user_count_after: მომხმარებლისთვის
user_count_before: სახლი
what_is_mastodon: რა არის მასტოდონი?
accounts:
choices_html: "%{name}-ის არჩევნები:"
follow: გაყევი
- followers: მიმდევრები
following: მიჰყვება
joined: გაწევრიანდა %{date}
media: მედია
@@ -39,7 +36,6 @@ ka:
people_who_follow: ხალხი ვინც მიჰყვება %{name}-ს
pin_errors:
following: იმ ადამიანს, ვინც მოგწონთ, უკვე უნდა მიჰყვებოდეთ
- posts: ტუტები
posts_with_replies: ტუტები და პასუხები
reserved_username: მომხმარებელი რეზერვირებულია
roles:
@@ -387,7 +383,6 @@ ka:
subject: ახალი რეპორტი %{instance} (#%{id})-ზე
application_mailer:
notification_preferences: შეცვალეთ ელ-ფოსტის პრეფერნსიები
- salutation: "%{name},"
settings: 'შეცვალეთ ელ-ფოსტის პრეფერენსიები: %{link}'
view: 'ჩვენება:'
view_profile: პროფილის ჩვენება
@@ -587,20 +582,17 @@ ka:
number:
human:
decimal_units:
- format: "%n%u"
units:
billion: ბილ.
million: მილ.
quadrillion: კუად.
thousand: ათას.
trillion: ტრილ.
- unit: ''
pagination:
newer: უფრო ახალი
next: შემდეგი
older: ძველი
prev: წინა
- truncate: "…"
preferences:
other: სხვა
remote_follow:
@@ -690,7 +682,6 @@ ka:
reblog: ბუსტი ვერ აიპინება
show_more: მეტის ჩვენება
sign_in_to_participate: საუბარში მონაწილეობისთვის გაიარეთ ავტორიზაცია
- title: '%{name}: "%{quote}"'
visibilities:
private: მხოლოდ-მიმდევრები
private_long: აჩვენე მხოლოდ მიმდევრებს
@@ -708,10 +699,10 @@ ka:
რა ინფორმაციას ვაგროვებთ?
- - ძირითადი ანგარიშის ინფორმაცია: თუ დარეგისტრირდებით ამ სერვერზე, შესაძლოა მოგთხოვოთ მომხმარებლის სახელი, ელ-ფოსტის მისამართი და პაროლი. შესაძლებელია, ასევე შეიყვანოთ დამატებითი პროფილის ინორმაცია, როგორიცაა დისპლეის სახელი და ბიოგრაფია, ასევე ატვირთოთ პროფილის და დასათაურების სურათი. მომხმარებლის სახელი, დისპლეის სახელი, ბიოგრაფია, პროფილის სურათი, დასათაურების სურათი ყოველთვის ღიადაა ჩამოთვლილი.
- - პოსტები, დადევნებები და სხვა საჯარო ინფორმაცია: ადამიანების სია, რომლებსაც მიჰყვებით საჯაროდაა ჩამოთვლილი, იგივე ეხება თქვენს მიდევრებსაც. როდესაც აგზავნით წერილს, თარიღი, დრო და აპლიკაცია თუ საიდანაც განათავსეთ წერილი ინახება. წერილები შესაძლოა შეიცავდნენ მედია ფაილებს, როგორებიცაა სურათები და ვიდეოები. ღია და ჩამოუთვლელი პოსტები ხელმისაწვდომია საჯაროდ. როდესაც ათავსებთ პოსტს თქვენს პროფილზე, ის ასევე საჟაროდ წვდომადი ხდება. თქვენი პოსტები ეგზავნებათ თქვენს მიმდევრებს, ზოგიერთ შემთხვევაში ეს ნიშნავს, რომ ისინი იგზავნება სხვა სერვერებზე და მათი ასლები იქვე ინახება. როდესაც აუქმებთ პოსტს, ეს მოქმედება ეგზავნებათ თქვენს მიმდევრებს. რე-ბლოგირების ან ფავორიტად ქცევის ქმედებები ასევე საქვეყნოა.
- - პირდაპირი და პოსტები მხოლოდ-მიმდევრებისთვის: ყველა პოსტი ინახება და მათი პროცესირება ხდება სერვერზე. პოსტები რომლებიც განეკუთვნება მხოლოდ მიმდევრებს მიეწოდებათ მათ, მომხმარებლები, რომლებიც დასახელებულია პოსტებში და პირდაპირი პოსტები ეგზავნებათ მხოლოდ ჩამოთვლილ მომხმარებლებს. ზოგიერთ შემთხვევაში, ეს ნიშნავს, რომ გადაგზავნა ხდება გარე სერვერებზე და ასლებიც იქ ინახება. ჩვენ დიდ ძალისხმევას ვუწევთ წვდომის ლიმიტს მხოლოდ აუტორიზირებული ადამიანებისთვის, თუმცა სხვა სერვერებმა შეიძლება ეს არ აწარმოონ. აქედან გამომდინარე, მნიშვნელოვანია განიხილოთ სერვერები, საიდანაც მოდიან თქვენი მიმდევრები. შეგიძლიათ ჩართოთ ან გამორთოთ პარამეტრი, დაადასტუროთ ან უარყოთ ახალი მიმდევარი. გთხოვთ გაითვალისწინოთ, რომ სერვერის ოპერაციები და სხვა მიმღები სერვერები შესაძლოა კითხულობდნენ ამგვარ წერილებს, მიმღებებს შეუძლიათ შექმნან სქრინშოთი, დააკოპირონ ან ხელახლა გააზიარონ ისინი. არ გააზიაროთ საშიში ინფორმაცია მასტოდონით.
- - აი-პიები და სხვა მეტა-მონაცემები: როდესაც გაივლით აუტენტიფიკაციას, ჩვენ ვინახავთ აი-პი მისამართს საიდანაც შემოხვედით, ასევე ბრაუზერის აპლიკაციას. ყველა ავტორიზირებული სესია თქვენთვის განსახილველად და გასაუქმებლად ხელმისაწვდომია პარამეტრებში. ბოლო შენახული აი-პი მისამართი ინახება მაქსიმუმ 12 თვით. ჩვენ ასევე შეიძლება გაგვაჩნდეს სერვერის ლოგი, რომელიც ინახავს თითოეული მოთხოვნის IP მისამართს.
+ - ძირითადი ანგარიშის ინფორმაცია: თუ დარეგისტრირდებით ამ სერვერზე, შესაძლოა მოგთხოვოთ მომხმარებლის სახელი, ელ-ფოსტის მისამართი და პაროლი. შესაძლებელია, ასევე შეიყვანოთ დამატებითი პროფილის ინორმაცია, როგორიცაა დისპლეის სახელი და ბიოგრაფია, ასევე ატვირთოთ პროფილის და დასათაურების სურათი. მომხმარებლის სახელი, დისპლეის სახელი, ბიოგრაფია, პროფილის სურათი, დასათაურების სურათი ყოველთვის ღიადაა ჩამოთვლილი.
+ - პოსტები, დადევნებები და სხვა საჯარო ინფორმაცია: ადამიანების სია, რომლებსაც მიჰყვებით საჯაროდაა ჩამოთვლილი, იგივე ეხება თქვენს მიდევრებსაც. როდესაც აგზავნით წერილს, თარიღი, დრო და აპლიკაცია თუ საიდანაც განათავსეთ წერილი ინახება. წერილები შესაძლოა შეიცავდნენ მედია ფაილებს, როგორებიცაა სურათები და ვიდეოები. ღია და ჩამოუთვლელი პოსტები ხელმისაწვდომია საჯაროდ. როდესაც ათავსებთ პოსტს თქვენს პროფილზე, ის ასევე საჟაროდ წვდომადი ხდება. თქვენი პოსტები ეგზავნებათ თქვენს მიმდევრებს, ზოგიერთ შემთხვევაში ეს ნიშნავს, რომ ისინი იგზავნება სხვა სერვერებზე და მათი ასლები იქვე ინახება. როდესაც აუქმებთ პოსტს, ეს მოქმედება ეგზავნებათ თქვენს მიმდევრებს. რე-ბლოგირების ან ფავორიტად ქცევის ქმედებები ასევე საქვეყნოა.
+ - პირდაპირი და პოსტები მხოლოდ-მიმდევრებისთვის: ყველა პოსტი ინახება და მათი პროცესირება ხდება სერვერზე. პოსტები რომლებიც განეკუთვნება მხოლოდ მიმდევრებს მიეწოდებათ მათ, მომხმარებლები, რომლებიც დასახელებულია პოსტებში და პირდაპირი პოსტები ეგზავნებათ მხოლოდ ჩამოთვლილ მომხმარებლებს. ზოგიერთ შემთხვევაში, ეს ნიშნავს, რომ გადაგზავნა ხდება გარე სერვერებზე და ასლებიც იქ ინახება. ჩვენ დიდ ძალისხმევას ვუწევთ წვდომის ლიმიტს მხოლოდ აუტორიზირებული ადამიანებისთვის, თუმცა სხვა სერვერებმა შეიძლება ეს არ აწარმოონ. აქედან გამომდინარე, მნიშვნელოვანია განიხილოთ სერვერები, საიდანაც მოდიან თქვენი მიმდევრები. შეგიძლიათ ჩართოთ ან გამორთოთ პარამეტრი, დაადასტუროთ ან უარყოთ ახალი მიმდევარი. გთხოვთ გაითვალისწინოთ, რომ სერვერის ოპერაციები და სხვა მიმღები სერვერები შესაძლოა კითხულობდნენ ამგვარ წერილებს, მიმღებებს შეუძლიათ შექმნან სქრინშოთი, დააკოპირონ ან ხელახლა გააზიარონ ისინი. არ გააზიაროთ საშიში ინფორმაცია მასტოდონით.
+ - აი-პიები და სხვა მეტა-მონაცემები: როდესაც გაივლით აუტენტიფიკაციას, ჩვენ ვინახავთ აი-პი მისამართს საიდანაც შემოხვედით, ასევე ბრაუზერის აპლიკაციას. ყველა ავტორიზირებული სესია თქვენთვის განსახილველად და გასაუქმებლად ხელმისაწვდომია პარამეტრებში. ბოლო შენახული აი-პი მისამართი ინახება მაქსიმუმ 12 თვით. ჩვენ ასევე შეიძლება გაგვაჩნდეს სერვერის ლოგი, რომელიც ინახავს თითოეული მოთხოვნის IP მისამართს.
@@ -721,9 +712,9 @@ ka:
ნებისმიერი სხვა ინფორმაცია, რომელსაც ვაგროვებთ თქვენგან შესაძლოა გამოყენებულ იქნას შემდეგი გზებით:
- - რომ უზრუნველვყოთ მასტოდონის მთავარი ფუნქციონალი. შეგიძლიათ ინტერაქცია გაუწიოთ მხოლოდ სხვის კონტენტს და შექმნათ პოსტები მაშინ როდესაც ავტორიზებული ხართ. მაგალითად, შესაძლოა გაჰყვეთ სხვა ადამიანებს, რათა იხილოთ მათი ჯამური პოსტები საკუთარ პერსონალიზებულ სახლის თაიმლაინზე.
- - რომ შევუწყვოთ ხელი საზოგადოების მოდერაციას, მაგალითად შევადაროთ თქვენი აი-პი მისამართი სხვა ცნობილ მისამართებს, რათა ამოვიცნოთ ბანის გადაუხდელობა ან სხვა დარღვევები.
- - ელ-ფოსტის მისამართი რომელსაც გვაწვდით, შესაძლოა გამოვიყენოთ თქვენთვის ინფორმაციის გამოსაგძავნად, შეგატყობინოთ სხვა ადამიანების ინტერაქციაზე თქვენს კონტენტთან ან თქვენთვის გამოგზავნილ წერილებზე, ასევე რომ გიპასუხოთ მოთხოვნებზე და/ან სხვა საკითხებზე.
+ - რომ უზრუნველვყოთ მასტოდონის მთავარი ფუნქციონალი. შეგიძლიათ ინტერაქცია გაუწიოთ მხოლოდ სხვის კონტენტს და შექმნათ პოსტები მაშინ როდესაც ავტორიზებული ხართ. მაგალითად, შესაძლოა გაჰყვეთ სხვა ადამიანებს, რათა იხილოთ მათი ჯამური პოსტები საკუთარ პერსონალიზებულ სახლის თაიმლაინზე.
+ - რომ შევუწყვოთ ხელი საზოგადოების მოდერაციას, მაგალითად შევადაროთ თქვენი აი-პი მისამართი სხვა ცნობილ მისამართებს, რათა ამოვიცნოთ ბანის გადაუხდელობა ან სხვა დარღვევები.
+ - ელ-ფოსტის მისამართი რომელსაც გვაწვდით, შესაძლოა გამოვიყენოთ თქვენთვის ინფორმაციის გამოსაგძავნად, შეგატყობინოთ სხვა ადამიანების ინტერაქციაზე თქვენს კონტენტთან ან თქვენთვის გამოგზავნილ წერილებზე, ასევე რომ გიპასუხოთ მოთხოვნებზე და/ან სხვა საკითხებზე.
@@ -739,8 +730,8 @@ ka:
ჩვენ არ დავიშურებთ ძალისხმევას რომ:
- - შევინარჩუნოთ სერვერის ლოგები, რომლებიც მოიცავენ ყველა მოთხოვნის აი-პი მისამართს, თუმცა ესეთი ლოგები არ ინახება 90 დღეზე მეტ ხანს.
- - შევინარჩუნოთ რეგისტრირებული მომხმარებლების აი-პი მისამართები მაქსიმუმ 12 თვით.
+ - შევინარჩუნოთ სერვერის ლოგები, რომლებიც მოიცავენ ყველა მოთხოვნის აი-პი მისამართს, თუმცა ესეთი ლოგები არ ინახება 90 დღეზე მეტ ხანს.
+ - შევინარჩუნოთ რეგისტრირებული მომხმარებლების აი-პი მისამართები მაქსიმუმ 12 თვით.
შეგიძლიათ მოითხოვოთ და ჩამოტვირთოთ თქვენი კონტენტის არქივი, რომელიც მოიცავს თქვენს პოსტებს, მედია ფაილებს, პროფილის და დასათაურების სურათს.
@@ -789,10 +780,6 @@ ka:
contrast: მაღალი კონტრასტი
default: მასტოდონი
mastodon-light: მასტოდონი (ღია)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: დასამოწმებლად შეიყვანეთ თქვენი აუტენტიფიკატორ აპლიკაციისგან გენერირებული კოდი
description_html: თუ ჩართავთ მეორე-ფაქტორის აუტენტიფიკაციას, შესვლისას აუცილებელი იქნება ფლობდეთ ტელეფონს, რომელიც დააგენერირებს შესვლის ტოკენებს.
diff --git a/config/locales/kk.yml b/config/locales/kk.yml
index 5843000f34..c6212c378f 100644
--- a/config/locales/kk.yml
+++ b/config/locales/kk.yml
@@ -5,7 +5,6 @@ kk:
about_mastodon_html: Mastodon - әлеуметтік желіге негізделген, тегін және веб протоколды, ашық кодты бағдарлама. Ол email сияқты орталығы жоқ құрылым.
about_this: Туралы
administered_by: 'Админ:'
- api: API
apps: Мобиль қосымшалар
contact: Байланыс
contact_missing: Бапталмаған
@@ -89,7 +88,6 @@ kk:
display_name: Атын көрсет
domain: Домен
edit: Түзету
- email: Email
email_status: Email статусы
enable: Қосу
enabled: Қосылды
@@ -100,7 +98,6 @@ kk:
header: Басы
inbox_url: Келген хаттар URL
invited_by: Шақырған
- ip: IP
joined: Қосылды
location:
all: Барлығы
@@ -468,7 +465,6 @@ kk:
subject: New rеport for %{instance} (#%{id})
application_mailer:
notification_preferences: Change e-mail prеferences
- salutation: "%{name},"
settings: 'Change e-mail preferеnces: %{link}'
view: 'Viеw:'
view_profile: Viеw Profile
@@ -691,11 +687,9 @@ kk:
number:
human:
decimal_units:
- format: "%n%u"
units:
billion: В
million: М
- quadrillion: Q
thousand: К
trillion: Т
pagination:
@@ -703,7 +697,6 @@ kk:
next: Келесі
older: Ерте
prev: Алдыңғы
- truncate: "…"
polls:
errors:
already_voted: Бұл сауалнамаға қатысқансыз
@@ -824,7 +817,6 @@ kk:
vote: Дауыс беру
show_more: Тағы әкел
sign_in_to_participate: Сұхбатқа қатысу үшін кіріңіз
- title: '%{name}: "%{quote}"'
visibilities:
private: Тек оқырмандарға
private_long: Тек оқырмандарға ғана көрінеді
@@ -842,10 +834,10 @@ kk:
What information do we collect?
- - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
- - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
- - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
- - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
+ - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
+ - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
+ - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
+ - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
@@ -855,9 +847,9 @@ kk:
Any of the information we collect from you may be used in the following ways:
- - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
- - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
- - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
+ - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
+ - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
+ - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
@@ -873,8 +865,8 @@ kk:
We will make a good faith effort to:
- - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
- - Retain the IP addresses associated with registered users no more than 12 months.
+ - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
+ - Retain the IP addresses associated with registered users no more than 12 months.
You can request and download an archive of your content, including your posts, media attachments, profile picture, and header image.
@@ -923,10 +915,6 @@ kk:
contrast: Mastodon (Жоғары контраст)
default: Mastodon (Қою)
mastodon-light: Mastodon (Ашық)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Растау үшін түпнұсқалықты растау бағдарламасы арқылы жасалған кодты енгізіңіз
description_html: "екі факторлы түпнұсқалықты растауды қоссаңыз, кіру үшін сізге телефонға кіруіңізді талап етеді, сізге арнайы токен беріледі."
diff --git a/config/locales/ko.yml b/config/locales/ko.yml
index 718ad15ae0..3f14d5df64 100644
--- a/config/locales/ko.yml
+++ b/config/locales/ko.yml
@@ -14,7 +14,7 @@ ko:
browse_public_posts: 마스토돈의 공개 라이브 스트림을 둘러보기
contact: 연락처
contact_missing: 미설정
- contact_unavailable: N/A
+ contact_unavailable: 없음
discover_users: 유저 발견하기
documentation: 문서
extended_description_html: |
@@ -30,13 +30,11 @@ ko:
server_stats: '서버 통계:'
source_code: 소스 코드
status_count_after:
- one: 툿
other: 툿
status_count_before: 툿 수
tagline: 친구들을 팔로우 하고 새로운 사람들도 만나기
terms: 이용약관
user_count_after:
- one: 명
other: 명
user_count_before: 사용자 수
what_is_mastodon: 마스토돈이란?
@@ -44,7 +42,6 @@ ko:
choices_html: "%{name}의 추천:"
follow: 팔로우
followers:
- one: 팔로워
other: 팔로워
following: 팔로잉
joined: "%{date}에 가입함"
@@ -59,7 +56,6 @@ ko:
pin_errors:
following: 추천하려는 사람을 팔로우 하고 있어야 합니다
posts:
- one: 툿
other: 툿
posts_tab_heading: 툿
posts_with_replies: 툿과 답장
@@ -293,7 +289,6 @@ ko:
suspend: 정지
show:
affected_accounts:
- one: 데이터베이스 중 1개의 계정에 영향을 끼칩니다
other: 데이터베이스 중 %{count}개의 계정에 영향을 끼칩니다
retroactive:
silence: 이 도메인에 존재하는 모든 계정의 침묵를 해제
@@ -318,7 +313,6 @@ ko:
by_domain: 도메인
delivery_available: 전송 가능
known_accounts:
- one: 알려진 계정 %{count}개
other: 알려진 계정 %{count}개
moderation:
all: 모두
@@ -511,7 +505,7 @@ ko:
notification_preferences: 메일 설정 변경
salutation: "%{name} 님,"
settings: '메일 설정을 변경: %{link}'
- view: 'View:'
+ view: '보기:'
view_profile: 프로필 보기
view_status: 게시물 보기
applications:
@@ -588,7 +582,6 @@ ko:
explore_mastodon: "%{title} 탐사하기"
how_to_enable: 아직 디렉터리에 참여하지 않았습니다. 아래에서 참여할 수 있습니다. 바이오 텍스트에 해시태그를 사용해 특정 해시태그 디렉터리에 표시 될 수 있습니다!
people:
- one: "%{count}명"
other: "%{count}명"
errors:
'403': 이 페이지를 표시할 권한이 없습니다.
@@ -651,7 +644,6 @@ ko:
order_by: 순서
save_changes: 변경 사항을 저장
validation_errors:
- one: 오류가 발생했습니다. 아래 오류를 확인해 주십시오
other: 오류가 발생했습니다. 아래 %{count}개 오류를 확인해 주십시오
html_validator:
invalid_markup: '올바르지 않은 HTML 마크업을 포함하고 있습니다: %{error}'
@@ -702,7 +694,6 @@ ko:
generate: 생성
invited_by: '당신을 초대한 사람:'
max_uses:
- one: 일회용
other: "%{count} 회"
max_uses_prompt: 제한 없음
prompt: 이 서버에 대한 초대 링크를 만들고 공유합니다
@@ -730,10 +721,8 @@ ko:
body: 마지막 로그인(%{since}) 이후로 일어난 일들에 관한 요약
mention: "%{name} 님이 답장했습니다:"
new_followers_summary:
- one: 그리고, 접속 하지 않으신 동안 새 팔로워가 생겼습니다!
other: 게다가, 접속하지 않은 동안 %{count} 명의 팔로워가 생겼습니다!
subject:
- one: "1건의 새로운 알림 \U0001F418"
other: "%{count}건의 새로운 알림 \U0001F418"
title: 당신이 없는 동안에...
favourite:
@@ -768,7 +757,6 @@ ko:
quadrillion: Q
thousand: K
trillion: T
- unit: "."
pagination:
newer: 새로운 툿
next: 다음
@@ -846,7 +834,7 @@ ko:
phantom_js: PhantomJS
qq: QQ 브라우저
safari: 사파리
- uc_browser: UCBrowser
+ uc_browser: UC브라우저
weibo: 웨이보
current_session: 현재 세션
description: "%{platform}의 %{browser}"
@@ -892,15 +880,12 @@ ko:
attached:
description: '첨부: %{attached}'
image:
- one: "%{count} 이미지"
other: "%{count} 이미지"
video:
- one: "%{count} 영상"
other: "%{count} 영상"
boosted_from_html: "%{acct_link} 님으로부터 부스트"
content_warning: '열람 주의: %{warning}'
disallowed_hashtags:
- one: '허용 되지 않은 해시태그를 포함하고 있습니다: %{tags}'
other: '허용되지 않은 해시태그를 포함하고 있습니다: %{tags}'
language_detection: 자동으로 언어 감지
open_in_web: Web으로 열기
@@ -912,7 +897,6 @@ ko:
reblog: 부스트는 고정될 수 없습니다
poll:
total_votes:
- one: "%{count}명 투표함"
other: "%{count}명 투표함"
vote: 투표
show_more: 더 보기
@@ -935,10 +919,10 @@ ko:
우리가 어떤 정보를 수집하나요?
- - 기본 계정 정보: 이 서버에 가입하실 때 유저네임, 이메일 주소, 패스워드 등을 입력 받게 됩니다. 추가적으로 디스플레이네임이나 자기소개, 프로필 이미지, 헤더 이미지 등의 프로필 정보를 입력하게 됩니다. 유저네임, 디스플레이네임, 자기소개, 프로필 이미지와 헤더 이미지는 언제나 공개적으로 게시됩니다.
- - 게시물, 팔로잉, 기타 공개된 정보: 당신이 팔로우 하는 사람들의 리스트는 공개됩니다. 당신을 팔로우 하는 사람들도 마찬가지입니다. 당신이 게시물을 작성하는 경우, 응용프로그램이 메시지를 받았을 때의 날짜와 시간이 기록 됩니다. 게시물은 그림이나 영상 등의 미디어를 포함할 수 있습니다. 퍼블릭과 미표시(unlisted) 게시물은 공개적으로 접근이 가능합니다. 프로필에 게시물을 고정하는 경우 마찬가지로 공개적으로 접근 가능한 정보가 됩니다. 당신의 게시물들은 당신의 팔로워들에게 전송 됩니다. 몇몇 경우 이것은 다른 서버에 전송되고 그곳에 사본이 저장 됩니다. 당신이 게시물을 삭제하는 경우 이 또한 당신의 팔로워들에게 전송 됩니다. 다른 게시물을 리블로깅 하거나 즐겨찾기 하는 경우 이는 언제나 공개적으로 제공 됩니다.
- - DM, 팔로워 공개 게시물: 모든 게시물들은 서버에서 처리되고 저장됩니다. 팔로워 공개 게시물은 당신의 팔로워와 멘션 된 사람들에게 전달이 됩니다. 다이렉트 메시지는 멘션 된 사람들에게만 전송 됩니다. 몇몇 경우 이것은 다른 서버에 전송 되고 그곳에 사본이 저장됨을 의미합니다. 우리는 이 게시물들이 권한을 가진 사람들만 열람이 가능하도록 노력을 할 것이지만 다른 서버에서는 이것이 실패할 수도 있습니다. 그러므로 당신의 팔로워들이 속한 서버를 재확인하는 것이 중요합니다. 당신은 새 팔로워를 수동으로 승인하거나 거절하도록 설정을 변경할 수 있습니다. 해당 서버의 운영자는 서버가 받는 메시지를 열람할 수 있다는 것을 항상 염두해 두세요, 그리고 수신자들은 스크린샷을 찍거나 복사하는 등의 방법으로 다시 공유할 수 있습니다. 위험한 정보를 마스토돈을 통해 공유하지 마세요.
- - IP와 기타 메타데이터: 당신이 로그인 하는 경우 IP 주소와 브라우저의 이름을 저장합니다. 모든 세션은 당신이 검토하고 취소할 수 있도록 설정에서 제공 됩니다. 마지막으로 사용 된 IP 주소는 최대 12개월 간 저장됩니다. 또한, 모든 요청에 대해 IP주소를 포함한 정보를 로그에 저장할 수 있습니다.
+ - 기본 계정 정보: 이 서버에 가입하실 때 유저네임, 이메일 주소, 패스워드 등을 입력 받게 됩니다. 추가적으로 디스플레이네임이나 자기소개, 프로필 이미지, 헤더 이미지 등의 프로필 정보를 입력하게 됩니다. 유저네임, 디스플레이네임, 자기소개, 프로필 이미지와 헤더 이미지는 언제나 공개적으로 게시됩니다.
+ - 게시물, 팔로잉, 기타 공개된 정보: 당신이 팔로우 하는 사람들의 리스트는 공개됩니다. 당신을 팔로우 하는 사람들도 마찬가지입니다. 당신이 게시물을 작성하는 경우, 응용프로그램이 메시지를 받았을 때의 날짜와 시간이 기록 됩니다. 게시물은 그림이나 영상 등의 미디어를 포함할 수 있습니다. 퍼블릭과 미표시(unlisted) 게시물은 공개적으로 접근이 가능합니다. 프로필에 게시물을 고정하는 경우 마찬가지로 공개적으로 접근 가능한 정보가 됩니다. 당신의 게시물들은 당신의 팔로워들에게 전송 됩니다. 몇몇 경우 이것은 다른 서버에 전송되고 그곳에 사본이 저장 됩니다. 당신이 게시물을 삭제하는 경우 이 또한 당신의 팔로워들에게 전송 됩니다. 다른 게시물을 리블로깅 하거나 즐겨찾기 하는 경우 이는 언제나 공개적으로 제공 됩니다.
+ - DM, 팔로워 공개 게시물: 모든 게시물들은 서버에서 처리되고 저장됩니다. 팔로워 공개 게시물은 당신의 팔로워와 멘션 된 사람들에게 전달이 됩니다. 다이렉트 메시지는 멘션 된 사람들에게만 전송 됩니다. 몇몇 경우 이것은 다른 서버에 전송 되고 그곳에 사본이 저장됨을 의미합니다. 우리는 이 게시물들이 권한을 가진 사람들만 열람이 가능하도록 노력을 할 것이지만 다른 서버에서는 이것이 실패할 수도 있습니다. 그러므로 당신의 팔로워들이 속한 서버를 재확인하는 것이 중요합니다. 당신은 새 팔로워를 수동으로 승인하거나 거절하도록 설정을 변경할 수 있습니다. 해당 서버의 운영자는 서버가 받는 메시지를 열람할 수 있다는 것을 항상 염두해 두세요, 그리고 수신자들은 스크린샷을 찍거나 복사하는 등의 방법으로 다시 공유할 수 있습니다. 위험한 정보를 마스토돈을 통해 공유하지 마세요.
+ - IP와 기타 메타데이터: 당신이 로그인 하는 경우 IP 주소와 브라우저의 이름을 저장합니다. 모든 세션은 당신이 검토하고 취소할 수 있도록 설정에서 제공 됩니다. 마지막으로 사용 된 IP 주소는 최대 12개월 간 저장됩니다. 또한, 모든 요청에 대해 IP주소를 포함한 정보를 로그에 저장할 수 있습니다.
@@ -948,9 +932,9 @@ ko:
당신에게서 수집한 정보는 다음과 같은 곳에 사용 됩니다:
- - 마스토돈의 주요 기능 제공. 다른 사람의 게시물에 상호작용 하거나 자신의 게시물을 작성하기 위해서는 로그인을 해야 합니다. 예를 들어, 다른 사람의 게시물을 자신만의 홈 타임라인에서 모아 보기 위해 팔로우를 할 수 있습니다.
- - 커뮤니티의 모더레이션을 위해, 예를 들어 당신의 IP 주소와 기타 사항을 비교하여 금지를 우회하거나 다른 규칙을 위반하는지 판단하는 데에 사용할 수 있습니다.
- - 당신이 제공한 이메일 주소를 통해 정보, 다른 사람들의 반응이나 받은 메시지에 대한 알림, 기타 요청 등에 관한 응답 요청 등을 보내는 데에 활용됩니다.
+ - 마스토돈의 주요 기능 제공. 다른 사람의 게시물에 상호작용 하거나 자신의 게시물을 작성하기 위해서는 로그인을 해야 합니다. 예를 들어, 다른 사람의 게시물을 자신만의 홈 타임라인에서 모아 보기 위해 팔로우를 할 수 있습니다.
+ - 커뮤니티의 모더레이션을 위해, 예를 들어 당신의 IP 주소와 기타 사항을 비교하여 금지를 우회하거나 다른 규칙을 위반하는지 판단하는 데에 사용할 수 있습니다.
+ - 당신이 제공한 이메일 주소를 통해 정보, 다른 사람들의 반응이나 받은 메시지에 대한 알림, 기타 요청 등에 관한 응답 요청 등을 보내는 데에 활용됩니다.
@@ -966,8 +950,8 @@ ko:
우리는 다음을 위해 노력을 할 것입니다:
- - IP를 포함해 이 서버에 전송 되는 모든 요청에 대한 로그는 90일을 초과하여 저장되지 않습니다.
- - 가입 된 유저의 IP 정보는 12개월을 초과하여 저장 되지 않습니다.
+ - IP를 포함해 이 서버에 전송 되는 모든 요청에 대한 로그는 90일을 초과하여 저장되지 않습니다.
+ - 가입 된 유저의 IP 정보는 12개월을 초과하여 저장 되지 않습니다.
당신은 언제든지 게시물, 미디어 첨부, 프로필 이미지, 헤더 이미지를 포함한 당신의 컨텐트에 대한 아카이브를 요청하고 다운로드 할 수 있습니다.
diff --git a/config/locales/lt.yml b/config/locales/lt.yml
index 0f2a83e65e..2cf0b7c42b 100644
--- a/config/locales/lt.yml
+++ b/config/locales/lt.yml
@@ -5,11 +5,9 @@ lt:
about_mastodon_html: Mastodon, tai socialinis tinklas pagrįstas atviro kodo programavimu, ir atvirais web protokolais. Visiškai nemokamas. Ši sistema decantrilizuota kaip jūsų elektroninis paštas.
about_this: Apie
administered_by: 'Administruoja:'
- api: API
apps: Mobilioji Aplikacija
contact: Kontaktai
contact_missing: Nenustatyta
- contact_unavailable: N/A
documentation: Dokumentacija
extended_description_html: |
Taisyklės
@@ -19,25 +17,13 @@ lt:
learn_more: Daugiau
privacy_policy: Privatumo Politika
source_code: Šaltinio kodas
- status_count_after:
- few: statusai
- one: statusas
- other: statusai
status_count_before: Autorius
terms: Naudojimo sąlygos
- user_count_after:
- few: vartotojai
- one: vartotojas
- other: vartotojai
user_count_before: Namai
what_is_mastodon: Kas tai, Mastodon?
accounts:
choices_html: "%{name} pasirinkimai:"
follow: Sekti
- followers:
- few: Sekėjai
- one: Sekėjas
- other: Sekėjai
following: Sekami
joined: Prisijungiai %{date}
last_active: paskutinį kartą aktyvus
@@ -50,10 +36,6 @@ lt:
people_who_follow: Žmonės kurie seka %{name}
pin_errors:
following: Privalai sekti žmogų kurį nori pagerbti
- posts:
- few: Tootai
- one: Tootas
- other: Tootai
posts_tab_heading: Tootai
posts_with_replies: Tootai ir atsakymai
reserved_username: Vartotojo vardas rezervuotas
@@ -104,7 +86,6 @@ lt:
header: Antraštė
inbox_url: Gautųjų URL
invited_by: Pakvietė
- ip: IP
joined: Prisijungė
location:
all: Visi
@@ -166,7 +147,6 @@ lt:
unsubscribe: Nebeprenumeruoti
username: Slapyvardis
warn: Įspėti
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} paskyrė reportą %{target} saviems"
@@ -274,10 +254,6 @@ lt:
silence: užtildytas
suspend: uždraustas
show:
- affected_accounts:
- few: "%{count} vartotojai duomenų bazėje yra paveikti"
- one: Vienas vartotojas duomenų bazėje paveiktas
- other: "%{count} vartotojai duomenų bazėje yra paveikti"
retroactive:
silence: Atitildyti visus egzistuojančius vartotojus šiame domene
suspend: Atblokuotis visus egzistuojančius vartotojus šiame domene
@@ -300,10 +276,6 @@ lt:
instances:
by_domain: Domenas
delivery_available: Pristatymas galimas
- known_accounts:
- few: "%{count} žinomos paskyros"
- one: "%{count} žinoma paskyra"
- other: "%{count} žinomos paskyros"
moderation:
all: Visi
limited: Limituotas
@@ -476,7 +448,6 @@ lt:
subject: Naujas skundas %{instance} (#%{id})
application_mailer:
notification_preferences: Keisti el pašto parinktis
- salutation: "%{name},"
settings: 'Keisti el pašto parinktis: %{link}'
view: 'Peržiūra:'
view_profile: Peržiurėti profilį
@@ -502,9 +473,6 @@ lt:
migrate_account: Prisijungti prie kitos paskyros
migrate_account_html: Jeigu norite nukreipti šią paskyrą į kita, galite tai konfiguruoti čia.
or_log_in_with: Arba prisijungti su
- providers:
- cas: CAS
- saml: SAML
register: Užsiregistruoti
resend_confirmation: Išsiųsti dar kartą patvirtinimo instrukcijas
reset_password: Atstatyti slaptažodį
@@ -550,10 +518,6 @@ lt:
explanation: Raskite vartotojus, remiantis tuo, kuo jie domisi
explore_mastodon: Naršyti %{title}
how_to_enable: Jūs nesate prisijungęs prie šios direktorijos. Galite prisijungti žemiau. Naudokite saitažodžius savo biografiniame tekste, kad būtumėte rastas naudojantis specifinius saitažodžius!
- people:
- few: "%{count} žmonės"
- one: "%{count} žmogus"
- other: "%{count} žmonės"
errors:
'403': Jūs neturie prieigos matyti šiam puslapiui.
'404': Puslapis nerastas.
@@ -575,7 +539,6 @@ lt:
request: Prašyti savo archyvo
size: Dydis
blocks: Jūs blokuojate
- csv: CSV
domain_blocks: Domeno blokai
follows: Jūs sekate
lists: Sąrašai
@@ -609,10 +572,6 @@ lt:
changes_saved_msg: Pakeitimai sėkmingai išsaugoti!
copy: Kopijuoti
save_changes: Išsaugoti pakeitimus
- validation_errors:
- few: Kažkas negerai! Prašau patikrinti %{count} klaidas žemiau
- one: Kažkas negerai! Peržiūrėk klaidas žemiau
- other: Kažkas negerai! Prašau patikrinti %{count} klaidas žemiau
imports:
modes:
merge: Sulieti
@@ -641,10 +600,6 @@ lt:
expires_in_prompt: Niekada
generate: Generuoti
invited_by: 'Jus pakvietė:'
- max_uses:
- few: "%{count} naudojimai"
- one: 1 naudojimas
- other: "%{count} naudojimai"
max_uses_prompt: Be limito
prompt: Generuoti ir dalintis įrašais su kitais, kad sukurti prieigą prie serverio
table:
@@ -670,14 +625,6 @@ lt:
action: Peržiurėti visus pranešimus
body: Čia yra trumpa santrauka žinutės, kurią jūs praleidote nuo jūsų paskutinio apsilankymo %{since}
mention: "%{name} paminėjo jus:"
- new_followers_summary:
- few: Beje, jūs gavote %{count} naujų sekėjų, nuo jūsų paskutinio apsilankymo! Nuostabu!
- one: Beje, jūs gavote naują sekėją, kol buvote atsijungęs! Yay!
- other: Beje, jūs gavote %{count} naujų sekėjų, nuo jūsų paskutinio apsilankymo! Nuostabu!
- subject:
- few: "%{count} nauji pranešimai, nuo paskutinio apsilankymo\U0001F418"
- one: "1 naujas pranešimas nuo paskutinio apsilankymo \U0001F418"
- other: "%{count} nauji pranešimai, nuo paskutinio apsilankymo\U0001F418"
title: Kol jūsų nebuvo...
favourite:
body: 'Jūsų statusą pamėgo %{name}:'
@@ -701,22 +648,11 @@ lt:
body: 'Jūsų statusą pakėlė %{name}:'
subject: "%{name} pakėlė Jūsų statusą"
title: Naujas pakėlimas
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
pagination:
newer: Naujesnis
next: Kitas
older: Senesnis
prev: Ankstesnis
- truncate: "…"
preferences:
other: Kita
remote_follow:
@@ -748,40 +684,12 @@ lt:
activity: Paskutinė veikla
browser: Naršyklė
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Nežinoma naršyklė
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Dabartinė sesija
description: "%{browser} ant %{platform}"
explanation: Čia rodomos web naršyklės prijungtos prie Jūsų Mastodon paskyros.
- 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: nežinoma platforma
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Atšaukti
revoke_success: Sesija sėkmingai atšaukta
title: Sesijos
@@ -801,20 +709,8 @@ lt:
statuses:
attached:
description: 'Pridėta: %{attached}'
- image:
- few: "%{count} nuotraukos"
- one: "%{count} nuotrauka"
- other: "%{count} nuotraukos"
- video:
- few: "%{count} vaizdo įrašai"
- one: "%{count} video"
- other: "%{count} vaizdo įrašai"
boosted_from_html: Pakelta iš %{acct_link}
content_warning: 'Turinio įspėjimas: %{warning}'
- disallowed_hashtags:
- few: 'rasti neleistini saitąžodžiai: %{tags}'
- one: 'rastas neleistinas saitažodis : %{tags}'
- other: 'rasti neleistini saitąžodžiai: %{tags}'
language_detection: Automatiškai nustatyti kalbą
open_in_web: Atidaryti naudojan Web
over_character_limit: pasiektas %{max} simbolių limitas
@@ -825,7 +721,6 @@ lt:
reblog: Pakeltos žinutės negali būti prisegtos
show_more: Daugiau
sign_in_to_participate: Prisijunkite jeigu norite dalyvauti pokalbyje
- title: '%{name}: "%{quote}"'
visibilities:
private: Tik sekėjams
private_long: Rodyti tik sekėjams
@@ -922,10 +817,6 @@ lt:
contrast: Mastodon (Didelio Kontrasto)
default: Mastodon (Tamsus)
mastodon-light: Mastodon (Šviesus)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Įveskite autentikacijos aplikacijos sugeneruotą kodą kad galėtumete tęsti
description_html: Jeigu įjungiate dviejų veiksnių autentikaciją, prisijungiant jums reikės turėti su savimi savo telefoną, kuris jums generuos prisijungimo žetonus.
diff --git a/config/locales/lv.yml b/config/locales/lv.yml
index 0967ef424b..971450a89b 100644
--- a/config/locales/lv.yml
+++ b/config/locales/lv.yml
@@ -1 +1,17 @@
-{}
+---
+lv:
+ 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
diff --git a/config/locales/ms.yml b/config/locales/ms.yml
index fbadd80fde..3597ccd15f 100644
--- a/config/locales/ms.yml
+++ b/config/locales/ms.yml
@@ -5,7 +5,6 @@ ms:
about_mastodon_html: Mastodon ialah rangkaian sosial berasaskan protokol web terbuka dan perisian percuma bersumber terbuka. Ianya tak terpusat seperti emel.
about_this: Mengenai Kami
administered_by: 'Ditadbir oleh:'
- api: API
apps: Aplikasi mudah alih
contact: Hubungi kami
contact_missing: Tidak ditetapkan
@@ -20,12 +19,10 @@ ms:
privacy_policy: Polisi privasi
source_code: Kod sumber
status_count_after:
- one: status
other: status
status_count_before: Telah menulis
terms: Terma perkhidmatan
user_count_after:
- one: pengguna
other: pengguna
user_count_before: Rumah kepada
what_is_mastodon: Apakah itu Mastodon?
@@ -33,12 +30,10 @@ ms:
choices_html: 'Pilihan %{name}:'
follow: Ikut
followers:
- one: Pengikut
other: Pengikut
following: Mengikuti
joined: Sertai pada %{date}
link_verified_on: Pemilikan pautan ini diperiksa pada %{date}
- media: Media
moved_html: "%{name} telah berpindah ke %{new_profile_link}:"
network_hidden: Maklumat ini tidak tersedia
nothing_here: Tiada apa-apa di sini!
@@ -47,14 +42,11 @@ ms:
pin_errors:
following: Anda mestilah sudah mengikuti orang yang anda ingin syorkan
posts:
- one: Toot
other: Toot
posts_tab_heading: Toot
posts_with_replies: Toot dan maklum balas
reserved_username: Nama pengguna ini terpelihara
roles:
- admin: Admin
- bot: Bot
moderator: Pengawal
unfollow: Nyahikut
admin:
@@ -65,8 +57,6 @@ ms:
destroyed_msg: Nota kawalan telah berjaya dipadam!
accounts:
are_you_sure: Anda pasti?
- avatar: Avatar
- by_domain: Domain
change_email:
changed_msg: Emel akaun telah berjaya ditukar!
current_email: Emel Semasa
@@ -82,7 +72,6 @@ ms:
disable_two_factor_authentication: Lumpuhkan 2FA
disabled: Dilumpuhkan
display_name: Nama paparan
- domain: Domain
edit: Tukar
email: Emel
email_status: Status Emel
@@ -151,7 +140,6 @@ ms:
undo_suspension: Buang penggantungan
unsubscribe: Buang langganan
username: Nama pengguna
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} memberikan laporan %{target} kepada diri mereka sendiri"
@@ -186,7 +174,6 @@ ms:
deleted_status: "(status telah dipadam)"
title: Log audit
custom_emojis:
- by_domain: Domain
copied_msg: Telah berjaya mencipta salinan tempatan emoji
copy: Salin
copy_failed_msg: Tidak dapat membuat salinan tempatan emoji tersebut
@@ -195,7 +182,6 @@ ms:
destroyed_msg: Emoji berjaya dipadam!
disable: Lumpuhkan
disabled_msg: Emoji tersebut berjaya dilumpuhkan
- emoji: Emoji
enable: Bolehkan
enabled_msg: Emoji tersebut berjaya dibolehkan
image_hint: PNG, maksimum 50KB
@@ -235,7 +221,6 @@ ms:
add_new: Tambah
created_msg: Sekatan domain sedang diproses
destroyed_msg: Sekatan domain telah dibatalkan
- domain: Domain
new:
create: Cipta sekatan
hint: Sekatan domain tidak akan menghindarkan penciptaan entri akaun dalam pangkalan data, tetapi akan diberikan kaedah kawalan khusus tertentu pada akaun-akaun tersebut secara retroaktif dan automatik.
@@ -251,7 +236,6 @@ ms:
reject_reports_hint: Abaikan semua laporan daripada domain ini. Tidak dikira untuk penggantungan
show:
affected_accounts:
- one: Satu akaun dalam pangkalan data menerima kesan
other: "%{count} akaun dalam pangkalan data menerima kesan"
retroactive:
silence: Buang penyenyapan semua akaun sedia ada daripada domain ini
@@ -264,7 +248,6 @@ ms:
created_msg: Berjaya menambah domain emel ke dalam senarai hitam
delete: Padam
destroyed_msg: Berjaya memadam domain emel daripada senarai hitam
- domain: Domain
new:
create: Tambah domain
title: Entri senarai hitam emel baru
@@ -292,7 +275,6 @@ ms:
pending: Menunggu persetujuan geganti
save_and_enable: Simpan dan bolehkan
setup: Tetapkan sambungan geganti
- status: Status
title: Geganti
report_notes:
created_msg: Nota laporan berjaya dicipta!
@@ -314,9 +296,24 @@ ms:
create: Tambah nota
create_and_resolve: Selesaikan dengan nota
placeholder: Terangkan tindakan apa yang telah diambil, atau sebarang kemas kini lain yang berkaitan...
+ 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:
archive_takeout:
in_progress: Mengkompil arkib anda...
+ invites:
+ expires_in:
+ '1800': 30 minutes
+ '21600': 6 hours
+ '3600': 1 hour
+ '43200': 12 hours
+ '604800': 1 week
+ '86400': 1 day
notification_mailer:
digest:
title: Ketika anda tiada di sini...
diff --git a/config/locales/nl.yml b/config/locales/nl.yml
index 97be8aa818..78be7872d8 100644
--- a/config/locales/nl.yml
+++ b/config/locales/nl.yml
@@ -121,7 +121,7 @@ nl:
local: Lokaal
remote: Extern
title: Locatie
- login_status: Login status
+ login_status: Loginstatus
media_attachments: Mediabijlagen
memorialize: In gedenkpagina veranderen
moderation:
@@ -174,6 +174,7 @@ nl:
statuses: Toots
subscribe: Abonneren
suspended: Opgeschort
+ time_in_queue: "%{time} in de wachtrij"
title: Accounts
unconfirmed_email: Onbevestigd e-mailadres
undo_silenced: Niet langer negeren
@@ -234,7 +235,7 @@ nl:
new:
title: Lokale emoji toevoegen
overwrite: Overschrijven
- shortcode: Shortcode
+ shortcode: Verkorte code
shortcode_hint: Tenminste 2 tekens (alleen alfanumeriek en underscores)
title: Lokale emoji’s
unlisted: Niet weergegeven
@@ -269,6 +270,7 @@ nl:
created_msg: Domeinblokkade wordt nu verwerkt
destroyed_msg: Domeinblokkade is ongedaan gemaakt
domain: Domein
+ existing_domain_block_html: Jij hebt al strengere beperkingen opgelegd aan %{name}, je moet het domein eerst deblokkeren.
new:
create: Blokkade aanmaken
hint: Een domeinblokkade voorkomt niet dat accountgegevens van dit domein aan de database worden toegevoegd, maar dat er met terugwerkende kracht en automatisch bepaalde moderatiemethoden op deze accounts worden toegepast.
@@ -497,6 +499,12 @@ nl:
body: "%{reporter} heeft %{target} gerapporteerd"
body_remote: Iemand van %{domain} heeft %{target} gerapporteerd
subject: Nieuwe rapportage op %{instance} (#%{id})
+ appearance:
+ advanced_web_interface: Geavanceerde webomgeving
+ advanced_web_interface_hint: 'Wanneer je van de hele schermbreedte gebruik wilt maken, stelt de geavanceerde webomgeving je in staat om meerdere verschillende kolommen te configureren. Hiermee kun je zoveel mogelijk informatie op hetzelfde moment bekijken, zoals: Start, meldingen, de globale tijdlijn, meerdere lijsten en hashtags.'
+ animations_and_accessibility: Animaties en toegankelijkheid
+ confirmation_dialogs: Bevestigingen
+ sensitive_content: Gevoelige inhoud
application_mailer:
notification_preferences: E-mailvoorkeuren wijzigen
salutation: "%{name},"
@@ -753,12 +761,11 @@ nl:
decimal_units:
format: "%n%u"
units:
- billion: B
- million: M
- quadrillion: Q
+ billion: mld.
+ million: mln.
+ quadrillion: qdn.
thousand: K
- trillion: T
- unit: " "
+ trillion: bln.
pagination:
newer: Nieuwer
next: Volgende
@@ -777,6 +784,8 @@ nl:
too_many_options: kan niet meer dan %{max} items bevatten
preferences:
other: Overig
+ posting_defaults: Standaardinstellingen voor posten
+ public_timelines: Openbare tijdlijnen
relationships:
activity: Accountactiviteit
dormant: Sluimerend
@@ -923,10 +932,10 @@ nl:
What information do we collect?
- - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
- - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
- - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
- - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
+ - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
+ - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
+ - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
+ - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
@@ -936,9 +945,9 @@ nl:
Any of the information we collect from you may be used in the following ways:
- - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
- - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
- - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
+ - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
+ - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
+ - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
@@ -954,8 +963,8 @@ nl:
We will make a good faith effort to:
- - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
- - Retain the IP addresses associated with registered users no more than 12 months.
+ - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
+ - Retain the IP addresses associated with registered users no more than 12 months.
You can request and download an archive of your content, including your posts, media attachments, profile picture, and header image.
diff --git a/config/locales/no.yml b/config/locales/no.yml
index 395c81a627..d21dda6fba 100644
--- a/config/locales/no.yml
+++ b/config/locales/no.yml
@@ -14,25 +14,19 @@
hosted_on: Mastodon driftet på %{domain}
learn_more: Lær mer
source_code: Kildekode
- status_count_after: statuser
status_count_before: Som skrev
- user_count_after: brukere
user_count_before: Her bor
what_is_mastodon: Hva er Mastodon?
accounts:
follow: Følg
- followers: Følgere
following: Følger
- media: Media
moved_html: "%{name} har flyttet til %{new_profile_link}:"
nothing_here: Det er ingenting her!
people_followed_by: Folk som %{name} følger
people_who_follow: Folk som følger %{name}
- posts: Poster
posts_with_replies: Tuter med svar
reserved_username: Brukernavnet er reservert
roles:
- admin: Admin
moderator: Moderere
unfollow: Slutte følge
admin:
@@ -98,8 +92,6 @@
resubscribe: Abonner på nytt
role: Rettigheter
roles:
- admin: Administrator
- moderator: Moderator
staff: Personale
user: Bruker
salmon_url: Salmon-URL
@@ -116,7 +108,6 @@
undo_suspension: Angre utvisning
unsubscribe: Avslutte abonnementet
username: Brukernavn
- web: Web
action_logs:
actions:
confirm_user: "%{name} bekreftet e-postadresse for bruker %{target}"
@@ -153,7 +144,6 @@
destroyed_msg: Emojo slettet uten problem!
disable: Deaktivere
disabled_msg: Deaktiverte emoji uten problem
- emoji: Emoji
enable: Aktivere
enabled_msg: Aktiverte emojien uten problem
image_hint: PNG opp til 50KB
@@ -211,7 +201,6 @@
all: Alle
available: Tilgjengelig
expired: Utløpt
- title: Filter
title: Invitasjoner
reports:
action_taken_by: Handling utført av
@@ -223,7 +212,6 @@
reported_account: Rapportert konto
reported_by: Rapportert av
resolved: Løst
- status: Status
title: Rapporter
unresolved: Uløst
settings:
@@ -276,8 +264,6 @@
nsfw_off: NSFW AV
nsfw_on: NSFW PÅ
failed_to_execute: Utføring mislyktes
- media:
- title: Media
no_media: Ingen media
title: Kontostatuser
with_media: Med media
@@ -286,7 +272,6 @@
confirmed: Bekreftet
expires_in: Utløper om
last_delivery: Siste levering
- title: WebSub
topic: Emne
title: Administrasjon
admin_mailer:
@@ -295,7 +280,6 @@
subject: Ny rapport for %{instance} (#%{id})
application_mailer:
notification_preferences: Endre e-post innstillingene
- salutation: "%{name},"
settings: 'Endre foretrukne e-postinnstillinger: %{link}'
view: 'Se:'
view_profile: Vis Profil
@@ -369,7 +353,6 @@
noscript_html: For å bruke Mastodon webapplikasjon må du aktivere JavaScript. Alternativt kan du forsøke en av de mange integrerte appene for Mastodon til din plattform.
exports:
blocks: Du blokkerer
- csv: CSV
follows: Du følger
mutes: Du demper
storage: Medialagring
@@ -396,6 +379,7 @@
'21600': 6 timer
'3600': 1 time
'43200': 12 timer
+ '604800': 1 week
'86400': 1 dag
expires_in_prompt: Aldri
generate: Generer
@@ -456,21 +440,9 @@
body: 'Din status ble fremhevd av %{name}:'
subject: "%{name} fremhevde din status"
title: Ny fremheving
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: " "
pagination:
next: Neste
prev: Forrige
- truncate: "…"
preferences:
other: Annet
remote_follow:
@@ -482,40 +454,13 @@
activity: Siste aktivitet
browser: Nettleser
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Ukjent nettleser
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Nåværende økt
description: "%{browser} på %{platform}"
explanation: Dette er nettlesere innlogget på din Mastodon-konto akkurat nå.
ip: IP-adresse
platforms:
- adobe_air: Adobe Air
- android: Android
- blackberry: Blackberry
- chrome_os: ChromeOS
- firefox_os: Firefox OS
- ios: iOS
- linux: Linux
- mac: Mac
other: ukjent plattform
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Tilbakekall
revoke_success: Økt tilbakekalt
title: Økter
@@ -540,7 +485,6 @@
private: Kun offentlige tuter kan festes
reblog: En fremheving kan ikke festes
show_more: Vis mer
- title: '%{name}: "%{quote}"'
visibilities:
private: Privat
private_long: Synlig kun for følgere
@@ -591,7 +535,6 @@
tip_following: Du følger din tjeners administrator(er) som standard. For å finne mer interessante personer, sjekk den lokale og forente tidslinjen.
tip_local_timeline: Den lokale tidslinjen blir kontant matet med meldinger fra personer på %{instance}. Dette er dine nærmeste naboer!
tip_mobile_webapp: Hvis din mobile nettleser tilbyr deg å legge Mastadon til din hjemmeskjerm kan du motta push-varslinger. Det er nesten som en integrert app på mange måter!
- tips: Tips
title: Velkommen ombord, %{name}!
users:
invalid_email: E-postaddressen er ugyldig
diff --git a/config/locales/oc.yml b/config/locales/oc.yml
index a7ef252426..785caa4ecc 100644
--- a/config/locales/oc.yml
+++ b/config/locales/oc.yml
@@ -7,7 +7,6 @@ oc:
active_count_after: actius
active_footnote: Utilizaire actius per mes (UAM)
administered_by: 'Administrat per :'
- api: API
apps: Aplicacions per mobil
apps_platforms: Utilizatz Mastodon d‘iOS, Android o d’autras plataforma estant
browse_directory: Navigatz per l’annuari de perfil e filtratz segon çò qu’aimatz
@@ -63,7 +62,6 @@ oc:
posts_with_replies: Tuts e responsas
reserved_username: Aqueste nom d’utilizaire es reservat
roles:
- admin: Admin
bot: Robòt
moderator: Moderador
unfollow: Quitar de sègre
@@ -79,7 +77,6 @@ oc:
accounts:
approve: Aprovar
are_you_sure: Sètz segur ?
- avatar: Avatar
by_domain: Domeni
change_email:
changed_msg: Adreça corrèctament cambiada !
@@ -110,7 +107,6 @@ oc:
header: Bandièra
inbox_url: URL de recepcion
invited_by: Convidat per
- ip: IP
joined: Venguèt
location:
all: Totes
@@ -138,7 +134,6 @@ oc:
profile_url: URL del perfil
promote: Promòure
protocol: Protocòl
- public: Public
push_subscription_expires: Fin de l’abonament PuSH
redownload: Actualizar lo perfil
remove_avatar: Supriir l’avatar
@@ -150,9 +145,7 @@ oc:
reset: Reïnicializar
reset_password: Reïnicializar lo senhal
resubscribe: Se tornar abonar
- role: Permissions
roles:
- admin: Administrator
moderator: Moderador
staff: Personnal
user: Uitlizaire
@@ -174,7 +167,6 @@ oc:
unsubscribe: Se desabonar
username: Nom d’utilizaire
warn: Avisar
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} s’assignèt lo rapòrt %{target}"
@@ -219,7 +211,6 @@ oc:
destroyed_msg: Emoji ben suprimit !
disable: Desactivar
disabled_msg: Aqueste emoji es ben desactivat
- emoji: Emoji
enable: Activar
enabled_msg: Aqueste emoji es ben activat
image_hint: PNG cap a 50Ko
@@ -460,7 +451,6 @@ oc:
confirmed: Confirmat
expires_in: S’acaba dins
last_delivery: Darrièra distribucion
- title: WebSub
topic: Subjècte
tags:
accounts: Comptes
@@ -469,7 +459,6 @@ oc:
name: Etiqueta
title: Etiquetas
unhide: Aparéisser dins l’annuari
- visible: Visible
title: Administracion
warning_presets:
add_new: N’ajustar un nòu
@@ -484,7 +473,6 @@ oc:
subject: Novèl senhalament per %{instance} (#%{id})
application_mailer:
notification_preferences: Cambiar las preferéncias de corrièl
- salutation: "%{name},"
settings: 'Cambiar las preferéncias de corrièl : %{link}'
view: 'Veire :'
view_profile: Veire lo perfil
@@ -512,9 +500,6 @@ oc:
migrate_account: Mudar endacòm mai
migrate_account_html: Se volètz mandar los visitors d’aqueste compte a un autre, podètz o configurar aquí.
or_log_in_with: O autentificatz-vos amb
- providers:
- cas: CAS
- saml: SAML
register: Se marcar
registration_closed: "%{instance} accepta pas de nòus membres"
resend_confirmation: Tornar mandar las instruccions de confirmacion
@@ -533,59 +518,6 @@ oc:
return: Veire lo perfil a la persona
web: Tornar a l’interfàcia Web
title: Sègre %{acct}
- date:
- abbr_day_names:
- - dg
- - dl
- - dm
- - dc
- - dj
- - dv
- - ds
- abbr_month_names:
- - None
- - gen
- - feb
- - mar
- - abr
- - mai
- - jun
- - jul
- - ago
- - set
- - oct
- - nov
- - dec
- day_names:
- - dimenge
- - diluns
- - dimars
- - dimècres
- - dijòus
- - divendres
- - dissabte
- formats:
- default: "%e/%m/%Y"
- long: Lo %e %B de %Y
- short: "%e %B de %Y"
- month_names:
- - None
- - de genièr
- - de febrièr
- - de març
- - d’abrial
- - de mai
- - de junh
- - de julhet
- - d’agost
- - de setembre
- - d’octòbre
- - de novembre
- - de decembre
- order:
- - :day
- - :month
- - :year
datetime:
distance_in_words:
about_x_hours: "%{count} h"
@@ -599,10 +531,6 @@ oc:
x_days: "%{count} jorns"
x_minutes: "%{count} min"
x_months: "%{count} meses"
- x_seconds: "%{count}s"
- x_years:
- one: Fa un an
- other: Fa %{count} ans
deletes:
bad_password_msg: Ben ensajat pirata ! Senhal incorrècte
confirm_password: Picatz vòstre senhal actual per verificar vòstra identitat
@@ -642,7 +570,6 @@ oc:
request: Demandar vòstre archiu
size: Talha
blocks: Personas que blocatz
- csv: CSV
domain_blocks: Blocatge de domenis
follows: Personas que seguètz
lists: Listas
@@ -771,23 +698,11 @@ oc:
body: "%{name} a tornat partejar vòstre estatut :"
subject: "%{name} a tornat partejar vòstre estatut"
title: Novèl partatge
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: Mai recents
next: Seguent
older: Mai ancians
prev: Precedent
- truncate: "…"
polls:
errors:
already_voted: Avètz ja votat per aqueste sondatge
@@ -826,7 +741,6 @@ oc:
proceed: Contunhar per respondre
prompt: 'Volètz respondre a aqueste tut :'
remote_unfollow:
- error: Error
title: Títol
unfollowed: Pas mai seguit
scheduled_statuses:
@@ -837,43 +751,14 @@ oc:
activity: Darrièra activitat
browser: Navigator
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Navigator desconegut
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Session en cors
description: "%{browser} sus %{platform}"
explanation: Aquí los navigators connectats a vòstre compte Mastodon.
- 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 desconeguda
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Revocar
revoke_success: Session ben revocada
- title: Sessions
settings:
authorized_apps: Aplicacions autorizadas
back: Tornar a Mastodon
@@ -921,7 +806,6 @@ oc:
visibilities:
private: Seguidors solament
private_long: Mostrar pas qu’als seguidors
- public: Public
public_long: Tot lo monde pòt veire
unlisted: Pas listat
unlisted_long: Tot lo monde pòt veire mai serà pas visible sul flux public
@@ -935,10 +819,10 @@ oc:
Quinas informacions reculhèm ?
- - Inforacions de basa del compte : se vos marcatz sus aqueste servidor, vos podèm demandar de picar un escais-nom, una adreça de corrièl e un senhal. Podètz tanben ajustar d’informacions de perfil addicionalas coma un nom de far veire, una biografia, un imatge de perfil e una banièra. L’escais-nom, lo nom d’afichatge, la biografia, l’imatge de perfil e la banièra son totjorn indicats per èsser vistes publicament.
- - Publicacions, abonaments e autras informacions publicas : La lista del monde que seguètz es visibla publicament, tot parièr per vòstres seguidors. Quand enviatz un messatge, la data e l’ora son gardats, l’aplicacion qu’avètz utilizada tanben. Los messatges pòdon conténer de mèdias juntats coma d’imatge e vidèos. Las publicacions publicas e pas listadas son disponiblas publicament. Quand penjatz una publicacion per vòstre perfil, aquò tanben es visible per tot lo monde. Vòstras publicacions son mandadas a vòstre seguidors, dins qualques cases aquò significa que passaràn per diferents servidors e seràn copiadas e gardadas sus aqueles servidors. Quand escafatz de publicacions, aquò es tanben mandat a vòstre seguidors. L’accion de partejar o d’ajustar als favorits una publicacion es totjorn quicòm de public.
- - Publicacions dirèctas e solament pels seguidors :
totas las publicacions son gardadas e tractadas pel servidor. Las publicacions pas que per vòstres seguidors son enviadas a vòstres seguidors e las personas mencionadas dedins, las publicacions dirèctas son pas qu’enviadas a las personas mencionadas. Dins qualques cases aquò significa que passaràn per diferents servidors, copiadas e gardadas sus eles. Ensagem de limitar l’accès a aquelas publicacions a monde autorizat, mas los demai servidors pòdon fracar a far parièr. A causa d’aquò es fòrça important de repassar los servidors d’apertenéncia de vòstres seguidors. Podètz activar una opcion per autorizar o regetar una demanda de seguiment dins los paramètres. Vos cal pas oblidar que’ls administrators dels servidors e dels servidors de recepcion pòdon veire aqueles messatges, e que’ls destinataris pòdon realizar de captura d’ecran, copiar e tornar partejar los messatges.Partegetz pas cap informacion perilhosa sus Mastodon- .
-
- Adreças IP e autras metadonadas : quand vos connectatz, enregistrem l’adreça IP qu’utilizatz per establir la connexion, e tanben lo nom de vòstre navigador. Totas las sessions de connexion son disponiblas per que las repassetz e tiretz dins los paramètres. Las darrièras adreças IP son salvagardas fins a 12 meses. Podèm tanben gardar de jornals d’audit del servidor que pòdon conténer las adreças IP de cada requèstas mandadas a nòstre servidor.
+ - Inforacions de basa del compte : se vos marcatz sus aqueste servidor, vos podèm demandar de picar un escais-nom, una adreça de corrièl e un senhal. Podètz tanben ajustar d’informacions de perfil addicionalas coma un nom de far veire, una biografia, un imatge de perfil e una banièra. L’escais-nom, lo nom d’afichatge, la biografia, l’imatge de perfil e la banièra son totjorn indicats per èsser vistes publicament.
+ - Publicacions, abonaments e autras informacions publicas : La lista del monde que seguètz es visibla publicament, tot parièr per vòstres seguidors. Quand enviatz un messatge, la data e l’ora son gardats, l’aplicacion qu’avètz utilizada tanben. Los messatges pòdon conténer de mèdias juntats coma d’imatge e vidèos. Las publicacions publicas e pas listadas son disponiblas publicament. Quand penjatz una publicacion per vòstre perfil, aquò tanben es visible per tot lo monde. Vòstras publicacions son mandadas a vòstre seguidors, dins qualques cases aquò significa que passaràn per diferents servidors e seràn copiadas e gardadas sus aqueles servidors. Quand escafatz de publicacions, aquò es tanben mandat a vòstre seguidors. L’accion de partejar o d’ajustar als favorits una publicacion es totjorn quicòm de public.
+ - Publicacions dirèctas e solament pels seguidors :
totas las publicacions son gardadas e tractadas pel servidor. Las publicacions pas que per vòstres seguidors son enviadas a vòstres seguidors e las personas mencionadas dedins, las publicacions dirèctas son pas qu’enviadas a las personas mencionadas. Dins qualques cases aquò significa que passaràn per diferents servidors, copiadas e gardadas sus eles. Ensagem de limitar l’accès a aquelas publicacions a monde autorizat, mas los demai servidors pòdon fracar a far parièr. A causa d’aquò es fòrça important de repassar los servidors d’apertenéncia de vòstres seguidors. Podètz activar una opcion per autorizar o regetar una demanda de seguiment dins los paramètres. Vos cal pas oblidar que’ls administrators dels servidors e dels servidors de recepcion pòdon veire aqueles messatges, e que’ls destinataris pòdon realizar de captura d’ecran, copiar e tornar partejar los messatges.Partegetz pas cap informacion perilhosa sus Mastodon- .
+
- Adreças IP e autras metadonadas : quand vos connectatz, enregistrem l’adreça IP qu’utilizatz per establir la connexion, e tanben lo nom de vòstre navigador. Totas las sessions de connexion son disponiblas per que las repassetz e tiretz dins los paramètres. Las darrièras adreças IP son salvagardas fins a 12 meses. Podèm tanben gardar de jornals d’audit del servidor que pòdon conténer las adreças IP de cada requèstas mandadas a nòstre servidor.
@@ -949,9 +833,9 @@ oc:
Totas las informacions que collectem de vos pòdon servir dins los cases seguents :
- - Per provesir la foncionament màger de Mastodon. Podètz pas qu’interagir amb lo contengut del monde e de vòstras publicacions quand sètz connectat. Per exemple, avètz la possibilitat de sègre de monde per veire lors publicacions amassadas dins vòstre flux d’actualitat personalizat.
- - Per ajudar la moderacion de la comunitat, per exemple en comparant vòstra adreça IP amb d’autras per determinar d’ensages de contornament de bandiment e d’autras violéncias.
- - Podèm utilizar l’adreça qu’avètz donada per vos enviar d’informacions e de notificacions que demandatz tocant de cambiaments dins los subjèctes del forum o en responsa a vòstre nom d’utilizaire, en responsa a una demanda, e/o tota autra question.
+ - Per provesir la foncionament màger de Mastodon. Podètz pas qu’interagir amb lo contengut del monde e de vòstras publicacions quand sètz connectat. Per exemple, avètz la possibilitat de sègre de monde per veire lors publicacions amassadas dins vòstre flux d’actualitat personalizat.
+ - Per ajudar la moderacion de la comunitat, per exemple en comparant vòstra adreça IP amb d’autras per determinar d’ensages de contornament de bandiment e d’autras violéncias.
+ - Podèm utilizar l’adreça qu’avètz donada per vos enviar d’informacions e de notificacions que demandatz tocant de cambiaments dins los subjèctes del forum o en responsa a vòstre nom d’utilizaire, en responsa a una demanda, e/o tota autra question.
@@ -966,8 +850,8 @@ oc:
Farem esfòrces per :
- - Gardar los jornals del servidor que contenon las adreças IP de totas las demandas al servidor pas mai de 90 jorns.
- - Gardar las adreças IP ligadas als utilizaires e lors publicacions pas mai de 12 messes.
+ - Gardar los jornals del servidor que contenon las adreças IP de totas las demandas al servidor pas mai de 90 jorns.
+ - Gardar las adreças IP ligadas als utilizaires e lors publicacions pas mai de 12 messes.
Podètz demandar e telecargar vòstre archiu de contengut, amb vòstras publicacions, los mèdias enviats, l’imatge de perfil e l’imatge de bandièra.
@@ -1021,7 +905,6 @@ oc:
time:
formats:
default: Lo %d %b de %Y a %Ho%M
- month: "%b %Y"
two_factor_authentication:
code_hint: Picatz lo còdi generat per vòstra aplicacion d’autentificacion per confirmar
description_html: S’activatz l’autentificacion two-factor, vos caldrà vòstre mobil per vos connectar perque generarà un geton per vos daissar dintrar.
diff --git a/config/locales/pl.yml b/config/locales/pl.yml
index f5e40aa727..538e6d5542 100644
--- a/config/locales/pl.yml
+++ b/config/locales/pl.yml
@@ -76,6 +76,7 @@ pl:
admin: Administrator
bot: Bot
moderator: Moderator
+ unavailable: Profil niedostępny
unfollow: Przestań śledzić
admin:
account_actions:
@@ -88,6 +89,7 @@ pl:
destroyed_msg: Pomyślnie usunięto notatkę moderacyjną!
accounts:
approve: Przyjmij
+ approve_all: Zatwierdź wszystkie
are_you_sure: Jesteś tego pewien?
avatar: Awatar
by_domain: Domena
@@ -140,6 +142,7 @@ pl:
moderation_notes: Notatki moderacyjne
most_recent_activity: Najnowsza aktywność
most_recent_ip: Ostatnie IP
+ no_account_selected: Żadne konto nie zostało zmienione, bo żadne nie zostało wybrane
no_limits_imposed: Nie nałożono ograniczeń
not_subscribed: Nie zasubskrybowano
outbox_url: Adres skrzynki nadawczej
@@ -152,6 +155,7 @@ pl:
push_subscription_expires: Subskrypcja PuSH wygasa
redownload: Odśwież profil
reject: Odrzuć
+ reject_all: Odrzuć wszystkie
remove_avatar: Usun awatar
remove_header: Usuń nagłówek
resend_confirmation:
@@ -178,6 +182,7 @@ pl:
statuses: Wpisy
subscribe: Subskrybuj
suspended: Zawieszono
+ time_in_queue: Czekanie w kolejce %{time}
title: Konta
unconfirmed_email: Niepotwierdzony adres e-mail
undo_silenced: Cofnij wyciszenie
@@ -230,7 +235,7 @@ pl:
destroyed_msg: Pomyślnie usunięto emoji!
disable: Wyłącz
disabled_msg: Pomyślnie wyłączono emoji
- emoji: Emoji
+ emoji: Emotikona
enable: Włącz
enabled_msg: Pomyślnie przywrócono emoji
image_hint: Plik PNG ważący do 50KB
@@ -238,7 +243,7 @@ pl:
new:
title: Dodaj nowe niestandardowe emoji
overwrite: Zastąp
- shortcode: Shortcode
+ shortcode: Krótki kod
shortcode_hint: Co najmniej 2 znaki, tylko znaki alfanumeryczne i podkreślniki
title: Niestandardowe emoji
unlisted: Niewidoczne
@@ -273,6 +278,7 @@ pl:
created_msg: Blokada domen jest przetwarzana
destroyed_msg: Blokada domeny nie może zostać odwrócona
domain: Domena
+ existing_domain_block_html: Już narzuciłeś bardziej rygorystyczne limity na %{name}, musisz najpierw je odblokować.
new:
create: Utwórz blokadę
hint: Blokada domen nie zabroni tworzenia wpisów kont w bazie danych, ale pozwoli na automatyczną moderację kont do nich należących.
@@ -342,6 +348,8 @@ pl:
expired: Wygasłe
title: Filtruj
title: Zaproszenia
+ pending_accounts:
+ title: Oczekujące konta (%{count})
relays:
add_new: Dodaj nowy
delete: Usuń
@@ -468,7 +476,7 @@ pl:
nsfw_on: Oznacz jako NSFW
failed_to_execute: Nie udało się wykonać
media:
- title: Media
+ title: Multimedia
no_media: Bez zawartości multimedialnej
no_status_selected: Żaden wpis nie został zmieniony, bo żaden nie został wybrany
title: Wpisy konta
@@ -484,7 +492,7 @@ pl:
accounts: Konta
hidden: Ukryte
hide: Ukryj w katalogu
- name: Hashtag
+ name: Hasztag
title: Hashtagi
unhide: Pokazuj w katalogu
visible: Widoczne
@@ -503,6 +511,12 @@ pl:
body: Użytkownik %{reporter} zgłosił(a) %{target}
body_remote: Użytkownik instancji %{domain} zgłosił(a) %{target}
subject: Nowe zgłoszenie na %{instance} (#%{id})
+ appearance:
+ advanced_web_interface: Zaawansowany interfejs użytkownika
+ advanced_web_interface_hint: Jeśli chcesz użyć pełną szerokość swojego ekranu, zaawansowany interfejs użytkownika pozwala Ci skonfigurować wiele różnych kolumn, by zobaczyć jak najwięcej informacji kiedy tylko chcesz. Strona główna, Powiadomienia, Globalna oś czasu, dowolna ilość list i hasztagów.
+ animations_and_accessibility: Animacje i dostępność
+ confirmation_dialogs: Dialogi potwierdzenia
+ sensitive_content: Wrażliwa zawartość
application_mailer:
notification_preferences: Zmień ustawienia e-maili
salutation: "%{name},"
@@ -556,7 +570,7 @@ pl:
title: Śledź %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
+ about_x_hours: "%{count}g"
about_x_months: "%{count} miesięcy"
about_x_years: "%{count} lat"
almost_x_years: "%{count} lat"
@@ -770,12 +784,11 @@ pl:
decimal_units:
format: "%n%u"
units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
+ billion: mld
+ million: mil
+ quadrillion: bld
+ thousand: tys
+ trillion: bln
pagination:
newer: Nowsze
next: Następna
@@ -794,6 +807,8 @@ pl:
too_many_options: nie może zawierać więcej niż %{max} opcji
preferences:
other: Pozostałe
+ posting_defaults: Domyślne ustawienia wpisów
+ public_timelines: Publiczne osie czasu
relationships:
activity: Aktywność konta
dormant: Uśpione
@@ -874,6 +889,9 @@ pl:
revoke_success: Pomyślnie unieważniono sesję
title: Sesje
settings:
+ account: Konto
+ account_settings: Ustawienia konta
+ appearance: Wygląd
authorized_apps: Uwierzytelnione aplikacje
back: Powrót do Mastodona
delete: Usuń konto
@@ -884,9 +902,11 @@ pl:
flavours: Odmiany
identity_proofs: Dowody tożsamości
import: Importowanie danych
+ import_and_export: Import i eksport
migrate: Migracja konta
notifications: Powiadomienia
preferences: Preferencje
+ profile: Profil
relationships: Śledzeni i śledzący
two_factor_authentication: Uwierzytelnianie dwuetapowe
statuses:
@@ -944,10 +964,10 @@ pl:
Jakie informacje zbieramy?
- - Podstawowe informacje o koncie: Podczas rejestracji na tym serwerze, możesz zostać poproszony(-a) o wprowadzenie nazwy użytkownika, adresu e-mail i hasła. Możesz także wprowadzić dodatkowe informacje o profilu, takie jak nazwa wyświetlana i biografia oraz wysłać awatar i obraz nagłówka. Nazwa użytkownika, nazwa wyświetlana, biografia, awatar i obraz nagłówka są zawsze widoczne dla wszystkich.
- - Wpisy, śledzenie i inne publiczne informacje: Lista osób które śledzisz jest widoczna publicznie, tak jak lista osób, które Cię śledzą. Jeżeli dodasz wpis, data i czas jego utworzenia i aplikacja, z której go wysłano są przechowywane. Wiadomości mogą zawierać załączniki multimedialne, takie jak zdjęcia i filmy. Publiczne i niewidoczne wpisy są dostępne publicznie. Udostępniony wpis również jest widoczny publicznie. Twoje wpisy są dostarczane obserwującym, co oznacza że jego kopie mogą zostać dostarczone i być przechowywane na innych serwerach. Kiedy usuniesz wpis, przestaje być widoczny również dla osób śledzących Cię. „Podbijanie” i dodanie do ulubionych jest zawsze publiczne.
- - Wpisy bezpośrednie i tylko dla śledzących: Wszystkie wpisy są przechowywane i przetwarzane na serwerze. Wpisy przeznaczone tylko dla śledzących są widoczne tylko dla nich i osób wspomnianych we wpisie, a wpisy bezpośrednie tylko dla wspomnianych. W wielu przypadkach oznacza to, że ich kopie są dostarczane i przechowywane na innych serwerach. Staramy się ograniczać zasięg tych wpisów wyłącznie do właściwych odbiorców, ale inne serwery mogą tego nie robić. Ważne jest, aby sprawdzać jakich serwerów używają osoby, które Cię śledzą. Możesz aktywować opcję pozwalającą na ręczne akceptowanie i odrzucanie nowych śledzących. Pamiętaj, że właściciele serwerów mogą zobaczyć te wiadomości, a odbiorcy mogą wykonać zrzut ekranu, skopiować lub udostępniać ten wpis. Nie udostępniaj wrażliwych danych z użyciem Mastodona.
- - Adresy IP i inne metadane: Kiedy zalogujesz się, przechowujemy adres IP użyty w trakcie logowania wraz z nazwą używanej przeglądarki. Wszystkie aktywne sesje możesz zobaczyć (i wygasić) w ustawieniach. Ostatnio używany adres IP jest przechowywany przez nas do 12 miesięcy. Możemy również przechowywać adresy IP wykorzystywane przy każdym działaniu na serwerze.
+ - Podstawowe informacje o koncie: Podczas rejestracji na tym serwerze, możesz zostać poproszony(-a) o wprowadzenie nazwy użytkownika, adresu e-mail i hasła. Możesz także wprowadzić dodatkowe informacje o profilu, takie jak nazwa wyświetlana i biografia oraz wysłać awatar i obraz nagłówka. Nazwa użytkownika, nazwa wyświetlana, biografia, awatar i obraz nagłówka są zawsze widoczne dla wszystkich.
+ - Wpisy, śledzenie i inne publiczne informacje: Lista osób które śledzisz jest widoczna publicznie, tak jak lista osób, które Cię śledzą. Jeżeli dodasz wpis, data i czas jego utworzenia i aplikacja, z której go wysłano są przechowywane. Wiadomości mogą zawierać załączniki multimedialne, takie jak zdjęcia i filmy. Publiczne i niewidoczne wpisy są dostępne publicznie. Udostępniony wpis również jest widoczny publicznie. Twoje wpisy są dostarczane obserwującym, co oznacza że jego kopie mogą zostać dostarczone i być przechowywane na innych serwerach. Kiedy usuniesz wpis, przestaje być widoczny również dla osób śledzących Cię. „Podbijanie” i dodanie do ulubionych jest zawsze publiczne.
+ - Wpisy bezpośrednie i tylko dla śledzących: Wszystkie wpisy są przechowywane i przetwarzane na serwerze. Wpisy przeznaczone tylko dla śledzących są widoczne tylko dla nich i osób wspomnianych we wpisie, a wpisy bezpośrednie tylko dla wspomnianych. W wielu przypadkach oznacza to, że ich kopie są dostarczane i przechowywane na innych serwerach. Staramy się ograniczać zasięg tych wpisów wyłącznie do właściwych odbiorców, ale inne serwery mogą tego nie robić. Ważne jest, aby sprawdzać jakich serwerów używają osoby, które Cię śledzą. Możesz aktywować opcję pozwalającą na ręczne akceptowanie i odrzucanie nowych śledzących. Pamiętaj, że właściciele serwerów mogą zobaczyć te wiadomości, a odbiorcy mogą wykonać zrzut ekranu, skopiować lub udostępniać ten wpis. Nie udostępniaj wrażliwych danych z użyciem Mastodona.
+ - Adresy IP i inne metadane: Kiedy zalogujesz się, przechowujemy adres IP użyty w trakcie logowania wraz z nazwą używanej przeglądarki. Wszystkie aktywne sesje możesz zobaczyć (i wygasić) w ustawieniach. Ostatnio używany adres IP jest przechowywany przez nas do 12 miesięcy. Możemy również przechowywać adresy IP wykorzystywane przy każdym działaniu na serwerze.
@@ -957,9 +977,9 @@ pl:
Zebrane informacje mogą zostać użyte w następujące sposoby:
- - Aby dostarczyć podstawową funkcjonalność Mastodona. Możesz wchodzić w interakcje z zawartością tworzoną przez innych tylko gdy jesteś zalogowany. Na przykład, możesz śledzić innych, aby widzieć ich wpisy w dostosowanej osi czasu.
- - Aby wspomóc moderację społeczności, na przykład porównując Twój adres IP ze znanymi, aby rozpoznać próbę obejścia blokady i inne naruszenia.
- - Adres e-mail może zostać wykorzystany, aby wysyłać Ci informacje, powiadomienia o osobach wchodzących w interakcje z tworzoną przez Ciebie zawartością, wysyłających Ci wiadomości, odpowiadać na zgłoszenia i inne żądania lub zapytania.
+ - Aby dostarczyć podstawową funkcjonalność Mastodona. Możesz wchodzić w interakcje z zawartością tworzoną przez innych tylko gdy jesteś zalogowany. Na przykład, możesz śledzić innych, aby widzieć ich wpisy w dostosowanej osi czasu.
+ - Aby wspomóc moderację społeczności, na przykład porównując Twój adres IP ze znanymi, aby rozpoznać próbę obejścia blokady i inne naruszenia.
+ - Adres e-mail może zostać wykorzystany, aby wysyłać Ci informacje, powiadomienia o osobach wchodzących w interakcje z tworzoną przez Ciebie zawartością, wysyłających Ci wiadomości, odpowiadać na zgłoszenia i inne żądania lub zapytania.
@@ -975,8 +995,8 @@ pl:
Staramy się:
- - Przechowywać logi zawierające adresy IP używane przy każdym żądaniu do serwera przez nie dłużej niż 90 dni.
- - Przechowywać adresy IP przypisane do użytkowników przez nie dłużej niż 12 miesięcy.
+ - Przechowywać logi zawierające adresy IP używane przy każdym żądaniu do serwera przez nie dłużej niż 90 dni.
+ - Przechowywać adresy IP przypisane do użytkowników przez nie dłużej niż 12 miesięcy.
Możesz zażądać i pobrać archiwum tworzonej zawartości, wliczając Twoje wpisy, załączniki multimedialne, awatar i zdjęcie nagłówka.
@@ -1027,7 +1047,7 @@ pl:
mastodon-light: Mastodon (Jasny)
time:
formats:
- default: "%b %d, %Y, %H:%M"
+ default: "%d. %b %Y, %H:%M"
month: "%b %Y"
two_factor_authentication:
code_hint: Aby kontynuować, wprowadź kod wyświetlany przez aplikację uwierzytelniającą
diff --git a/config/locales/pt-BR.yml b/config/locales/pt-BR.yml
index dbe19d4da8..d75e91b8bc 100644
--- a/config/locales/pt-BR.yml
+++ b/config/locales/pt-BR.yml
@@ -7,7 +7,6 @@ pt-BR:
active_count_after: Ativo
active_footnote: Usuários ativos mensais (UAM)
administered_by: 'Administrado por:'
- api: API
apps: Apps
apps_platforms: Use o Mastodon a partir de iOS, Android e outras plataformas
browse_directory: Navegue pelo diretório de perfis e filtre por interesses
@@ -29,9 +28,6 @@ pt-BR:
see_whats_happening: Veja o que está acontecendo
server_stats: 'Estatísticas do servidor:'
source_code: Código-fonte
- status_count_after:
- one: status
- other: status
status_count_before: Autores de
tagline: Siga amigos e encontre novos
terms: Termos de serviço
@@ -58,10 +54,6 @@ pt-BR:
people_who_follow: Pessoas que seguem %{name}
pin_errors:
following: Você tem que estar seguindo a pessoa que você quer sugerir
- posts:
- one: Toot
- other: Toots
- posts_tab_heading: Toots
posts_with_replies: Toots e respostas
reserved_username: Este usuário está reservado
roles:
@@ -83,7 +75,6 @@ pt-BR:
approve: Aprovar
approve_all: Aprovar tudo
are_you_sure: Você tem certeza?
- avatar: Avatar
by_domain: Domínio
change_email:
changed_msg: E-mail da conta modificado com sucesso!
@@ -114,11 +105,9 @@ pt-BR:
header: Cabeçalho
inbox_url: URL da caixa de entrada
invited_by: Convidado por
- ip: IP
joined: Se cadastrou
location:
all: Todos
- local: Local
remote: Remoto
title: Localização
login_status: Situação de login
@@ -181,7 +170,6 @@ pt-BR:
unsubscribe: Desinscrever-se
username: Nome de usuário
warn: Notificar
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} designou a denúncia %{target} para si"
@@ -226,7 +214,6 @@ pt-BR:
destroyed_msg: Emoji deletado com sucesso!
disable: Desabilitar
disabled_msg: Emoji desabilitado com sucesso
- emoji: Emoji
enable: Habilitar
enabled_msg: Emoji habilitado com sucesso
image_hint: PNG de até 50KB
@@ -256,7 +243,6 @@ pt-BR:
recent_users: Usuários recentes
search: Pesquisa em texto
single_user_mode: Modo de usuário único
- software: Software
space: Uso de espaço em disco
title: Painel de controle
total_users: usuários no total
@@ -349,7 +335,6 @@ pt-BR:
pending: Esperando pela aprovação do repetidor
save_and_enable: Salvar e habilitar
setup: Configurar uma conexão de repetidor
- status: Status
title: Repetidores
report_notes:
created_msg: Nota de denúncia criada com sucesso!
@@ -379,7 +364,6 @@ pt-BR:
reported_by: Denunciada por
resolved: Resolvido
resolved_msg: Denúncia resolvida com sucesso!
- status: Status
title: Denúncias
unassign: Desatribuir
unresolved: Não resolvido
@@ -472,14 +456,11 @@ pt-BR:
confirmed: Confirmado
expires_in: Expira em
last_delivery: Última entrega
- title: WebSub
topic: Tópico
tags:
accounts: Contas
hidden: Escondido
hide: Esconder do diretório
- name: Hashtag
- title: Hashtags
unhide: Mostrar no diretório
visible: Visível
title: Administração
@@ -499,7 +480,6 @@ pt-BR:
subject: Nova denúncia sobre %{instance} (#%{id})
application_mailer:
notification_preferences: Mudar preferências de e-mail
- salutation: "%{name},"
settings: 'Mudar e-mail de preferência: %{link}'
view: 'Visualizar:'
view_profile: Ver perfil
@@ -527,9 +507,6 @@ pt-BR:
migrate_account: Mudar para uma conta diferente
migrate_account_html: Se você quer redirecionar essa conta para uma outra você pode configurar isso aqui.
or_log_in_with: Ou faça login com
- providers:
- cas: CAS
- saml: SAML
register: Cadastrar-se
registration_closed: "%{instance} não está aceitando novos membros"
resend_confirmation: Reenviar instruções de confirmação
@@ -550,7 +527,6 @@ pt-BR:
title: Seguir %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
about_x_months: "%{count} meses"
about_x_years: "%{count} anos"
almost_x_years: "%{count} anos"
@@ -604,7 +580,6 @@ pt-BR:
request: Solicitar o seu arquivo
size: Tamanho
blocks: Você bloqueou
- csv: CSV
domain_blocks: Bloqueios de domínio
follows: Você segue
lists: Listas
@@ -748,23 +723,11 @@ pt-BR:
body: 'Sua postagem foi compartilhada por %{name}:'
subject: "%{name} compartilhou a sua postagem"
title: Novo compartilhamento
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: Mais novo
next: Próximo
older: Mais antigo
prev: Anterior
- truncate: "…"
polls:
errors:
already_voted: Você já votou nessa enquete
@@ -819,40 +782,13 @@ pt-BR:
activity: Última atividade
browser: Navegador
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Navegador desconhecido
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Navegador Nokia S40 Ovi
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Sessão atual
description: "%{browser} em %{platform}"
explanation: Estes são os navegadores que estão conectados com a sua conta do Mastodon.
- 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 desconhecida
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Revogar
revoke_success: Sessão revogada com sucesso
title: Sessões
@@ -905,7 +841,6 @@ pt-BR:
vote: Votar
show_more: Mostrar mais
sign_in_to_participate: Entre para participar dessa conversa
- title: '%{name}: "%{quote}"'
visibilities:
private: Apenas seguidores
private_long: Mostrar apenas para seguidores
@@ -923,10 +858,10 @@ pt-BR:
Que informação nós coletamos?
- - Informação básica de conta: Se você se registrar nesse servidor, podemos pedir que você utilize um nome de usuário, um e-mail e uma senha. Você também pode adicionar informações extras como um nome de exibição e biografia; enviar uma imagem de perfil e imagem de cabeçalho. O nome de usuário, nome de exibição, biografia, imagem de perfil e imagem de cabeçalho são sempre listadas publicamente.
- - Posts, informação de seguidores e outras informações públicas: A lista de pessoas que você segue é listada publicamente, o mesmo é verdade para quem te segue. Quando você envia uma mensagem, a data e o horário são armazenados, assim como a aplicação que você usou para enviar a mensagem. Mensagens podem conter mídias anexadas, como imagens e vídeos. Posts públicos e não-listados estão disponíveis publicamente. Quando você destaca um post no seu perfil, isso também é uma informação pública. Seus posts são entregues aos seus seguidores e em alguns casos isso significa que eles são enviados para servidores diferentes e cópias são armazenadas nesses servidores. Quando você remove posts, essa informação também é entregue aos seus seguidores. O ato de compartilhar ou favoritar um outro post é sempre público.
- - Mensagens diretas e posts somente para seguidores: Todos os posts são armazenados e processados no servidor. Posts somente para seguidores são entregues aos seus seguidores e usuários que são mencionados neles; mensagens diretas são entregues somente aos usuários mencionados nelas. Em alguns casos isso significa que as mensagens são entregues para servidores diferentes e cópias são armazenadas nesses servidores. Nós fazemos esforços substanciais para limitar o acesso dessas mensagens somente para as pessoas autorizadas, mas outros servidores podem não fazer o mesmo. É importante portanto revisar os servidores à qual seus seguidores pertencem. Você pode usar uma opção para aprovar ou rejeitar novos seguidores manualmente nas configurações. Por favor tenha em mente que os operadores do servidor e de qualquer servidores do destinatário podem ver tais mensagens, e que os destinatários podem fazer capturas de tela, copiar ou de outra maneira compartilhar as mensagens. Não compartilhe informação confidencial pelo Mastodon.
- - IPs e outros metadados: Quando você faz se autentica, nos guardamos o endereço de IP que você usou ao se autenticar e o nome do seu navegador da internet. Todas as sessões autenticadas são disponíveis para serem analisadas e revogadas nas configurações. O último endereço de IP usado é guardado por até 12 meses. Nós também podemos reter históricos do servidor que incluem o endereço de IP de todas as requisições ao nosso servidor.
+ - Informação básica de conta: Se você se registrar nesse servidor, podemos pedir que você utilize um nome de usuário, um e-mail e uma senha. Você também pode adicionar informações extras como um nome de exibição e biografia; enviar uma imagem de perfil e imagem de cabeçalho. O nome de usuário, nome de exibição, biografia, imagem de perfil e imagem de cabeçalho são sempre listadas publicamente.
+ - Posts, informação de seguidores e outras informações públicas: A lista de pessoas que você segue é listada publicamente, o mesmo é verdade para quem te segue. Quando você envia uma mensagem, a data e o horário são armazenados, assim como a aplicação que você usou para enviar a mensagem. Mensagens podem conter mídias anexadas, como imagens e vídeos. Posts públicos e não-listados estão disponíveis publicamente. Quando você destaca um post no seu perfil, isso também é uma informação pública. Seus posts são entregues aos seus seguidores e em alguns casos isso significa que eles são enviados para servidores diferentes e cópias são armazenadas nesses servidores. Quando você remove posts, essa informação também é entregue aos seus seguidores. O ato de compartilhar ou favoritar um outro post é sempre público.
+ - Mensagens diretas e posts somente para seguidores: Todos os posts são armazenados e processados no servidor. Posts somente para seguidores são entregues aos seus seguidores e usuários que são mencionados neles; mensagens diretas são entregues somente aos usuários mencionados nelas. Em alguns casos isso significa que as mensagens são entregues para servidores diferentes e cópias são armazenadas nesses servidores. Nós fazemos esforços substanciais para limitar o acesso dessas mensagens somente para as pessoas autorizadas, mas outros servidores podem não fazer o mesmo. É importante portanto revisar os servidores à qual seus seguidores pertencem. Você pode usar uma opção para aprovar ou rejeitar novos seguidores manualmente nas configurações. Por favor tenha em mente que os operadores do servidor e de qualquer servidores do destinatário podem ver tais mensagens, e que os destinatários podem fazer capturas de tela, copiar ou de outra maneira compartilhar as mensagens. Não compartilhe informação confidencial pelo Mastodon.
+ - IPs e outros metadados: Quando você faz se autentica, nos guardamos o endereço de IP que você usou ao se autenticar e o nome do seu navegador da internet. Todas as sessões autenticadas são disponíveis para serem analisadas e revogadas nas configurações. O último endereço de IP usado é guardado por até 12 meses. Nós também podemos reter históricos do servidor que incluem o endereço de IP de todas as requisições ao nosso servidor.
@@ -936,9 +871,9 @@ pt-BR:
Toda informação que coletamos de você pode ser usada das seguintes maneiras:
- - Para prover a funcionalidade básica do Mastodon. Você só pode interagir com o conteúdo de outras pessoas e postar seu próprio conteúdo estando autenticado. Por exemplo, você pode seguir outras pessoas para ver seus posts combinados na sua linha do tempo personalizada.
- - Para auxiliar na moderação da comunidade, por exemplo ao comparar o seu endereço de IP com outros endereços de IP conhecidos para determinar evasão de banimento e outras violações.
- - O endereço de email que você prover pode ser usado para lhe enviar informação, notificação sobre outras pessoas interagindo com o seu conteúdo ou lhe enviando mensagens e para responder a questões ou outros pedidos.
+ - Para prover a funcionalidade básica do Mastodon. Você só pode interagir com o conteúdo de outras pessoas e postar seu próprio conteúdo estando autenticado. Por exemplo, você pode seguir outras pessoas para ver seus posts combinados na sua linha do tempo personalizada.
+ - Para auxiliar na moderação da comunidade, por exemplo ao comparar o seu endereço de IP com outros endereços de IP conhecidos para determinar evasão de banimento e outras violações.
+ - O endereço de email que você prover pode ser usado para lhe enviar informação, notificação sobre outras pessoas interagindo com o seu conteúdo ou lhe enviando mensagens e para responder a questões ou outros pedidos.
@@ -954,8 +889,8 @@ pt-BR:
Nós fazemos esforços substanciais para:
- - Reter o histórico do servidor contendo os endereços de IP de todas as requisições feitas à esse servidor, e com respeito a quanto tempo esses logs são retidos, não mais que 90 dias.
- - Reter o endereço de IP associado com usuários registrados não mais que 12 meses.
+ - Reter o histórico do servidor contendo os endereços de IP de todas as requisições feitas à esse servidor, e com respeito a quanto tempo esses logs são retidos, não mais que 90 dias.
+ - Reter o endereço de IP associado com usuários registrados não mais que 12 meses.
Você pode pedir e fazer o download de um arquivo de todo o conteúdo da sua conta, incluindo as suas mensagens, suas mídias anexadas, imagem de perfil e imagem de topo.
@@ -1006,7 +941,6 @@ pt-BR:
mastodon-light: Mastodon (claro)
time:
formats:
- default: "%b %d, %Y, %H:%M"
month: "%B de %Y"
two_factor_authentication:
code_hint: Insira o código gerado pelo seu aplicativo auteticador para confirmar
diff --git a/config/locales/pt.yml b/config/locales/pt.yml
index 0061002c70..9cd92f6bd8 100644
--- a/config/locales/pt.yml
+++ b/config/locales/pt.yml
@@ -5,7 +5,6 @@ pt:
about_mastodon_html: Mastodon é uma rede social baseada em protocolos abertos da web e software livre e gratuito. É descentralizado como e-mail.
about_this: Sobre esta instância
administered_by: 'Administrado por:'
- api: API
apps: Aplicações móveis
contact: Contacto
contact_missing: Não configurado
@@ -39,7 +38,6 @@ pt:
joined: Aderiu %{date}
last_active: última vez activo
link_verified_on: A posse deste link foi verificada em %{date}
- media: Media
moved_html: "%{name} mudou-se para %{new_profile_link}:"
network_hidden: Esta informação não está disponível
nothing_here: Não há nada aqui!
@@ -69,7 +67,6 @@ pt:
destroyed_msg: Nota de moderação excluída com sucesso!
accounts:
are_you_sure: Tens a certeza?
- avatar: Avatar
by_domain: Domínio
change_email:
changed_msg: E-mail da conta alterado com sucesso!
@@ -100,11 +97,9 @@ pt:
header: Cabeçalho
inbox_url: URL da caixa de entrada
invited_by: Convidado por
- ip: IP
joined: Aderiu
location:
all: Todos
- local: Local
remote: Remoto
title: Local
login_status: Estado de início de sessão
@@ -162,7 +157,6 @@ pt:
unsubscribe: Cancelar inscrição
username: Usuário
warn: Aviso
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} atribuiu o relatório %{target} a si próprios"
@@ -207,7 +201,6 @@ pt:
destroyed_msg: Emoji destruído com sucesso!
disable: Desativar
disabled_msg: Desativado com sucesso este emoji
- emoji: Emoji
enable: Ativar
enabled_msg: Ativado com sucesso este emoji
image_hint: PNG de até 50KB
@@ -236,7 +229,6 @@ pt:
recent_users: Utilizadores recentes
search: Pesquisa com texto completo
single_user_mode: Modo de utilizador único
- software: Software
space: Utilização do espaço
title: Painel de controlo
total_users: total de utilizadores
@@ -444,14 +436,11 @@ pt:
confirmed: Confirmado
expires_in: Expira em
last_delivery: Última entrega
- title: WebSub
topic: Tópico
tags:
accounts: Contas
hidden: Escondidas
hide: Esconder no diretório
- name: Hashtag
- title: Hashtags
unhide: Mostrar no diretório
visible: Visível
title: Administração
@@ -468,7 +457,6 @@ pt:
subject: Novo relatório sobre %{instance} (#%{id})
application_mailer:
notification_preferences: Alterar preferências de e-mail
- salutation: "%{name},"
settings: 'Alterar preferências de email: %{link}'
view: 'Ver:'
view_profile: Ver perfil
@@ -494,9 +482,6 @@ pt:
migrate_account: Mudar para uma conta diferente
migrate_account_html: Se desejas redirecionar esta conta para uma outra podesconfigurar isso aqui.
or_log_in_with: Ou iniciar sessão com
- providers:
- cas: CAS
- saml: SAML
register: Registar
resend_confirmation: Reenviar instruções de confirmação
reset_password: Criar nova palavra-passe
@@ -515,7 +500,6 @@ pt:
title: Seguir %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
about_x_months: "%{count} meses"
about_x_years: "%{count} anos"
almost_x_years: "%{count} anos"
@@ -568,7 +552,6 @@ pt:
request: Pede o teu arquivo
size: Tamanho
blocks: Bloqueaste
- csv: CSV
domain_blocks: Bloqueios de domínio
follows: Segues
lists: Listas
@@ -690,23 +673,11 @@ pt:
body: 'O teu post foi partilhado por %{name}:'
subject: "%{name} partilhou o teu post"
title: Nova partilha
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: Mais nova
next: Seguinte
older: Mais velha
prev: Anterior
- truncate: "…"
polls:
errors:
already_voted: Tu já votaste nesta sondagem
@@ -748,40 +719,15 @@ pt:
activity: Última atividade
browser: Navegador
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Navegador desconhecido
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Navegador Nokia S40 Ovi
- opera: Opera
otter: Lontra
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Sessão atual
description: "%{browser} em %{platform}"
explanation: Estes são os navegadores que estão conectados com a tua conta do Mastodon.
- ip: IP
platforms:
- adobe_air: Adobe Air
- android: Android
- blackberry: Blackberry
- chrome_os: ChromeOS
firefox_os: SO Firefox
- ios: iOS
- linux: Linux
- mac: Mac
other: Plataforma desconhecida
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Revogar
revoke_success: Sessão revogada com sucesso
title: Sessões
@@ -827,7 +773,6 @@ pt:
vote: Votar
show_more: Mostrar mais
sign_in_to_participate: Inicie a sessão para participar na conversa
- title: '%{name}: "%{quote}"'
visibilities:
private: Mostrar apenas para seguidores
private_long: Mostrar apenas para seguidores
@@ -845,10 +790,10 @@ pt:
Que informação nós recolhemos?
- - Informação básica da conta: Se te registares neste servidor, pode-te ser pedido que indiques um nome de utilizador, um endereço de e-mail e uma palavra-passe. Também podes introduzir informação adicional de perfil, tal como um nome a mostrar e dados biográficos, que carregues uma fotografia para o teu perfil e para o cabeçalho. O nome de utilizador, o nome a mostrar, a biografia, a imagem de perfil e a imagem de cabeçalho são sempre listados publicamente.
- - Publicações, seguimento e outra informação pública: A lista de pessoas que tu segues é pública, o mesmo é verdade para os teus seguidores. Quando tu publicas uma mensagem, a data e a hora são guardados, tal como a aplicação a partir da qual a mensagem foi enviada. As mensagens podem conter anexos multimédia, tais como fotografias ou vídeos. Publicações públicas e não listadas são acessíveis publicamente. Quando expões uma publicação no teu perfil, isso é também informação disponível publicamente. As tuas publicações são enviadas aos teus seguidores. Em alguns casos isso significa que elas são enviadas para servidores diferentes onde são guardadas cópias. Quando tu apagas publicações, isso também é enviado para os teus seguidores. A acção de republicar ou favoritar outra publicação é sempre pública.
- - Publicações directas e exclusivas para seguidores: Todas as publicações são guardadas e processadas no servidor. Publicações exclusivas para seguidores são enviadas para os teus seguidores e para utilizadores que são nelas mencionados. As publicações directas são enviadas apenas para os utilizadores nelas mencionados. Em alguns casos isso significa que elas são enviadas para diferentes servidores onde são guardadas cópias das mesmas. Nós fazemos um grande esforço para limitar o acesso a estas publicações aos utilizadores autorizados, mas outros servidores podem falhar neste objectivo. Por isso, tu deves rever os servidores a que os teus seguidores pertencem. Tu podes activar uma opção para aprovar e rejeitar manualmente novos seguidores nas configurações. Por favor, tem em mente que os gestores do servidor e qualquer servidor que receba a publicação pode lê-lae que os destinatários podem fazer uma captura de tela, copiar ou partilhar a publicação. Não partilhes qualquer informação perigosa no Mastodon.
- - IPs e outros metadados: Quando inicias sessão, nós guardamos o endereço de IP a partir do qual iniciaste a sessão, tal como o nome do teu navegador. Todas as sessões estão disponíveis para verificação e revogação nas configurações. O último endereço de IP usado é guardado até 12 meses. Nós também podemos guardar registos de servidor, os quais incluem o endereço de IP de cada pedido dirigido ao nosso servidor.
+ - Informação básica da conta: Se te registares neste servidor, pode-te ser pedido que indiques um nome de utilizador, um endereço de e-mail e uma palavra-passe. Também podes introduzir informação adicional de perfil, tal como um nome a mostrar e dados biográficos, que carregues uma fotografia para o teu perfil e para o cabeçalho. O nome de utilizador, o nome a mostrar, a biografia, a imagem de perfil e a imagem de cabeçalho são sempre listados publicamente.
+ - Publicações, seguimento e outra informação pública: A lista de pessoas que tu segues é pública, o mesmo é verdade para os teus seguidores. Quando tu publicas uma mensagem, a data e a hora são guardados, tal como a aplicação a partir da qual a mensagem foi enviada. As mensagens podem conter anexos multimédia, tais como fotografias ou vídeos. Publicações públicas e não listadas são acessíveis publicamente. Quando expões uma publicação no teu perfil, isso é também informação disponível publicamente. As tuas publicações são enviadas aos teus seguidores. Em alguns casos isso significa que elas são enviadas para servidores diferentes onde são guardadas cópias. Quando tu apagas publicações, isso também é enviado para os teus seguidores. A acção de republicar ou favoritar outra publicação é sempre pública.
+ - Publicações directas e exclusivas para seguidores: Todas as publicações são guardadas e processadas no servidor. Publicações exclusivas para seguidores são enviadas para os teus seguidores e para utilizadores que são nelas mencionados. As publicações directas são enviadas apenas para os utilizadores nelas mencionados. Em alguns casos isso significa que elas são enviadas para diferentes servidores onde são guardadas cópias das mesmas. Nós fazemos um grande esforço para limitar o acesso a estas publicações aos utilizadores autorizados, mas outros servidores podem falhar neste objectivo. Por isso, tu deves rever os servidores a que os teus seguidores pertencem. Tu podes activar uma opção para aprovar e rejeitar manualmente novos seguidores nas configurações. Por favor, tem em mente que os gestores do servidor e qualquer servidor que receba a publicação pode lê-lae que os destinatários podem fazer uma captura de tela, copiar ou partilhar a publicação. Não partilhes qualquer informação perigosa no Mastodon.
+ - IPs e outros metadados: Quando inicias sessão, nós guardamos o endereço de IP a partir do qual iniciaste a sessão, tal como o nome do teu navegador. Todas as sessões estão disponíveis para verificação e revogação nas configurações. O último endereço de IP usado é guardado até 12 meses. Nós também podemos guardar registos de servidor, os quais incluem o endereço de IP de cada pedido dirigido ao nosso servidor.
@@ -858,9 +803,9 @@ pt:
Qualquer informação que recolhemos sobre ti pode ser usada dos seguintes modos:
- - Para providenciar a funcionalidade central do Mastodon. Tu só podes interagir com o conteúdo de outras pessoas e publicar o teu próprio conteúdo depois de teres iniciado sessão. Por exemplo, tu podes seguir outras pessoas para veres as suas publicações na tua cronologia inicial personalizada.
- - Para ajudar na moderação da comunidade para, por exemplo, comparar o teu endereço IP com outros conhecidos, para determinar a fuga ao banimento ou outras violações.
- - O endereço de e-mail que tu forneces pode ser usado para te enviar informações e/ou notificações sobre outras pessoas que estão a interagir com o teu conteúdo ou a enviar-te mensagens, para responderes a inquéritos e/ou outros pedidos ou questões.
+ - Para providenciar a funcionalidade central do Mastodon. Tu só podes interagir com o conteúdo de outras pessoas e publicar o teu próprio conteúdo depois de teres iniciado sessão. Por exemplo, tu podes seguir outras pessoas para veres as suas publicações na tua cronologia inicial personalizada.
+ - Para ajudar na moderação da comunidade para, por exemplo, comparar o teu endereço IP com outros conhecidos, para determinar a fuga ao banimento ou outras violações.
+ - O endereço de e-mail que tu forneces pode ser usado para te enviar informações e/ou notificações sobre outras pessoas que estão a interagir com o teu conteúdo ou a enviar-te mensagens, para responderes a inquéritos e/ou outros pedidos ou questões.
@@ -876,8 +821,8 @@ pt:
Nós envidaremos todos os esforços no sentido de:
- - Guardar registos do servidor contendo o endereço de IP de todos os pedidos feitos a este servidor, considerando que estes registos não serão guardados por mais de 90 dias.
- - Guardar os endereços de IP associados aos utilizadores registados durante um período que não ultrapassará os 12 meses.
+ - Guardar registos do servidor contendo o endereço de IP de todos os pedidos feitos a este servidor, considerando que estes registos não serão guardados por mais de 90 dias.
+ - Guardar os endereços de IP associados aos utilizadores registados durante um período que não ultrapassará os 12 meses.
Tu podes pedir e descarregar um ficheiro com o teu conteúdo, incluindo as tuas publicações, os ficheiros multimédia, a imagem de perfil e a imagem de cabeçalho.
@@ -926,10 +871,6 @@ pt:
contrast: Mastodon (Elevado contraste)
default: Mastodon
mastodon-light: Mastodon (Leve)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Entre o código gerado pelo seu aplicativo para confirmar
description_html: Se ativar a autenticação em dois passos, quando logar será necessário o seu telefone que vai gerar os tokens para validação.
diff --git a/config/locales/ro.yml b/config/locales/ro.yml
index cdb68c72ae..6e6c6f403e 100644
--- a/config/locales/ro.yml
+++ b/config/locales/ro.yml
@@ -2,11 +2,6 @@
ro:
about:
hosted_on: Mastodon găzduit de %{domain}
- accounts:
- posts:
- few: Toots
- one: Toot
- other: Toots
auth:
change_password: Parolă
confirm_email: Confirmă email
@@ -20,9 +15,6 @@ ro:
migrate_account: Transfer către un alt cont
migrate_account_html: Dacă dorești să redirecționezi acest cont către un altul, poți configura asta aici.
or_log_in_with: Sau conectează-te cu
- providers:
- cas: CAS
- saml: SAML
register: Înregistrare
resend_confirmation: Retrimite instrucțiunile de confirmare
reset_password: Resetare parolă
@@ -50,9 +42,7 @@ ro:
less_than_x_seconds: Chiar acum
over_x_years: "%{count}ani"
x_days: "%{count}z"
- x_minutes: "%{count}m"
x_months: "%{count}l"
- x_seconds: "%{count}s"
deletes:
bad_password_msg: Bună încercare, hackere! Parolă incorectă
confirm_password: Introdu parola curentă pentru a-ți verifica identitatea
@@ -88,7 +78,6 @@ ro:
request: Cere arhiva ta
size: Dimensiune
blocks: Blocați
- csv: CSV
follows: Tu urmărești
mutes: Opriți
storage: Depozitare media
@@ -108,3 +97,11 @@ ro:
title: Filtre
new:
title: Adaugă un filtru nou
+ invites:
+ expires_in:
+ '1800': 30 minutes
+ '21600': 6 hours
+ '3600': 1 hour
+ '43200': 12 hours
+ '604800': 1 week
+ '86400': 1 day
diff --git a/config/locales/ru.yml b/config/locales/ru.yml
index 6d1db95c77..7e336be984 100644
--- a/config/locales/ru.yml
+++ b/config/locales/ru.yml
@@ -171,7 +171,6 @@ ru:
moderator: Модератор
staff: Персонал
user: Пользователь
- salmon_url: Salmon URL
search: Поиск
shared_inbox_url: URL общих входящих
show:
@@ -509,6 +508,9 @@ ru:
body: "%{reporter} подал(а) жалобу на %{target}"
body_remote: Кто-то с узла %{domain} пожаловался на %{target}
subject: Новая жалоба, узел %{instance} (#%{id})
+ appearance:
+ advanced_web_interface: Многоколоночный интерфейс
+ sensitive_content: Чувствительное содержимое
application_mailer:
notification_preferences: Изменить настройки e-mail
salutation: "%{name},"
@@ -660,7 +662,7 @@ ru:
one: Что-то здесь не так! Пожалуйста, прочитайте об ошибке ниже
other: Что-то здесь не так! Пожалуйста, прочитайте о %{count} ошибках ниже
html_validator:
- invalid_markup: 'contains invalid HTML markup: %{error}'
+ invalid_markup: 'невалидная разметка HTML: %{error}'
identity_proofs:
active: Активно
authorize: Да, авторизовать
@@ -780,7 +782,6 @@ ru:
quadrillion: квадрлн
thousand: тыс
trillion: трлн
- unit: ''
pagination:
newer: Новее
next: След
@@ -799,6 +800,7 @@ ru:
too_many_options: может содержать не больше %{max} вариантов
preferences:
other: Другое
+ public_timelines: Публичные ленты
relationships:
activity: Активность аккаунта
dormant: Заброшенные
@@ -953,10 +955,10 @@ ru:
What information do we collect?
- - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
- - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
- - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
- - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
+ - Basic account information: If you register on this server, you may be asked to enter a username, an e-mail address and a password. You may also enter additional profile information such as a display name and biography, and upload a profile picture and header image. The username, display name, biography, profile picture and header image are always listed publicly.
+ - Posts, following and other public information: The list of people you follow is listed publicly, the same is true for your followers. When you submit a message, the date and time is stored as well as the application you submitted the message from. Messages may contain media attachments, such as pictures and videos. Public and unlisted posts are available publicly. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
+ - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
+ - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
@@ -966,9 +968,9 @@ ru:
Any of the information we collect from you may be used in the following ways:
- - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
- - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
- - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
+ - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
+ - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
+ - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
@@ -984,8 +986,8 @@ ru:
We will make a good faith effort to:
- - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
- - Retain the IP addresses associated with registered users no more than 12 months.
+ - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
+ - Retain the IP addresses associated with registered users no more than 12 months.
You can request and download an archive of your content, including your posts, media attachments, profile picture, and header image.
diff --git a/config/locales/simple_form.ar.yml b/config/locales/simple_form.ar.yml
index 6c2905846d..b948a5c506 100644
--- a/config/locales/simple_form.ar.yml
+++ b/config/locales/simple_form.ar.yml
@@ -17,13 +17,13 @@ ar:
email: سوف تتلقى رسالة إلكترونية للتأكيد
fields: يُمكنك عرض 4 عناصر على شكل جدول في ملفك الشخصي
header: ملف PNG أو GIF أو JPG. حجمه على أقصى تصدير %{size}. سيتم تصغيره إلى %{dimensions}px
- inbox_url: نسخ العنوان الذي تريد استخدامه مِن صفحة الإستقبال للمُرحَّل
+ inbox_url: نسخ العنوان الذي تريد استخدامه مِن صفحة الاستقبال للمُرحَّل
irreversible: التبويقات التي تم تصفيتها ستختفي لا محالة حتى و إن تمت إزالة عامِل التصفية لاحقًا
locale: لغة واجهة المستخدم و الرسائل الإلكترونية و الإشعارات
locked: يتطلب منك الموافقة يدويا على طلبات المتابعة
password: يُنصح باستخدام 8 أحرف على الأقل
phrase: سوف يتم العثور عليه مهما كان نوع النص أو حتى و إن كان داخل الويب فيه تحذير عن المحتوى
- scopes: ما هي المجالات المسموح بها في التطبيق ؟ إن قمت باختيار أعلى المجالات فيمكنك الإستغناء عن الخَيار اليدوي.
+ scopes: ما هي المجالات المسموح بها في التطبيق ؟ إن قمت باختيار أعلى المجالات فيمكنك الاستغناء عن الخَيار اليدوي.
setting_aggregate_reblogs: لا تقم بعرض المشارَكات الجديدة لتبويقات قد قُمتَ بمشاركتها سابقا (هذا الإجراء يعني المشاركات الجديدة فقط التي تلقيتَها)
setting_display_media_default: إخفاء الوسائط المُعيَّنة كحساسة
setting_display_media_hide_all: إخفاء كافة الوسائط دائمًا
@@ -35,8 +35,10 @@ ar:
name: 'رُبَّما تريد/ي استخدام أحد هؤلاء:'
imports:
data: ملف CSV تم تصديره مِن خادوم ماستدون آخر
+ invite_request:
+ text: هذا سوف يساعدنا في مراجعة تطبيقك
sessions:
- otp: 'قم بإدخال رمز المصادقة بخطوتين الذي قام بتوليده تطبيق جهازك أو إستخدم أحد رموز النفاذ الإحتياطية :'
+ otp: 'قم بإدخال رمز المصادقة بخطوتين الذي قام بتوليده تطبيق جهازك أو استخدم أحد رموز النفاذ الاحتياطية:'
user:
chosen_languages: لن تظهر على الخيوط العمومية إلّا التبويقات المنشورة في اللغات المختارة
labels:
@@ -67,7 +69,7 @@ ar:
current_password: كلمة السر الحالية
data: البيانات
discoverable: القيام بإدراج هذا الحساب في قائمة دليل الحسابات
- display_name: الإسم المعروض
+ display_name: الاسم المعروض
email: عنوان البريد الإلكتروني
expires_in: تنتهي مدة صلاحيته بعد
fields: البيانات الوصفية للصفحة الشخصية
@@ -82,29 +84,30 @@ ar:
otp_attempt: رمز المصادقة بخطوتين
password: كلمة السر
phrase: كلمة مفتاح أو عبارة
+ setting_advanced_layout: تمكين واجهة الويب المتقدمة
setting_aggregate_reblogs: جمع الترقيات في خيوط زمنية
setting_auto_play_gif: تشغيل تلقائي لِوَسائط جيف المتحركة
setting_boost_modal: إظهار مربع حوار للتأكيد قبل ترقية أي تبويق
setting_default_language: لغة النشر
setting_default_privacy: خصوصية المنشور
- setting_default_sensitive: إعتبر الوسائط دائما كمحتوى حساس
+ setting_default_sensitive: اعتبر الوسائط دائما كمحتوى حساس
setting_delete_modal: إظهار مربع حوار للتأكيد قبل حذف أي تبويق
setting_display_media: عرض الوسائط
setting_display_media_default: افتراضي
- setting_display_media_hide_all: اخفاء الكل
+ setting_display_media_hide_all: إخفاء الكل
setting_display_media_show_all: عرض الكل
setting_expand_spoilers: توسيع التبويقات التي تحتوي على تحذيرات عن المحتوى تلقائيا
setting_hide_network: إخفِ شبكتك
setting_noindex: عدم السماح لمحركات البحث بفهرسة ملفك الشخصي
setting_reduce_motion: تخفيض عدد الصور في الوسائط المتحركة
- setting_show_application: إكشف/ي البرامج التي كانت تُرسل تبويقات
- setting_system_font_ui: إستخدم الخطوط الإفتراضية للنظام
+ setting_show_application: اكشف اسم التطبيقات المستخدمة لنشر التبويقات
+ setting_system_font_ui: استخدم الخطوط الافتراضية للنظام
setting_theme: سمة الموقع
setting_unfollow_modal: إظهار مربع حوار للتأكيد قبل إلغاء متابعة أي حساب
severity: القوّة
- type: صيغة الإستيراد
- username: إسم المستخدم
- username_or_email: إسم المستخدم أو كلمة السر
+ type: صيغة الاستيراد
+ username: اسم المستخدم
+ username_or_email: اسم المستخدم أو كلمة السر
whole_word: الكلمة كاملة
featured_tag:
name: الوسم
@@ -112,15 +115,18 @@ ar:
must_be_follower: حظر الإخطارات القادمة من حسابات لا تتبعك
must_be_following: حظر الإخطارات القادمة من الحسابات التي لا تتابعها
must_be_following_dm: حظر الرسائل المباشرة القادمة من طرف أشخاص لا تتبعهم
+ invite_request:
+ text: لماذا ترغب في الانضمام؟
notification_emails:
digest: إرسال ملخصات عبر البريد الإلكتروني
- favourite: إبعث بريداً إلكترونيًا عندما يُعجَب أحدهم بمنشورك
- follow: إبعث بريداً إلكترونيًا عندما يتبعك أحد
- follow_request: إبعث بريدا إلكترونيا عندما يقوم أحدهم بإرسال طلب بالمتابعة
- mention: إبعث بريداً إلكترونيًا عندما يُشير إليك أو يذكُرك أحدهم
- reblog: إبعث بريداً إلكترونيًا عندما يقوم أحدهم بترقية منشورك
+ favourite: ابعث بريداً إلكترونيًا عندما يُعجَب أحدهم بمنشورك
+ follow: ابعث بريداً إلكترونيًا عندما يتبعك أحد
+ follow_request: ابعث بريدا إلكترونيا عندما يقوم أحدهم بإرسال طلب بالمتابعة
+ mention: ابعث بريداً إلكترونيًا عندما يُشير إليك أو يذكُرك أحدهم
+ reblog: ابعث بريداً إلكترونيًا عندما يقوم أحدهم بترقية منشورك
report: إرسال رسالة إلكترونية عند تلقّي إبلاغ جديد
'no': لا
+ recommended: موصى بها
required:
mark: "*"
text: مطلوب
diff --git a/config/locales/simple_form.ast.yml b/config/locales/simple_form.ast.yml
index 41102d23f3..4ec3935c90 100644
--- a/config/locales/simple_form.ast.yml
+++ b/config/locales/simple_form.ast.yml
@@ -19,7 +19,6 @@ ast:
name: Etiqueta
value: Conteníu
defaults:
- avatar: Avatar
bot: Esta cuenta ye d'un robó
chosen_languages: Peñera de llingües
confirm_new_password: Confirmación de la contraseña nueva
@@ -35,7 +34,6 @@ ast:
locked: Bloquiar cuenta
max_uses: Númberu máximu d'usos
new_password: Contraseña nueva
- note: Bio
otp_attempt: Códigu de verificación en dos pasos
password: Contraseña
phrase: Pallabra clave o fras
@@ -60,6 +58,5 @@ ast:
mention: Unviar un corréu cuando daquién te mente
'no': Non
required:
- mark: "*"
text: ríquese
'yes': Sí
diff --git a/config/locales/simple_form.bg.yml b/config/locales/simple_form.bg.yml
index 9441e53b37..9991bed3df 100644
--- a/config/locales/simple_form.bg.yml
+++ b/config/locales/simple_form.bg.yml
@@ -39,6 +39,5 @@ bg:
reblog: Изпращай e-mail, когато някой сподели твоя публикация
'no': Не
required:
- mark: "*"
text: задължително
'yes': Да
diff --git a/config/locales/simple_form.bn.yml b/config/locales/simple_form.bn.yml
new file mode 100644
index 0000000000..152c698290
--- /dev/null
+++ b/config/locales/simple_form.bn.yml
@@ -0,0 +1 @@
+bn:
diff --git a/config/locales/simple_form.ca.yml b/config/locales/simple_form.ca.yml
index ab6ee5033d..d8713e4cae 100644
--- a/config/locales/simple_form.ca.yml
+++ b/config/locales/simple_form.ca.yml
@@ -27,6 +27,7 @@ ca:
phrase: Es combinarà independentment del format en el text o l'avís de contingut d'un toot
scopes: A quines API es permetrà l'accés a l'aplicació. Si selecciones un àmbit d'alt nivell, no cal que seleccionis un d'individual.
setting_aggregate_reblogs: No mostra els nous impulsos dels toots que ja s'han impulsat recentment (només afecta als impulsos nous rebuts)
+ setting_default_sensitive: Els mèdia sensibles estan ocults per defecte i es poden revelar amb un clic
setting_display_media_default: Amaga els multimèdia marcats com a sensibles
setting_display_media_hide_all: Sempre oculta tots els multimèdia
setting_display_media_show_all: Mostra sempre els elements multimèdia marcats com a sensibles
@@ -39,6 +40,8 @@ ca:
name: 'És possible que vulguis utilitzar un d''aquests:'
imports:
data: Fitxer CSV exportat des d'un altre servidor de Mastodon
+ invite_request:
+ text: Això ens ajudarà a revisar la teva petició
sessions:
otp: 'Introdueix el codi de dos factors generat per el teu telèfon o utilitza un dels teus codis de recuperació:'
user:
@@ -86,6 +89,7 @@ ca:
otp_attempt: Codi de dos factors
password: Contrasenya
phrase: Paraula clau o frase
+ setting_advanced_layout: Activar l’interfície web avançada
setting_aggregate_reblogs: Agrupa impulsos en les línies de temps
setting_auto_play_gif: Reproducció automàtica de GIFs animats
setting_boost_modal: Mostra la finestra de confirmació abans d'impulsar
@@ -116,15 +120,19 @@ ca:
must_be_follower: Blocar les notificacions de persones que no et segueixen
must_be_following: Bloca les notificacions de persones que no segueixes
must_be_following_dm: Bloca els missatges directes de persones que no segueixes
+ invite_request:
+ text: Per què vols unir-te?
notification_emails:
digest: Envia un resum per correu electrònic
favourite: Envia un correu electrònic si algú marca com a preferit el teu estat
follow: Envia un correu electrònic si algú et segueix
follow_request: Envia un correu electrònic si algú sol·licita seguir-te
mention: Envia un correu electrònic si algú et menciona
+ pending_account: Envia un correu electrònic quan es necessiti revisar un compte nou
reblog: Envia un correu electrònic si algú comparteix el teu estat
report: Envia un correu electrònic quan s'enviï un nou informe
'no': 'No'
+ recommended: Recomanat
required:
mark: "*"
text: necessari
diff --git a/config/locales/simple_form.co.yml b/config/locales/simple_form.co.yml
index 2ca9882ef7..1f5dba43fb 100644
--- a/config/locales/simple_form.co.yml
+++ b/config/locales/simple_form.co.yml
@@ -49,7 +49,7 @@ co:
labels:
account:
fields:
- name: Label
+ name: Marcu
value: Cuntinutu
account_warning_preset:
text: Testu preselezziunatu
diff --git a/config/locales/simple_form.cy.yml b/config/locales/simple_form.cy.yml
index 2c7a1e112f..b3c879b2f2 100644
--- a/config/locales/simple_form.cy.yml
+++ b/config/locales/simple_form.cy.yml
@@ -34,7 +34,6 @@ cy:
labels:
account:
fields:
- name: Label
value: Cynnwys
account_warning_preset:
text: Testun rhagosodedig
@@ -57,7 +56,6 @@ cy:
confirm_password: Cadarnhau cyfrinair
context: Hidlo cyd-destunau
current_password: Cyfrinair presennol
- data: Data
discoverable: Rhestrwch y cyfrif hwn ar y cyfeiriadur
display_name: Enw arddangos
email: Cyfeiriad e-bost
@@ -74,7 +72,7 @@ cy:
otp_attempt: Côd dau gam
password: Cyfrinair
phrase: Allweddair neu ymadrodd
- setting_aggregate_reblogs: Grŵp hybiau mewn llinellau amser
+ setting_aggregate_reblogs: Grŵp hybiau mewn ffrydiau
setting_auto_play_gif: Chwarae GIFs wedi'u hanimeiddio yn awtomatig
setting_boost_modal: Dangos deialog cadarnhad cyn bŵstio
setting_default_language: Cyhoeddi iaith
@@ -111,6 +109,5 @@ cy:
report: Anfon e-bost pan y cyflwynir adroddiad newydd
'no': Na
required:
- mark: "*"
text: gofynnol
'yes': Ie
diff --git a/config/locales/simple_form.da.yml b/config/locales/simple_form.da.yml
index fd2024380e..324afece65 100644
--- a/config/locales/simple_form.da.yml
+++ b/config/locales/simple_form.da.yml
@@ -51,7 +51,6 @@ da:
confirm_password: Bekræft adgangskode
context: Filtrer sammenhænge
current_password: Nuværende adgangskode
- data: Data
display_name: Visningsnavn
email: E-mail adresse
expires_in: Udløber efter
@@ -103,6 +102,5 @@ da:
report: Send email når en ny anmeldelse bliver indsendt
'no': Nej
required:
- mark: "*"
text: påkrævet
'yes': Ja
diff --git a/config/locales/simple_form.de.yml b/config/locales/simple_form.de.yml
index 0fab1ff1f5..61e0f9740d 100644
--- a/config/locales/simple_form.de.yml
+++ b/config/locales/simple_form.de.yml
@@ -3,28 +3,28 @@ de:
simple_form:
hints:
account_warning_preset:
- text: Du kannst Toot-Syntax benutzen, wie zum Beispiel URLs, Hashtags und Erwähnungen
+ text: Du kannst Beitragssyntax benutzen, wie z.B. URLs, Hashtags und Erwähnungen
admin_account_action:
- send_email_notification: Der Benutzer erhält eine Erklärung, was mit seinem Account geschehen ist
- text_html: Optional. Du kannst Toot-Syntax benutzen. Du kannst Warnungsvorlagen benutzen um Zeit zu sparen
+ send_email_notification: Benutzer_in wird Bescheid gegeben, was mit dem Konto geschehen ist
+ text_html: Optional. Du kannst Beitragssyntax nutzen. Du kannst Warnungsvorlagen benutzen um Zeit zu sparen
type_html: Wähle aus, was du mit %{acct} machen möchtest
warning_preset_id: Optional. Du kannst immer noch eigenen Text an das Ende der Vorlage hinzufügen
defaults:
autofollow: Leute, die sich über deine Einladung registrieren, werden dir automatisch folgen
avatar: PNG, GIF oder JPG. Maximal %{size}. Wird auf %{dimensions} px herunterskaliert
bot: Dieses Konto führt lediglich automatisierte Aktionen durch und wird möglicherweise nicht überwacht
- context: Ein oder mehrere Aspekte, wo der Filter greifen soll
- digest: Wenn du lange Zeit inaktiv bist, wird dir eine Zusammenfassung von Erwähnungen in deiner Abwesenheit zugeschickt
- discoverable_html: Das Verzeichnis lässt dich basierend auf Interessen und Aktivitäten neue Benutzerkonten finden. Dies benötigt mindestens %{min_followers} Follower
+ context: Ein oder mehrere Kontexte, wo der Filter aktiv werden soll
+ digest: Wenn du eine lange Zeit inaktiv bist, wird dir eine Zusammenfassung von Erwähnungen zugeschickt, die du in deiner Abwesenheit empfangen hast
+ discoverable_html: Das Verzeichnis erlaubt es dein Profil durch deine Hashtags und deine Aktivitäten zu entdecken. Voraussetzung ist allerdings mindestens %{min_followers} Folger_innen
email: Du wirst eine Bestätigungs-E-Mail erhalten
fields: Du kannst bis zu 4 Elemente auf deinem Profil anzeigen lassen, die als Tabelle dargestellt werden
header: PNG, GIF oder JPG. Maximal %{size}. Wird auf %{dimensions} px herunterskaliert
inbox_url: Kopiere die URL von der Startseite des gewünschten Relays
- irreversible: Gefilterte Beiträge werden unwiderruflich gefiltert, selbst wenn der Filter später entfernt wurde
+ irreversible: Gefilterte Beiträge werden unwiderruflich gelöscht, selbst wenn der Filter später entfernt wird
locale: Die Sprache der Oberfläche, E-Mails und Push-Benachrichtigungen
locked: Wer dir folgen möchte, muss um deine Erlaubnis bitten
password: Verwende mindestens 8 Zeichen
- phrase: Wird unabhängig vom umgebenen Text oder Inhaltswarnung eines Beitrags verglichen
+ phrase: Wird schreibungsunabhängig mit dem Text und Inhaltswarnung eines Beitrags verglichen
scopes: Welche Schnittstellen der Applikation erlaubt sind. Wenn du einen Top-Level-Scope auswählst, dann musst du nicht jeden einzelnen darunter auswählen.
setting_aggregate_reblogs: Zeige denselben Beitrag nicht nochmal an, wenn er erneut geteilt wurde (dies betrifft nur neulich erhaltene erneut geteilte Beiträge)
setting_default_sensitive: Heikle Medien werden erst nach einem Klick sichtbar
@@ -33,9 +33,9 @@ de:
setting_display_media_show_all: Medien, die als sensibel markiert sind, immer anzeigen
setting_hide_network: Wem du folgst und wer dir folgt, wird in deinem Profil nicht angezeigt
setting_noindex: Betrifft dein öffentliches Profil und deine Beiträge
- setting_show_application: Die Anwendung, die du zum Schreiben von Beiträgen benutzt wird in der detaillierten Ansicht deiner Beiträge angezeigt
- username: Dein Benutzer:innen-Name wird auf %{domain} nur einmal vorkommen
- whole_word: Wenn das Schlagwort oder die Phrase nur Buchstaben und Zahlen enthält, wird es nur angewendet, wenn es dem ganzen Wort entspricht
+ setting_show_application: Die Anwendung die du nutzst wird in der detaillierten Ansicht deiner Beiträge angezeigt
+ username: Dein Profilname wird auf %{domain} einzigartig sein
+ whole_word: Wenn das Schlagwort nur aus Buchstaben und Zahlen besteht, wird es nur angewendet, wenn es dem ganzen Wort entspricht
featured_tag:
name: 'Du möchtest vielleicht einen von diesen benutzen:'
imports:
@@ -43,9 +43,9 @@ de:
invite_request:
text: Dies wird uns helfen deine Anmeldungsanfrage besser zu verarbeiten
sessions:
- otp: 'Gib den Zwei-Faktor-Authentisierungscode von deinem Telefon ein oder benutze einen deiner Wiederherstellungscodes:'
+ otp: 'Gib die Zwei-Faktor-Authentifizierung von deinem Telefon ein oder benutze einen deiner Wiederherstellungscodes:'
user:
- chosen_languages: Wenn dies aktiviert ist, dann werden nur Beiträge in den ausgewählten Sprachen auf der öffentlichen Timeline angezeigt
+ chosen_languages: Wenn aktiviert, werden nur Beiträge in den ausgewählten Sprachen auf den öffentlichen Zeitleisten angezeigt
labels:
account:
fields:
@@ -61,74 +61,74 @@ de:
disable: Deaktivieren
none: Nichts tun
silence: Stummschalten
- suspend: Deaktivieren und unwiderruflich Benutzerdaten löschen
+ suspend: Deaktivieren und Benutzerdaten unwiderruflich löschen
warning_preset_id: Benutze eine Warnungsvorlage
defaults:
- autofollow: Einladen, um deinem Account zu folgen
+ autofollow: Eingeladene Nutzer_innen sollen dir automatisch folgen
avatar: Profilbild
- bot: Dieser Benutzer ist ein Bot
+ bot: Dieses Profil ist ein Bot
chosen_languages: Sprachen filtern
confirm_new_password: Neues Passwort bestätigen
confirm_password: Passwort bestätigen
- context: Aspekte filtern
+ context: In Kontexten filtern
current_password: Derzeitiges Passwort
data: Daten
- discoverable: Dieses Benutzerkonto im Verzeichnis auflisten
+ discoverable: Dieses Profil im Profilverzeichnis zeigen
display_name: Anzeigename
email: E-Mail-Adresse
expires_in: Läuft ab
- fields: Profil-Metadaten
+ fields: Tabellenfelder
header: Titelbild
- inbox_url: Inbox-URL des Relays
+ inbox_url: Inbox-URL des Relais
irreversible: Verwerfen statt verstecken
locale: Sprache der Benutzeroberfläche
- locked: Gesperrtes Profil
+ locked: Profil sperren
max_uses: Maximale Verwendungen
new_password: Neues Passwort
note: Über mich
- otp_attempt: Zwei-Faktor-Authentisierungs-Code
+ otp_attempt: Zwei-Faktor-Authentifizierung
password: Passwort
- phrase: Schlagwort oder Phrase
+ phrase: Schlagwort oder Satz
setting_advanced_layout: Fortgeschrittene Benutzeroberfläche benutzen
- setting_aggregate_reblogs: Gruppiere erneut geteilte Beiträge in Zeitleisten
+ setting_aggregate_reblogs: Gruppiere erneut geteilte Beiträge auf der Startseite
setting_auto_play_gif: Animierte GIFs automatisch abspielen
setting_boost_modal: Bestätigungsdialog anzeigen, bevor ein Beitrag geteilt wird
setting_default_language: Beitragssprache
setting_default_privacy: Beitragssichtbarkeit
- setting_default_sensitive: Medien immer als sensibel markieren
+ setting_default_sensitive: Medien immer als heikel markieren
setting_delete_modal: Bestätigungsdialog anzeigen, bevor ein Beitrag gelöscht wird
setting_display_media: Medien-Anzeige
- setting_display_media_default: Standard
- setting_display_media_hide_all: Alle verstecken
- setting_display_media_show_all: Alle anzeigen
+ setting_display_media_default: Heikle Inhalte verstecken
+ setting_display_media_hide_all: Alle Medien verstecken
+ setting_display_media_show_all: Alle Medien anzeigen
setting_expand_spoilers: Beiträge mit Inhaltswarnungen immer ausklappen
- setting_hide_network: Blende dein Netzwerk aus
+ setting_hide_network: Netzwerk ausblenden
setting_noindex: Suchmaschinen-Indexierung verhindern
setting_reduce_motion: Bewegung in Animationen verringern
setting_show_application: Anwendung preisgeben, die benutzt wurde um Beiträge zu versenden
setting_system_font_ui: Standardschriftart des Systems verwenden
- setting_theme: Theme der Website
+ setting_theme: Theme
setting_unfollow_modal: Bestätigungsdialog anzeigen, bevor jemandem entfolgt wird
severity: Schweregrad
- type: Importtyp
+ type: Art des Imports
username: Profilname
username_or_email: Profilname oder E-Mail
whole_word: Ganzes Wort
featured_tag:
name: Hashtag
interactions:
- must_be_follower: Benachrichtigungen von Nicht-Folgenden blockieren
+ must_be_follower: Benachrichtigungen von Profilen blockieren, die mir nicht folgen
must_be_following: Benachrichtigungen von Profilen blockieren, denen ich nicht folge
must_be_following_dm: Private Nachrichten von Profilen, denen ich nicht folge, blockieren
invite_request:
text: Warum möchtest du beitreten?
notification_emails:
- digest: Schicke Übersichts-E-Mails
+ digest: Kurzfassungen über E-Mail senden
favourite: E-Mail senden, wenn jemand meinen Beitrag favorisiert
follow: E-Mail senden, wenn mir jemand folgt
follow_request: E-Mail senden, wenn mir jemand folgen möchte
mention: E-Mail senden, wenn mich jemand erwähnt
- pending_account: E-Mail senden, wenn ein Benutzerkonto zur Überprüfung aussteht
+ pending_account: E-Mail senden, wenn ein neues Benutzerkonto zur Überprüfung aussteht
reblog: E-Mail senden, wenn jemand meinen Beitrag teilt
report: E-Mail senden, wenn ein neuer Bericht vorliegt
'no': Nein
diff --git a/config/locales/simple_form.el.yml b/config/locales/simple_form.el.yml
index 2201ff498c..bd78881aef 100644
--- a/config/locales/simple_form.el.yml
+++ b/config/locales/simple_form.el.yml
@@ -27,6 +27,7 @@ el:
phrase: Θα ταιριάζει ανεξαρτήτως πεζών/κεφαλαίων ή προειδοποίησης περιεχομένου του τουτ
scopes: Ποια API θα επιτρέπεται στην εφαρμογή να χρησιμοποιήσεις. Αν επιλέξεις κάποιο υψηλό εύρος εφαρμογής, δε χρειάζεται να επιλέξεις και εξειδικευμένα.
setting_aggregate_reblogs: Απόκρυψη των νέων προωθήσεωνγια τα τουτ που έχουν προωθηθεί πρόσφατα (επηρεάζει μόνο τις νέες προωθήσεις)
+ setting_default_sensitive: Τα ευαίσθητα πολυμέσα είναι κρυμμένα και εμφανίζονται με ένα κλικ
setting_display_media_default: Απόκρυψη ευαίσθητων πολυμέσων
setting_display_media_hide_all: Μόνιμη απόκρυψη όλων των πολυμέσων
setting_display_media_show_all: Μόνιμη εμφάνιση ευαίσθητων πολυμέσων
@@ -39,6 +40,8 @@ el:
name: 'Ίσως να θες να χρησιμοποιήσεις μια από αυτές:'
imports:
data: Αρχείο CSV που έχει εξαχθεί από διαφορετικό κόμβο Mastodon
+ invite_request:
+ text: Αυτό θα μας βοηθήσει να επιθεωρήσουμε την αίτησή σου
sessions:
otp: 'Βάλε τον κωδικό δυο παραγόντων (2FA) από την εφαρμογή του τηλεφώνου σου ή χρησιμοποίησε κάποιον από τους κωδικούς ανάκτησης σου:'
user:
@@ -86,6 +89,7 @@ el:
otp_attempt: Κωδικός δυο παραγόντων
password: Συνθηματικό
phrase: Λέξη ή φράση κλειδί
+ setting_advanced_layout: Ενεργοποίηση προηγμένης λειτουργίας χρήσης
setting_aggregate_reblogs: Ομαδοποίηση προωθήσεων στις ροές
setting_auto_play_gif: Αυτόματη αναπαραγωγή των GIF
setting_boost_modal: Εμφάνιση ερώτησης επιβεβαίωσης πριν την προώθηση
@@ -116,15 +120,19 @@ el:
must_be_follower: Μπλόκαρε τις ειδοποιήσεις από όσους δεν ακολουθείς
must_be_following: Μπλόκαρε τις ειδοποιήσεις που προέρχονται από άτομα που δεν τα ακολουθείς
must_be_following_dm: Μπλόκαρε τα προσωπικά μηνύματα από όσους δεν ακολουθείς
+ invite_request:
+ text: Γιατί θέλεις να συμμετάσχεις;
notification_emails:
digest: Στέλνε συνοπτικά email
favourite: Στελνε email όταν κάποιος σημειώνει ως αγαπημένη τη δημοσίευσή σου
follow: Στελνε email όταν κάποιος σε ακολουθεί
follow_request: Στέλνε email όταν κάποιος ζητάει να σε ακολουθήσει
mention: Στέλνε email όταν κάποιος σε αναφέρει
+ pending_account: Αποστολή email όταν υπάρχει νέος λογαριασμός για επιθεώρηση
reblog: Στέλνε email όταν κάποιος προωθεί τη δημοσίευση σου
report: Αποστολή email όταν υποβάλλεται νέα καταγγελία
'no': Όχι
+ recommended: Προτείνεται
required:
mark: "*"
text: απαιτείται
diff --git a/config/locales/simple_form.eo.yml b/config/locales/simple_form.eo.yml
index 0ac42102a2..1b63b27a89 100644
--- a/config/locales/simple_form.eo.yml
+++ b/config/locales/simple_form.eo.yml
@@ -27,6 +27,7 @@ eo:
phrase: Estos provita senzorge pri la uskleco de teksto aŭ averto pri enhavo de mesaĝo
scopes: Kiujn API-ojn la aplikaĵo permesiĝos atingi. Se vi elektas supran amplekson, vi ne bezonas elekti la individuajn.
setting_aggregate_reblogs: Ne montri novajn diskonigojn de mesaĝoj laste diskonigitaj (nur efikas al novaj diskonigoj)
+ setting_default_sensitive: Sentema komunikilo estas kaŝita defaŭlte kaj povas esti rivelita per alklako
setting_display_media_default: Kaŝi aŭdovidaĵojn markitajn kiel tiklaj
setting_display_media_hide_all: Ĉiam kaŝi ĉiujn aŭdovidaĵojn
setting_display_media_show_all: Ĉiam montri aŭdovidaĵojn markitajn kiel tiklaj
@@ -39,6 +40,8 @@ eo:
name: 'Vi povus uzi iun el la jenaj:'
imports:
data: CSV-dosiero el alia Mastodon-servilo
+ invite_request:
+ text: Ĉi tio helpos nin revizii vian kandidatiĝon
sessions:
otp: 'Enmetu la kodon de dufaktora aŭtentigo el via telefono aŭ uzu unu el viaj realiraj kodoj:'
user:
@@ -86,6 +89,7 @@ eo:
otp_attempt: Kodo de dufaktora aŭtentigo
password: Pasvorto
phrase: Vorto aŭ frazo
+ setting_advanced_layout: Ebligi altnivelan retpaĝan interfacon
setting_aggregate_reblogs: Grupigi diskonigojn en tempolinioj
setting_auto_play_gif: Aŭtomate ekigi GIF-ojn
setting_boost_modal: Montri fenestron por konfirmi antaŭ ol diskonigi
@@ -116,15 +120,19 @@ eo:
must_be_follower: Bloki sciigojn de nesekvantoj
must_be_following: Bloki sciigojn de homoj, kiujn vi ne sekvas
must_be_following_dm: Bloki rektajn mesaĝojn de homoj, kiujn vi ne sekvas
+ invite_request:
+ text: Kial vi volas aliĝi?
notification_emails:
digest: Sendi resumajn retmesaĝojn
favourite: Sendi retmesaĝon kiam iu stelumas vian mesaĝon
follow: Sendi retmesaĝon kiam iu sekvas vin
follow_request: Sendi retmesaĝon kiam iu petas sekvi vin
mention: Sendi retmesaĝon kiam iu mencias vin
+ pending_account: Sendi retmesaĝon kiam nova konto bezonas kontrolon
reblog: Sendi retmesaĝon kiam iu diskonigas vian mesaĝon
report: Sendi retmesaĝon kiam nova signalo estas sendita
'no': Ne
+ recommended: Rekomendita
required:
mark: "*"
text: bezonata
diff --git a/config/locales/simple_form.es.yml b/config/locales/simple_form.es.yml
index da11df3f78..7b871e8ba0 100644
--- a/config/locales/simple_form.es.yml
+++ b/config/locales/simple_form.es.yml
@@ -2,25 +2,34 @@
es:
simple_form:
hints:
+ account_warning_preset:
+ text: Puede usar sintaxis de toots, como URLs, hashtags y menciones
+ admin_account_action:
+ send_email_notification: El usuario recibirá una explicación de lo que sucedió con respecto a su cuenta
defaults:
autofollow: Los usuarios que se registren mediante la invitación te seguirán automáticamente
avatar: PNG, GIF o JPG. Máximo %{size}. Será escalado a %{dimensions}px
bot: Esta cuenta ejecuta principalmente acciones automatizadas y podría no ser monitorizada
context: Uno o múltiples contextos en los que debe aplicarse el filtro
digest: Solo enviado tras un largo periodo de inactividad y solo si has recibido mensajes personales durante tu ausencia
+ email: Se le enviará un correo de confirmación
fields: Puedes tener hasta 4 elementos mostrándose como una tabla en tu perfil
header: PNG, GIF o JPG. Máximo %{size}. Será escalado a %{dimensions}px
inbox_url: Copia la URL de la página principal del relés que quieres utilizar
irreversible: Los toots filtrados desaparecerán irreversiblemente, incluso si este filtro es eliminado más adelante
locale: El idioma de la interfaz de usuario, correos y notificaciones push
locked: Requiere que manualmente apruebes seguidores y las publicaciones serán mostradas solamente a tus seguidores
+ password: Utilice al menos 8 caracteres
phrase: Se aplicará sin importar las mayúsculas o los avisos de contenido de un toot
scopes: Qué APIs de la aplicación tendrán acceso. Si seleccionas el alcance de nivel mas alto, no necesitas seleccionar las individuales.
setting_hide_network: A quién sigues y quién te sigue no será mostrado en tu perfil
setting_noindex: Afecta a tu perfil público y páginas de estado
+ setting_show_application: La aplicación que utiliza usted para publicar toots se mostrará en la vista detallada de sus toots
whole_word: Cuando la palabra clave o frase es solo alfanumérica, solo será aplicado si concuerda con toda la palabra
imports:
data: Archivo CSV exportado desde otra instancia de Mastodon
+ invite_request:
+ text: Esto nos ayudará a revisar su aplicación
sessions:
otp: 'Introduce el código de autenticación de dos factores geberado por tu aplicación de teléfono o usa uno de tus códigos de recuperación:'
user:
@@ -30,9 +39,15 @@ es:
fields:
name: Etiqueta
value: Contenido
+ admin_account_action:
+ send_email_notification: Notificar al usuario por correo electrónico
+ text: Aviso personalizado
+ type: Acción
+ types:
+ disable: Deshabilitar
+ silence: Silenciar
defaults:
autofollow: Invitar a seguir tu cuenta
- avatar: Avatar
bot: Esta es una cuenta bot
chosen_languages: Filtrar idiomas
confirm_new_password: Confirmar nueva contraseña
@@ -64,6 +79,7 @@ es:
setting_hide_network: Ocultar tu red
setting_noindex: Excluirse del indexado de motores de búsqueda
setting_reduce_motion: Reducir el movimiento de las animaciones
+ setting_show_application: Mostrar aplicación usada para publicar toots
setting_system_font_ui: Utilizar la tipografía por defecto del sistema
setting_theme: Tema del sitio
setting_unfollow_modal: Mostrar diálogo de confirmación antes de dejar de seguir a alguien
@@ -76,16 +92,19 @@ es:
must_be_follower: Bloquear notificaciones de personas que no te siguen
must_be_following: Bloquear notificaciones de personas que no sigues
must_be_following_dm: Bloquear mensajes directos de la gente que no sigues
+ invite_request:
+ text: "¿Por qué quiere unirse usted?"
notification_emails:
digest: Enviar resumen de correos electrónicos
favourite: Enviar correo electrónico cuando alguien de a favorito en su publicación
follow: Enviar correo electrónico cuando alguien te siga
follow_request: Enviar correo electrónico cuando alguien solicita seguirte
mention: Enviar correo electrónico cuando alguien te mencione
+ pending_account: Enviar correo electrónico cuando una nueva cuenta necesita revisión
reblog: Enviar correo electrónico cuando alguien comparta su publicación
report: Enviar un correo cuando se envía un nuevo informe
'no': 'No'
+ recommended: Recomendado
required:
- mark: "*"
text: necesario
'yes': Sí
diff --git a/config/locales/simple_form.eu.yml b/config/locales/simple_form.eu.yml
index 36688ee552..acd5fd6d98 100644
--- a/config/locales/simple_form.eu.yml
+++ b/config/locales/simple_form.eu.yml
@@ -27,6 +27,7 @@ eu:
phrase: Bat egingo du Maiuskula/minuskula kontuan hartu gabe eta edukiaren abisua kontuan hartu gabe
scopes: Zeintzuk API atzitu ditzakeen aplikazioak. Goi mailako arloa aukeratzen baduzu, ez dituzu azpikoak aukeratu behar.
setting_aggregate_reblogs: Ez erakutsi buktzada berriak berriki bultzada jaso duten tootentzat (berriki jasotako bultzadei eragiten die besterik ez)
+ setting_default_sensitive: Multimedia hunkigarria lehenetsita ezkutatzen da, eta sakatuz ikusi daiteke
setting_display_media_default: Ezkutatu hunkigarri gisa markatutako multimedia
setting_display_media_hide_all: Ezkutatu multimedia guztia beti
setting_display_media_show_all: Erakutsi beti hunkigarri gisa markatutako multimedia
@@ -39,6 +40,8 @@ eu:
name: 'Hauetakoren bat erabili zenezake:'
imports:
data: Beste Mastodon zerbitzari batetik esportatutako CSV fitxategia
+ invite_request:
+ text: Honek zure eskaera berrikustean lagunduko digu
sessions:
otp: 'Sartu zure telefonoko aplikazioak sortutako bi faktoreetako kodea, edo erabili zure berreskuratze kodeetako bat:'
user:
@@ -86,6 +89,7 @@ eu:
otp_attempt: Bi faktoreetako kodea
password: Pasahitza
phrase: Hitz edo esaldi gakoa
+ setting_advanced_layout: Gaitu web interfaze aurreratua
setting_aggregate_reblogs: Taldekatu bultzadak denbora-lerroetan
setting_auto_play_gif: Erreproduzitu GIF animatuak automatikoki
setting_boost_modal: Erakutsi baieztapen elkarrizketa-koadroa bultzada eman aurretik
@@ -116,15 +120,19 @@ eu:
must_be_follower: Blokeatu jarraitzaile ez direnen jakinarazpenak
must_be_following: Blokeatu zuk jarraitzen ez dituzunen jakinarazpenak
must_be_following_dm: Blokeatu zuk jarraitzen ez dituzunen mezu zuzenak
+ invite_request:
+ text: Zergatik elkartu nahi duzu?
notification_emails:
digest: Bidali laburpenak e-mail bidez
favourite: Bidali e-mail bat norbaitek zure mezua gogoko duenean
follow: Bidali e-mail bat norbaitek jarraitzen zaituenean
follow_request: Bidali e-mail bat norbaitek zu jarraitzea eskatzen duenean
mention: Bidali e-mail bat norbaitek zu aipatzean
+ pending_account: Bidali e-mail bat kontu bat berrikusi behar denean
reblog: Bidali e-mail bat norbaitek zure mezuari bultzada ematen badio
report: Bidali e-maila txosten berri bat aurkezten denean
'no': Ez
+ recommended: Aholkatua
required:
mark: "*"
text: beharrezkoa
diff --git a/config/locales/simple_form.fa.yml b/config/locales/simple_form.fa.yml
index 543642866e..cbe97095b9 100644
--- a/config/locales/simple_form.fa.yml
+++ b/config/locales/simple_form.fa.yml
@@ -126,6 +126,5 @@ fa:
report: وقتی گزارش تازهای فرستاده شد ایمیل بفرست
'no': خیر
required:
- mark: "*"
text: ضروری
'yes': بله
diff --git a/config/locales/simple_form.fi.yml b/config/locales/simple_form.fi.yml
index c44925b356..2bb56b40ec 100644
--- a/config/locales/simple_form.fi.yml
+++ b/config/locales/simple_form.fi.yml
@@ -4,7 +4,6 @@ fi:
hints:
admin_account_action:
send_email_notification: Käyttäjä saa selityksen mitä tapahtui hänen tililleen
- type_html: Valitse mitä teet 1%{acct}2
defaults:
avatar: PNG, GIF tai JPG. Enintään %{size}. Skaalataan kokoon %{dimensions} px
digest: Lähetetään vain pitkän poissaolon jälkeen ja vain, jos olet saanut suoria viestejä poissaolosi aikana
@@ -65,6 +64,5 @@ fi:
reblog: Lähetä sähköposti, kun joku buustaa julkaisusi
'no': Ei
required:
- mark: "*"
text: pakollinen tieto
'yes': Kyllä
diff --git a/config/locales/simple_form.fr.yml b/config/locales/simple_form.fr.yml
index a1f9e293c8..6b3aa9bfba 100644
--- a/config/locales/simple_form.fr.yml
+++ b/config/locales/simple_form.fr.yml
@@ -28,7 +28,7 @@ fr:
scopes: À quelles APIs l’application sera autorisée à accéder. Si vous sélectionnez un périmètre de haut-niveau, vous n’avez pas besoin de sélectionner les individuels.
setting_aggregate_reblogs: Ne pas afficher de nouveaux repartagés pour les pouets qui ont été récemment repartagés (n’affecte que les repartagés nouvellement reçus)
setting_default_sensitive: Les médias sensibles sont cachés par défaut et peuvent être révélés d’un simple clic
- setting_display_media_default: Masquer les supports marqués comme sensibles
+ setting_display_media_default: Masquer les médias marqués comme sensibles
setting_display_media_hide_all: Toujours masquer tous les médias
setting_display_media_show_all: Toujours afficher les médias marqués comme sensibles
setting_hide_network: Ceux que vous suivez et ceux qui vous suivent ne seront pas affichés sur votre profil
@@ -60,7 +60,7 @@ fr:
types:
disable: Désactiver
none: Ne rien faire
- silence: Silence
+ silence: Masquer
suspend: Suspendre et effacer les données du compte de manière irréversible
warning_preset_id: Utiliser un modèle d’avertissement
defaults:
diff --git a/config/locales/simple_form.gl.yml b/config/locales/simple_form.gl.yml
index c06f027add..22389051fb 100644
--- a/config/locales/simple_form.gl.yml
+++ b/config/locales/simple_form.gl.yml
@@ -27,6 +27,7 @@ gl:
phrase: Concordará independentemente das maiúsculas ou avisos de contido no toot
scopes: A que APIs terá acceso a aplicación. Si selecciona un ámbito de alto nivel, non precisa seleccionar elementos individuais.
setting_aggregate_reblogs: Non mostrar novas promocións de toots que foron promocionados recentemente (só afecta a promocións recén recibidas)
+ setting_default_sensitive: Medios sensibles marcados como ocultos por defecto e móstranse cun click
setting_display_media_default: Ocultar medios marcados como sensibles
setting_display_media_hide_all: Ocultar sempre os medios
setting_display_media_show_all: Mostrar sempre os medios marcados como sensibles
@@ -39,6 +40,8 @@ gl:
name: 'Podería utilizar algunha de estas:'
imports:
data: Ficheiro CSV exportado desde outro servidor Mastodon
+ invite_request:
+ text: Esto axudaranos a revisar a súa aplicación
sessions:
otp: 'Introduza o código de doble-factor xerado no aplicativo do seu móbil ou utilice un dos seus códigos de recuperación:'
user:
@@ -86,6 +89,7 @@ gl:
otp_attempt: Código de Doble-Factor
password: Contrasinal
phrase: Palabra chave ou frase
+ setting_advanced_layout: Activar interface web avanzada
setting_aggregate_reblogs: Agrupar promocións nas liñas temporais
setting_auto_play_gif: Reprodución automática de GIFs animados
setting_boost_modal: Pedir confirmación antes de promocionar
@@ -116,15 +120,19 @@ gl:
must_be_follower: Bloquear as notificacións de non-seguidoras
must_be_following: Bloquea as notificacións de personas que non segue
must_be_following_dm: Bloquea as mensaxes directas de personas que non segue
+ invite_request:
+ text: Por que quere unirse?
notification_emails:
digest: Enviar correos con resumos
favourite: Enviar un correo cando alguén marca como favorita unha das súas publicacións
follow: Enviar un correo cando alguén a segue
follow_request: Enviar un correo cando alguén solicita seguila
mention: Enviar un correo cando alguén a menciona
+ pending_account: Enviar correo-e cando unha nova conta precisa revisión
reblog: Enviar un correo cando alguén promociona a súa mensaxe
report: Enviar un correo cando se envíe un novo informe
'no': Non
+ recommended: Recomendado
required:
mark: "*"
text: requerido
diff --git a/config/locales/simple_form.he.yml b/config/locales/simple_form.he.yml
index 6fda0a0575..36d7cbf672 100644
--- a/config/locales/simple_form.he.yml
+++ b/config/locales/simple_form.he.yml
@@ -56,6 +56,5 @@ he:
reblog: שליחת דוא"ל כשמהדהדים חצרוץ שלך
'no': לא
required:
- mark: "*"
text: שדה חובה
'yes': כן
diff --git a/config/locales/simple_form.hr.yml b/config/locales/simple_form.hr.yml
index 4b1d2b1e0a..083343307f 100644
--- a/config/locales/simple_form.hr.yml
+++ b/config/locales/simple_form.hr.yml
@@ -10,18 +10,15 @@ hr:
data: CSV fajl izvezen iz druge Mastodon instance
labels:
defaults:
- avatar: Avatar
confirm_new_password: Potvrdi novu lozinku
confirm_password: Potvrdi lozinku
current_password: Trenutna lozinka
data: Podaci
display_name: Ime koje ću prikazati
email: E-mail adresa
- header: Header
locale: Jezik
locked: Učini račun privatnim
new_password: Nova lozinka
- note: Bio
otp_attempt: Dvo-faktorski kod
password: Lozinka
setting_auto_play_gif: Automatski pokreni animirane GIFove
@@ -40,6 +37,5 @@ hr:
reblog: Pošalji mi e-mail kad netko rebloga moj status
'no': Ne
required:
- mark: "*"
text: traženo
'yes': Da
diff --git a/config/locales/simple_form.hu.yml b/config/locales/simple_form.hu.yml
index db62b580f1..c508a59068 100644
--- a/config/locales/simple_form.hu.yml
+++ b/config/locales/simple_form.hu.yml
@@ -56,6 +56,5 @@ hu:
reblog: E-mail küldése amikor valaki reblogolja az állapotod
'no': Nem
required:
- mark: "*"
text: kötelező
'yes': Igen
diff --git a/config/locales/simple_form.hy.yml b/config/locales/simple_form.hy.yml
new file mode 100644
index 0000000000..c406540162
--- /dev/null
+++ b/config/locales/simple_form.hy.yml
@@ -0,0 +1 @@
+hy:
diff --git a/config/locales/simple_form.id.yml b/config/locales/simple_form.id.yml
index c6da2beff3..ba9fbb4e88 100644
--- a/config/locales/simple_form.id.yml
+++ b/config/locales/simple_form.id.yml
@@ -12,18 +12,14 @@ id:
otp: Masukkan kode dua-faktor dari handphone atau gunakan kode pemulihan anda.
labels:
defaults:
- avatar: Avatar
confirm_new_password: Konfirmasi kata sandi baru
confirm_password: Konfirmasi kata sandi
current_password: Kata sandi sekarang
- data: Data
display_name: Nama yang ditampilkan
email: Alamat e-mail
- header: Header
locale: Bahasa
locked: Buat akun menjadi pribadi
new_password: Password baru
- note: Bio
otp_attempt: Kode dua-faktor
password: Kata sandi
setting_boost_modal: Tampilkan dialog konfirmasi dialog sebelum boost
@@ -43,6 +39,5 @@ id:
reblog: Kirim email saat seseorang mem-boost status anda
'no': Tidak
required:
- mark: "*"
text: wajib
'yes': Ya
diff --git a/config/locales/simple_form.io.yml b/config/locales/simple_form.io.yml
index c9fd9899e8..4d640fd9ad 100644
--- a/config/locales/simple_form.io.yml
+++ b/config/locales/simple_form.io.yml
@@ -26,10 +26,7 @@ io:
note: Suprizento
otp_attempt: Dufaktora identigilo
password: Pasvorto
- setting_auto_play_gif: Auto-play animated GIFs
- setting_boost_modal: Show confirmation dialog before boosting
setting_default_privacy: Videbleso di la mesaji
- severity: Severity
type: Tipo di importaco
username: Uzernomo
interactions:
@@ -42,8 +39,5 @@ io:
follow_request: Sendar retpost-mesajo, kande ulu diskonocigas mesajo da tu
mention: Sendar retpost-mesajo, kande ulu mencionas tu
reblog: Sendar retpost-mesajo, kande ulu diskonocigas mesajo da tu
- 'no': 'No'
required:
- mark: "*"
text: bezonata
- 'yes': 'Yes'
diff --git a/config/locales/simple_form.it.yml b/config/locales/simple_form.it.yml
index fd1bc9597d..b832a80351 100644
--- a/config/locales/simple_form.it.yml
+++ b/config/locales/simple_form.it.yml
@@ -62,14 +62,12 @@ it:
warning_preset_id: Usa un avviso preimpostato
defaults:
autofollow: Invita a seguire il tuo account
- avatar: Avatar
bot: Questo account è un bot
chosen_languages: Filtra lingue
confirm_new_password: Conferma nuova password
confirm_password: Conferma password
context: Contesti del filtro
current_password: Password corrente
- data: Data
discoverable: Inserisci questo account nella directory
display_name: Nome visualizzato
email: Indirizzo email
@@ -84,7 +82,6 @@ it:
new_password: Nuova password
note: Biografia
otp_attempt: Codice due-fattori
- password: Password
phrase: Parola chiave o frase
setting_aggregate_reblogs: Raggruppa condivisioni in timeline
setting_auto_play_gif: Play automatico GIF animate
@@ -110,8 +107,6 @@ it:
username: Nome utente
username_or_email: Nome utente o email
whole_word: Parola intera
- featured_tag:
- name: Hashtag
interactions:
must_be_follower: Blocca notifiche da chi non ti segue
must_be_following: Blocca notifiche dalle persone che non segui
@@ -124,8 +119,6 @@ it:
mention: Invia email quando qualcuno ti menziona
reblog: Invia email quando qualcuno da un boost al tuo stato
report: Manda una mail quando viene inviato un nuovo rapporto
- 'no': 'No'
required:
- mark: "*"
text: richiesto
'yes': Si
diff --git a/config/locales/simple_form.ja.yml b/config/locales/simple_form.ja.yml
index 8362c31efc..89f2e7a8de 100644
--- a/config/locales/simple_form.ja.yml
+++ b/config/locales/simple_form.ja.yml
@@ -27,6 +27,7 @@ ja:
phrase: トゥートの大文字小文字や閲覧注意に関係なく一致
scopes: アプリの API に許可するアクセス権を選択してください。最上位のスコープを選択する場合、個々のスコープを選択する必要はありません。
setting_aggregate_reblogs: 最近ブーストされたトゥートが新たにブーストされても表示しません (設定後受信したものにのみ影響)
+ setting_default_sensitive: 閲覧注意状態のメディアはデフォルトでは内容が伏せられ、クリックして初めて閲覧できるようになります
setting_display_media_default: 閲覧注意としてマークされたメディアは隠す
setting_display_media_hide_all: 全てのメディアを常に隠す
setting_display_media_show_all: 閲覧注意としてマークされたメディアも常に表示する
@@ -105,7 +106,7 @@ ja:
setting_hide_network: 繋がりを隠す
setting_noindex: 検索エンジンによるインデックスを拒否する
setting_reduce_motion: アニメーションの動きを減らす
- setting_show_application: トゥートの送信に使用したアプリを開示する
+ setting_show_application: 送信したアプリを開示する
setting_system_font_ui: システムのデフォルトフォントを使う
setting_theme: サイトテーマ
setting_unfollow_modal: フォローを解除する前に確認ダイアログを表示する
@@ -132,7 +133,7 @@ ja:
reblog: トゥートがブーストされた時にメールで通知する
report: 通報を受けた時にメールで通知する
'no': いいえ
+ recommended: おすすめ
required:
- mark: "*"
text: 必須
'yes': はい
diff --git a/config/locales/simple_form.ka.yml b/config/locales/simple_form.ka.yml
index 55a940d784..2df3db45bf 100644
--- a/config/locales/simple_form.ka.yml
+++ b/config/locales/simple_form.ka.yml
@@ -85,6 +85,5 @@ ka:
reblog: გამოიგზავნოს წერილი როდესაც ვინმე გაზრდის თქვენს სტატუსს
'no': არა
required:
- mark: "*"
text: აუცილებელი
'yes': კი
diff --git a/config/locales/simple_form.kk.yml b/config/locales/simple_form.kk.yml
index 0967ef424b..1dcc9b127c 100644
--- a/config/locales/simple_form.kk.yml
+++ b/config/locales/simple_form.kk.yml
@@ -1 +1 @@
-{}
+kk:
diff --git a/config/locales/simple_form.ko.yml b/config/locales/simple_form.ko.yml
index efa11f7f0b..8147cde5db 100644
--- a/config/locales/simple_form.ko.yml
+++ b/config/locales/simple_form.ko.yml
@@ -134,6 +134,5 @@ ko:
'no': 아니오
recommended: 추천함
required:
- mark: "*"
text: 필수 항목
'yes': 네
diff --git a/config/locales/simple_form.lt.yml b/config/locales/simple_form.lt.yml
new file mode 100644
index 0000000000..6c5cb837ac
--- /dev/null
+++ b/config/locales/simple_form.lt.yml
@@ -0,0 +1 @@
+lt:
diff --git a/config/locales/simple_form.lv.yml b/config/locales/simple_form.lv.yml
new file mode 100644
index 0000000000..1be0eabc09
--- /dev/null
+++ b/config/locales/simple_form.lv.yml
@@ -0,0 +1 @@
+lv:
diff --git a/config/locales/simple_form.ms.yml b/config/locales/simple_form.ms.yml
new file mode 100644
index 0000000000..2925688a03
--- /dev/null
+++ b/config/locales/simple_form.ms.yml
@@ -0,0 +1 @@
+ms:
diff --git a/config/locales/simple_form.nl.yml b/config/locales/simple_form.nl.yml
index d9607f5b69..58d29ce12c 100644
--- a/config/locales/simple_form.nl.yml
+++ b/config/locales/simple_form.nl.yml
@@ -27,6 +27,7 @@ nl:
phrase: Komt overeen ongeacht hoofd-/kleine letters of tekstwaarschuwingen
scopes: Tot welke API's heeft de toepassing toegang. Wanneer je een toestemming van het bovenste niveau kiest, hoef je geen individuele toestemmingen meer te kiezen.
setting_aggregate_reblogs: Geen nieuwe boosts tonen voor toots die recentelijk nog zijn geboost (heeft alleen effect op nieuw ontvangen boosts)
+ setting_default_sensitive: Gevoelige media wordt standaard verborgen en kan met één klik worden getoond
setting_display_media_default: Als gevoelig gemarkeerde media verbergen
setting_display_media_hide_all: Media altijd verbergen
setting_display_media_show_all: Als gevoelig gemarkeerde media altijd verbergen
@@ -88,6 +89,7 @@ nl:
otp_attempt: Tweestaps-aanmeldcode
password: Wachtwoord
phrase: Trefwoord of zinsdeel
+ setting_advanced_layout: Geavanceerde webomgeving inschakelen
setting_aggregate_reblogs: Boosts in tijdlijnen groeperen
setting_auto_play_gif: Speel geanimeerde GIF's automatisch af
setting_boost_modal: Vraag voor het boosten van een toot een bevestiging
@@ -130,6 +132,7 @@ nl:
reblog: Een e-mail versturen wanneer iemand jouw toot heeft geboost
report: Verstuur een e-mail wanneer een nieuw rapportage is ingediend
'no': Nee
+ recommended: Aanbevolen
required:
mark: "*"
text: vereist
diff --git a/config/locales/simple_form.no.yml b/config/locales/simple_form.no.yml
index e35bdabcca..9393e37d12 100644
--- a/config/locales/simple_form.no.yml
+++ b/config/locales/simple_form.no.yml
@@ -14,11 +14,9 @@
otp: Angi tofaktorkoden fra din telefon eller bruk en av dine gjenopprettingskoder.
labels:
defaults:
- avatar: Avatar
confirm_new_password: Bekreft nytt passord
confirm_password: Bekreft passord
current_password: Nåværende passord
- data: Data
display_name: Visningsnavn
email: E-postadresse
expires_in: Utløper etter
@@ -56,6 +54,5 @@
reblog: Send e-post når noen fremhever din status
'no': Nei
required:
- mark: "*"
text: obligatorisk
'yes': Ja
diff --git a/config/locales/simple_form.oc.yml b/config/locales/simple_form.oc.yml
index ba6a7782ae..e0bfcfef9c 100644
--- a/config/locales/simple_form.oc.yml
+++ b/config/locales/simple_form.oc.yml
@@ -64,7 +64,6 @@ oc:
warning_preset_id: Utilizar un avertiment predefinit
defaults:
autofollow: Convidar a sègre vòstre compte
- avatar: Avatar
bot: Aquò es lo compte a un robòt
chosen_languages: Filtrar las lengas
confirm_new_password: Confirmacion del nòu senhal
@@ -84,7 +83,6 @@ oc:
locked: Far venir lo compte privat
max_uses: Limit d’utilizacions
new_password: Nòu senhal
- note: Bio
otp_attempt: Còdi Two-factor
password: Senhal
phrase: Senhal o frasa
@@ -131,6 +129,5 @@ oc:
report: Enviar un corrièl pels nòus senhalaments
'no': Non
required:
- mark: "*"
text: requesit
'yes': Òc
diff --git a/config/locales/simple_form.pl.yml b/config/locales/simple_form.pl.yml
index b5e846f7fa..b74bbc2f54 100644
--- a/config/locales/simple_form.pl.yml
+++ b/config/locales/simple_form.pl.yml
@@ -27,6 +27,7 @@ pl:
phrase: Zostanie wykryte nawet, gdy znajduje się za ostrzeżeniem o zawartości
scopes: Wybór API, do których aplikacja będzie miała dostęp. Jeżeli wybierzesz nadrzędny zakres, nie musisz wybierać jego elementów.
setting_aggregate_reblogs: Nie pokazuj nowych podbić dla wpisów, które zostały niedawno podbite (dotyczy tylko nowo otrzymanych podbić)
+ setting_default_sensitive: Wrażliwe multimedia są domyślnie schowane i mogą być odkryte kliknięciem
setting_display_media_default: Ukrywaj zawartość oznaczoną jako wrażliwa
setting_display_media_hide_all: Zawsze oznaczaj zawartość multimedialną jako wrażliwą
setting_display_media_show_all: Nie ukrywaj zawartości multimedialnej oznaczonej jako wrażliwa
@@ -40,6 +41,8 @@ pl:
name: 'Sugerujemy użycie jednego z następujących:'
imports:
data: Plik CSV wyeksportowany z innego serwera Mastodona
+ invite_request:
+ text: To pomoże nam w recenzji Twojej aplikacji
sessions:
otp: 'Wprowadź kod weryfikacji dwuetapowej z telefonu lub wykorzystaj jeden z kodów zapasowych:'
user:
@@ -87,7 +90,7 @@ pl:
otp_attempt: Kod uwierzytelnienia dwustopniowego
password: Hasło
phrase: Słowo kluczowe lub fraza
- scopes: Do których API aplikacja będzie miała dostęp. Jeżeli wybierzesz zakres wyższego poziomu, nie musisz zaznaczać bardziej szczegółowych.
+ setting_advanced_layout: Włącz zaawansowany interfejs użytkownika
setting_aggregate_reblogs: Grupuj podbicia na osiach czasu
setting_auto_play_gif: Automatycznie odtwarzaj animowane GIFy
setting_boost_modal: Pytaj o potwierdzenie przed podbiciem
@@ -114,20 +117,24 @@ pl:
username_or_email: Nazwa użytkownika lub adres e-mail
whole_word: Całe słowo
featured_tag:
- name: Hashtag
+ name: Hasztag
interactions:
must_be_follower: Nie wyświetlaj powiadomień od osób, które Cię nie śledzą
must_be_following: Nie wyświetlaj powiadomień od osób, których nie śledzisz
must_be_following_dm: Nie wyświetlaj wiadomości bezpośrednich od osób, których nie śledzisz
+ invite_request:
+ text: Czemu chcesz dołączyć?
notification_emails:
digest: Wysyłaj podsumowania e-mailem
favourite: Powiadamiaj mnie e-mailem, gdy ktoś polubi mój wpis
follow: Powiadamiaj mnie e-mailem, gdy ktoś zacznie mnie śledzić
follow_request: Powiadamiaj mnie e-mailem, gdy ktoś poprosi o pozwolenie na śledzenie mnie
mention: Powiadamiaj mnie e-mailem, gdy ktoś o mnie wspomni
+ pending_account: Wyślij e-mail kiedy nowe konto potrzebuje recenzji
reblog: Powiadamiaj mnie e-mailem, gdy ktoś podbije mój wpis
report: Powiadamiaj mnie e-mailem, gdy zostanie utworzone nowe zgłoszenie
'no': Nie
+ recommended: Polecane
required:
mark: "*"
text: pole wymagane
diff --git a/config/locales/simple_form.pt-BR.yml b/config/locales/simple_form.pt-BR.yml
index 74ad6ed4e5..10475e5154 100644
--- a/config/locales/simple_form.pt-BR.yml
+++ b/config/locales/simple_form.pt-BR.yml
@@ -64,7 +64,6 @@ pt-BR:
warning_preset_id: Usar um aviso pré-definido
defaults:
autofollow: Convite para seguir a sua conta
- avatar: Avatar
bot: Esta é uma conta-robô
chosen_languages: Filtros de idioma
confirm_new_password: Confirmar nova senha
@@ -84,7 +83,6 @@ pt-BR:
locked: Trancar conta
max_uses: Número máximo de usos
new_password: Nova senha
- note: Bio
otp_attempt: Código de autenticação em dois passos
password: Senha
phrase: Palavra-chave ou frase
@@ -112,8 +110,6 @@ pt-BR:
username: Nome de usuário
username_or_email: Nome de usuário ou e-mail
whole_word: Palavra inteira
- featured_tag:
- name: Hashtag
interactions:
must_be_follower: Bloquear notificações de não-seguidores
must_be_following: Bloquear notificações de pessoas que você não segue
@@ -131,6 +127,5 @@ pt-BR:
report: Mandar um e-mail quando uma nova denúncia é submetida
'no': Não
required:
- mark: "*"
text: obrigatório
'yes': Sim
diff --git a/config/locales/simple_form.pt.yml b/config/locales/simple_form.pt.yml
index 5f9e522fed..bf63818898 100644
--- a/config/locales/simple_form.pt.yml
+++ b/config/locales/simple_form.pt.yml
@@ -110,8 +110,6 @@ pt:
username: Nome de utilizador
username_or_email: Nome de utilizador ou e-mail
whole_word: Palavra completa
- featured_tag:
- name: Hashtag
interactions:
must_be_follower: Bloquear notificações de não-seguidores
must_be_following: Bloquear notificações de pessoas que não segues
@@ -126,6 +124,5 @@ pt:
report: Enviar um e-mail quando um novo relatório é submetido
'no': Não
required:
- mark: "*"
text: obrigatório
'yes': Sim
diff --git a/config/locales/simple_form.ro.yml b/config/locales/simple_form.ro.yml
index e104d9a4ee..4df2fe1610 100644
--- a/config/locales/simple_form.ro.yml
+++ b/config/locales/simple_form.ro.yml
@@ -66,7 +66,6 @@ ro:
confirm_password: Confirmă parola
context: Contextele filtrului
current_password: Parola actuală
- data: Data
discoverable: Listează acest cont in director
display_name: Numele afișat
email: Adresa de e-mail
@@ -115,6 +114,5 @@ ro:
report: Trimite e-mail când un raport nou este trimis
'no': Nu
required:
- mark: "*"
text: obligatoriu
'yes': Da
diff --git a/config/locales/simple_form.ru.yml b/config/locales/simple_form.ru.yml
index 3b7a92f464..26a73c3c6d 100644
--- a/config/locales/simple_form.ru.yml
+++ b/config/locales/simple_form.ru.yml
@@ -27,6 +27,7 @@ ru:
phrase: Будет сопоставлено независимо от присутствия в тексте или предупреждения о содержании статуса
scopes: Какие API приложению будет позволено использовать. Если вы выберете самый верхний, нижестоящие будут выбраны автоматически.
setting_aggregate_reblogs: Не показывать новые продвижения статусов, которые уже были недавно продвинуты (относится только к новым продвижениям)
+ setting_default_sensitive: Чувствительные медиафайлы скрыты по умолчанию и могут быть показаны по нажатию на них
setting_display_media_default: Скрывать чувствительные медиафайлы
setting_display_media_hide_all: Всегда скрывать любые медиафайлы
setting_display_media_show_all: Всегда показывать чувствительные медиафайлы
@@ -39,6 +40,8 @@ ru:
name: 'Возможно, вы захотите выбрать из них:'
imports:
data: Файл CSV, экспортированный с другого узла Mastodon
+ invite_request:
+ text: Это поможет нам рассмотреть вашу заявку
sessions:
otp: 'Введите код двухфакторной аутентификации, сгенерированный в мобильном приложении, или используйте один из ваших кодов восстановления:'
user:
@@ -86,6 +89,7 @@ ru:
otp_attempt: Двухфакторный код
password: Пароль
phrase: Слово или фраза
+ setting_advanced_layout: Включить многоколоночный интерфейс
setting_aggregate_reblogs: Группировать продвижения в лентах
setting_auto_play_gif: Автоматически проигрывать анимированные GIF
setting_boost_modal: Показывать диалог подтверждения перед продвижением
@@ -116,15 +120,19 @@ ru:
must_be_follower: Заблокировать уведомления не от подписчиков
must_be_following: Заблокировать уведомления от людей, на которых вы не подписаны
must_be_following_dm: Заблокировать личные сообщения от людей, на которых вы не подписаны
+ invite_request:
+ text: Почему вы хотите присоединиться к нам?
notification_emails:
digest: Присылать дайджест по e-mail
favourite: Уведомлять по e-mail, когда кому-то нравится ваш статус
follow: Уведомлять по e-mail, когда кто-то подписался на вас
follow_request: Уведомлять по e-mail, когда кто-то запрашивает разрешение на подписку
mention: Уведомлять по e-mail, когда кто-то упомянул вас
+ pending_account: Отправлять e-mail при наличии новых заявок на присоединение
reblog: Уведомлять по e-mail, когда кто-то продвинул ваш статус
report: Уведомлять по e-mail при создании жалобы
'no': Нет
+ recommended: Рекомендуется
required:
mark: "*"
text: обязательно
diff --git a/config/locales/simple_form.sk.yml b/config/locales/simple_form.sk.yml
index 86148e03ab..7e9c0f2777 100644
--- a/config/locales/simple_form.sk.yml
+++ b/config/locales/simple_form.sk.yml
@@ -65,7 +65,6 @@ sk:
warning_preset_id: Použi varovnú predlohu
defaults:
autofollow: Pozvi k následovaniu tvojho profilu
- avatar: Avatar
bot: Toto je automatizovaný bot účet
chosen_languages: Filtruj jazyky
confirm_new_password: Znovu tvoje nové heslo, pre potvrdenie
@@ -131,6 +130,5 @@ sk:
report: Zaslať email, ak niekto podá nové nahlásenie
'no': Nie
required:
- mark: "*"
text: povinné
'yes': Áno
diff --git a/config/locales/simple_form.sl.yml b/config/locales/simple_form.sl.yml
index 6e07d9b002..2e0495551f 100644
--- a/config/locales/simple_form.sl.yml
+++ b/config/locales/simple_form.sl.yml
@@ -57,7 +57,6 @@ sl:
locked: Zaklenjen račun
max_uses: Največje število uporabnikov
new_password: Novo geslo
- note: Bio
otp_attempt: Dvofaktorska koda
password: Geslo
phrase: Ključna beseda ali fraza
@@ -97,6 +96,5 @@ sl:
report: Pošlji e-pošto, ko je oddana nova prijava
'no': Ne
required:
- mark: "*"
text: zahtevano
'yes': Da
diff --git a/config/locales/simple_form.sq.yml b/config/locales/simple_form.sq.yml
index c1907abecf..04ef12c9a7 100644
--- a/config/locales/simple_form.sq.yml
+++ b/config/locales/simple_form.sq.yml
@@ -62,7 +62,6 @@ sq:
warning_preset_id: Përdor një sinjalizim të paracaktuar
defaults:
autofollow: Ftesë për ndjekje të llogarisë tuaj
- avatar: Avatar
bot: Kjo është një llogari robot
chosen_languages: Filtro gjuhë
confirm_new_password: Ripohoni fjalëkalimin e ri
@@ -110,8 +109,6 @@ sq:
username: Emër përdoruesi
username_or_email: Emër përdoruesi ose Email
whole_word: Krejt fjalën
- featured_tag:
- name: Hashtag
interactions:
must_be_follower: Blloko njoftime nga jo-ndjekës
must_be_following: Blloko njoftime nga persona që nuk i ndiqni
@@ -126,6 +123,5 @@ sq:
report: Dërgo email kur parashtrohet një raportim i ri
'no': Jo
required:
- mark: "*"
text: e domosdoshme
'yes': Po
diff --git a/config/locales/simple_form.sr-Latn.yml b/config/locales/simple_form.sr-Latn.yml
index 1c21ac49e8..66efa3db8d 100644
--- a/config/locales/simple_form.sr-Latn.yml
+++ b/config/locales/simple_form.sr-Latn.yml
@@ -14,7 +14,6 @@ sr-Latn:
otp: 'Unesite dvofaktorski kod sa Vašeg telefona ili koristite jedan od kodova za oporavak:'
labels:
defaults:
- avatar: Avatar
confirm_new_password: Potvrdite novu lozinku
confirm_password: Potvrdite lozinku
current_password: Trenutna lozinka
@@ -56,6 +55,5 @@ sr-Latn:
reblog: Šalji e-poštu kada neko podrži Vaš status
'no': Ne
required:
- mark: "*"
text: obavezno
'yes': Da
diff --git a/config/locales/simple_form.sr.yml b/config/locales/simple_form.sr.yml
index f7413fd171..a097be5dd3 100644
--- a/config/locales/simple_form.sr.yml
+++ b/config/locales/simple_form.sr.yml
@@ -120,6 +120,5 @@ sr:
report: Пошаљи Е-пошту када се поднесе нова пријава
'no': Не
required:
- mark: "*"
text: обавезно
'yes': Да
diff --git a/config/locales/simple_form.sv.yml b/config/locales/simple_form.sv.yml
index e7ed33d0b5..171714ab08 100644
--- a/config/locales/simple_form.sv.yml
+++ b/config/locales/simple_form.sv.yml
@@ -34,13 +34,11 @@ sv:
value: Innehåll
defaults:
autofollow: Bjud in till att följa ditt konto
- avatar: Avatar
bot: Detta är ett botkonto
chosen_languages: Filtrera språk
confirm_new_password: Bekräfta nytt lösenord
confirm_password: Bekräfta lösenord
current_password: Nuvarande lösenord
- data: Data
display_name: Visningsnamn
email: E-postadress
expires_in: Förfaller efter
@@ -82,6 +80,5 @@ sv:
reblog: Skicka e-post när någon knuffar din status
'no': Nej
required:
- mark: "*"
text: obligatorisk
'yes': Ja
diff --git a/config/locales/simple_form.ta.yml b/config/locales/simple_form.ta.yml
new file mode 100644
index 0000000000..4320953ce2
--- /dev/null
+++ b/config/locales/simple_form.ta.yml
@@ -0,0 +1 @@
+ta:
diff --git a/config/locales/simple_form.te.yml b/config/locales/simple_form.te.yml
new file mode 100644
index 0000000000..34c54f18f6
--- /dev/null
+++ b/config/locales/simple_form.te.yml
@@ -0,0 +1 @@
+te:
diff --git a/config/locales/simple_form.th.yml b/config/locales/simple_form.th.yml
index 5f40b05a7d..a2d4305589 100644
--- a/config/locales/simple_form.th.yml
+++ b/config/locales/simple_form.th.yml
@@ -126,6 +126,5 @@ th:
report: ส่งอีเมลเมื่อมีการส่งรายงานใหม่
'no': ไม่
required:
- mark: "*"
text: ต้องระบุ
'yes': ใช่
diff --git a/config/locales/simple_form.tr.yml b/config/locales/simple_form.tr.yml
index 517b38ca58..68b4c24c97 100644
--- a/config/locales/simple_form.tr.yml
+++ b/config/locales/simple_form.tr.yml
@@ -48,6 +48,5 @@ tr:
reblog: Biri durumumu paylaştığında, bana e-posta gönder
'no': Hayır
required:
- mark: "*"
text: gerekli
'yes': Evet
diff --git a/config/locales/simple_form.uk.yml b/config/locales/simple_form.uk.yml
index 05d57509e0..35b20d8a98 100644
--- a/config/locales/simple_form.uk.yml
+++ b/config/locales/simple_form.uk.yml
@@ -45,6 +45,5 @@ uk:
reblog: Надсилати листа, коли хтось передмухує Ваш статус
'no': Ні
required:
- mark: "*"
text: обов'язкове
'yes': Так
diff --git a/config/locales/simple_form.zh-CN.yml b/config/locales/simple_form.zh-CN.yml
index 5e445076b6..2dbd7d66eb 100644
--- a/config/locales/simple_form.zh-CN.yml
+++ b/config/locales/simple_form.zh-CN.yml
@@ -134,6 +134,5 @@ zh-CN:
'no': 否
recommended: 推荐
required:
- mark: "*"
text: 必填
'yes': 是
diff --git a/config/locales/simple_form.zh-HK.yml b/config/locales/simple_form.zh-HK.yml
index 08dcb4ad0a..2cb2d75b22 100644
--- a/config/locales/simple_form.zh-HK.yml
+++ b/config/locales/simple_form.zh-HK.yml
@@ -74,6 +74,5 @@ zh-HK:
reblog: 當有用戶轉推你的文章時,發電郵通知
'no': 否
required:
- mark: "*"
text: 必須填寫
'yes': 是
diff --git a/config/locales/simple_form.zh-TW.yml b/config/locales/simple_form.zh-TW.yml
index bba868997b..4da117b61a 100644
--- a/config/locales/simple_form.zh-TW.yml
+++ b/config/locales/simple_form.zh-TW.yml
@@ -126,6 +126,5 @@ zh-TW:
report: 當提交新檢舉時傳送電子郵件
'no': 否
required:
- mark: "*"
text: 必須填寫
'yes': 是
diff --git a/config/locales/sk.yml b/config/locales/sk.yml
index 2bd340c901..21ce53217d 100644
--- a/config/locales/sk.yml
+++ b/config/locales/sk.yml
@@ -7,7 +7,6 @@ sk:
active_count_after: aktívni
active_footnote: Mesačne aktívnych užívateľov (MAU)
administered_by: 'Správcom je:'
- api: API
apps: Aplikácie
apps_platforms: Uživaj Mastodon z iOSu, Androidu a iných platforiem
browse_directory: Prehľadávaj databázu profilov, filtruj podľa záujmov
@@ -29,26 +28,14 @@ sk:
see_whats_happening: Pozoruj, čo sa deje
server_stats: 'Serverové štatistiky:'
source_code: Zdrojový kód
- status_count_after:
- few: príspevkov
- one: príspevok
- other: príspevky
status_count_before: Ktorí napísali
tagline: Následuj kamarátov, a objavuj nových
terms: Podmienky užívania
- user_count_after:
- few: užívateľov
- one: užívateľ
- other: užívatelia
user_count_before: Domov pre
what_is_mastodon: Čo je Mastodon?
accounts:
choices_html: "%{name}vé voľby:"
follow: Následuj
- followers:
- few: Sledovateľov
- one: Sledovateľ
- other: Sledovatelia
following: Následujem
joined: Pridal/a sa v %{date}
last_active: naposledy aktívny
@@ -61,16 +48,11 @@ sk:
people_who_follow: Ľudia sledujúci %{name}
pin_errors:
following: Musíš už následovať toho človeka, ktorého si praješ zviditeľniť
- posts:
- few: Príspevkov
- one: Príspevok
- other: Príspevky
posts_tab_heading: Príspevky
posts_with_replies: Príspevky s odpoveďami
reserved_username: Prihlasovacie meno je vyhradené
roles:
admin: Správca
- bot: Bot
moderator: Moderátor
unavailable: Profil nieje dostupný
unfollow: Prestaň sledovať
@@ -107,7 +89,6 @@ sk:
display_name: Ukáž meno
domain: Doména
edit: Uprav
- email: Email
email_status: Stav emailu
enable: Povoľ
enabled: Povolený
@@ -185,7 +166,6 @@ sk:
unsubscribe: Prestaň odoberať
username: Prezývka
warn: Varuj
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name}pridelil/a hlásenie užívateľa %{target}sebe"
@@ -293,10 +273,6 @@ sk:
silence: stíšené
suspend: vylúčené
show:
- affected_accounts:
- few: Je ovplyvnených %{count} účtov v databázi
- one: Jeden účet v databázi bol ovplyvnený
- other: "%{count} účty v databáze boli ovplyvnené"
retroactive:
silence: Zruš stíšenie všetkých momentálne utíšených účtov z tejto domény
suspend: Zruš suspendáciu všetkých momentálne ovplyvnených účtov z tejto domény
@@ -319,10 +295,6 @@ sk:
instances:
by_domain: Doména
delivery_available: Je v dosahu doručovania
- known_accounts:
- few: "%{count} známych účtov"
- one: "%{count} známy účet"
- other: "%{count} známe účty"
moderation:
all: Všetky
limited: Obmedzené
@@ -479,7 +451,6 @@ sk:
confirmed: Potvrdené
expires_in: Vyprší do
last_delivery: Posledné doručenie
- title: WebSub
topic: Téma
tags:
accounts: Účty
@@ -510,7 +481,6 @@ sk:
sensitive_content: Chúlostivý obsah
application_mailer:
notification_preferences: Zmeň emailové voľby
- salutation: "%{name},"
settings: 'Zmeň emailové voľby: %{link}'
view: 'Zobraziť:'
view_profile: Zobraz profil
@@ -538,9 +508,6 @@ sk:
migrate_account: Presúvam sa na iný účet
migrate_account_html: Ak si želáš presmerovať tento účet na nejaký iný, môžeš si to nastaviť tu.
or_log_in_with: Alebo prihlás s
- providers:
- cas: CAS
- saml: SAML
register: Zaregistruj sa
resend_confirmation: Zašli potvrdzujúce pokyny znovu
reset_password: Obnov heslo
@@ -587,10 +554,6 @@ sk:
explanation: Pátraj po užívateľoch podľa ich záujmov
explore_mastodon: Prebádaj %{title}
how_to_enable: Momentálne niesi zaradený/á do verejnej profilovej databázy. Prihlásiť sa môžeš nižšie. Použi haštagy vo svojom biografickom popise na profile, ak chceš byť uvedený/á aj pod konkrétnými haštagmi!
- people:
- few: "%{count} ľudia"
- one: "%{count} človek"
- other: "%{count} ľudia"
errors:
'403': Nemáš povolenie pre zobrazenie tejto stránky.
'404': Stránka ktorú hľadáš nieje tu.
@@ -612,7 +575,6 @@ sk:
request: Vyžiadaj si tvoj archív
size: Veľkosť
blocks: Blokujete
- csv: CSV
domain_blocks: Blokované domény
follows: Následujete
lists: Zoznamy
@@ -646,10 +608,6 @@ sk:
changes_saved_msg: Zmeny boli úspešne uložené!
copy: Kopíruj
save_changes: Ulož zmeny
- validation_errors:
- few: Niečo ešte stále nieje v poriadku! Prosím skontroluj všetky %{count} chyby
- one: Niečo nieje úplne v poriadku! Prosím skontroluj danú chybu
- other: Niečo ešte stále nieje v poriadku! Prosím skontroluj všetky %{count} nižšie uvedené pochybenia
imports:
modes:
merge: Spoj dohromady
@@ -678,10 +636,6 @@ sk:
expires_in_prompt: Nikdy
generate: Vygeneruj
invited_by: 'Bol/a si pozvaný/á užívateľom:'
- max_uses:
- few: "%{count} použitia"
- one: jedno použitie
- other: "%{count} použití"
max_uses_prompt: Bez obmedzení
prompt: Vygeneruj a zdieľaj linky s ostatnými, aby mali umožnený prístup k tomuto serveru
table:
@@ -707,14 +661,6 @@ sk:
action: Zobraziť všetky notifikácie
body: Tu nájdete krátky súhrn správ ktoré ste zmeškali od svojej poslednj návštevi od %{since}
mention: "%{name} ťa spomenul/a v:"
- new_followers_summary:
- few: Tiež si získal/a %{count} nových následovateľov za tú dobu čo si bol/a preč. Yay!
- one: Tiež si získal/a jedného nového následovateľa zatiaľ čo si bol/a preč. Yay!
- other: Tiež si získal/a %{count} nových následovateľov za tú dobu čo si bol/a preč. Yay!
- subject:
- few: "%{count} nové notifikácie od tvojej poslednej návštevy \U0001F418"
- one: "1 nové oboznámenie od tvojej poslednej návštevy \U0001F418"
- other: "%{count} nových oboznámení od tvojej poslednej návštevy \U0001F418"
title: Zatiaľ čo si bol/a preč…
favourite:
body: 'Tvoj príspevok bol uložený medzi obľúbené užívateľa %{name}:'
@@ -738,22 +684,11 @@ sk:
body: 'Tvoj príspevok bol vyzdvihnutý užívateľom %{name}:'
subject: "%{name} vyzdvihli tvoj príspevok"
title: Novo vyzdvyhnuté
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
pagination:
newer: Novšie
next: Ďalšie
older: Staršie
prev: Predchádzajúce
- truncate: "…"
polls:
errors:
already_voted: V tejto ankete si už hlasoval/a
@@ -795,40 +730,26 @@ sk:
activity: Najnovšia aktivita
browser: Prehliadač
browsers:
- alipay: Alipay
blackberry: RIM Blackberry
chrome: Google Chrome
- edge: Microsoft Edge
- electron: Electron
firefox: Mozilla Firefox
generic: Neznámy prehliadač
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Nokia Ovi Browser
- opera: Opera
otter: Prehliadač Otter
- phantom_js: PhantomJS
qq: QQ Prehliadač
safari: Apple Safari
- uc_browser: UCBrowser
weibo: Sina/Tencent Weibo
current_session: Aktuálna sezóna
description: "%{browser} na %{platform}"
explanation: Tieto sú prehliadače ktoré sú teraz prihlásené na tvoj Mastodon účet.
ip: IP adresa
platforms:
- adobe_air: Adobe Air
- android: Android
- blackberry: Blackberry
chrome_os: Google ChromeOS
- firefox_os: Firefox OS
ios: Apple iOS
linux: GNU/Linux
mac: MacOSX
other: neznáma platforma
windows: Microsoft Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Zamietni
revoke_success: Sezóna úspešne zamietnutá
title: Sezóny
@@ -854,20 +775,8 @@ sk:
statuses:
attached:
description: 'Priložené: %{attached}'
- image:
- few: "%{count} obrázky"
- one: "%{count} obrázok"
- other: "%{count} obrázkov"
- video:
- few: "%{count} videá"
- one: "%{count} video"
- other: "%{count} videí"
boosted_from_html: Povýšené od %{acct_link}
content_warning: 'Varovanie o obsahu: %{warning}'
- disallowed_hashtags:
- few: 'obsahoval nepovolené haštagy: %{tags}'
- one: 'obsahoval nepovolený haštag: %{tags}'
- other: 'obsahoval nepovolené haštagy: %{tags}'
language_detection: Zisti automaticky
open_in_web: Otvor v okne na webe
over_character_limit: limit %{max} znakov bol presiahnutý
@@ -877,10 +786,6 @@ sk:
private: Neverejné príspevky nemôžu byť pripnuté
reblog: Vyzdvihnutie sa nedá pripnúť
poll:
- total_votes:
- few: "%{count} hlas(y)ov"
- one: "%{count} hlas"
- other: "%{count} hlas(y)ov"
vote: Hlasuj
show_more: Ukáž viac
sign_in_to_participate: Prihlás sa pre zapojenie do diskusie
@@ -910,7 +815,7 @@ sk:
V dobrej viere robíme všetko preto, aby bol prístup k tímto príspevkom vymedzený iba pre oprávnených používateľov, ale môže sa stať, že iné servery v tomto ohľade zlyhajú. Preto je dôležité prezrieť si a zhodnotiť, na aké servery patria tvoji následovatelia. V nastaveniach si môžeš zapnúť voľbu ručne povoľovať a odmietať nových následovateľov.
Prosím maj na pamäti, že správcovia tvojho, aj vzdialeného obdŕžiavajúceho servera majú možnosť vidieť dané príspevky a správy, ale aj, že obdŕžitelia týchto správ si ich môzu odfotiť, skopírovať, alebo ich inak zdieľať. Nezdieľaj žiadne nebezpečné, alebo ohrozujúce správy pomocou Mastodonu!
- IPky a iné metadáta: Keď sa prihlásiš, zaznamenáva sa IP adresa z ktorej si sa prihlásil/a, takisto ako aj názov tvojho prehliadača. Všetky zaznamenané sezóny sú pre teba dostupné na konktolu, alebo na zamietnutie prístupu v nastaveniach. Posledná použitá IP adresa je uložená až po dobu dvanástich mesiacov. Môžeme si tiež ponechať serverové záznamy, ktoré obsahujú IP adresu každej požiadavky na tento server.
+ IPky a iné metadáta: Keď sa prihlásiš, zaznamenáva sa IP adresa z ktorej si sa prihlásil/a, takisto ako aj názov tvojho prehliadača. Všetky zaznamenané sezóny sú pre teba dostupné na konktolu, alebo na zamietnutie prístupu v nastaveniach. Posledná použitá IP adresa je uložená až po dobu dvanástich mesiacov. Môžeme si tiež ponechať serverové záznamy, ktoré obsahujú IP adresu každej požiadavky na tento server.
@@ -919,9 +824,9 @@ sk:
Hociktorá z informácií, ktoré sú o tebe zozbierané, môže byť použité následujúcimi spôsobmi:
- - Pre zabezpečenie základného fungovania Mastodonu. Narábať s užívateľským obsahom iných, ako aj prispievať svoj vlastný obsah, možeš len keď si prihlásený/á. Môžeš napríklad následovať iných ľudí, aby si potom videl/a ich príspevky v rámci svojej osobne prispôsobenej domácej osi.
- - Pre lepšie moderovanie komunity sa napríklad môže tvoja IP adresa porovnať s ostatnými už známimi adresami, aby bolo možné zistiť, či nedochádza napríklad k obchádzaniu pravidiel vylúčenia, aleb k iným porušeniam zásad.
- - Emailová adresa, ktorú poskytneš, môže byť použitá na zasielanie informácií, oboznámení keď ostatní užívatelia interaktujú s tvojím obsahom, alebo na posielanie správ, odpovedí na otázky a iné požiadavky.
+ - Pre zabezpečenie základného fungovania Mastodonu. Narábať s užívateľským obsahom iných, ako aj prispievať svoj vlastný obsah, možeš len keď si prihlásený/á. Môžeš napríklad následovať iných ľudí, aby si potom videl/a ich príspevky v rámci svojej osobne prispôsobenej domácej osi.
+ - Pre lepšie moderovanie komunity sa napríklad môže tvoja IP adresa porovnať s ostatnými už známimi adresami, aby bolo možné zistiť, či nedochádza napríklad k obchádzaniu pravidiel vylúčenia, aleb k iným porušeniam zásad.
+ - Emailová adresa, ktorú poskytneš, môže byť použitá na zasielanie informácií, oboznámení keď ostatní užívatelia interaktujú s tvojím obsahom, alebo na posielanie správ, odpovedí na otázky a iné požiadavky.
title: Podmienky užívania, a pravidlá súkromia pre %{instance}
themes:
@@ -931,7 +836,6 @@ sk:
time:
formats:
default: "%b %d, %R, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Pre potvrdenie teraz zadaj kód vygenerovaný pomocou tvojej overovacej aplikácie
description_html: Ak povolíš dvoj-faktorové overovanie, na prihlásenie potom budeš potrebovať svoj telefón, ktorý vygeneruje prístupové kódy, čo musíš zadať.
diff --git a/config/locales/sl.yml b/config/locales/sl.yml
index 3d99f77088..85e167ca9d 100644
--- a/config/locales/sl.yml
+++ b/config/locales/sl.yml
@@ -5,7 +5,6 @@ sl:
about_mastodon_html: Mastodon je socialno omrežje, ki temelji na odprtih spletnih protokolih in prosti ter odprtokodni programski opremi. Je decentraliziran, kot e-pošta.
about_this: O Mastodonu
administered_by: 'Upravlja:'
- api: API
apps: Mobilne aplikacije
contact: Kontakt
contact_missing: Ni nastavljeno
@@ -64,7 +63,6 @@ sl:
roles:
admin: Skrbnik
bot: Robot
- moderator: Mod
unfollow: Prenehaj slediti
admin:
account_actions:
@@ -77,7 +75,6 @@ sl:
destroyed_msg: Moderirana opomba je uspešno uničena!
accounts:
are_you_sure: Ali si prepričan?
- avatar: Avatar
by_domain: Domena
change_email:
changed_msg: E-pošta računa je uspešno spremenjena!
@@ -108,7 +105,6 @@ sl:
header: Glava
inbox_url: URl v mapi "Prejeto"
invited_by: Povabljen od
- ip: IP
joined: Pridružil
location:
all: Vse
@@ -149,10 +145,8 @@ sl:
role: Dovoljenja
roles:
admin: Skrbnik
- moderator: Moderator
staff: Osebje
user: Uporabnik
- salmon_url: Salmon URL
search: Poišči
shared_inbox_url: URL mape "Prejeto v skupni rabi"
show:
@@ -323,7 +317,6 @@ sl:
all: Vse
available: Razpoložljivo
expired: Potekel
- title: Filter
title: Povabila
relays:
add_new: Dodaj nov rele
@@ -386,6 +379,21 @@ sl:
custom_css:
desc_html: Spremeni videz z naloženim CSS na vsaki strani
title: CSS po meri
+ 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
statuses:
pin_errors:
ownership: Trob nekoga drugega ne more biti pripet
diff --git a/config/locales/sq.yml b/config/locales/sq.yml
index ea3a238341..6cab033321 100644
--- a/config/locales/sq.yml
+++ b/config/locales/sq.yml
@@ -5,11 +5,9 @@ sq:
about_mastodon_html: Mastodon-i është një rrjet shoqëror i bazuar në protokolle web të hapur dhe në software të lirë, me burim të hapur. Është i decentralizuar, si email-ii.
about_this: Mbi
administered_by: 'Administruar nga:'
- api: API
apps: Aplikacione për celular
contact: Kontakt
contact_missing: I parregulluar
- contact_unavailable: N/A
documentation: Dokumentim
extended_description_html: |
Një vend i mirë për rregulla
@@ -38,7 +36,6 @@ sq:
joined: U bë pjesë më %{date}
last_active: aktiv së fundi
link_verified_on: Pronësia e kësaj lidhjeje qe kontrolluar më %{date}
- media: Media
moved_html: "%{name} ka kaluar te %{new_profile_link}:"
network_hidden: Këto të dhëna nuk mund të kihen
nothing_here: S’ka gjë këtu!
@@ -54,8 +51,6 @@ sq:
reserved_username: Emri i përdoruesit është i ruajtur për dikë
roles:
admin: Përgjegjës
- bot: Bot
- moderator: Mod
unfollow: Resht së ndjekuri
admin:
account_actions:
@@ -68,7 +63,6 @@ sq:
destroyed_msg: Shënimi i moderimit u asgjësua me sukses!
accounts:
are_you_sure: A jeni i sigurt?
- avatar: Avatar
by_domain: Përkatësi
change_email:
changed_msg: Email-i i llogarisë u ndryshua me sukses!
@@ -88,7 +82,6 @@ sq:
display_name: Emër në ekran
domain: Përkatësi
edit: Përpunojeni
- email: Email
email_status: Gjendje email-i
enable: Aktivizoje
enabled: E aktivizuar
@@ -99,7 +92,6 @@ sq:
header: Krye
inbox_url: URL Mesazhesh të Marrë
invited_by: Ftuar nga
- ip: IP
joined: U bë pjesë
location:
all: Krejt
@@ -119,7 +111,7 @@ sq:
most_recent_activity: Veprimtaria më e freskët
most_recent_ip: IP-ja më e freskët
no_limits_imposed: Pa imponim kufijsh
- not_subscribed: Jo i pajtuar
+ not_subscribed: Jo i pajtuar
outbox_url: URL Mesazhesh të Dërguar
perform_full_suspension: Pezulloje
profile_url: URL profili
@@ -140,7 +132,6 @@ sq:
role: Leje
roles:
admin: Përgjegjës
- moderator: Moderator
staff: Staf
user: Përdorues
search: Kërkoni
@@ -160,7 +151,6 @@ sq:
unsubscribe: Shpajtohuni
username: Emër përdoruesi
warn: Sinjalizoje
- web: Web
action_logs:
actions:
assigned_to_self_report: "%{name} ia kaloi raportimin %{target} në ngarkim vetvetes"
@@ -234,7 +224,6 @@ sq:
recent_users: Përdorues së fundi
search: Kërko tekstin e plotë
single_user_mode: Mënyrë me përdorues të vetëm
- software: Software
space: Përdorim hapësire
title: Pult
total_users: përdorues gjithsej
@@ -430,8 +419,6 @@ sq:
nsfw_off: Vëri shenjë si jo rezervat
nsfw_on: Vëri shenjë si rezervat
failed_to_execute: S’u arrit të përmbushej
- media:
- title: Media
no_media: S’ka media
no_status_selected: S’u ndryshua ndonjë gjendje, ngaqë s’u përzgjodh ndonjë e tillë
title: Gjendje llogarish
@@ -441,13 +428,11 @@ sq:
confirmed: U ripohua
expires_in: Skadon më
last_delivery: Dorëzimi e fundit
- title: WebSub
topic: Temë
tags:
accounts: Llogari
hidden: Fshehur
hide: Fshihe prej drejtorie
- name: Hashtag
title: Hashtage
unhide: Shfaqe në drejtori
visible: E dukshme
@@ -465,7 +450,6 @@ sq:
subject: Raport i ri për %{instance} (#%{id})
application_mailer:
notification_preferences: Ndryshoni parapëlqime email-i
- salutation: "%{name},"
settings: 'Ndryshoni parapëlqime email-i: %{link}'
view: 'Parje:'
view_profile: Shihni Profilin
@@ -491,9 +475,6 @@ sq:
migrate_account: Kaloni në një tjetër llogari
migrate_account_html: Nëse doni ta ridrejtoni këtë llogari te një tjetër, këtë mund ta formësoni këtu.
or_log_in_with: Ose bëni hyrjen me
- providers:
- cas: CAS
- saml: SAML
register: Regjistrohuni
resend_confirmation: Ridërgo udhëzime ripohimi
reset_password: Ricaktoni fjalëkalimin
@@ -517,13 +498,9 @@ sq:
about_x_years: "%{count}v"
almost_x_years: "%{count}v"
half_a_minute: Mu tani
- less_than_x_minutes: "%{count}m"
less_than_x_seconds: Mu tani
over_x_years: "%{count}v"
- x_days: "%{count}d"
- x_minutes: "%{count}m"
x_months: "%{count}mj"
- x_seconds: "%{count}s"
deletes:
bad_password_msg: Provë e bukur, trimosha! Fjalëkalim i pasaktë
confirm_password: Jepni fjalëkalimin tuaj të tanishëm që të verifikohet identiteti juaj
@@ -539,9 +516,6 @@ sq:
explanation: Zbuloni përdorues bazuar në interesat e tyre
explore_mastodon: Eksploroni %{title}
how_to_enable: S’keni zgjedhur të jeni i pranishëm te drejtoria. Mund ta bëni më poshtë. Përdorni te teksti i jetëshkrimit tuaj hashtagë, për t’u përfshirë nën hashtagë specifikë!
- people:
- one: "%{count} person"
- other: "%{count} persona"
errors:
'403': S’keni leje të shihni këtë faqe.
'404': Faqja që po kërkonit, s’gjendet këtu.
@@ -563,7 +537,6 @@ sq:
request: Kërkoni arkivin tuaj
size: Madhësi
blocks: Bllokoni
- csv: CSV
domain_blocks: Bllokime përkatësish
follows: Ndiqni
lists: Lista
@@ -614,7 +587,6 @@ sq:
following: Listë ndjekjesh
muting: Listë heshtimesh
upload: Ngarkoje
- in_memoriam_html: In Memoriam.
invites:
delete: Çaktivizoje
expired: Ka skaduar
@@ -688,19 +660,13 @@ sq:
number:
human:
decimal_units:
- format: "%n%u"
units:
- billion: B
- million: M
quadrillion: K
- thousand: K
- trillion: T
pagination:
newer: Më të ri
next: Pasuesi
older: Më të vjetër
prev: I mëparshmi
- truncate: "…"
preferences:
other: Tjetër
remote_follow:
@@ -732,40 +698,13 @@ sq:
activity: Veprimtaria e fundit
browser: Shfletues
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Shfletues i panjohur
- ie: Internet Explorer
- micro_messenger: MicroMessenger
nokia: Shfletues Nokia S40 Ovi
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Sesioni i tanishëm
description: "%{browser} në %{platform}"
explanation: Këta janë shfletuesit e futur në këtë çast te llogaria juaj Mastodon.
- 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: platformë e panjohur
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Shfuqizoje
revoke_success: Sesioni u shfuqizua me sukses
title: Sesione
@@ -788,9 +727,6 @@ sq:
image:
one: "%{count} figurë"
other: "%{count} figura"
- video:
- one: "%{count} video"
- other: "%{count} video"
boosted_from_html: Përforcuar nga %{acct_link}
content_warning: 'Sinjalizim lënde: %{warning}'
disallowed_hashtags:
@@ -806,7 +742,6 @@ sq:
reblog: S’mund të fiksohet një përforcim
show_more: Shfaq më tepër
sign_in_to_participate: Bëni hyrjen, që të merrni pjesë te biseda
- title: '%{name}: "%{quote}"'
visibilities:
private: Vetëm ndjekësve
private_long: Shfaqua vetëm ndjekësve
@@ -824,10 +759,10 @@ sq:
Ç’të dhëna grumbullojmë?
- - Të dhëna bazë llogarie: Nëse regjistroheni në këtë shërbyes, mund t’ju kërkohet të jepni një emër përdoruesi, një adresë email dhe një fjalëkalim. Mundet të jepni edhe të dhëna shtesë profili, të tilla si emër në ekran dhe jetëshkrim, dhe të ngarkoni një foto profili dhe figurë kryesh. Emri i përdoruesit, emri për në ekran, jetëshkrimi, fotoja e profilit dhe figura për kryet shfaqen përherë publikisht.
- - Postime, ndjekje dhe të tjera të dhëna publike: Lista e personave që ndiqni shfaqet publikisht, po njësoj edhe ajo e ndjekësve tuaj. Kur parashtroni një mesazh, depozitohet data dhe koha, si dhe aplikacioni prej nga u parashtrua mesazhi. Mesazhet mund të përmbajnë bashkëngjitje media, bie fjala, foto dhe video. Postimet publike dhe ato të pashfaqura janë të passhme publikisht. Kur një postim e vini të zgjedhur në profilin tuaj, edhe ky është informacion i passhëm publikisht. Postimet tuaja janë u dërgohen ndjekësve tuaj, në disa raste kjo do të thotë se dërgohen në shërbyes të ndryshëm dhe në ta depozitohen kopje të tyre. Kur fshini postime, edhe kjo u dërgohet ndjekësve tuaj. Veprimi i riblogimit apo i parapëlqimit të një postimi tjetër është përherë publik.
- - Postime të drejtpërdrejta dhe ato vetëm për ndjekësit: Krejt postimet depozitohen dhe trajtohen te shërbyesi. Postimet vetëm për ndjekës u dërgohen ndjekësve tuaj të cilët përmenden në to, dhe postimet e drejtpërdrejta u dërgohen vetëm përdoruesve të përmendur në to. Në disa raste kjo do të thotë se dërgohen në shërbyes të ndryshëm dhe në ta depozitohen kopje të tyre. Përpiqemi pa hile të kufizojmë hyrjen në këto postime vetëm të personave të autorizuar, por shërbyesit e tjerë mund të mos bëjnë të njëjtën gjë. Ndaj është e rëndësishme të shqyrtoni shërbyesit pjesë e të cilëve janë ndjekësit tuaj. Te rregullimet mund të përdorni një mundësi për të miratuar ose hedhur poshtë dorazi ndjekës të rinj. Ju lutemi, mbani parasysh se operatorët e shërbyesit dhe cilido shërbyes marrës mund t’i shohin mesazhe të tillë, dhe që marrësit mund të bëjnë për ta foto ekrani, t’i kopjojnë ose t’i rindajnë ato me të tjerët. Mos u jepni të tjerëve të dhëna të rrezikshme përmes Mastodon-it.
- - IP dhe të tjera tejtëdhëna: Kur bëni hyrjen, regjistrojmë adresën IP prej nga hytë, si dhe emrin e shfletuesit tuaj. Krejt sesionet e hyrjeve janë të shqyrtueshme nga ju dhe shfuqizim, që nga rregullimet. Adresa e fundit IP e përdorur depozitohet për 12 muaj. Mund të mbajmë edhe regjistra shërbyesi të cilët përfshijnë adresën IP të çdo kërkese ndaj shërbyesit tonë.
+ - Të dhëna bazë llogarie: Nëse regjistroheni në këtë shërbyes, mund t’ju kërkohet të jepni një emër përdoruesi, një adresë email dhe një fjalëkalim. Mundet të jepni edhe të dhëna shtesë profili, të tilla si emër në ekran dhe jetëshkrim, dhe të ngarkoni një foto profili dhe figurë kryesh. Emri i përdoruesit, emri për në ekran, jetëshkrimi, fotoja e profilit dhe figura për kryet shfaqen përherë publikisht.
+ - Postime, ndjekje dhe të tjera të dhëna publike: Lista e personave që ndiqni shfaqet publikisht, po njësoj edhe ajo e ndjekësve tuaj. Kur parashtroni një mesazh, depozitohet data dhe koha, si dhe aplikacioni prej nga u parashtrua mesazhi. Mesazhet mund të përmbajnë bashkëngjitje media, bie fjala, foto dhe video. Postimet publike dhe ato të pashfaqura janë të passhme publikisht. Kur një postim e vini të zgjedhur në profilin tuaj, edhe ky është informacion i passhëm publikisht. Postimet tuaja janë u dërgohen ndjekësve tuaj, në disa raste kjo do të thotë se dërgohen në shërbyes të ndryshëm dhe në ta depozitohen kopje të tyre. Kur fshini postime, edhe kjo u dërgohet ndjekësve tuaj. Veprimi i riblogimit apo i parapëlqimit të një postimi tjetër është përherë publik.
+ - Postime të drejtpërdrejta dhe ato vetëm për ndjekësit: Krejt postimet depozitohen dhe trajtohen te shërbyesi. Postimet vetëm për ndjekës u dërgohen ndjekësve tuaj të cilët përmenden në to, dhe postimet e drejtpërdrejta u dërgohen vetëm përdoruesve të përmendur në to. Në disa raste kjo do të thotë se dërgohen në shërbyes të ndryshëm dhe në ta depozitohen kopje të tyre. Përpiqemi pa hile të kufizojmë hyrjen në këto postime vetëm të personave të autorizuar, por shërbyesit e tjerë mund të mos bëjnë të njëjtën gjë. Ndaj është e rëndësishme të shqyrtoni shërbyesit pjesë e të cilëve janë ndjekësit tuaj. Te rregullimet mund të përdorni një mundësi për të miratuar ose hedhur poshtë dorazi ndjekës të rinj. Ju lutemi, mbani parasysh se operatorët e shërbyesit dhe cilido shërbyes marrës mund t’i shohin mesazhe të tillë, dhe që marrësit mund të bëjnë për ta foto ekrani, t’i kopjojnë ose t’i rindajnë ato me të tjerët. Mos u jepni të tjerëve të dhëna të rrezikshme përmes Mastodon-it.
+ - IP dhe të tjera tejtëdhëna: Kur bëni hyrjen, regjistrojmë adresën IP prej nga hytë, si dhe emrin e shfletuesit tuaj. Krejt sesionet e hyrjeve janë të shqyrtueshme nga ju dhe shfuqizim, që nga rregullimet. Adresa e fundit IP e përdorur depozitohet për 12 muaj. Mund të mbajmë edhe regjistra shërbyesi të cilët përfshijnë adresën IP të çdo kërkese ndaj shërbyesit tonë.
@@ -837,9 +772,9 @@ sq:
Cilado prej të dhënave që grumbullojmë prej jush mund të përdoret në rrugët vijuese:
- - Për të mundësuar funksionimin bazë të Mastodon-it. Mundeni të ndërveproni me lëndën e personave të tjerë dhe të postoni lëndë tuajën vetëm kur jeni i futur në llogarinë tuaj. Për shembull, mund të ndiqni njerëz të tjerë për të parë postimet e tyre të ndërthurura te rrjedha juaj kohore e përshtatur.
- - Për të ndihmuar moderimin e bashkësisë, për shembull, duke krahasuar adresën tuaj IP me të tjera të njohura, për të përcaktuar shmangie nga dëbime ose cenime të tjera.
- - Adresa email që jepni mund të përdoret për t’ju dërguar informacion, njoftime mbi persona të tjerë që ndërveprojnë me lëndën tuaj ose që ju dërgojnë mesazhe, dhe për t’iu përgjigju pyetjeve dhe/ose kërkesave të tjera.
+ - Për të mundësuar funksionimin bazë të Mastodon-it. Mundeni të ndërveproni me lëndën e personave të tjerë dhe të postoni lëndë tuajën vetëm kur jeni i futur në llogarinë tuaj. Për shembull, mund të ndiqni njerëz të tjerë për të parë postimet e tyre të ndërthurura te rrjedha juaj kohore e përshtatur.
+ - Për të ndihmuar moderimin e bashkësisë, për shembull, duke krahasuar adresën tuaj IP me të tjera të njohura, për të përcaktuar shmangie nga dëbime ose cenime të tjera.
+ - Adresa email që jepni mund të përdoret për t’ju dërguar informacion, njoftime mbi persona të tjerë që ndërveprojnë me lëndën tuaj ose që ju dërgojnë mesazhe, dhe për t’iu përgjigju pyetjeve dhe/ose kërkesave të tjera.
@@ -855,8 +790,8 @@ sq:
Do të përpiqemi pa hile:
- - Të mbajmë regjistra shërbyesi që përmbajnë adresën IP të krejt kërkesave te ky shërbyes, sa kohë që regjistra të tillë mbahen, për jo më shumë se 90 ditë.
- - Të mbajmë adresat IP përshoqëruar me përdoruesit e regjistruar, për jo më shumë se 12 muaj.
+ - Të mbajmë regjistra shërbyesi që përmbajnë adresën IP të krejt kërkesave te ky shërbyes, sa kohë që regjistra të tillë mbahen, për jo më shumë se 90 ditë.
+ - Të mbajmë adresat IP përshoqëruar me përdoruesit e regjistruar, për jo më shumë se 12 muaj.
Mund të kërkoni dhe të shkarkoni një arkiv të lëndës tuaj, përfshi postimet tuaja, bashkëngjitje media, foto profili, dhe figurë kryesh.
@@ -908,7 +843,6 @@ sq:
time:
formats:
default: "%d %b, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Që të bëhet ripohimi, jepni kodin e prodhuar nga aplikacioni juaj i mirëfilltësimeve
description_html: Nëse aktivizoni mirëfilltësimin dyfaktorësh, hyrja do të kërkojë të jeni në zotërim të telefonit tuaj, i cili do të prodhojë kod që duhet ta jepni.
diff --git a/config/locales/sr-Latn.rb b/config/locales/sr-Latn.rb
new file mode 100644
index 0000000000..fc2dafc94c
--- /dev/null
+++ b/config/locales/sr-Latn.rb
@@ -0,0 +1,3 @@
+require 'rails_i18n/common_pluralizations/romanian'
+
+::RailsI18n::Pluralization::Romanian.with_locale(:'sr-Latn')
diff --git a/config/locales/sr-Latn.yml b/config/locales/sr-Latn.yml
index 3bbb79592b..3310716e0f 100644
--- a/config/locales/sr-Latn.yml
+++ b/config/locales/sr-Latn.yml
@@ -6,7 +6,6 @@ sr-Latn:
about_this: O instanci
contact: Kontakt
contact_missing: Nije postavljeno
- contact_unavailable: N/A
extended_description_html: |
Dobro mesto za pravila
Prošireni opis koji još nije postavljen.
@@ -14,21 +13,15 @@ sr-Latn:
hosted_on: Mastodont hostovan na %{domain}
learn_more: Saznajte više
source_code: Izvorni kod
- status_count_after: statusa
status_count_before: Koji su napisali
- user_count_after: korisnika
user_count_before: Dom za
what_is_mastodon: Šta je Mastodont?
accounts:
- follow: Follow
- followers: Followers
- following: Following
media: Multimedija
moved_html: "%{name} je pomeren na %{new_profile_link}:"
nothing_here: Ovde nema ništa!
people_followed_by: Ljudi koje %{name} prati
people_who_follow: Ljudi koji prate %{name}
- posts: Tutovi
posts_with_replies: Tutovi i odgovori
reserved_username: Korisničko ime je rezervisano
roles:
@@ -63,7 +56,6 @@ sr-Latn:
followers_url: Adresa pratioca
follows: Praćeni
inbox_url: Adresa sandučeta
- ip: IP
location:
all: Sve
local: Lokalne
@@ -87,7 +79,6 @@ sr-Latn:
promote: Unapredi
protocol: Protokol
public: Javno
- push_subscription_expires: PuSH subscription expires
redownload: Osveži avatar
resend_confirmation:
already_confirmed: Ovaj korisnik je već potvrđen
@@ -98,8 +89,6 @@ sr-Latn:
resubscribe: Ponovo se pretplati
role: Ovlašćenja
roles:
- admin: Administrator
- moderator: Moderator
staff: Osoblje
user: Korisnik
salmon_url: Salmon adresa
@@ -187,7 +176,6 @@ sr-Latn:
show:
affected_accounts:
few: Utiče na %{count} naloga u bazi
- many: Utiče na %{count} naloga u bazi
one: Utiče na jedan nalog u bazi
other: Utiče na %{count} naloga u bazi
retroactive:
@@ -213,7 +201,6 @@ sr-Latn:
all: Sve
available: Aktivne
expired: Istekle
- title: Filter
title: Pozivnice
reports:
action_taken_by: Akciju izveo
@@ -225,7 +212,6 @@ sr-Latn:
reported_account: Prijavljeni nalog
reported_by: Prijavio
resolved: Rešeni
- status: Status
title: Prijave
unresolved: Nerešeni
settings:
@@ -278,19 +264,15 @@ sr-Latn:
title: Statusi naloga
with_media: Sa multimedijom
subscriptions:
- callback_url: Callback URL
confirmed: Potvrđeno
expires_in: Ističe za
last_delivery: Poslednja dostava
- title: WebSub
- topic: Topic
title: Administracija
admin_mailer:
new_report:
body: "%{reporter} je prijavio %{target}"
subject: Nova prijava za %{instance} (#%{id})
application_mailer:
- salutation: "%{name},"
settings: 'Promeni podešavanja e-pošte: %{link}'
view: 'Pogledaj:'
applications:
@@ -328,18 +310,13 @@ sr-Latn:
title: Zaprati %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
about_x_months: "%{count}mesec"
about_x_years: "%{count}god"
almost_x_years: "%{count}god"
half_a_minute: Upravo sad
- less_than_x_minutes: "%{count}m"
less_than_x_seconds: Upravo sad
over_x_years: "%{count}god"
- x_days: "%{count}d"
- x_minutes: "%{count}m"
x_months: "%{count}mesec"
- x_seconds: "%{count}s"
deletes:
bad_password_msg: Dobar pokušaj, hakeri! Neispravna lozinka
confirm_password: Unesite trenutnu lozinku da bismo proverili Vaš identitet
@@ -352,9 +329,7 @@ sr-Latn:
'403': Nemate dozvola da vidite ovu stranu.
'404': Strana koju ste tražili ne postoji.
'410': Strana koju ste tražili više ne postoji.
- '422':
- content: Security verification failed. Are you blocking cookies?
- title: Security verification failed
+ '422':
'429': Uspored
'500':
content: Izvinjavamo se, nešto je pošlo po zlu sa ove strane.
@@ -362,7 +337,6 @@ sr-Latn:
noscript_html: Da biste koristili Mastodont veb aplikaciju, omogućite JavaScript. U suprotnom, probajte neku od originalnih aplikacija za Mastodont za Vašu platformu.
exports:
blocks: Blokirali ste
- csv: CSV
follows: Pratite
mutes: Ućutkali ste
storage: Multimedijalno skladište
@@ -371,7 +345,6 @@ sr-Latn:
save_changes: Snimi izmene
validation_errors:
few: Nešto nije baš kako treba! Pregledajte %{count} greške ispod
- many: Nešto nije baš kako treba! Pregledajte %{count} grešaka ispod
one: Nešto nije baš kako treba! Pregledajte greške ispod
other: Nešto nije baš kako treba! Pregledajte %{count} grešaka ispod
imports:
@@ -382,7 +355,6 @@ sr-Latn:
following: Lista pratilaca
muting: Lista ućutkanih
upload: Otpremi
- in_memoriam_html: In Memoriam.
invites:
delete: Deaktiviraj
expired: Isteklo
@@ -391,12 +363,12 @@ sr-Latn:
'21600': 6 sati
'3600': 1 sad
'43200': 12 sati
+ '604800': 1 week
'86400': 1 dan
expires_in_prompt: Nikad
generate: Generiši
max_uses:
few: "%{count} korišćenja"
- many: "%{count} korišćenja"
one: 1 korišćenje
other: "%{count} korišćenja"
max_uses_prompt: Bez ograničenja
@@ -425,12 +397,10 @@ sr-Latn:
mention: "%{name} Vas je pomenuo u:"
new_followers_summary:
few: Dobili ste %{count} nova pratioca! Sjajno!
- many: Dobili ste %{count} novih pratioca! Sjajno!
one: Dobili ste jednog novog pratioca! Jeee!
other: Dobili ste %{count} novih pratioca! Sjajno!
subject:
few: "%{count} nova obaveštenja od poslednje posete \U0001F418"
- many: "%{count} novih obaveštenja od poslednje posete \U0001F418"
one: "1 novo obaveštenje od poslednje posete \U0001F418"
other: "%{count} novih obaveštenja od poslednje posete \U0001F418"
favourite:
@@ -448,21 +418,9 @@ sr-Latn:
reblog:
body: "%{name} Vam je podržao(la) status:"
subject: "%{name} je podržao(la) Vaš status"
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
next: Sledeći
prev: Prethodni
- truncate: "…"
preferences:
other: Ostali
remote_follow:
@@ -474,32 +432,18 @@ sr-Latn:
activity: Poslednja aktivnost
browser: Veb čitač
browsers:
- alipay: Alipay
blackberry: Blekberi
chrome: Hrom
- edge: Microsoft Edge
- firefox: Firefox
generic: Nepoznati veb čitač
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- opera: Opera
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Trenutna sesija
description: "%{browser} sa %{platform}"
explanation: Ovo su trenutno prijavljeni veb čitači na Vaš Mastodont nalog.
- ip: IP
platforms:
adobe_air: Adobe Air-a
android: Androida
blackberry: Blekberija
chrome_os: Hrom OS-a
firefox_os: Fajerfoks OS-a
- ios: iOS
linux: Linuksa
mac: Mac-a
other: nepoznate platforme
@@ -530,7 +474,6 @@ sr-Latn:
private: Tutovi koji nisu javni ne mogu da se prikače
reblog: Podrška ne može da se prikači
show_more: Prikaži još
- title: '%{name}: "%{quote}"'
visibilities:
private: Samo pratioci
private_long: Samo prikaži pratiocima
@@ -546,9 +489,6 @@ sr-Latn:
title: Uslovi korišćenja i politika privatnosti instance %{instance}
themes:
default: Mastodont
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
code_hint: Unesite kod sa Vaše aplikacije za proveru identiteta da potvrdite
description_html: Ako uključite dvofaktorsku identifikaciju, moraćete da imate telefon sa sobom da biste mogli da se prijavite. Telefon će onda generisati tokene za Vašu prijavu.
diff --git a/config/locales/sr.rb b/config/locales/sr.rb
new file mode 100644
index 0000000000..86b89a07e1
--- /dev/null
+++ b/config/locales/sr.rb
@@ -0,0 +1,3 @@
+require 'rails_i18n/common_pluralizations/romanian'
+
+::RailsI18n::Pluralization::Romanian.with_locale(:sr)
diff --git a/config/locales/sr.yml b/config/locales/sr.yml
index 8c94b09890..1555fb235d 100644
--- a/config/locales/sr.yml
+++ b/config/locales/sr.yml
@@ -5,11 +5,9 @@ sr:
about_mastodon_html: Мастодон је друштвена мрежа базирана на отвореним протоколима и слободном софтверу отвореног кода. Децентрализована је као што је децентрализована е-пошта.
about_this: О инстанци
administered_by: 'Администрирано од стране:'
- api: API
apps: Мобилне апликације
contact: Контакт
contact_missing: Није постављено
- contact_unavailable: N/A
documentation: Документација
extended_description_html: |
Добро место за правила
@@ -21,14 +19,12 @@ sr:
source_code: Изворни код
status_count_after:
few: статуси
- many: статуси
one: статус
other: статуса
status_count_before: Који су написали
terms: Услови коришћења
user_count_after:
few: корисници
- many: корисници
one: корисник
other: корисника
user_count_before: Дом за
@@ -38,7 +34,6 @@ sr:
follow: Запрати
followers:
few: Пратиоци
- many: Пратиоци
one: Пратиоц
other: Пратиоци
following: Пратим
@@ -55,7 +50,6 @@ sr:
following: Морате пратити ову особу ако хоћете да потврдите
posts:
few: Трубе
- many: Трубе
one: Труба
other: Трубе
posts_tab_heading: Трубе
@@ -108,7 +102,6 @@ sr:
header: Заглавље
inbox_url: Адреса сандучета
invited_by: Позван од стране
- ip: IP
joined: Придружио се
location:
all: Све
@@ -278,7 +271,6 @@ sr:
show:
affected_accounts:
few: Утиче на %{count} налога у бази
- many: Утиче на %{count} налога у бази
one: Један налог у бази података је под утицајем
other: Утиче на %{count} налога у бази података
retroactive:
@@ -304,7 +296,6 @@ sr:
delivery_available: Достава је доступна
known_accounts:
few: "%{count} знаних налога"
- many: "%{count} знаних налога"
one: "%{count} знан налог"
other: "%{count} знаних налога"
moderation:
@@ -450,12 +441,9 @@ sr:
title: Статуси налога
with_media: Са мултимедијом
subscriptions:
- callback_url: Callback URL
confirmed: Потврђено
expires_in: Истиче за
last_delivery: Последња достава
- title: WebSub
- topic: Topic
tags:
accounts: Налози
hidden: Скривено
@@ -478,7 +466,6 @@ sr:
subject: Нова пријава за %{instance} (#%{id})
application_mailer:
notification_preferences: Промени преференце Е-поште
- salutation: "%{name},"
settings: 'Промени подешавања е-поште: %{link}'
view: 'Погледај:'
view_profile: Погледај профил
@@ -525,18 +512,14 @@ sr:
title: Запрати %{acct}
datetime:
distance_in_words:
- about_x_hours: "%{count}h"
about_x_months: "%{count}месец"
about_x_years: "%{count}год"
almost_x_years: "%{count}год"
half_a_minute: Управо сад
- less_than_x_minutes: "%{count}m"
less_than_x_seconds: Управо сад
over_x_years: "%{count}год"
x_days: "%{count}д"
- x_minutes: "%{count}m"
x_months: "%{count}месец"
- x_seconds: "%{count}s"
deletes:
bad_password_msg: Добар покушај, хакери! Неисправна лозинка
confirm_password: Унесите тренутну лозинку да бисмо проверили Ваш идентитет
@@ -552,7 +535,6 @@ sr:
explore_mastodon: Истражи %{title}
people:
few: "%{count} људе"
- many: "%{count} људе"
one: "%{count} особа/е"
other: "%{count} људи"
errors:
@@ -576,7 +558,6 @@ sr:
request: Затражите Вашу архиву
size: Величина
blocks: Блокирали сте
- csv: CSV
domain_blocks: Блокови домена
follows: Пратите
lists: Листе
@@ -608,7 +589,6 @@ sr:
save_changes: Сними измене
validation_errors:
few: Нешто није баш како треба! Прегледајте %{count} грешке испод
- many: Нешто није баш како треба! Прегледајте %{count} грешака испод
one: Нешто није баш како треба! Прегледајте грешке испод
other: Нешто није баш како треба! Прегледајте %{count} грешака испод
imports:
@@ -619,7 +599,6 @@ sr:
following: Листа пратилаца
muting: Листа ућутканих
upload: Отпреми
- in_memoriam_html: In Memoriam.
invites:
delete: Деактивирај
expired: Истекло
@@ -635,7 +614,6 @@ sr:
invited_by: 'Позвао Вас је:'
max_uses:
few: "%{count} коришћења"
- many: "%{count} коришћења"
one: 1 коришћење
other: "%{count} коришћења"
max_uses_prompt: Без ограничења
@@ -665,12 +643,10 @@ sr:
mention: "%{name} Вас је поменуо у:"
new_followers_summary:
few: Добили сте %{count} нова пратиоца! Сјајно!
- many: Добили сте %{count} нових пратиоца! Сјајно!
one: Добили сте једног новог пратиоца! Јеее!
other: Добили сте %{count} нових пратиоца! Сјајно!
subject:
few: "%{count} нова обавештења од последње посете \U0001F418"
- many: "%{count} нових обавештења од последње посете \U0001F418"
one: "1 ново обавештење од последње посете \U0001F418"
other: "%{count} нових обавештења од последње посете \U0001F418"
title: Док нисте били ту...
@@ -696,23 +672,11 @@ sr:
body: "%{name} Вам је подржао/ла статус:"
subject: "%{name} је подржао/ла Ваш статус"
title: Нова подршка
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: Новије
next: Следеће
older: Старије
prev: Претходни
- truncate: "…"
preferences:
other: Остало
remote_follow:
@@ -761,7 +725,6 @@ sr:
current_session: Тренутна сесија
description: "%{browser} са %{platform}"
explanation: Ово су веб претраживачи који су тренутно пријављени на Ваш Мастодон налог.
- ip: IP
platforms:
adobe_air: Адоб Ер-а
android: Андроида
@@ -795,19 +758,16 @@ sr:
description: 'У прилогу: %{attached}'
image:
few: "%{count} слика"
- many: "%{count} слика"
one: "%{count} слику"
other: "%{count} слика"
video:
few: "%{count} видео записа"
- many: "%{count} видео записа"
one: "%{count} видео запис"
other: "%{count} видео записа"
boosted_from_html: Подржано од %{acct_link}
content_warning: 'Упозорење на садржај: %{warning}'
disallowed_hashtags:
few: 'садржи забрањене хештегове: %{tags}'
- many: 'садржи забрањене хештегове: %{tags}'
one: 'садржи забрањени хештег: %{tags}'
other: 'садржи забрањене хештегове: %{tags}'
language_detection: Аутоматскo откривање језика
@@ -820,7 +780,6 @@ sr:
reblog: Подршка не може да се прикачи
show_more: Прикажи још
sign_in_to_participate: Пријавите се да учествујете у разговору
- title: '%{name}: "%{quote}"'
visibilities:
private: Само пратиоци
private_long: Прикажи само пратиоцима
@@ -838,10 +797,6 @@ sr:
contrast: Велики контраст
default: Мастодон
mastodon-light: Мастодон (светло)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
code_hint: Да бисте потврдили, унесите код генерисан од стране ваше апликације за потврду идентитета
description_html: Ако укључите двофакторску идентификацију, мораћете да имате телефон са собом да бисте могли да се пријавите. Телефон ће онда генерисати токене за Вашу пријаву.
diff --git a/config/locales/sv.yml b/config/locales/sv.yml
index c235fc889d..d3d0cb888d 100644
--- a/config/locales/sv.yml
+++ b/config/locales/sv.yml
@@ -5,9 +5,9 @@ sv:
about_mastodon_html: Mastodon är ett socialt nätverk baserat på öppna webbprotokoll och gratis, öppen källkodsprogramvara. Det är decentraliserat som e-post.
about_this: Om
administered_by: 'Administreras av:'
+ api: API
contact: Kontakt
contact_missing: Inte inställd
- contact_unavailable: N/A
extended_description_html: |
En bra plats för regler
Den utökade beskrivningen har inte konfigurerats ännu.
@@ -15,14 +15,12 @@ sv:
hosted_on: Mastodon värd på %{domain}
learn_more: Lär dig mer
source_code: Källkod
- status_count_after: statusar
status_count_before: Som skapat
- user_count_after: användare
+ terms: Användarvillkor
user_count_before: Hem till
what_is_mastodon: Vad är Mastodon?
accounts:
follow: Följa
- followers: Följare
following: Följer
media: Media
moved_html: "%{name} har flyttat till %{new_profile_link}:"
@@ -30,12 +28,9 @@ sv:
nothing_here: Det finns inget här!
people_followed_by: Personer som %{name} följer
people_who_follow: Personer som följer %{name}
- posts: Toots
posts_with_replies: Toots med svar
reserved_username: Användarnamnet är reserverat
roles:
- admin: Admin
- bot: Bot
moderator: Moderator
unfollow: Sluta följa
admin:
@@ -46,7 +41,6 @@ sv:
destroyed_msg: Modereringsnotering borttagen utan problem!
accounts:
are_you_sure: Är du säker?
- avatar: Avatar
by_domain: Domän
change_email:
changed_msg: E-postadressen har ändrats!
@@ -74,7 +68,6 @@ sv:
followers_url: Följare URL
follows: Följs
inbox_url: Inkorgs URL
- ip: IP
location:
all: Alla
local: Lokal
@@ -111,7 +104,6 @@ sv:
role: Behörigheter
roles:
admin: Administratör
- moderator: Moderator
staff: Personal
user: Användare
salmon_url: Lax URL
@@ -171,7 +163,6 @@ sv:
destroyed_msg: Emojo borttagen utan problem!
disable: Inaktivera
disabled_msg: Inaktiverade emoji utan problem
- emoji: Emoji
enable: Aktivera
enabled_msg: Aktiverade den emoji utan problem
image_hint: PNG upp till 50KB
@@ -259,7 +250,6 @@ sv:
reported_by: Anmäld av
resolved: Löst
resolved_msg: Anmälan har lösts framgångsrikt!
- status: Status
title: Anmälningar
unassign: Otilldela
unresolved: Olösta
@@ -320,8 +310,6 @@ sv:
nsfw_off: Markera som ej känslig
nsfw_on: Markera som känslig
failed_to_execute: Misslyckades att utföra
- media:
- title: Media
no_media: Ingen media
title: Kontostatus
with_media: med media
@@ -330,9 +318,7 @@ sv:
confirmed: Bekräftad
expires_in: Utgår om
last_delivery: Sista leverans
- title: WebSub
topic: Ämne
- title: Administration
admin_mailer:
new_report:
body: "%{reporter} har rapporterat %{target}"
@@ -340,7 +326,6 @@ sv:
subject: Ny rapport för %{instance} (#%{id})
application_mailer:
notification_preferences: Ändra e-postinställningar
- salutation: "%{name},"
settings: 'Ändra e-postinställningar: %{link}'
view: 'Granska:'
view_profile: Visa profil
@@ -395,7 +380,6 @@ sv:
less_than_x_minutes: "%{count}min"
less_than_x_seconds: Just nu
over_x_years: "%{count}år"
- x_days: "%{count}d"
x_minutes: "%{count}min"
x_months: "%{count}mån"
x_seconds: "%{count}sek"
@@ -517,23 +501,11 @@ sv:
body: 'Din status knuffades av %{name}:'
subject: "%{name} knuffade din status"
title: Ny knuff
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: " "
pagination:
newer: Nyare
next: Nästa
older: Äldre
prev: Tidigare
- truncate: "…"
preferences:
other: Annat
remote_follow:
@@ -549,23 +521,16 @@ sv:
activity: Senaste aktivitet
browser: Webbläsare
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
edge: Microsoft Edge
electron: Electron
firefox: Firefox
generic: Okänd browser
ie: Internet Explorer
micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
opera: Opera
otter: Otter
phantom_js: PhantomJS
- qq: QQ Browser
safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Nuvarande session
description: "%{browser} på %{platform}"
explanation: Detta är inloggade webbläsare på Mastodon just nu.
@@ -581,8 +546,6 @@ sv:
mac: Mac
other: okänd plattform
windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Återkalla
revoke_success: Sessionen återkallas framgångsrikt
title: Sessioner
@@ -593,7 +556,6 @@ sv:
development: Utveckling
edit_profile: Redigera profil
export: Exportera data
- import: Import
migrate: Kontoflytt
notifications: Meddelanden
preferences: Inställningar
@@ -604,9 +566,6 @@ sv:
image:
one: "%{count} bild"
other: "%{count} bilder"
- video:
- one: "%{count} video"
- other: "%{count} videor"
boosted_from_html: Boosted från %{acct_link}
content_warning: 'Innehållsvarning: %{warning}'
disallowed_hashtags:
@@ -621,7 +580,6 @@ sv:
private: Icke-offentliga toot kan inte fästas
reblog: Knuffar kan inte fästas
show_more: Visa mer
- title: '%{name}: "%{quote}"'
visibilities:
private: Endast följare
private_long: Visa endast till följare
@@ -639,10 +597,10 @@ sv:
Vilken information samlar vi in?
- - Grundläggande kontoinformation: Det användarnamn du väljer, visningsnamn, biografi, avatar/profilbild och bakgrundsbild kommer alltid vara tillgängliga för alla som kan nå webbsidan.
- - Inlägg, vem du följer och annan tillgänglig information: Dina följare och de konton du följer är alltid tillgängliga. När du skapar ett nytt inlägg sparas datum och tid för meddelandet, samt vilket program du använde för att skapa inlägget. Detta gäller även bilder och media som inlägg kan innehålla.Både "Publika" och "Olistade" inlägg kan vara tillgängliga för alla som har åtkomst till webbsidan. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
- - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
- - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
+ - Grundläggande kontoinformation: Det användarnamn du väljer, visningsnamn, biografi, avatar/profilbild och bakgrundsbild kommer alltid vara tillgängliga för alla som kan nå webbsidan.
+ - Inlägg, vem du följer och annan tillgänglig information: Dina följare och de konton du följer är alltid tillgängliga. När du skapar ett nytt inlägg sparas datum och tid för meddelandet, samt vilket program du använde för att skapa inlägget. Detta gäller även bilder och media som inlägg kan innehålla.Både "Publika" och "Olistade" inlägg kan vara tillgängliga för alla som har åtkomst till webbsidan. When you feature a post on your profile, that is also publicly available information. Your posts are delivered to your followers, in some cases it means they are delivered to different servers and copies are stored there. When you delete posts, this is likewise delivered to your followers. The action of reblogging or favouriting another post is always public.
+ - Direct and followers-only posts: All posts are stored and processed on the server. Followers-only posts are delivered to your followers and users who are mentioned in them, and direct posts are delivered only to users mentioned in them. In some cases it means they are delivered to different servers and copies are stored there. We make a good faith effort to limit the access to those posts only to authorized persons, but other servers may fail to do so. Therefore it's important to review servers your followers belong to. You may toggle an option to approve and reject new followers manually in the settings. Please keep in mind that the operators of the server and any receiving server may view such messages, and that recipients may screenshot, copy or otherwise re-share them. Do not share any dangerous information over Mastodon.
+ - IPs and other metadata: When you log in, we record the IP address you log in from, as well as the name of your browser application. All the logged in sessions are available for your review and revocation in the settings. The latest IP address used is stored for up to 12 months. We also may retain server logs which include the IP address of every request to our server.
@@ -652,9 +610,9 @@ sv:
Any of the information we collect from you may be used in the following ways:
- - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
- - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
- - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
+ - To provide the core functionality of Mastodon. You can only interact with other people's content and post your own content when you are logged in. For example, you may follow other people to view their combined posts in your own personalized home timeline.
+ - To aid moderation of the community, for example comparing your IP address with other known ones to determine ban evasion or other violations.
+ - The email address you provide may be used to send you information, notifications about other people interacting with your content or sending you messages, and to respond to inquiries, and/or other requests or questions.
@@ -670,8 +628,8 @@ sv:
We will make a good faith effort to:
- - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
- - Retain the IP addresses associated with registered users no more than 12 months.
+ - Retain server logs containing the IP address of all requests to this server, in so far as such logs are kept, no more than 90 days.
+ - Retain the IP addresses associated with registered users no more than 12 months.
You can request and download an archive of your content, including your posts, media attachments, profile picture, and header image.
@@ -720,9 +678,6 @@ sv:
contrast: Hög kontrast
default: Mastodon
mastodon-light: Mastodon (ljust)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
code_hint: Ange koden som genererats av din autentiseringsapp för att bekräfta
description_html: Om du aktiverar tvåstegsautentisering kommer inloggningen kräva att du har din telefon tillgänglig, vilket kommer att generera tokens för dig att uppge.
@@ -759,7 +714,6 @@ sv:
tip_following: Du följer din servers administratör(er) som standard. För att hitta fler intressanta personer, kolla de lokala och förenade tidslinjerna.
tip_local_timeline: Den lokala tidslinjen är en störtflodsvy av personer på %{instance}. Det här är dina närmaste grannar!
tip_mobile_webapp: Om din mobila webbläsare erbjuder dig att lägga till Mastodon till ditt hemskärm kan du få push-meddelanden. Det fungerar som en inbyggd app på många sätt!
- tips: Tips
title: Välkommen ombord, %{name}!
users:
invalid_email: E-postadressen är ogiltig
diff --git a/config/locales/ta.yml b/config/locales/ta.yml
new file mode 100644
index 0000000000..eef06fa7ca
--- /dev/null
+++ b/config/locales/ta.yml
@@ -0,0 +1,17 @@
+---
+ta:
+ 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
diff --git a/config/locales/te.yml b/config/locales/te.yml
index 1dfc87060a..d4a2f507d7 100644
--- a/config/locales/te.yml
+++ b/config/locales/te.yml
@@ -5,7 +5,6 @@ te:
about_mastodon_html: మాస్టొడాన్ అనేది ఒక సామాజిక మాధ్యమం. ఇది పూర్తిగా ఉచితం మరియు స్వేచ్ఛా సాఫ్టువేరు. ఈమెయిల్ లాగానే ఇది వికేంద్రీకరించబడినది.
about_this: గురించి
administered_by: 'నిర్వహణలో:'
- api: API
apps: మొబైల్ యాప్స్
contact: సంప్రదించండి
contact_missing: ఇంకా సెట్ చేయలేదు
@@ -96,9 +95,7 @@ te:
followers: అనుచరులు
followers_url: అనుచరుల URL
follows: అనుసరిస్తున్నారు
- header: Header
inbox_url: ఇన్ బాక్స్ URL
- ip: IP
location:
all: అన్నీ
local: లోకల్
@@ -106,7 +103,6 @@ te:
title: లొకేషన్
login_status: లాగిన్ స్థితి
media_attachments: మీడియా అటాచ్మెంట్లు
- memorialize: Turn into memoriam
moderation:
active: యాక్టివ్
all: అన్నీ
@@ -116,3 +112,18 @@ te:
moderation_notes: మోడరేషన్ నోట్స్
most_recent_activity: ఇటీవల యాక్టివిటీ
most_recent_ip: ఇటీవలి IP
+ 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
diff --git a/config/locales/th.yml b/config/locales/th.yml
index 29199889a8..9ef6bc3dd5 100644
--- a/config/locales/th.yml
+++ b/config/locales/th.yml
@@ -6,7 +6,6 @@ th:
active_count_after: ที่ใช้งาน
active_footnote: ผู้ใช้งานรายเดือน (MAU)
administered_by: 'ดูแลโดย:'
- api: API
apps: แอปสำหรับมือถือ
apps_platforms: ใช้ Mastodon จาก iOS, Android และแพลตฟอร์มอื่น ๆ
browse_directory: เรียกดูไดเรกทอรีโปรไฟล์และกรองตามความสนใจ
@@ -26,18 +25,15 @@ th:
server_stats: 'สถิติเซิร์ฟเวอร์:'
source_code: โค้ดต้นฉบับ
status_count_after:
- one: สถานะ
other: สถานะ
status_count_before: ผู้สร้าง
user_count_after:
- one: ผู้ใช้
other: ผู้ใช้
user_count_before: บ้านของ
what_is_mastodon: Mastodon คืออะไร?
accounts:
follow: ติดตาม
followers:
- one: ผู้ติดตาม
other: ผู้ติดตาม
following: กำลังติดตาม
joined: เข้าร่วมเมื่อ %{date}
@@ -49,7 +45,6 @@ th:
people_followed_by: ผู้คนที่ %{name} ติดตาม
people_who_follow: ผู้คนที่ติดตาม %{name}
posts:
- one: โพสต์
other: โพสต์
posts_tab_heading: โพสต์
posts_with_replies: โพสต์และการตอบกลับ
@@ -97,7 +92,6 @@ th:
header: ส่วนหัว
inbox_url: URL กล่องขาเข้า
invited_by: เชิญโดย
- ip: IP
joined: เข้าร่วมเมื่อ
location:
all: ทั้งหมด
@@ -135,7 +129,6 @@ th:
moderator: ผู้ควบคุม
staff: พนักงาน
user: ผู้ใช้
- salmon_url: Salmon URL
search: ค้นหา
show:
created_reports: รายงานที่สร้าง
@@ -213,7 +206,6 @@ th:
suspend: ระงับอยู่
show:
affected_accounts:
- one: มีผลต่อหนึ่งบัญชีในฐานข้อมูล
other: มีผลต่อ %{count} บัญชีในฐานข้อมูล
retroactive:
silence: เลิกเงียบบัญชีที่มีอยู่ทั้งหมดจากโดเมนนี้
@@ -332,7 +324,6 @@ th:
confirmed: ยืนยันแล้ว
expires_in: หมดอายุภายใน
last_delivery: ส่งล่าสุด
- title: WebSub
topic: หัวข้อ
tags:
accounts: บัญชี
@@ -362,15 +353,11 @@ th:
change_password: รหัสผ่าน
confirm_email: ยืนยันอีเมล
delete_account: ลบบัญชี
- didnt_get_confirmation: Didn't receive confirmation instructions?
forgot_password: ลืมรหัสผ่านของคุณ?
login: เข้าสู่ระบบ
logout: ออกจากระบบ
migrate_account: ย้ายไปยังบัญชีอื่น
or_log_in_with: หรือเข้าสู่ระบบด้วย
- providers:
- cas: CAS
- saml: SAML
register: ลงทะเบียน
resend_confirmation: ส่งขั้นตอนวิธีการยืนยันใหม่อีกครั้ง
reset_password: ตั้งรหัสผ่านใหม่
@@ -379,7 +366,6 @@ th:
trouble_logging_in: มีปัญหาในการเข้าสู่ระบบ?
authorize_follow:
already_following: คุณกำลังติดตามบัญชีนี้อยู่แล้ว
- error: Unfortunately, there was an error looking up the remote account
follow: ติดตาม
following: 'สำเร็จ! คุณกำลังติดตาม:'
post_follow:
@@ -424,7 +410,6 @@ th:
request: ขอการเก็บถาวรของคุณ
size: ขนาด
blocks: คุณปิดกั้น
- csv: CSV
domain_blocks: การปิดกั้นโดเมน
follows: คุณติดตาม
lists: รายการ
@@ -454,15 +439,11 @@ th:
changes_saved_msg: บันทึกการเปลี่ยนแปลงสำเร็จ!
copy: คัดลอก
save_changes: บันทึกการเปลี่ยนแปลง
- validation_errors:
- one: Something isn't quite right yet! Please review the error below
- other: Something isn't quite right yet! Please review %{count} errors below
imports:
modes:
merge: ผสาน
overwrite: เขียนทับ
preface: You can import certain data like all the people you are following or blocking into your account on this instance, from files created by an export on another instance.
- success: Your data was successfully uploaded and will now be processed in due time
types:
blocking: รายการปิดกั้น
following: รายการติดตาม
@@ -495,14 +476,9 @@ th:
notification_mailer:
digest:
action: ดูการแจ้งเตือนทั้งหมด
- body: Here is a brief summary of the messages you missed since your last visit on %{since}
mention: "%{name} ได้กล่าวถึงคุณใน:"
new_followers_summary:
- one: นอกจากนี้คุณยังมีหนึ่งผู้ติดตามใหม่ขณะที่ไม่อยู่! เย่!
other: You have gotten %{count} new followers! Amazing!
- subject:
- one: "1 new notification since your last visit \U0001F418"
- other: "%{count} new notifications since your last visit \U0001F418"
favourite:
body: 'สถานะของคุณได้รับการชื่นชอบโดย %{name}:'
subject: "%{name} ได้ชื่นชอบสถานะของคุณ"
@@ -525,25 +501,11 @@ th:
body: 'สถานะของคุณได้รับการดันโดย %{name}:'
subject: "%{name} ได้ดันสถานะของคุณ"
title: การดันใหม่
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: ใหม่กว่า
next: ถัดไป
older: เก่ากว่า
prev: ก่อนหน้า
- truncate: "…"
- preferences:
- other: อื่น ๆ
relationships:
activity: กิจกรรมบัญชี
relationship: ความสัมพันธ์
@@ -553,7 +515,6 @@ th:
status: สถานะบัญชี
remote_follow:
acct: ป้อน username@domain ของคุณที่คุณต้องการกระทำจาก
- missing_resource: Could not find the required redirect URL for your account
no_account_html: ไม่มีบัญชี? คุณสามารถ ลงทะเบียนที่นี่
proceed: ดำเนินการต่อเพื่อติดตาม
prompt: 'คุณกำลังจะติดตาม:'
@@ -574,7 +535,6 @@ th:
sessions:
activity: กิจกรรมล่าสุด
browser: เบราว์เซอร์
- ip: IP
revoke: เพิกถอน
settings:
authorized_apps: แอปที่ได้รับอนุญาต
@@ -592,33 +552,26 @@ th:
attached:
description: 'แนบ: %{attached}'
image:
- one: "%{count} ภาพ"
other: "%{count} ภาพ"
video:
- one: "%{count} วิดีโอ"
other: "%{count} วิดีโอ"
content_warning: 'คำเตือนเนื้อหา: %{warning}'
open_in_web: เปิดในเว็บ
- over_character_limit: character limit of %{max} exceeded
pin_errors:
reblog: ไม่สามารถปักหมุดการดัน
poll:
total_votes:
- one: "%{count} การลงคะแนน"
other: "%{count} การลงคะแนน"
show_more: แสดงเพิ่มเติม
sign_in_to_participate: ลงชื่อเข้าเพื่อเข้าร่วมการสนทนา
- title: '%{name}: "%{quote}"'
visibilities:
private: ผู้ติดตามเท่านั้น
private_long: แสดงต่อผู้ติดตามเท่านั้น
public: สาธารณะ
public_long: ทุกคนสามารถเห็น
unlisted: ไม่อยู่ในรายการ
- unlisted_long: Everyone can see, but not listed on public timelines
stream_entries:
pinned: โพสต์ที่ปักหมุด
- reblogged: boosted
sensitive_content: เนื้อหาที่ละเอียดอ่อน
themes:
contrast: Mastodon (ความคมชัดสูง)
@@ -627,19 +580,12 @@ th:
time:
formats:
default: "%d %b %Y, %H:%M"
- month: "%b %Y"
two_factor_authentication:
- code_hint: Enter the code generated by your authenticator app to confirm
- description_html: If you enable two-factor authentication, logging in will require you to be in possession of your phone, which will generate tokens for you to enter.
disable: ปิดใช้งาน
enable: เปิดใช้งาน
enabled: เปิดใช้งานการรับรองความถูกต้องด้วยสองปัจจัยแล้ว
enabled_success: เปิดใช้งานการรับรองความถูกต้องด้วยสองปัจจัยสำเร็จ
generate_recovery_codes: สร้างรหัสกู้คืน
- instructions_html: "Scan this QR code into Google Authenticator or a similiar TOTP app on your phone. From now on, that app will generate tokens that you will have to enter when logging in."
- lost_recovery_codes: Recovery codes allow you to regain access to your account if you lose your phone. If you've lost your recovery codes, you can regenerate them here. Your old recovery codes will be invalidated.
- manual_instructions: 'If you can''t scan the QR code and need to enter it manually, here is the plain-text secret:'
- recovery_codes_regenerated: Recovery codes successfully regenerated
recovery_instructions_html: If you ever lose access to your phone, you can use one of the recovery codes below to regain access to your account. Keep the recovery codes safe, for example by printing them and storing them with other important documents.
setup: ตั้งค่า
wrong_code: รหัสที่ป้อนไม่ถูกต้อง! เวลาเซิร์ฟเวอร์และเวลาอุปกรณ์ถูกต้องหรือไม่?
diff --git a/config/locales/tr.yml b/config/locales/tr.yml
index e3e27e3ef3..3113e7a08f 100644
--- a/config/locales/tr.yml
+++ b/config/locales/tr.yml
@@ -5,7 +5,6 @@ tr:
about_mastodon_html: Mastodon ücretsiz ve açık kaynaklı bir sosyal ağdır. Merkezileştirilmemiş yapısı sayesinde diğer ticari sosyal platformların aksine iletişimininizin tek bir firmada tutulmasının/yönetilmesinin önüne geçer. Güvendiğiniz bir sunucuyu seçerek oradaki kişilerle etkileşimde bulunabilirsiniz. Herkes kendi Mastodon sunucusunu kurabilir ve sorunsuz bir şekilde Mastodon sosyal ağına dahil edebilir.
about_this: Bu sunucu hakkında
administered_by: 'Tarafından yönetildi:'
- api: API
apps: Mobil uygulamalar
contact: İletişim
contact_missing: Ayarlanmadı
@@ -46,15 +45,11 @@ tr:
people_who_follow: Kullanıcı %{name}'i takip edenler
pin_errors:
following: Onaylamak istediğiniz kişiyi zaten takip ediyor olmalısınız
- posts:
- one: Toot
- other: Tootlar
posts_tab_heading: Tootlar
posts_with_replies: Tootlar ve yanıtlar
reserved_username: Kullanıcı adı saklıdır
roles:
admin: Yönetici
- bot: Bot
moderator: Denetleyici
unfollow: Takibi bırak
admin:
@@ -96,7 +91,6 @@ tr:
header: Üstbilgi
inbox_url: Gelen kutusu bağlantısı
invited_by: Tarafından davet edildi
- ip: IP
joined: Katıldı
location:
all: Hepsi
@@ -155,7 +149,6 @@ tr:
unsubscribe: Abonelikten çık
username: Kullanıcı adı
warn: Uyar
- web: Web
action_logs:
actions:
confirm_user: "%{name} %{target} kullanıcısının e-posta adresini onayladı"
@@ -165,7 +158,6 @@ tr:
add_new: Yeni ekle
created_msg: Domain bloğu şu an işleniyor
destroyed_msg: Domain bloğu silindi
- domain: Domain
new:
create: Yeni blok oluştur
hint: Domain bloğu, veri tabanında hesap kayıtlarının oluşturulmasını engellemez, fakat o hesapların üzerine otomatik olarak belirli yönetim metodlarını olarak uygular.
@@ -220,7 +212,6 @@ tr:
confirmed: Onaylandı
expires_in: Bitiş Tarihi
last_delivery: Son gönderim
- title: WebSub
topic: Konu
tags:
accounts: Hesaplar
@@ -271,9 +262,10 @@ tr:
'422':
content: Güvenlik doğrulaması başarısız oldu. Site cookie'lerini engellemiş olabilirsiniz.
title: Güvenlik doğrulamasu başarısız
+ '429': Throttled
+ '500':
exports:
blocks: Blokladıklarınız
- csv: CSV
follows: Takip ettikleriniz
mutes: Susturduklarınız
storage: Ortam deposu
@@ -291,6 +283,14 @@ tr:
following: Takip edilenler listesi
muting: Susturulanlar listesi
upload: Yükle
+ 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: Halihazırda görsel içeren bir gönderiye video ekleyemezsiniz
@@ -320,21 +320,9 @@ tr:
reblog:
body: "%{name} durumunuzu boost etti:"
subject: "%{name} durumunuzu boost etti"
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
next: Sonraki
prev: Önceki
- truncate: "…"
remote_follow:
acct: Takip edeceğiniz kişiyi kullaniciadi@sunuculinki şeklinde giriniz
missing_resource: Hesabınız için yönlendirme linki bulunamadı
@@ -362,9 +350,6 @@ tr:
stream_entries:
reblogged: boost edildi
sensitive_content: Hassas içerik
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
code_hint: Onaylamak için kimlik doğrulama uygulamanızın oluşturduğu kodu giriniz
description_html: Eğer iki-faktörlü kimlik doğrulamayı aktif ederseniz, giriş yaparken sizin için giriş kodu üreten telefonunuza ihtiyaç duyacaksınız.
diff --git a/config/locales/uk.yml b/config/locales/uk.yml
index 7b7153f218..e027b6baee 100644
--- a/config/locales/uk.yml
+++ b/config/locales/uk.yml
@@ -5,7 +5,6 @@ uk:
about_mastodon_html: Mastodon - це вільна соціальна мережа з відкритим вихідним кодом. Вона є децентралізованою альтернативою комерційним платформам, що дозволяє уникнути ризиків монополізації вашого спілкування однією компанією. Виберіть сервер, якому ви довіряєте — що б ви не вибрали, Ви зможете спілкуватись з усіма іншими. Будь-який користувач може запустити власну інстанцію Mastodon та без проблем брати участь в соціальній мережі.
about_this: Про цю інстанцію
administered_by: 'Адміністратор:'
- api: API
contact: Зв'язатися
contact_missing: Не зазначено
contact_unavailable: Недоступно
@@ -18,15 +17,12 @@ uk:
learn_more: Дізнатися більше
privacy_policy: Політика приватності
source_code: Вихідний код
- status_count_after: статусів
status_count_before: Опубліковано
terms: Правила використання
- user_count_after: користувачів
user_count_before: Тут живе
what_is_mastodon: Що таке Mastodon?
accounts:
follow: Підписатися
- followers: Підписники
following: Підписаний(-а)
joined: Приєднався %{date}
media: Медіа
@@ -35,7 +31,6 @@ uk:
nothing_here: Тут нічого немає!
people_followed_by: Люди, на яких підписаний(-а) %{name}
people_who_follow: Підписники %{name}
- posts: Пости
posts_with_replies: Пости і відповіді
reserved_username: Це ім'я користувача зарезервоване
roles:
@@ -70,7 +65,6 @@ uk:
display_name: Відображуване ім'я
domain: Домен
edit: Змінити
- email: Email
email_status: Статус e-mail
enable: Увімкнути
enabled: Увімкнено
@@ -79,7 +73,6 @@ uk:
followers_url: URL підписників
follows: Підписки
inbox_url: Вхідний URL
- ip: IP
location:
all: Усі
local: Локальні
@@ -119,7 +112,6 @@ uk:
moderator: Модератор
staff: Персонал
user: Користувач
- salmon_url: Salmon URL
search: Пошук
shared_inbox_url: URL спільного вхідного кошика
show:
@@ -358,11 +350,9 @@ uk:
title: Статуси аккаунтів
with_media: З медіа
subscriptions:
- callback_url: Callback URL
confirmed: Підтверджено
expires_in: Спливає через
last_delivery: Остання доставка
- title: WebSub
topic: Тема
title: Адміністрування
admin_mailer:
@@ -372,7 +362,6 @@ uk:
subject: Нова скарга до %{instance} (#%{id})
application_mailer:
notification_preferences: Змінити налаштування e-mail
- salutation: "%{name},"
settings: 'Змінити налаштування e-mail: %{link}'
view: 'Перегляд:'
view_profile: Показати профіль
@@ -398,9 +387,6 @@ uk:
migrate_account: Переїхати до іншого аккаунту
migrate_account_html: Якщо ви бажаєте, щоб відвідувачі цього акканту були перенаправлені до іншого, ви можете налаштувати це тут.
or_log_in_with: Або увійдіть з
- providers:
- cas: CAS
- saml: SAML
register: Зареєструватися
resend_confirmation: Повторно відправити інструкції з підтвердження
reset_password: Скинути пароль
@@ -460,7 +446,6 @@ uk:
request: Зробити запит на архів
size: Розмір
blocks: Список блокувань
- csv: CSV
follows: Підписки
mutes: Список глушення
storage: Ваш медіаконтент
@@ -483,7 +468,6 @@ uk:
generic:
changes_saved_msg: Зміни успішно збережені!
save_changes: Зберегти зміни
- validation_errors: Щось тут не так! Будь ласка, ознайомтеся з %{count} помилками нижче
imports:
preface: Вы можете завантажити деякі дані, наприклад, списки людей, на яких Ви підписані чи яких блокуєте, в Ваш акаунт на цій інстанції з файлів, експортованих з іншої інстанції.
success: Ваші дані були успішно загружені та будуть оброблені в найближчий момент
@@ -506,7 +490,6 @@ uk:
expires_in_prompt: Ніколи
generate: Згенерувати
invited_by: 'Вас запросив(-ла):'
- max_uses: "%{count} використань"
max_uses_prompt: Без обмеження
prompt: Генеруйте та діліться посиланням з іншими для надання доступу до сайту
table:
@@ -568,19 +551,16 @@ uk:
number:
human:
decimal_units:
- format: "%n%u"
units:
billion: млрд
million: млн
quadrillion: квдрл
thousand: тис
trillion: трлн
- unit: ''
pagination:
newer: Новіше
next: Далі
prev: Назад
- truncate: "…"
preferences:
other: Інше
remote_follow:
@@ -597,40 +577,12 @@ uk:
activity: Остання активність
browser: Браузер
browsers:
- alipay: Alipay
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: Невідомий браузер
- ie: Internet Explorer
- micro_messenger: MicroMessenger
- nokia: Nokia S40 Ovi Browser
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
- qq: QQ Browser
- safari: Safari
- uc_browser: UCBrowser
- weibo: Weibo
current_session: Активна сесія
description: "%{browser} на %{platform}"
explanation: Це веб-браузери, нині авторизовані до вашого аккаунту Mastodon.
- 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: невідома платформа
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: Закінчити
revoke_success: Сесія успішно закінчена
title: Сесії
@@ -649,11 +601,8 @@ uk:
statuses:
attached:
description: 'Прикріплено: %{attached}'
- image: "%{count} картинки"
- video: "%{count} відео"
boosted_from_html: Просунуто від %{acct_link}
content_warning: 'Попередження про контент: %{warning}'
- disallowed_hashtags: 'містив заборонені хештеґи: %{tags}'
language_detection: Автоматично визначати мову
open_in_web: Відкрити у вебі
over_character_limit: перевищено ліміт символів (%{max})
@@ -663,7 +612,6 @@ uk:
private: Не можна закріпити непублічний пост
reblog: Не можна закріпити просунутий пост
show_more: Детальніше
- title: '%{name}: "%{quote}"'
visibilities:
private: Для підписників
private_long: Показувати тільки підписникам
@@ -681,9 +629,6 @@ uk:
contrast: Висока контрасність
default: Mastodon
mastodon-light: Mastodon (світла)
- time:
- formats:
- default: "%b %d, %Y, %H:%M"
two_factor_authentication:
code_hint: Для підтверждення введіть код, згенерований застосунком аутентифікатора
description_html: При увімкненні двофакторної аутентифікації, вхід буде вимагати від Вас використовування Вашого телефона, який згенерує вхідний код.
diff --git a/config/locales/zh-CN.yml b/config/locales/zh-CN.yml
index 3b0bc6caff..538a035d20 100644
--- a/config/locales/zh-CN.yml
+++ b/config/locales/zh-CN.yml
@@ -7,7 +7,6 @@ zh-CN:
active_count_after: 活跃
active_footnote: 每月活跃用户
administered_by: 本实例的管理员:
- api: API
apps: 移动应用
contact: 联系方式
contact_missing: 未设定
@@ -22,19 +21,16 @@ zh-CN:
privacy_policy: 隐私政策
source_code: 源代码
status_count_after:
- one: 条嘟文
other: 条嘟文
status_count_before: 他们共嘟出了
terms: 使用条款
user_count_after:
- one: 位用户
other: 位用户
user_count_before: 这里共注册有
what_is_mastodon: Mastodon 是什么?
accounts:
follow: 关注
followers:
- one: 关注者
other: 关注者
following: 正在关注
joined: 加入于 %{date}
@@ -45,7 +41,6 @@ zh-CN:
people_followed_by: "%{name} 关注的人"
people_who_follow: 关注 %{name} 的人
posts:
- one: 嘟文
other: 嘟文
posts_tab_heading: 嘟文
posts_with_replies: 嘟文和回复
@@ -243,7 +238,6 @@ zh-CN:
reject_media_hint: 删除本地已缓存的媒体文件,并且不再接收来自该域名的任何媒体文件。此选项不影响封禁
show:
affected_accounts:
- one: 将会影响到数据库中的 1 个帐户
other: 将会影响到数据库中的 %{count} 个帐户
retroactive:
silence: 对此域名的所有帐户解除隐藏
@@ -386,8 +380,6 @@ zh-CN:
confirmed: 已确认
expires_in: 失效时间
last_delivery: 最后一次接收数据的时间
- title: WebSub
- topic: Topic
title: 管理
admin_mailer:
new_report:
@@ -396,7 +388,6 @@ zh-CN:
subject: 来自 %{instance} 的用户举报(#%{id})
application_mailer:
notification_preferences: 更改电子邮件首选项
- salutation: "%{name},"
settings: 使用此链接更改你的电子邮件首选项:%{link}
view: 点此链接查看详情:
view_profile: 查看个人资料页
@@ -422,9 +413,6 @@ zh-CN:
migrate_account: 迁移到另一个帐户
migrate_account_html: 如果你希望引导他人关注另一个帐户,请点击这里进行设置。
or_log_in_with: 或通过其他方式登录
- providers:
- cas: CAS
- saml: SAML
register: 注册
resend_confirmation: 重新发送确认邮件
reset_password: 重置密码
@@ -484,7 +472,6 @@ zh-CN:
request: 请求你的存档
size: 大小
blocks: 屏蔽的用户
- csv: CSV
follows: 关注的用户
mutes: 隐藏的用户
storage: 媒体文件存储
@@ -507,7 +494,6 @@ zh-CN:
changes_saved_msg: 更改保存成功!
save_changes: 保存更改
validation_errors:
- one: 出错啦!检查一下下面出错的地方吧
other: 出错啦!检查一下下面 %{count} 处出错的地方吧
imports:
preface: 你可以在此导入你在其他实例导出的数据,比如你所关注或屏蔽的用户列表。
@@ -532,7 +518,6 @@ zh-CN:
generate: 生成邀请链接
invited_by: 你的邀请人是:
max_uses:
- one: 1 次
other: "%{count} 次"
max_uses_prompt: 无限制
prompt: 生成分享链接,邀请他人在本实例注册
@@ -560,9 +545,7 @@ zh-CN:
body: 以下是自%{since}你最后一次登录以来错过的消息的摘要
mention: "%{name} 在嘟文中提到了你:"
new_followers_summary:
- one: 而且,你不在的时候,有一个人关注了你!耶!
other: 而且,你不在的时候,有 %{count} 个人关注了你!好棒!
- subject: "自从你最后一次登录以来,你错过了 %{count} 条新通知 \U0001F418"
title: 在你不在的这段时间……
favourite:
body: 你的嘟文被 %{name} 收藏了:
@@ -586,25 +569,11 @@ zh-CN:
body: 你的嘟文被 %{name} 转嘟了:
subject: "%{name} 转嘟了你的嘟文"
title: 新的转嘟
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: 更新
next: 下一页
older: 更早
prev: 上一页
- truncate: "…"
- preferences:
- other: 其他
remote_follow:
acct: 请输入你的“用户名@实例域名”
missing_resource: 无法确定你的帐户的跳转 URL
@@ -620,39 +589,16 @@ zh-CN:
browser: 浏览器
browsers:
alipay: 支付宝
- blackberry: Blackberry
- chrome: Chrome
- edge: Microsoft Edge
- electron: Electron
- firefox: Firefox
generic: 未知浏览器
- ie: Internet Explorer
micro_messenger: 微信
nokia: Nokia S40 Ovi 浏览器
- opera: Opera
- otter: Otter
- phantom_js: PhantomJS
qq: QQ浏览器
- safari: Safari
uc_browser: UC浏览器
weibo: 新浪微博
current_session: 当前会话
description: "%{platform} 上的 %{browser}"
explanation: 你的 Mastodon 帐户目前已在这些浏览器上登录。
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: 未知平台
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: 注销
revoke_success: 会话注销成功
title: 会话
@@ -672,15 +618,12 @@ zh-CN:
attached:
description: 附加媒体:%{attached}
image:
- one: "%{count} 张图片"
other: "%{count} 张图片"
video:
- one: "%{count} 段视频"
other: "%{count} 段视频"
boosted_from_html: 转嘟自 %{acct_link}
content_warning: 内容警告:%{warning}
disallowed_hashtags:
- one: 包含了一个禁止的话题标签:%{tags}
other: 包含了这些禁止的话题标签:%{tags}
language_detection: 自动检测语言
open_in_web: 在站内打开
diff --git a/config/locales/zh-HK.yml b/config/locales/zh-HK.yml
index fa6af4d61f..25e7475a88 100644
--- a/config/locales/zh-HK.yml
+++ b/config/locales/zh-HK.yml
@@ -15,14 +15,14 @@ zh-HK:
hosted_on: 在 %{domain} 運作的 Mastodon 服務站
learn_more: 了解更多
source_code: 源代碼
- status_count_after: 篇文章
status_count_before: 他們共發佈了
- user_count_after: 位使用者
+ tagline: 關注朋友並探索新朋友
user_count_before: 這裏共註冊有
what_is_mastodon: Mastodon 是甚麼?
accounts:
follow: 關注
- followers: 關注者
+ followers:
+ other: 關注者
following: 正在關注
media: 媒體
moved_html: "%{name} 已經轉移到 %{new_profile_link}:"
@@ -30,7 +30,6 @@ zh-HK:
nothing_here: 暫時未有內容可以顯示。
people_followed_by: "%{name} 關注的人"
people_who_follow: 關注 %{name} 的人
- posts: 文章
posts_with_replies: 文章和回覆
reserved_username: 此用戶名已被保留
roles:
@@ -203,7 +202,6 @@ zh-HK:
reject_media: 拒絕媒體檔案
reject_media_hint: 刪除本地緩存的媒體檔案,再也不在未來下載這個站點的檔案。和自動刪除無關
show:
- affected_accounts: 資料庫中有%{count}個用戶受影響
retroactive:
silence: 對此域名的所有用戶取消靜音
suspend: 對此域名的所有用戶取消除名
@@ -220,8 +218,12 @@ zh-HK:
create: 新增網域
title: 新增電郵網域阻隔
title: 電郵網域阻隔
+ followers:
+ back_to_account: 返回帳戶
+ title: "%{acct} 的關注者"
instances:
title: 已知服務站
+ total_followed_by_us: 開始關注你
invites:
filter:
all: 全部
@@ -229,6 +231,8 @@ zh-HK:
expired: 已失效
title: 篩選
title: 邀請用戶
+ relays:
+ description_html: "聯邦中繼站 是種中繼伺服器,會在訂閱並推送至此中繼站的伺服器之間交換大量的公開嘟文。中繼站也能協助小型或中型伺服器從聯邦中探索內容,而無須本地使用者手動關注遠端伺服器的其他使用者。"
report_notes:
created_msg: 舉報筆記已建立。
destroyed_msg: 舉報筆記已刪除。
@@ -364,9 +368,6 @@ zh-HK:
migrate_account: 轉移到另一個帳號
migrate_account_html: 想要將這個帳號指向另一個帳號可到這裡設定。
or_log_in_with: 或登入於
- providers:
- cas: CAS
- saml: SAML
register: 登記
resend_confirmation: 重發確認指示電郵
reset_password: 重設密碼
@@ -426,7 +427,6 @@ zh-HK:
request: 下載檔案
size: 檔案大小
blocks: 被你封鎖的用戶
- csv: CSV
follows: 你所關注的用戶
mutes: 你所靜音的用戶
storage: 媒體容量大小
@@ -434,7 +434,6 @@ zh-HK:
changes_saved_msg: 已成功儲存修改。
save_changes: 儲存修改
validation_errors:
- one: 提交的資料有問題
other: 提交的資料有 %{count} 項問題
imports:
preface: 你可以在此匯入你在其他服務站所匯出的資料檔,包括︰你所關注的用戶,被你封鎖的用戶。
@@ -459,7 +458,6 @@ zh-HK:
generate: 生成邀請連結
invited_by: 你的邀請人是:
max_uses:
- one: 1 次
other: "%{count} 次"
max_uses_prompt: 無限制
prompt: 生成分享連結,邀請他人在本服務站註冊
@@ -487,10 +485,8 @@ zh-HK:
body: 這是自從你在%{since}使用以後,你錯失了的訊息︰
mention: "%{name} 在此提及了你︰"
new_followers_summary:
- one: 你新獲得了 1 位關注者了!恭喜!
other: 你新獲得了 %{count} 位關注者了!好厲害!
subject:
- one: "自從上次登入以來,你收到 1 則新的通知 \U0001F418"
other: "自從上次登入以來,你收到 %{count} 則新的通知 \U0001F418"
title: 在你不在的這段時間……
favourite:
@@ -515,24 +511,14 @@ zh-HK:
body: 您的文章被 %{name} 轉推:
subject: "%{name} 轉推了你的文章"
title: 新的轉推
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
pagination:
newer: 較新
next: 下一頁
older: 較舊
prev: 上一頁
truncate: "……"
- preferences:
- other: 其他
+ relationships:
+ remove_selected_followers: 刪除所選選項
remote_follow:
acct: 請輸入你的︰用戶名稱@服務點域名
missing_resource: 無法找到你用戶的轉接網址
@@ -547,7 +533,6 @@ zh-HK:
browser: 瀏覽器
browsers:
alipay: 支付寶
- blackberry: Blackberry
chrome: Chrome 瀏覽器
edge: Microsoft Edge 瀏覽器
electron: Electron 瀏覽器
@@ -556,30 +541,14 @@ zh-HK:
ie: Internet Explorer 瀏覽器
micro_messenger: 微信
nokia: Nokia S40 Ovi 瀏覽器
- opera: Opera
otter: Otter 瀏覽器
- phantom_js: PhantomJS
qq: QQ瀏覽器
- safari: Safari
uc_browser: UC瀏覽器
weibo: 新浪微博
current_session: 目前的作業階段
description: "%{platform} 上的 %{browser}"
explanation: 這些是現在正登入於你的 Mastodon 帳號的瀏覽器。
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: 未知平台
- windows: Windows
- windows_mobile: Windows Mobile
- windows_phone: Windows Phone
revoke: 取消
revoke_success: 作業階段成功取消
title: 作業階段
@@ -599,15 +568,12 @@ zh-HK:
attached:
description: 附件: %{attached}
image:
- one: "%{count} 幅圖片"
other: "%{count} 幅圖片"
video:
- one: "%{count} 段影片"
other: "%{count} 段影片"
boosted_from_html: 轉推自 %{acct_link}
content_warning: 內容警告: %{warning}
disallowed_hashtags:
- one: 包含不允許的標籤: %{tags}
other: 包含不允許的標籤: %{tags}
language_detection: 自動偵測語言
open_in_web: 開啟網頁
diff --git a/config/locales/zh-TW.yml b/config/locales/zh-TW.yml
index 3dd122f8a5..d3dcf5133f 100644
--- a/config/locales/zh-TW.yml
+++ b/config/locales/zh-TW.yml
@@ -7,7 +7,6 @@ zh-TW:
active_count_after: 活躍
active_footnote: 每月活躍使用者 (MAU)
administered_by: 管理者:
- api: API
apps: 行動應用程式
apps_platforms: 在 iOS、Android 和其他平台使用 Mastodon
browse_directory: 依興趣瀏覽個人資料目錄和過濾器
@@ -29,13 +28,11 @@ zh-TW:
server_stats: 伺服器統計:
source_code: 原始碼
status_count_after:
- one: 條嘟文
other: 條嘟文
status_count_before: 他們共嘟出了
tagline: 關注朋友並探索新朋友
terms: 使用條款
user_count_after:
- one: 位使用者
other: 位使用者
user_count_before: 註冊使用者數
what_is_mastodon: 什麼是 Mastodon?
@@ -43,7 +40,6 @@ zh-TW:
choices_html: "%{name} 的選擇:"
follow: 關注
followers:
- one: 關注者
other: 關注者
following: 正在關注
joined: 加入於 %{date}
@@ -56,7 +52,6 @@ zh-TW:
people_followed_by: "%{name} 關注的人"
people_who_follow: 關注 %{name} 的人
posts:
- one: 嘟文
other: 嘟文
posts_tab_heading: 嘟文
posts_with_replies: 嘟文與回覆
@@ -281,7 +276,6 @@ zh-TW:
suspend: 已停權
show:
affected_accounts:
- one: 將影響到資料庫中的 1 個帳戶
other: 將影響到資料庫中的 %{count} 個帳戶
retroactive:
silence: 對此站點的所有使用者取消靜音
@@ -448,9 +442,6 @@ zh-TW:
migrate_account: 轉移到另一個帳戶
migrate_account_html: 如果你希望引導他人關注另一個帳戶,請到這裡設定。
or_log_in_with: 或透過其他方式登入
- providers:
- cas: CAS
- saml: SAML
register: 註冊
resend_confirmation: 重新寄送確認指引
reset_password: 重設密碼
@@ -510,14 +501,12 @@ zh-TW:
request: 下載存檔
size: 大小
blocks: 您封鎖的使用者
- csv: CSV
follows: 您關注的使用者
mutes: 您靜音的使用者
storage: 儲存空間大小
generic:
changes_saved_msg: 已成功儲存修改!
save_changes: 儲存修改
- validation_errors: 送出的資料有 %{count} 個問題
imports:
preface: 您可以在此匯入您在其他伺服器所匯出的資料檔,包括關注的使用者、封鎖的使用者名單。
success: 資料檔上傳成功,正在匯入,請稍候
@@ -540,7 +529,6 @@ zh-TW:
expires_in_prompt: 永不過期
generate: 建立邀請連結
invited_by: 你的邀請人是:
- max_uses: "%{count} 次"
max_uses_prompt: 無限制
prompt: 建立分享連結,邀請他人在本伺服器註冊
table:
@@ -566,8 +554,6 @@ zh-TW:
action: 閱覽所有通知
body: 以下是自%{since}你最後一次登入以來錯過的訊息摘要
mention: "%{name} 在此提及了你:"
- new_followers_summary: 而且,你不在的時候,有 %{count} 個人關注你了! 好棒!
- subject: "自從上次登入以來,你收到 %{count} 則新的通知 \U0001F418"
title: 你不在的時候...
favourite:
body: '你的嘟文被 %{name} 加入了最愛:'
@@ -591,25 +577,11 @@ zh-TW:
body: '你的嘟文被 %{name} 轉嘟:'
subject: "%{name} 轉嘟了你的嘟文"
title: 新的轉嘟
- number:
- human:
- decimal_units:
- format: "%n%u"
- units:
- billion: B
- million: M
- quadrillion: Q
- thousand: K
- trillion: T
- unit: ''
pagination:
newer: 較新
next: 下一頁
older: 較舊
prev: 上一頁
- truncate: ''
- preferences:
- other: 其他
remote_follow:
acct: 請輸入您的使用者名稱@站點網域
missing_resource: 無法找到資源
@@ -644,11 +616,6 @@ zh-TW:
description: "%{platform} 上的 %{browser}"
explanation: 這些是現在正登入於你的 Mastodon 帳戶的瀏覽器。
ip: IP 位址
- platforms:
- adobe_air: ''
- linux: ''
- mac: ''
- other: 未知平台
revoke: 取消
revoke_success: Session 取消成功
title: 作業階段
@@ -667,11 +634,8 @@ zh-TW:
statuses:
attached:
description: 附件: %{attached}
- image: "%{count} 幅圖片"
- video: "%{count} 段影片"
boosted_from_html: 轉嘟自 %{acct_link}
content_warning: 內容警告: %{warning}
- disallowed_hashtags: 包含不允許的標籤: %{tags}
language_detection: 自動偵測語言
open_in_web: 以網頁開啟
over_character_limit: 超過了 %{max} 字的限制
@@ -681,7 +645,6 @@ zh-TW:
private: 不能置頂非公開的嘟文
reblog: 不能置頂轉嘟
show_more: 顯示更多
- title: '%{name}: "%{quote}"'
visibilities:
private: 僅關注者
private_long: 只有關注你的人能看到
diff --git a/crowdin.yml b/crowdin.yml
index f60af46b2c..f94417f2ed 100644
--- a/crowdin.yml
+++ b/crowdin.yml
@@ -1,3 +1,20 @@
+commit_message: "[ci skip]"
files:
- source: /app/javascript/mastodon/locales/en.json
translation: /app/javascript/mastodon/locales/%two_letters_code%.json
+ update_option: update_as_unapproved
+ - source: /config/locales/en.yml
+ translation: /config/locales/%two_letters_code%.yml
+ update_option: update_as_unapproved
+ - source: /config/locales/simple_form.en.yml
+ translation: /config/locales/simple_form.%two_letters_code%.yml
+ update_option: update_as_unapproved
+ - source: /config/locales/activerecord.en.yml
+ translation: /config/locales/activerecord.%two_letters_code%.yml
+ update_option: update_as_unapproved
+ - source: /config/locales/devise.en.yml
+ translation: /config/locales/devise.%two_letters_code%.yml
+ update_option: update_as_unapproved
+ - source: /config/locales/doorkeeper.en.yml
+ translation: /config/locales/doorkeeper.%two_letters_code%.yml
+ update_option: update_as_unapproved
diff --git a/lib/mastodon/version.rb b/lib/mastodon/version.rb
index ae945a987e..56b846a367 100644
--- a/lib/mastodon/version.rb
+++ b/lib/mastodon/version.rb
@@ -21,7 +21,7 @@ module Mastodon
end
def flags
- 'rc1'
+ ''
end
def to_a